content
stringlengths 7
1.05M
|
---|
r"""
Invert a binary tree.
Example:
Input:
4
/ \
2 7
/ \ / \
1 3 6 9
Output:
4
/ \
7 2
/ \ / \
9 6 3 1
"""
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def invertTree(self, root):
"""Recursive"""
if not root:
return root
left = self.invertTree(root.right)
right = self.invertTree(root.left)
root.left = left
root.right = right
return root
def invertTree2(self, root):
"""Iterative (DFS)"""
stack = []
cur = root
while cur:
stack.append(cur)
cur = cur.left
while stack:
tree = stack.pop()
tree_r = tree.right
while tree_r:
stack.append(tree_r)
tree_r = tree_r.left
tmp = tree.left
tree.left = tree.right
tree.right = tmp
return root
|
'''
Write a Python program to parse a string to Float or Integer.
'''
varStr = input("Enter a number: ")
print("The string above was parsed an an integer", int(varStr))
|
# Compute the Factorial of a given value (n!)
# multiply all whole numbers from our chosen number
# down to 1.
# 4! = 4 * 3 * 2 * 1
# 1 * 1 = 1
# 1 * 2 = 2
# 2 * 3
# iterative approach
def fact_i(n):
# set a end point fact initial value
fact = 1
# loop from 1 to n+1 using an index
for i in range(1, n + 1):
# set fact to fact multiplied by index
fact = fact * i
# return fact
return fact
print(fact_i(4))
# recursive
def rec_fact(n):
# base case
if n <= 1:
return 1
else:
# call rec_fact on n - 1
# return n multiplied by rec_fact of n - 1
return n * rec_fact(n - 1)
print(rec_fact(4))
|
def indent_dotcode(dotcode, indent):
return '\n'.join(['%s%s' % (indent, line)
for line in dotcode.split('\n')])
def sphinx_format(dotcode):
dotcode = indent_dotcode(dotcode, ' ')
warning_comment = '.. Autogenerated graphviz code. Do not edit manually.'
dotcode = "%s\n\n.. graphviz::\n\n%s" % (warning_comment, dotcode)
return dotcode
|
"""Small utility functions"""
def string_is_true(s: str) -> bool:
return s.lower() == 'true'
|
# -*- coding: utf-8 -*-
class BaseEndpoint:
"""
A class used to implement base functionality for Lacework API Endpoints
"""
def __init__(self,
session,
object_type,
endpoint_root="/api/v2"):
"""
:param session: An instance of the HttpSession class.
:param object_type: The Lacework object type to use.
:param endpoint_root: The URL endpoint root to use.
"""
super().__init__()
self._session = session
self._object_type = object_type
self._endpoint_root = endpoint_root
def build_dict_from_items(self, *dicts, **items):
"""
A method to build a dictionary based on inputs, pruning items that are None.
:raises KeyError: In case there is a duplicate key name in the dictionary.
:returns: A single dict built from the input.
"""
dict_list = list(dicts)
dict_list.append(items)
result = {}
for d in dict_list:
for key, value in d.items():
camel_key = self._convert_lower_camel_case(key)
if value is None:
continue
if camel_key in result.keys():
raise KeyError(f"Attempted to insert duplicate key '{camel_key}'")
result[camel_key] = value
return result
def build_url(self, id=None, resource=None, action=None):
"""
Builds the URL to use based on the endpoint path, resource, type, and ID.
:param id: A string representing the ID of an object to use in the URL
:param resource: A string representing the type of resource to append to the URL
:param action: A string representing the type of action to append to the URL
"""
result = f"{self._endpoint_root}/{self._object_type}"
if resource:
result += f"/{resource}"
if action:
result += f"/{action}"
if id:
result += f"/{id}"
return result
@staticmethod
def _convert_lower_camel_case(param_name):
"""
Convert a Pythonic variable name to lowerCamelCase.
This function will take an underscored parameter name like 'query_text' and convert it
to lowerCamelCase of 'queryText'. If a parameter with no underscores is provided, it will
assume that the value is already in lowerCamelCase format.
"""
words = param_name.split("_")
first_word = words[0]
if len(words) == 1:
return first_word
word_string = "".join([x.capitalize() or "_" for x in words[1:]])
return f"{first_word}{word_string}"
def _get_schema(self, subtype=None):
"""
Get the schema for the current object type.
"""
if subtype:
url = f"/api/v2/schemas/{self._object_type}/{subtype}"
else:
url = f"/api/v2/schemas/{self._object_type}"
response = self._session.get(url)
return response.json()
@property
def session(self):
"""
Get the :class:`HttpSession` instance the object is using.
"""
return self._session
def validate_json(self, json, subtype=None):
"""
TODO: A method to validate the provided JSON based on the schema of the current object.
"""
schema = self._get_schema(subtype)
# TODO: perform validation here
return schema
def __repr__(self):
if hasattr(self, "id"):
return "<%s %s>" % (self.__class__.__name__, self.id)
|
# coding: UTF-8
class MyBaseException(Exception):
def __init__(self, message):
self.message = message
class FileNotExistException(MyBaseException):
def __init__(self, message=""):
MyBaseException.__init__(self, message)
class SettingException(MyBaseException):
"""
設定はしてない場合、または設定間違った場合発生する例外
"""
def __init__(self, message=""):
MyBaseException.__init__(self, message)
class CustomException(MyBaseException):
def __init__(self, message=""):
MyBaseException.__init__(self, message)
class OperationFinishedException(MyBaseException):
def __init__(self, message=""):
MyBaseException.__init__(self, message)
|
#!/usr/bin/env python
#
# String Parser.
# file : Parser.py
# author : Tom Regan <[email protected]>
# since : 2011-07-28
# last modified : 2011-08-04
class BaseParser(object):
def parse(self, line):
pass
class Parser(BaseParser):
def parse(self, line):
"""Reads a line of input and returns a tuple:
(method:str, args:tuple)
Raises:
Exception.
NB: Exceptions from other frames must be handled.
"""
tokens = line.split()
command = ''
if len(tokens) > 0:
command = tokens.pop(0)
if command[:1] == 'i':
return self._info(tokens)
elif command == 'help':
return ('help', ())
elif command == 'usage':
return ('usage', {'fun':tokens[0]})
elif command[:2] == 'br':
return self._break(tokens)
elif command[:4] == 'vers':
return ('version', ())
elif command[:4] == 'edit':
return ('edit', ())
elif command[:4] == 'lice':
return ('license', ())
elif command[:4] == 'rese':
if command != 'reset':
print(':reset')
return ('reset', ())
elif command[:1] == 's':
if command != 'step':
print(':step')
return ('step', ())
elif command[:2] == 'co':
if command != 'continue':
print(":continue")
return ("complete", (True))
elif command[:1] == 'r':
if command != 'run':
print(":run")
return ("complete", ())
elif command[:1] == 'c':
if command != 'cycle':
print(':cycle')
return ('cycle', ())
elif command[:1] == 'l':
if command != 'load':
print(':load')
return self._load(tokens)
elif command[:4] == 'eval':
if command != 'evaluate':
print(":evaluate")
return ('evaluate', ())
elif command == '__except__':
raise Exception('Intentionally raised exception in {:} object'
.format(self.__class__.__name__.lower()))
elif command == 'quit'\
or command == 'exit'\
or command == '\e':
return ('exit', ())
else:
return ('usage', {'fun': command})
def _info(self, tokens):
if len(tokens) > 0:
if tokens[0][:1] == 'r':
if len(tokens) > 1:
if tokens[1][:2] == 're' and len(tokens) > 2:
return ('print_registers', {'rewind':tokens[2]})
elif tokens[1][0].isdigit():
return ('print_register', (tokens[1]))
else:
return ('print_registers', ())
else:
return ('print_registers', ())
elif tokens[0][:3] == 'mem':
if len(tokens) > 2:
try:
return ('print_memory',
(int(tokens[1]), int(tokens[2], 16)))
except:
return ('usage', {'fun':'info'})
elif len(tokens) > 1:
return ('print_memory', [int(tokens[1])])
else:
return ('print_memory', ())
elif tokens[0][:3] == 'pip':
return ('print_pipeline', ())
elif tokens[0][:3] == "pro":
return ('print_program', ())
elif tokens[0][:2] == "br":
return ('print_breakpoints', ())
else:
pass
return ('usage', {'fun':'info'})
def _load(self, tokens):
if len(tokens) > 0:
return ('load', tokens[0])
else:
return ('load', False)
def _break(self, tokens):
rvalue = 0
if len(tokens) > 1:
if tokens[0][:3] == 'del':
try:
return ('remove_breakpoint', int(tokens[1]))
except:
return ('usage', {'fun':'break'})
elif len(tokens) > 0:
try:
rvalue = int(tokens[0], 16)
except:
rvalue = tokens[0]
#return ('usage', {'fun':'break'})
return ('add_breakpoint', rvalue)
return ('usage', {'fun':'break'})
|
"""Escriba un algoritmo que permita saber cuál es el día de la semana,
utilizando el siguiente método y después conviértalo a Python:
Conserve las dos últimas cifras del año.
Añada 1/4 de esta cifra, ignorando el resto: división entera.
Añada el día del mes.
Según el mes, añada el valor indicado:
Enero = 1
Febrero = 4
Marzo = 4
Abril = 0
Mayo = 2
Junio = 5
Julio = 0
Agosto = 3
Septiembre = 6
Octubre = 1
Noviembre = 4
Diciembre = 6
Si el año es bisiesto y el mes es enero o febrero, restamos 1.
Según el siglo, añada el valor indicado:
Años 1600 = 6
Años 1700 = 4
Años 1800 = 2
Años 1900 = 0
Años 2000 = 6
Años 2100 = 4
Divida la suma por 7 y guarde el resto: un módulo.
Este resto es el día de la semana buscado.
1 para Domingo
2 para Lunes
3 para Martes
4 para Miércoles
5 para Jueves
6 para Viernes
0 para Sábado
"""
suma = 0
año = int(input("Introduzca las dos ultimas cifras del año "))
suma = año//4
mes = input("Introduzca el mes actual ")
bisiesto = bool(input("Introduzca True si el año es bisiesto o False si no lo es "))
años = int(input("Introduzca un siglo en años "))
if mes == "Enero":
suma +=1
elif mes == "Febrero":
suma +=4
elif mes == "Marzo":
suma +=4
elif mes == "Abril":
suma +=0
elif mes == "Mayo":
suma +=2
elif mes == "Junio":
suma +=5
elif mes == "Julio":
suma +=0
elif mes == "Agosto":
suma +=3
elif mes == "Septiembre":
suma +=6
elif mes == "Octubre":
suma +=1
elif mes == "Noviembre":
suma +=4
elif mes == "Diciembre":
suma +=6
if bisiesto == True and (mes == "Enero" or mes == "Febrero"):
suma -=1
if años == 1600:
suma += 6
elif años == 1700:
suma+=4
elif años == 1800:
suma+=2
elif años == 1900:
suma+=0
elif años == 2000:
suma+=6
elif años == 2100:
suma+=4
modulo = suma%7
if modulo == 1:
print("Domingo")
elif modulo == 2:
print("Lunes")
elif modulo == 3:
print("Martes")
elif modulo == 4:
print("Miercoles")
elif modulo == 5:
print("Jueves")
elif modulo == 6:
print("Viernes")
elif modulo == 0:
print("Sabado")
|
def cal(n, data):
for x in range(1, n+1):
if (n % x == 0):
tmp = data[:x]
for y in range(x, n, x):
if data[y:y+x] != tmp:
break
if(y+x >= n):
return x
return n
n = int(input())
data = list(input())
print(cal(n, data))
|
def resolve():
'''
code here
'''
N = int(input())
As = [int(item) for item in input().split()]
As.sort()
max_num = max(As)
res = 10**9 + 1
if max_num % 2 == 0:
if max_num //2 in As:
res = max_num //2
else:
for item in As:
if abs(max_num //2 - res) > abs(max_num //2 - item):
res = item
else:
if max_num //2 in As:
res = max_num //2
elif max_num // 2 + 1 in As:
res = max_num //2 + 1
else:
for item in As:
if abs(max_num //2 - res) > abs(max_num //2 - item):
res = item
if abs(max_num //2 + 1 - res) > abs(max_num //2 + 1 - item):
res = item
print(max(As), res)
if __name__ == "__main__":
resolve()
|
#!/usr/bin/python3
for i in range(1,10):
for j in range(1,10):
print("%d * %d = %d "%(j,i,i*j), end="")
print("")
|
def heapify(arr, n, i):
"""This is to max heapify
Parameters:
arr(list): List of integers
n(int): Length of list
i(int): Root element
"""
largest = i
left = 2 * i + 1
right = 2 * i + 2
if left < n and arr[i] < arr[left]:
largest = left
if right < n and arr[largest] < arr[right]:
largest = right
if largest != i:
arr[i],arr[largest] = arr[largest],arr[i] # swap
heapify(arr, n, largest)
def heapSort(arr):
"""This function sort the integers.
Parameters:
arr(list): List of integers
Returns:
None
"""
n = len(arr)
# Build a maxheap.
for i in range(n, -1, -1):
heapify(arr, n, i)
# One by one extract elements
for i in range(n-1, 0, -1):
arr[i], arr[0] = arr[0], arr[i] # swap
heapify(arr, i, 0)
def main():
arr = [ 12, 11, 13, 5, 6, 7]
heapSort(arr)
print("Sorted array is",arr)
if __name__ == "__main__":
main()
|
expected_output = {
'vrf': {
'default': {
'interface': {
'GigabitEthernet0/0/0/0': {
'counters': {
'joins': 18,
'leaves': 5
},
'enable': True,
'internet_address': 'fe80::5054:ff:fefa:9ad7',
'interface_status': 'up',
'last_member_query_interval': 1,
'oper_status': 'up',
'querier': 'fe80::5054:ff:fed7:c01f',
'querier_timeout': 3666,
'query_interval': 366,
'query_max_response_time': 12,
'time_elapsed_since_igmp_router_enabled': '1d06h',
'time_elapsed_since_last_query_sent': '00:30:16',
'time_elapsed_since_last_report_received': '00:05:05',
'version': 2
}
}
}
}
}
|
def XXX(self, root):
if root is None:
return 0
level = 0
stack = [root]
while stack:
level += 1 # 每下一层,层数+1
n = len(stack)
# 拿到当前层下一层全部节点到队列
for i in range(n):
if stack[i].left:
stack.append(stack[i].left)
if stack[i].right:
stack.append(stack[i].right)
stack = stack[n:] # 删除上一层节点
return level
|
#!/usr/bin/python3
# 文件名:fibo.py
# 裴波那契(fibonacci)数列模块
def fib(n): # 定义到n的裴波那契数列
a,b = 0,1
while b < n:
print(b,end=' ')
a,b = b,a+b
print()
def fib2(n): # 返回到n的裴波那契数列
result = []
a,b = 0,1
while b < n:
result.append(b)
a,b = b,a+b
return result
|
while True:
n=int(input('ENTER A NUMBER TO CHECK DIVISIBILITY: '))
for i in range (2,n):
if n%i == 0:
print('THE ENTER NO. IS DIVISIBLE BY: ',i)
|
# SCENARIO: Calculator - Do a substraction
# GIVEN a running calculator app
type(Key.WIN + "calculator" + Key.ENTER)
wait("1471901583292.png")
# AND '5' is displayed
click("1471901439420.png")
wait("1471901563200.png")
# WHEN I click on '-', '1', '='
click("1471901612968.png")
click("1471901595751.png")
click("1471901627768.png")
# THEN result should be '4'
wait("1471901656932.png")
|
"""Tests for the module 'api_v1'."""
# TODO enable when new test(s) will be added
# from f8a_jobs.api_v1 import *
class TestApiV1Functions(object):
"""Tests for the module 'api_v1'."""
def setup_method(self, method):
"""Set up any state tied to the execution of the given method in a class."""
assert method
def teardown_method(self, method):
"""Teardown any state that was previously setup with a setup_method call."""
assert method
|
numero = soma_dos_numeros = quantidade_numeros = 0
while numero != 999:
numero = int(input("Diga um valor: ").strip())
if numero != 999:
soma_dos_numeros += numero
quantidade_numeros += 1
print("Acabou!")
print(f"A soma dos {quantidade_numeros} números digitados foi {soma_dos_numeros}.")
|
DbName = "FantasyDraftHost.db"
tables = {
"leagues": {
"name": "Leagues",
"columnIndexes": {
"Id": 0,
"Name": 1
}
},
"playerPositions": {
"name": "PlayerPositions",
"columnIndexes": {
"Id": 0,
"PlayerId": 1,
"PositionId": 2
}
},
"players": {
"name": "Players",
"columnIndexes": {
"Id": 0,
"FirstName": 1,
"LastName": 2,
"TeamId": 3
}
},
"positions": {
"name": "Positions",
"columnIndexes": {
"Id": 0,
"Name": 1,
"LeagueId": 2
}
},
"teams": {
"name": "Teams",
"columnIndexes": {
"Id": 0,
"Name": 1,
"Abbreviation": 2,
"Location": 3,
"LeagueId": 4
}
}
}
def indexOf(table, column):
return tables[table]["columnIndexes"][column]
def tableName(table):
return tables[table]["name"]
|
class parent:
def myMethod(self):
print("调用父类方法")
class child(parent):
def myMethod(self):
print("调用子类方法")
def __myPrivateMethod(self):
print("这个是我的私有方法")
# 调用
c = child() # 子类实例
c.myMethod() # 子类调用重写方法
super(child, c).myMethod() # 用子类对象调用父类已被覆盖的方法
# c.myPrivateMethod() # 报错,外部不能调用私有方法
|
a = [100,2,1,3,5,200,300,400,2,3,0,1,23,24,56,30,500,20,1000,3000]
#print(a.index(max(a)))
b = []
for i in range(0,9):
b.append(a.index(max(a)))
a[a.index(max(a))] = 0
print(b)
|
"""
core/exceptions.py
useful custom exceptions for
different cases
author: @alexzander
"""
class core_Exception(Exception):
def __init__(self, message=""):
self.message = message
class HTTP_RequestError(core_Exception):
""" handles the http stuff"""
pass
class NotFound_404_Error(HTTP_RequestError):
""" 404 http error """
pass
class Forbidden_403_Error(HTTP_RequestError):
""" 403 http error """
pass
class StupidCodeError(core_Exception):
pass
class StopRecursiveError(core_Exception):
pass
class NotFoundError(core_Exception):
pass
|
class MovieCard:
def __init__(self, price):
self._price = price
self._tickets = 10 if price == 70 else 15 # assume price = 70 or 100 only
@property
def tickets(self):
return self._tickets
def redeem_ticket(self, qty=1):
if qty > 2:
raise ValueError("Maximum ticket redemptions is 2.")
elif qty <= self._tickets:
self._tickets -= qty
return True
return False
def __str__(self):
return f"Ticket price: ${self._price}, tickets remaining: {self._tickets}"
if __name__ == '__main__':
mc1 = MovieCard(70)
print(mc1)
print(mc1.redeem_ticket(2))
print(mc1)
print(mc1.tickets)
|
'''
# O(N^2)
# it is hard to pass the test big cases
class Solution(object):
def twoSum(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: List[int]
"""
sizeOfNums = len(nums)
for i in range(sizeOfNums):
for j in range(i+1, sizeOfNums):
if target == nums[i] + nums[j]:
return [i, j]
return []
'''
# O(N) by https://github.com/kamyu104/LeetCode/blob/master/Python/two-sum.py
# idea : it finds the indices by value reversely.
class Solution(object):
def twoSum(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: List[int]
"""
lookup = {}
for i, num in enumerate(nums):
if target - num in lookup:
return [lookup[target - num], i]
lookup[num] = i
return []
|
#!/usr/bin/env python
# _*_ coding: utf-8
# See LICENSE for details.
class BaseConfig:
def __init__(self, logger=None, BaseConfig=None):
self
self.logger = logger
self.stageing = False
self.config_directory = None
self.default_key_type = 'RSA'
# TODO: Support 'ECDSA' also as global default
self.ec_curve = 'secp256r1'
# Storage
self.storage_mode = 'file'
self.storage_file_directory = None
# DNS
self.dns_provider = 'route53'
self.dns_route53_aws_accesskey = None
self.dns_route53_aws_secretkey = None
# CA
self.default_ca = 'LetsEncrypt'.lower()
self.ca = []
self.ca_by_name = {}
if BaseConfig is not None:
self.loadBaseConfig(self._LowerCaseOfKey(BaseConfig))
def loadBaseConfig(self,BaseConfig):
self.logger.info('Loading Base Config')
self.config_directory = BaseConfig['generic']['confdirectory']
if 'defaultca' in BaseConfig['generic']:
self.default_ca = BaseConfig['generic']['defaultca'].lower()
# Storage
if 'certdirectory' in BaseConfig['generic']:
self.storage_file_directory = BaseConfig['generic']['certdirectory']
# DNS
if 'aws_accesskey' in BaseConfig['route53']:
self.dns_route53_aws_accesskey = BaseConfig['route53']['aws_accesskey']
if 'aws_secretkey' in BaseConfig['route53']:
self.dns_route53_aws_secretkey = BaseConfig['route53']['aws_secretkey']
# CA Config
increment=0
for key, value in BaseConfig['ca'].items():
if 'type' in value:
if value['type'].lower() == 'local':
self.ca.append(CaLocalConfig(key, value))
elif value['type'].lower() == 'acme':
self.ca.append(CaACMEConfig(key, value))
else:
self.ca.append(CaConfig(key,value))
self.ca_by_name[key] = increment
increment += 1
return True
def _LowerCaseOfKey(self,x, recusiv=True):
r = {}
for k, v in x.items():
if isinstance(v, dict) and recusiv == True:
v = self._LowerCaseOfKey(v)
if isinstance(k, str):
r[k.lower()] = v
else:
r[k] = v
return r
def stats_ca_increment_certs(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_certs(increment)
except Exception as e:
pass
def stats_ca_increment_certs_rsa(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_certs_rsa(increment)
except Exception as e:
pass
def stats_ca_increment_certs_ec(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_certs_ec(increment)
except Exception as e:
pass
def stats_ca_increment_fqdns(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_fqdn(increment)
except Exception as e:
pass
def stats_ca_increment_to_renew(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_to_renew(increment)
except Exception as e:
pass
def stats_ca_increment_renew_success(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_renew_success(increment)
except Exception as e:
pass
def stats_ca_increment_renew_failed(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_renew_failed(increment)
except Exception as e:
pass
def stats_ca_increment_check_successful(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_check_successful(increment)
except Exception as e:
pass
def stats_ca_increment_config_error(self, ca_name, increment=1):
try:
self.ca[self.ca_by_name[ca_name]].stats.increment_config_error(increment)
except Exception as e:
pass
def get_ca_issuer_name(self,ca_name):
try:
return self.ca[self.ca_by_name[ca_name]].issuer_name
except Exception as e:
return None
def get_ca_type(self,ca_name):
return self.ca[self.ca_by_name[ca_name]].ca_type
def get_ca_renew_lifetime_left(self,ca_name):
try:
return self.ca[self.ca_by_name[ca_name]].cert_renew_lifetime_left
except Exception as e:
return None
def get_ca_renew_days_left(self,ca_name):
try:
return self.ca[self.ca_by_name[ca_name]].cert_renew_days_left
except Exception as e:
return None
def clean_up(self):
self = None
class CaConfig:
def __init__(self, name, CaConfig):
self
self.ca_name = name
self.issuer_name = None
# Certificate Settings
self.cert_renew_lifetime_left = None
self.cert_renew_days_left = None
self.cert_default_subject = None
self.stats = CaStats()
if CaConfig is not None:
self.loadCaConfig(CaConfig)
def __str__(self):
return str(self.__class__) + ": " + str(self.__dict__)
def loadCaConfig(self,CaConfig):
self.issuer_name = CaConfig['issuer_name']
if 'cert_renew_lifetime_left' in CaConfig:
# Interpret Percentage Value for 'Lifetime Left'
if isinstance(CaConfig['cert_renew_lifetime_left'], float) or isinstance(
CaConfig['cert_renew_lifetime_left'], int):
self.cert_renew_lifetime_left = CaConfig['cert_renew_lifetime_left']
else:
if isinstance(CaConfig['cert_renew_lifetime_left'], str) and '%' in CaConfig['cert_renew_lifetime_left']:
self.cert_renew_lifetime_left = float(
CaConfig['cert_renew_lifetime_left'].strip(' ').strip('%')) / 100.0
if 'cert_renew_days_left' in CaConfig:
self.cert_renew_days_left = CaConfig['cert_renew_days_left']
if 'cert_subject_default' in CaConfig:
self.loadSubject(CaConfig['cert_subject_default'])
class CaLocalConfig(CaConfig):
def __init__(self, name, CaConfig):
super().__init__(name, CaConfig)
self.ca_type = 'local'
self.cert_expire_days_default = 90
self.cert_expire_days_min = 1
self.cert_expire_days_max = 365*2
self.key = None
self.key_rsa = None
self.key_ec = None
self.key_passphrase = None
self.cert = None
self.cert_rsa = None
self.cert_ec = None
if CaConfig is not None:
self.loadCaLocalConfig(CaConfig)
def loadCaLocalConfig(self, CaConfig):
if 'key' in CaConfig:
self.key = CaConfig['key']
if 'key_rsa' in CaConfig:
self.key_rsa = CaConfig['key_rsa']
if 'key_ec' in CaConfig:
self.key_ec = CaConfig['key_ec']
if 'key_passphrase' in CaConfig:
self.key_passphrase = CaConfig['key_passphrase']
elif 'keypassphrase' in CaConfig:
self.key_passphrase = CaConfig['keypassphrase']
if 'cert' in CaConfig:
self.cert = CaConfig['cert']
if 'cert_rsa' in CaConfig:
self.cert_rsa = CaConfig['cert_rsa']
if 'cert_ec' in CaConfig:
self.cert_ec = CaConfig['cert_ec']
def loadSubject(self, subject):
self.cert_default_subject = CertSubject(subject)
class CaACMEConfig(CaConfig):
def __init__(self, name, CaConfig):
super().__init__(name, CaConfig)
self.ca_type = 'acme'
# Authentification
self.account_key = None
self.account_key_passphrase = None
self.directory_url = 'https://acme-v01.api.letsencrypt.org/directory' # Let's Encrypt Production as defalut
if CaConfig is not None:
self.loadCaACMEConfig(CaConfig)
def loadCaACMEConfig(self, CaConfig):
if 'account_key' in CaConfig:
self.account_key = CaConfig['account_key']
if 'account_key_passphrase' in CaConfig:
self.account_key_passphrase = CaConfig['account_key_passphrase']
if 'directory_url' in CaConfig:
self.directory_url = CaConfig['directory_url']
class CertSubject:
def __init__(self, subject=None):
self
self.organization = None
self.organizational_unit = None
self.country = None
self.state = None
self.locality = None
self.email = None
if subject is not None:
self.loadSubject(subject)
def __str__(self):
return str(self.__class__) + ": " + str(self.__dict__)
def loadSubject(self, subject):
if 'organization' in subject:
self.organization = subject['organization']
if 'organizational_unit' in subject:
self.organizational_unit = subject['organizational_unit']
if 'country' in subject:
self.country = subject['country']
if 'state' in subject:
self.state = subject['state']
if 'locality' in subject:
self.locality = subject['locality']
if 'email' in subject:
self.email = subject['email']
class CertConfig:
def __init__(self, CertConfig=None, BaseConfig=None):
self
self.cert = None
self.san = []
self.subject = None
self.ca = None
self.costumer = None
self.stage = None
self.sub = None
self.file_save_path = None
self.validity_days = None
self.key_type = ['RSA']
self.reuse_key = False
self.dns_zone = None
self.force_renew = False
if CertConfig is not None:
self.loadCertConfig(self._LowerCaseOfKey(CertConfig),BaseConfig)
def __str__(self):
return str(self.__class__) + ": " + str(self.__dict__)
def loadCertConfig(self,CertConfig,BaseConfig):
if 'domain' in CertConfig:
self.cert = CertConfig['domain']
self.san.append(self.cert)
if 'alternativename' in CertConfig:
for domain in CertConfig['alternativename']:
self.san.append(domain)
elif 'subjectalternativename' in CertConfig:
for domain in CertConfig['subjectalternativename']:
self.san.append(domain)
if 'ca' in CertConfig:
self.ca = CertConfig['ca'].lower()
else:
self.ca = BaseConfig.default_ca
if 'subject' in CertConfig:
self.subject = CertSubject(CertConfig['subject'])
else:
self.subject = BaseConfig.ca[BaseConfig.ca_by_name[self.ca]].cert_default_subject
if 'costumer' in CertConfig:
self.costumer = CertConfig['costumer']
if 'stage' in CertConfig:
self.stage = CertConfig['stage']
if 'sub' in CertConfig:
self.sub = CertConfig['sub']
self.file_save_path = BaseConfig.storage_file_directory + '/'
if self.costumer:
self.file_save_path += self.costumer + '/'
if self.stage:
self.file_save_path += self.stage + '/'
if self.sub:
self.file_save_path += self.sub + '/'
self.file_save_path = self.file_save_path.replace('//', '/')
if 'key_type' in CertConfig:
self.key_type = self._parse_key_type(CertConfig['key_type'])
if 'validity_days' in CertConfig:
try:
self.validity_days = int(float(CertConfig['validity_days']))
except Exception as e:
pass
if 'reuse_key' in CertConfig:
self.reuse_key = self._str2bool(CertConfig['reuse_key'])
if 'dns_zone' in CertConfig:
self.dns_zone = CertConfig['dns_zone']
if 'force_renew' in CertConfig:
self.force_renew = self._str2bool(CertConfig['force_renew'])
def _parse_key_type(self,key_type):
r = []
if 'RSA' in str(key_type).upper():
r.append('RSA')
if 'ECDSA' in str(key_type).upper():
r.append('ECDSA')
return r
def _LowerCaseOfKey(self,x, recusiv=True):
r = {}
for k, v in x.items():
if isinstance(v, dict) and recusiv == True:
v = self._LowerCaseOfKey(v)
if isinstance(k, str):
r[k.lower()] = v
else:
r[k] = v
return r
def _str2bool(self, s):
return str(s).lower() in ("yes", "true", "y", "t", "1")
def clean_up(self):
self = None
class CaStats:
def __init__(self):
self
self.certs = 0
self.certs_rsa = 0
self.certs_ec = 0
self.fqdn = 0
self.to_renew = 0
self.renew_success = 0
self.renew_failed = 0
self.check_successful = 0
self.config_error = 0
def __str__(self):
return str(self.__class__) + ": " + str(self.__dict__)
def increment_certs(self,increment=1):
self.certs += increment
def increment_certs_rsa(self,increment=1):
self.certs_rsa += increment
def increment_certs_ec(self,increment=1):
self.certs_ec += increment
def increment_fqdn(self,increment=1):
self.fqdn += increment
def increment_to_renew(self,increment=1):
self.to_renew += increment
def increment_renew_success(self,increment=1):
self.renew_success += increment
def increment_renew_failed(self,increment=1):
self.renew_failed += increment
def increment_check_successful(self,increment=1):
self.check_successful += increment
def increment_config_error(self, increment=1):
self.config_error += increment
|
# Team 5
def save_to_excel(datatables: list, directory=None):
pass
def open_excel():
pass
|
class Solution:
def isValidSerialization(self, preorder: str) -> bool:
nodes = preorder.split(",")
cnt = 1
for i, x in enumerate(nodes):
if x == "#":
cnt -= 1
if cnt == 0:
return i == len(nodes) - 1
else:
cnt += 1
return False
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""Where is my access point? Console Script.
Copyright (c) 2020 Cisco and/or its affiliates.
This software is licensed to you under the terms of the Cisco Sample
Code License, Version 1.1 (the "License"). You may obtain a copy of the
License at
https://developer.cisco.com/docs/licenses
All use of the material herein must be in accordance with the terms of
the License. All rights not expressly granted by the License are
reserved. Unless required by applicable law or agreed to separately 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.
Prototype code reated by Juulia Santala & Jonne Tuomela, Cisco Systems, 2020
Prototype, not to be used in production environment!
"""
###################################################
# Constants
###################################################
# information for the netmiko SSH connection to the WLC
username = "username" #ssh username
password = "password" #ssh password
host = "ip" #ip address of the WLC
########
# Mock up data when demoed without WLC, change latitude and longitude to match your usecase
output = """AP Name GPS Present Latitude Longitude Altitude GPS location Age
------------------ ----------- ------------ ------------- ------------- ------------------------
1570-RAP1 YES 60.210521 24.819801 25.10 meters 000 days, 00 h 00 m 19 s
1570-MAP1 YES 60.241581 24.829843 10.00 meters 000 days, 00 h 00 m 12 s
1570-RAP2 YES 60.213171 24.919915 25.10 meters 000 days, 00 h 00 m 19 s
1570-MAP2 YES 60.274212 24.719780 10.00 meters 000 days, 00 h 00 m 12 s"""
|
# -*- coding: utf-8
class Document:
__slots__ = ('root',)
def __init__(self):
self.root = None
|
def includeme(config):
config.add_static_view('static', 'static', cache_max_age=None)
config.add_route('home', '/')
config.add_route('auth', '/auth')
config.add_route('portfolio', '/portfolio')
config.add_route('detail', '/portfolio/{symbol}')
config.add_route('add', '/add')
config.add_route('logout', '/logout')
|
print("BMI Calculator")
print("=" * 20)
height = input("Enter height (m): ")
weight = input("Enter weight (kg): ")
try:
height = float(height)
weight = float(weight)
except ValueError:
print("One or more invalid values entered.")
exit(1)
print("Your BMI is %d." % int((weight / (height ** 2))))
# 35.5
#
# 1.8288
# 96.615096
# 81.64656 (180 pounds)
|
class Solution:
def rob(self, nums: List[int]) -> int:
n = len(nums)
if(n==0):
return 0
dp = [0]*n
dp[0] = nums[0]
for i in range(1,n):
if(i == 1):
dp[i] = max(nums[0], nums[1])
else:
dp[i] = max(dp[i-1], dp[i-2] + nums[i])
return dp[-1]
|
def bmw_finder_price_gt_25k(mileage, price):
if price > 25000:
return 1
else:
return 0
def bmw_finder_price_gt_20k(mileage, price):
if price > 20000:
return 1
else:
return 0
def bmw_finder_price_gt_cutoff_price(cutoff_price):
def c(x,p):
if p > cutoff_price:
return 1
else:
return 0
return c
def bmw_finder_decision_boundary(mileage,price):
if price > 21000 - 0.07 * mileage:
return 1
else:
return 0
|
logs = """Log: Log file open, 15/01/{} 00:00:00
Log: GPsyonixBuildID 190326.60847.228380
Log: Command line:
Init: WinSock: version 1.1 (2.2), MaxSocks=32767, MaxUdp=65467
Log: ... running in INSTALLED mode
Warning: Warning, Unknown language extension . Defaulting to INT
Init: Language extension: INT
Init: Language extension: INT
DevConfig: GConfig::LoadFile associated file: ..\\..\\TAGame\\Config\\TAUI.ini
Init: Version: 190326.60847.228380
Init: Compiled (32-bit): Mar 26 2019 16:50:54
Init: Command line:
Init: Base directory: C:\\Program Files (x86)\\Steam\\steamapps\\common\\rocketleague\\Binaries\\Win32\\
[0000.45] Log: Purging 3-day cache '..\\..\\TAGame\\Logs'...
[0000.46] Init: Computer: DESKTOP-MFH0DDD
[0000.46] Init: User: {}
[0000.46] Init: CPU Page size=4096, Processors=8
[0000.46] Init: High frequency timer resolution =10.000000 MHz
[0000.46] Init: Memory total: Physical=16.0GB (16GB approx) Pagefile=18.3GB Virtual=4.0GB
[0000.53] Log: Steam Client API initialized 1
[0000.71] Log: Steam Game Server API initialized 1
[0000.71] Init: Presizing for 135000 objects not considered by GC, pre-allocating 0 bytes.
[0000.71] Init: Object subsystem initialized
[0000.85] Log: Using feature set PrimeUpdate25
[0000.93] Log: Found D3D11 adapter 0: NVIDIA GeForce GTX 980 Ti
[0000.93] Log: Adapter has 3072MB of dedicated video memory, 0MB of dedicated system memory, and 1023MB of shared system memory
[0000.94] Log: Found D3D11 adapter 1: Microsoft Basic Render Driver
[0000.94] Log: Adapter has 0MB of dedicated video memory, 0MB of dedicated system memory, and 4095MB of shared system memory
[0001.06] Log: Shader platform (RHI): PC-D3D-SM3
[0004.42] Log: ProductDatabase_TA::PostLoad 0.11 sec total.
[0004.66] Log: 111875 objects as part of root set at end of initial load.
[0004.66] Log: 0 out of 0 bytes used by permanent object pool.
[0004.66] Log: Initializing Engine...
[0004.66] Log: BuildID: -586298547 from GPsyonixBuildID
[0004.72] SystemSettings: Loading PC Settings
[0004.72] Log: Is physics simulation enabled: 1
[0004.83] Log: Running hardware survey...
[0004.83] Log: OS: Microsoft Windows 10 Home (17763)
[0004.83] Log: Wwise(R) SDK Version 2018.1.4 Build 6807. Copyright (c) 2006-2012 Audiokinetic Inc. / All Rights Reserved.
[0004.92] Log: WinSAT: 8.1 [8.5 CPU, 9.7 2D, 9.9 3D, 8.5 Mem, 8.1 Disk]
[0006.00] Log: Processor: Intel(R) Core(TM) i7-6700K CPU @ 4.00GHz (Intel64 Family 6 Model 94 Stepping 3) 4 Cores, 8 Threads
[0006.00] Log: Memory: 8.00GB
[0006.00] Log: Memory: 8.00GB
[0006.00] Log: VideoController: NVIDIA GeForce GTX 980 Ti (24.21.13.9924)
[0006.00] Log: Network Adapter: Intel(R) Ethernet Connection (2) I219-V
[0006.00] Log: Disk C: 67.29GB free of 222.62GB
[0006.00] Log: Disk D: 1167.94GB free of 1862.98GB
[0006.00] Log: Disk M: 782.77GB free of 2794.39GB
[0006.00] Log: Sound Device: Sound Blaster Z
[0006.00] Log: Sound Device: USB Audio Device
[0006.00] Log: Sound Device: High Definition Audio Device
[0006.00] Log: Sound Device: Steam Streaming Microphone
[0006.00] Log: Sound Device: Steam Streaming Speakers
[0006.00] Log: Sound Device: NVIDIA Virtual Audio Device (Wave Extensible) (WDM)
[0006.00] Log: Sound Device: Virtual Audio Cable
[0006.00] Log: Sound Device: VB-Audio VoiceMeeter VAIO
[0006.00] Log: Sound Device: VB-Audio Virtual Cable
[0006.00] Log: Hardware survey complete in 0.63 seconds.
[0006.00] DevOnline: Created named interface (RecentPlayersList) of type (Engine.OnlineRecentPlayersList)
[0006.00] Log: Initializing Steamworks
[0006.01] DevOnline: Steam ID: 76561198043656075
[0006.01] DevOnline: Steam universe: PUBLIC
[0006.01] DevOnline: Steam appid: 252950
[0006.01] DevOnline: Steam IsSubscribed: 1
[0006.01] DevOnline: Steam IsLowViolence: 0
[0006.01] DevOnline: Steam IsCybercafe: 0
[0006.01] DevOnline: Steam IsVACBanned: 0
[0006.01] DevOnline: Steam IP country: US
[0006.01] DevOnline: Steam official server time: 1555459056
[0006.01] DevOnline: Steam Cloud quota: 1078815 / 100000000
[0006.01] DevOnline: Steam original app owner: 76561198043656075
[0006.01] DevOnline: Logged in as 'furtiveraccoon'
[0006.02] VoiceChat: The desired playback sample rate is 11000.
[0006.02] ScriptLog: PsyNet using environment DBE_Production Prod
[0006.02] PsyNetStaticData: HandleCacheExpired
[0006.02] DevOnline: PsyNet Flush Start TimeoutSeconds=1.000000
[0006.02] DevOnline: RPCQueue_X_0 SEND: PsyNetMessage_X_0 [Settings/GetStaticDataURL]
[0006.02] PsyNet: PsyNetRequestQue_X_0 SendRequest ID=PsyNetMessage_X_0 Message=PsyNetMessage_X_0
[0006.02] PsyNet: HTTP send ID=PsyNetMessage_X_0 Message=PsyNetMessage_X_0
[0006.02] DevOnline: WebRequest_X_0 SEND: https://psyonix-rl.appspot.com/Services
[0006.16] DevOnline: WebRequest_X_0 RECV: 200
[0006.16] PsyNet: HTTP recv ID=PsyNetMessage_X_0 Message=PsyNetMessage_X_1
[0006.16] PsyNet: PsyNetRequestQue_X_0 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_0 Response=PsyNetMessage_X_1 Latency=0.0000
[0006.16] DevOnline: RPCQueue_X_0 RECV: PsyNetMessage_X_0->PsyNetMessage_X_1 PsyTime=1555459056 [Settings/GetStaticDataURL]
[0006.16] PsyNetStaticData: HandleGetURL RPC.URL=https://rl-cdn.psyonix.com/Static/ze9r3jg438dfj38dfu3/Steam/INT.json
[0006.16] DevOnline: WebRequest_X_1 SEND: https://rl-cdn.psyonix.com/Static/ze9r3jg438dfj38dfu3/Steam/INT.json
[0006.20] DevOnline: WebRequest_X_1 RECV: 304
[0006.20] PsyNetStaticData: HandleDataChanged
[0006.20] Log: PsyNetStaticData could not find class 'PhysicsConfig_X'
[0006.20] Log: FJsonStructReader - cannot find property SimTimeScaleInverseChance because Struct has not been set.
[0006.23] DevOnline: PsyNet Flush End
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 None Unknown|0|0 SetAuthLoginError {{Error Type=OSCS_NotConnected Code=-1 Message=}}
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 None Unknown|0|0 Logout
[0006.24] PsyNet: PsyNetConnection_X_1 disabled OSCS_NotConnected
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Unknown|0|0 HandleConnectionChanged
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Unknown|0|0 UpdateLoginState
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Unknown|0|0 SetAuthLoginError {{Error Type=OSCS_NotConnected Code=-1 Message=}}
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Unknown|0|0 Logout
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Unknown|0|0 UpdateLoginState AuthLoginError={{Error Type=OSCS_NotConnected Code=-1 Message=}}
[0006.24] DevOnline: Logged in as 'furtiveraccoon'
[0006.24] PsyNet: PsyNetConnection_X_1 enabled
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Steam|76561198043656075|0 HandleConnectionChanged
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Steam|76561198043656075|0 UpdateLoginState
[0006.24] ScriptLog: OnlinePlayerAuthentication_TA_0 LoggedOut Steam|76561198043656075|0 GotoAuthState RequestAuthCode
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 RequestAuthCode Steam|76561198043656075|0 RequestAuthTicket Steam|76561198043656075|0
[0006.24] DevOnline: Issuing request for encrypted app ticket
[0006.24] Auth: OnlinePlayerAuthentication_TA_0 RequestAuthCode Steam|76561198043656075|0 HandleLoginStatusChanged LS_LoggedIn Steam|76561198043656075|0
[0006.24] DevOnline: Successfully set the friend join URL:
[0006.24] Party: HandleLocalPlayerLoginStatusChanged PlayerName=furtiveraccoon PlayerID=Steam|76561198043656075|0 LoginStatus=LS_LoggedIn IsPrimary=True IsInParty=False
[0006.24] SaveGame: Load Player.ControllerId=0 SaveFileName=..\\..\\TAGame\\SaveData\\DBE_Production\\76561198043656075.save
[0006.32] DevNet: Browse: MENU_Main_p
[0006.32] Log: LoadMap: MENU_Main_p
[0006.55] Log: Fully load package: ..\\..\\TAGame\\CookedPCConsole\\gameinfo_gfxmenu_SF.upk
[0006.56] Log: Game class is 'GameInfo_GFxMenu_TA'
[0006.82] Log: Bringing World MENU_Main_p.TheWorld up for play (0) at 2019.04.16-19.57.36
[0006.82] Log: Bringing up level for play took: 0.241722
[0007.38] DevOnline: Set rich presence to: Main Menu data: Menu
[0007.38] Log: ########### Finished loading level: 1.059925 seconds
[0007.81] Log: Flushing async loaders.
[0008.14] Log: Flushed async loaders.
[0008.14] Log: Initializing Engine Completed
[0008.14] Log: >>>>>>>>>>>>>> Initial startup: 8.14s <<<<<<<<<<<<<<<
[0008.15] Auth: OnlinePlayerAuthentication_TA_0 RequestAuthCode Steam|76561198043656075|0 HandleAuthTicket bSuccess=True
[0008.15] Auth: OnlinePlayerAuthentication_TA_0 RequestAuthCode Steam|76561198043656075|0 HandleAuthTicket bSuccess=True
[0008.15] ScriptLog: OnlinePlayerAuthentication_TA_0 RequestAuthCode Steam|76561198043656075|0 GotoAuthState SendLoginRequest
[0008.15] DevOnline: Logged in as 'furtiveraccoon'
[0008.15] Auth: OnlinePlayerAuthentication_TA_0 SendLoginRequest Steam|76561198043656075|0 HandleLoginStatusChanged LS_LoggedIn Steam|76561198043656075|0
[0008.15] DevOnline: Successfully set the friend join URL:
[0008.15] Party: HandleLocalPlayerLoginStatusChanged PlayerName=furtiveraccoon PlayerID=Steam|76561198043656075|0 LoginStatus=LS_LoggedIn IsPrimary=True IsInParty=False
[0008.15] DevOnline: WebRequest_X_2 SEND: https://rl-cdn.psyonix.com/SpecialEvent/Images/WinterEvent_Background.jpg
[0008.15] DevOnline: WebRequest_X_3 SEND: https://rl-cdn.psyonix.com/SpecialEvent/Images/WinterCurrency_Icon.png
[0008.15] DevOnline: WebRequest_X_4 SEND: https://rl-cdn.psyonix.com/SpecialEvent/Images/WinterCurrency_Icon_Large.png
[0008.15] DevOnline: WebRequest_X_5 SEND: http://rl-cdn.psyonix.com/SpecialEvent/Images/WinterEvent_Logo.png
[0008.15] DevOnline: WebRequest_X_6 SEND: https://rl-cdn.psyonix.com/Blog/Production/Steam/INT.JSON
[0008.15] DevOnline: WebRequest_X_7 SEND: https://rl-cdn.psyonix.com/Legal/PC/EULA/INT.txt
[0008.16] DevOnline: WebRequest_X_8 SEND: https://rl-cdn.psyonix.com/ESports/Prod/Events.json
[0008.16] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_2 [Auth/AuthPlayer]
[0008.16] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_2 Message=PsyNetMessage_X_2
[0008.16] PsyNet: HTTP send ID=PsyNetMessage_X_2 Message=PsyNetMessage_X_2
[0008.16] DevOnline: WebRequest_X_9 SEND: https://psyonix-rl.appspot.com/Services
[0008.17] SaveGame: HandleDataLoaded Result.Code=BasicLoadResult_Success
[0008.18] ScriptLog: NetworkSave_TA_0 ApplySettings ReplicationRate=60 NetSpeed=15000 InputRate=60
[0008.18] SaveVersion: SaveDataVersions_TA::Update SaveDataVersion_CrossplayFlip -> SaveDataVersion_CrossplayFlip
[0008.59] SaveData: Profile_TA_0 OnLoaded LocalID=0
[0008.59] SaveVersion: ProfileVersions_TA::Update ProfileVersion_CarColors2 -> ProfileVersion_CarColors2
[0008.59] SaveData: Profile_TA_1 OnLoaded LocalID=1
[0008.59] SaveVersion: ProfileVersions_TA::Update ProfileVersion_CarColors2 -> ProfileVersion_CarColors2
[0008.59] SaveData: Profile_TA_2 OnLoaded LocalID=2
[0008.59] SaveVersion: ProfileVersions_TA::Update ProfileVersion_CarColors2 -> ProfileVersion_CarColors2
[0008.60] ScriptLog: GetDLCProducts, UnlockedDLCList=SuperSonic,Revenge,GreyCar,Wasteland,DarkCar,NBA,Body_NeoBike,Body_NeoCar,Body_Aftershock,Body_Marauder,body_bone,body_scallop,body_Melonpan,Fauna
[0008.83] SaveGame: LocalPlayer_TA_0 HandleSaveDataLoaded
[0009.13] NetworkNext: Client disabled
[0009.13] Log: Detected new XInput controller 0
[0009.14] DevOnline: WebRequest_X_2 RECV: 304
[0009.14] DevOnline: WebRequest_X_3 RECV: 304
[0009.14] DevOnline: WebRequest_X_4 RECV: 304
[0009.14] DevOnline: WebRequest_X_5 RECV: 304
[0009.14] DevOnline: WebRequest_X_6 RECV: 304
[0009.14] Log: Failed to decode PNG from http://rl-cdn.psyonix.com/SpecialEvent/Images/WinterEvent_Logo.png
[0009.14] Log: PNGLoader - Failed to decode image or payload was never taken
[0009.14] DevOnline: WebRequest_X_7 RECV: 304
[0009.14] DevOnline: WebRequest_X_8 RECV: 304
[0009.14] DevOnline: WebRequest_X_9 RECV: 200
[0009.14] PsyNet: HTTP recv ID=PsyNetMessage_X_2 Message=PsyNetMessage_X_3
[0009.14] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_2 Response=PsyNetMessage_X_3 Latency=0.9940
[0009.14] Warning: Invalid parameters specified for UTexture2DDynamic::Create()
[0009.14] ScriptWarning: ScriptWarning, Accessed None 'Texture'
WebImageCache_X Transient.WebImageCache_X_0
Function ProjectX.WebImageCache_X:HandleImageDecoded:014B
Script call stack:
Function ProjectX.__WebImageCache_X__HandleImageData_0:__WebImageCache_X__HandleImageData_0
Function ProjectX.WebImageCache_X:HandleImageDecoded
[0009.14] ScriptWarning: ScriptWarning, Accessed None 'Texture'
WebImageCache_X Transient.WebImageCache_X_0
Function ProjectX.WebImageCache_X:HandleImageDecoded:01A1
Script call stack:
Function ProjectX.__WebImageCache_X__HandleImageData_0:__WebImageCache_X__HandleImageData_0
Function ProjectX.WebImageCache_X:HandleImageDecoded
[0009.14] Party: BroadcastMatchmakingAvailabilityDelayed PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=12
[0009.14] Party: SetAvailableForMatchmakingForMember PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=12
[0009.66] DevOnline: Obtained steam user stats, user: 76561198043656075
[0009.71] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_2->PsyNetMessage_X_3 PsyTime=1555459058 [Auth/AuthPlayer]
[0009.71] ScriptLog: OnlinePlayerAuthentication_TA_0 SendLoginRequest Steam|76561198043656075|0 GotoAuthState LoggedIn
[0009.71] Auth: OnlinePlayer_TA_0 OnlinePlayerAuthentication_TA_0 HandleAuthLoginChange Auth.bLoggedIn=True
[0009.71] PsyNet: Enabling PerCon
[0009.71] PsyNet: PsyNetConnection_X_1 SetAuthorized bAuthorized=True
[0009.71] RankedReconnect: (LocalPlayer_TA_0) LocalPlayer_TA::None:CheckForRankedReconnect bOpenedStartMenu=False IsMenuLevel=True bLoggedIn=True IsPrimaryPlayer=True RankedReconnectAvailable=False EpochTime=0 EpochNow=1555459058 TimeSince=1555459058 ReconnectTimeoutSeconds=900 Beacon=
[0009.75] Log: Assigning XInput controller to 0
[0009.80] Party: BroadcastMatchmakingAvailabilityDelayed PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=4
[0009.80] Party: SetAvailableForMatchmakingForMember PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=4
[0010.03] PsyNet: PsyNetMessengerWebSocket_X_0 Connected
[0010.03] PsyNet: PsyNetConnection_X_1 UpdateConnectionState bConnected=True bFreshConnection=True
[0010.03] PsyNet: PsyNetConnection_X_1 UpdateConnectionState bPerConConnected=True
[0010.03] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_4 [Filters/FilterContent Friends/GetFriendList Shops/GetPlayerWallet Clubs/GetClubInvites Friends/GetFriendRequests Friends/GetBlockedList GenericStorage/GetPlayerGenericStorage DLC/GetDLC Tournaments/Status/GetTournamentSubscriptions Skills/GetPlayerSkill]
[0010.03] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_4 Message=PsyNetMessage_X_4
[0010.03] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_5 [Products/GetPlayerProducts]
[0010.03] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_5 Message=PsyNetMessage_X_5
[0010.04] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_6 [Clubs/GetPlayerClubDetails Challenges/GetActiveChallenges Party/GetPlayerPartyInfo]
[0010.04] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_6 Message=PsyNetMessage_X_6
[0010.05] Vanity: All Vanity Queries Complete
[0010.18] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=2 ID=PsyNetMessage_X_6 Response=PsyNetMessage_X_7 Latency=0.1307
[0010.24] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_6->PsyNetMessage_X_7 PsyTime=1555459060 [Clubs/GetPlayerClubDetails Challenges/GetActiveChallenges Party/GetPlayerPartyInfo]
[0010.24] Clubs: OnlineClubCache_X_0 Add ClubDetails_X_0 ClubID=1924365 OwnerPlayerID=Steam|76561197986660191|0 bVerified=False Members=PlayerID=Steam|76561197986660191|0 PlayerName=fLuid- PlayerID=Steam|76561198043656075|0 PlayerName=furtiveraccoon PlayerID=Steam|76561198206146232|0 PlayerName=Gewbur PlayerID=Steam|76561197991920013|0 PlayerName=GuitarGuy
[0010.24] Clubs: HandleClubChanged 1924365 4
[0010.24] Log: RPC Error (failure): Service=Challenges/GetActiveChallenges, Type=FeatureDisabled, Code=-1, Message=
[0010.32] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_8 [Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent]
[0010.32] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_8 Message=PsyNetMessage_X_8
[0010.34] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_9 [Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent]
[0010.34] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_9 Message=PsyNetMessage_X_9
[0010.34] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=1 ID=PsyNetMessage_X_5 Response=PsyNetMessage_X_10 Latency=0.3011
[0010.35] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_11 [Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent]
[0010.35] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_11 Message=PsyNetMessage_X_11
[0010.35] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_5->PsyNetMessage_X_10 PsyTime=1555459060 [Products/GetPlayerProducts]
[0010.36] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_4 Response=PsyNetMessage_X_12 Latency=0.3118
[0010.37] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_4->PsyNetMessage_X_12 PsyTime=1555459060 [Filters/FilterContent Friends/GetFriendList Shops/GetPlayerWallet Clubs/GetClubInvites Friends/GetFriendRequests Friends/GetBlockedList GenericStorage/GetPlayerGenericStorage DLC/GetDLC Tournaments/Status/GetTournamentSubscriptions Skills/GetPlayerSkill]
[0010.38] ScriptLog: NewProductIds:
[0010.40] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_13 [Players/GetXP]
[0010.40] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_13 Message=PsyNetMessage_X_13
[0010.43] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_14 [Filters/FilterContent]
[0010.43] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_14 Message=PsyNetMessage_X_14
[0010.53] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_15 [Population/UpdatePlayerPlaylist]
[0010.53] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_15 Message=PsyNetMessage_X_15
[0010.54] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=3 ID=PsyNetMessage_X_13 Response=PsyNetMessage_X_16 Latency=0.1539
[0010.54] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_13->PsyNetMessage_X_16 PsyTime=1555459061 [Players/GetXP]
[0010.58] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=1 ID=PsyNetMessage_X_9 Response=PsyNetMessage_X_17 Latency=0.2442
[0010.59] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_9->PsyNetMessage_X_17 PsyTime=1555459061 [Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent]
[0010.87] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_8 Response=PsyNetMessage_X_18 Latency=0.5699
[0010.87] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_8->PsyNetMessage_X_18 PsyTime=1555459061 [Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent]
[0010.87] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=2 ID=PsyNetMessage_X_15 Response=PsyNetMessage_X_19 Latency=0.3440
[0010.88] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_15->PsyNetMessage_X_19 PsyTime=1555459061 [Population/UpdatePlayerPlaylist]
[0010.88] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=1 ID=PsyNetMessage_X_14 Response=PsyNetMessage_X_20 Latency=0.4540
[0010.88] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_14->PsyNetMessage_X_20 PsyTime=1555459061 [Filters/FilterContent]
[0010.88] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_11 Response=PsyNetMessage_X_21 Latency=0.5384
[0010.89] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_11->PsyNetMessage_X_21 PsyTime=1555459061 [Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent Filters/FilterContent]
[0011.76] DevOnline: Set rich presence to: Main Menu data: Menu
[0011.88] Party: BroadcastMatchmakingAvailabilityDelayed PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=4
[0011.88] Party: SetAvailableForMatchmakingForMember PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=4
[0011.88] RankedReconnect: (LocalPlayer_TA_0) LocalPlayer_TA::None:CheckForRankedReconnect bOpenedStartMenu=True IsMenuLevel=True bLoggedIn=True IsPrimaryPlayer=True RankedReconnectAvailable=False EpochTime=0 EpochNow=1555459061 TimeSince=1555459061 ReconnectTimeoutSeconds=900 Beacon=
[0011.88] MTX: ConditionalClaimEntitlements bAllowEntitlements=True bClaimingEntitlements=False bEntitlementsDirty=True PsyNetConnected=True SplitscreenID=0 bMtxCodeExpired=False
[0011.88] MTX: HandleMtxCode bSuccess=True
[0011.95] DevOnline: WebRequest_X_10 SEND: http://rl-cdn.psyonix.com/Blog/Images/Update-25-Blog-Image.jpg
[0011.95] DevOnline: WebRequest_X_11 SEND: http://rl-cdn.psyonix.com/Blog/Images/RLCS-7-Blog-Image-S
[0011.95] DevOnline: WebRequest_X_12 SEND: http://rl-cdn.psyonix.com/Blog/Images/rl_community_spotlight_in-game.jpg
[0011.95] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_22 [Microtransaction/ClaimEntitlements]
[0011.95] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_22 Message=PsyNetMessage_X_22
[0011.95] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_23 [Shops/GetStandardShops Players/GetChatBanStatus]
[0011.95] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_23 Message=PsyNetMessage_X_23
[0012.00] DevOnline: WebRequest_X_10 RECV: 304
[0012.00] DevOnline: WebRequest_X_11 RECV: 304
[0012.00] DevOnline: WebRequest_X_12 RECV: 304
[0012.15] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=1 ID=PsyNetMessage_X_23 Response=PsyNetMessage_X_24 Latency=0.2103
[0012.16] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_23->PsyNetMessage_X_24 PsyTime=1555459062 [Shops/GetStandardShops Players/GetChatBanStatus]
[0012.23] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_22 Response=PsyNetMessage_X_25 Latency=0.2904
[0012.23] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_22->PsyNetMessage_X_25 PsyTime=1555459062 [Microtransaction/ClaimEntitlements]
[0012.23] MTX: HandleClaimSuccess Products=0
[0013.09] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_26 [Filters/FilterContent]
[0013.09] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_26 Message=PsyNetMessage_X_26
[0013.15] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_26 Response=PsyNetMessage_X_27 Latency=0.0606
[0013.16] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_26->PsyNetMessage_X_27 PsyTime=1555459063 [Filters/FilterContent]
[0013.22] DevNet: Browse: EuroStadium_Rainy_P?Game=TAGame.GameInfo_Soccar_TA?Gametags=Freeplay
[0013.22] Warning: Warning, Failed to load 'SwfMovie GFx_LoadingScreen.LoadingScreen': Failed to find object 'SwfMovie GFx_LoadingScreen.LoadingScreen'
[0013.32] Log: FSaveDataExportTask(0) wrote 417818 bytes to memory
[0013.32] Log: SaveGameDataAsync game thread time: 5 ms
[0013.32] Log: Flushing async loaders.
[0013.33] Log: Flushed async loaders.
[0013.33] Log: LoadMap: EuroStadium_Rainy_P?Game=TAGame.GameInfo_Soccar_TA?Gametags=Freeplay
[0013.36] Log: Deleting old save file ..\\..\\TAGame\\SaveData\\DBE_Production\\76561198043656075.save
[0013.36] Log: SaveDataExport(0): Finished - File:[..\\..\\TAGame\\SaveData\\DBE_Production\\76561198043656075_1.save] Result:[1]
[0013.41] DevOnline: PsyNet Flush Start TimeoutSeconds=0.250000
[0013.41] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_28 [GenericStorage/SetPlayerGenericStorage Metrics/RecordMetrics]
[0013.41] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_28 Message=PsyNetMessage_X_28
[0013.54] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_28 Response=PsyNetMessage_X_29 Latency=0.0000
[0013.56] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_28->PsyNetMessage_X_29 PsyTime=1555459064 [GenericStorage/SetPlayerGenericStorage Metrics/RecordMetrics]
[0013.58] DevOnline: PsyNet Flush End
[0013.98] Log: Fully load package: ..\\..\\TAGame\\CookedPCConsole\\gameinfo_soccar_SF.upk
[0014.29] Log: Fully load package: ..\\..\\TAGame\\CookedPCConsole\\Mutators_SF.upk
[0014.37] Log: Game class is 'GameInfo_Soccar_TA'
[0014.59] Log: Bringing World EuroStadium_Rainy_P.TheWorld up for play (0) at 2019.04.16-19.57.43
[0014.59] ScriptLog: InitField Pylon_Soccar_TA_0
[0014.59] MatchBroadcast: Init bBroadcastMatch=False MatchLog=None
[0014.59] ScriptLog: MatchTypeClass=MatchType_Offline_TA
[0014.59] Log: Bringing up level for play took: 0.219613
[0014.59] Clubs: PRI_TA_0 OnClubsUpdated Steam|76561198043656075|0 ClubID=1924365
[0014.70] Clubs: HandleClubChanged 1924365 4
[0014.88] Clubs: GFxData_PRI_TA_0 HandleClubID Steam|76561198043656075|0 ClubID=1924365
[0014.89] DevOnline: Set rich presence to: In Training data: Tutorial
[0014.89] Log: ########### Finished loading level: 1.564332 seconds
[0014.89] Log: Flushing async loaders.
[0014.90] Log: Flushed async loaders.
[0014.90] Clubs: GFxData_PRI_TA_0 HandleClub Steam|76561198043656075|0 ClubID=1924365
[0014.91] Party: BroadcastMatchmakingAvailabilityDelayed PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=0
[0014.91] Party: SetAvailableForMatchmakingForMember PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=0
[0014.91] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_30 [Clubs/GetClubInvites Ads/GetAds]
[0014.91] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_30 Message=PsyNetMessage_X_30
[0014.95] Vanity: All Vanity Queries Complete
[0015.38] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_31 [Population/UpdatePlayerPlaylist Filters/FilterContent]
[0015.38] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_31 Message=PsyNetMessage_X_31
[0015.38] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_30 Response=PsyNetMessage_X_32 Latency=0.4721
[0015.45] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_30->PsyNetMessage_X_32 PsyTime=1555459065 [Clubs/GetClubInvites Ads/GetAds]
[0015.46] DevOnline: WebRequest_X_13 SEND: https://rl-cdn.psyonix.com/Ads/Prod/27.AVTnsdBv/401.jpg
[0015.48] DevOnline: WebRequest_X_13 RECV: 304
[0015.56] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_31 Response=PsyNetMessage_X_33 Latency=0.1871
[0015.57] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_31->PsyNetMessage_X_33 PsyTime=1555459066 [Population/UpdatePlayerPlaylist Filters/FilterContent]
[0015.61] DevOnline: WebRequest_X_14 SEND: https://rl-cdn.psyonix.com/Ads/Prod/27.Pwxy6Hw5/402.jpg
[0015.63] DevOnline: WebRequest_X_14 RECV: 304
[0030.00] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_34 [Filters/FilterContent]
[0030.00] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_34 Message=PsyNetMessage_X_34
[0030.06] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_34 Response=PsyNetMessage_X_35 Latency=0.0647
[0030.07] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_34->PsyNetMessage_X_35 PsyTime=1555459080 [Filters/FilterContent]
[0061.36] SplitScreen: Press Start ControllerId=0 Player=LocalPlayer_TA_0
[0062.24] RankedReconnect: (RankedReconnectSave_TA_0) RankedReconnectSave_TA::None:ClearRankedReconnect
[0062.24] DevNet: Browse: MENU_Main_p?closed
[0062.24] Log: Failed; returning to Entry
[0062.24] Warning: Warning, Failed to load 'SwfMovie GFx_LoadingScreen.LoadingScreen': Failed to find object 'SwfMovie GFx_LoadingScreen.LoadingScreen'
[0062.27] Log: FSaveDataExportTask(0) wrote 417872 bytes to memory
[0062.27] Log: SaveGameDataAsync game thread time: 5 ms
[0062.28] Log: LoadMap: MENU_Main_p?closed
[0062.31] Log: Deleting old save file ..\\..\\TAGame\\SaveData\\DBE_Production\\76561198043656075_2.save
[0062.31] Log: SaveDataExport(0): Finished - File:[..\\..\\TAGame\\SaveData\\DBE_Production\\76561198043656075.save] Result:[1]
[0062.31] DevOnline: Stored steam user stats.
[0062.36] DevOnline: PsyNet Flush Start TimeoutSeconds=0.250000
[0062.36] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_38 [GenericStorage/SetPlayerGenericStorage Metrics/RecordMetrics]
[0062.36] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_38 Message=PsyNetMessage_X_38
[0062.56] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_38 Response=PsyNetMessage_X_39 Latency=0.0000
[0062.58] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_38->PsyNetMessage_X_39 PsyTime=1555459113 [GenericStorage/SetPlayerGenericStorage Metrics/RecordMetrics]
[0062.60] DevOnline: PsyNet Flush End
[0062.84] Log: Fully load package: ..\\..\\TAGame\\CookedPCConsole\\gameinfo_gfxmenu_SF.upk
[0062.85] Log: Game class is 'GameInfo_GFxMenu_TA'
[0063.38] Log: Bringing World MENU_Main_p.TheWorld up for play (0) at 2019.04.16-19.58.32
[0063.38] Log: Bringing up level for play took: 0.531682
[0063.48] Clubs: HandleClubChanged 1924365 4
[0063.58] DevOnline: Set rich presence to: Main Menu data: Menu
[0063.58] Log: ########### Finished loading level: 1.302443 seconds
[0063.58] Log: Flushing async loaders.
[0063.94] Log: Flushed async loaders.
[0064.16] Party: BroadcastMatchmakingAvailabilityDelayed PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=4
[0064.16] Party: SetAvailableForMatchmakingForMember PartyMemberID:'Steam|76561198043656075|0' MatchmakeRestrictions=4
[0064.16] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_40 [Clubs/GetClubInvites]
[0064.16] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_40 Message=PsyNetMessage_X_40
[0064.17] Vanity: All Vanity Queries Complete
[0064.43] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_41 [Population/UpdatePlayerPlaylist]
[0064.43] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_41 Message=PsyNetMessage_X_41
[0064.43] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_40 Response=PsyNetMessage_X_42 Latency=0.2747
[0064.50] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_43 [Shops/GetStandardShops]
[0064.50] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_43 Message=PsyNetMessage_X_43
[0064.50] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_40->PsyNetMessage_X_42 PsyTime=1555459114 [Clubs/GetClubInvites]
[0064.57] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_41 Response=PsyNetMessage_X_44 Latency=0.1455
[0064.57] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_41->PsyNetMessage_X_44 PsyTime=1555459115 [Population/UpdatePlayerPlaylist]
[0064.61] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_43 Response=PsyNetMessage_X_45 Latency=0.1116
[0064.62] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_43->PsyNetMessage_X_45 PsyTime=1555459115 [Shops/GetStandardShops]
[0066.50] Log: Closing by request
[0066.50] Log: appRequestExit(0)
[0066.56] Log: FSaveDataExportTask(0) wrote 417872 bytes to memory
[0066.56] Log: SaveGameDataAsync game thread time: 4 ms
[0066.56] DevOnline: PsyNet Flush Start TimeoutSeconds=0.500000
[0066.56] DevOnline: RPCQueue_X_1 SEND: PsyNetMessage_X_46 [GenericStorage/SetPlayerGenericStorage]
[0066.56] PsyNet: PsyNetRequestQue_X_1 SendRequest ID=PsyNetMessage_X_46 Message=PsyNetMessage_X_46
[0066.70] Log: Deleting old save file ..\\..\\TAGame\\SaveData\\DBE_Production\\76561198043656075_1.save
[0066.70] Log: SaveDataExport(0): Finished - File:[..\\..\\TAGame\\SaveData\\DBE_Production\\76561198043656075_2.save] Result:[1]
[0066.70] PsyNet: PsyNetRequestQue_X_1 SetRequestComplete RequestIdx=0 ID=PsyNetMessage_X_46 Response=PsyNetMessage_X_47 Latency=0.0000
[0066.71] DevOnline: RPCQueue_X_1 RECV: PsyNetMessage_X_46->PsyNetMessage_X_47 PsyTime=1555459117 [GenericStorage/SetPlayerGenericStorage]
[0066.73] DevOnline: PsyNet Flush End
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedIn Steam|76561198043656075|0 HandleLoginStatusChanged LS_NotLoggedIn Steam|76561198043656075|0
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedIn Steam|76561198043656075|0 SetAuthLoginError {{Error Type=OSCS_NotConnected Code=-1 Message=}}
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedIn Steam|76561198043656075|0 Logout
[0066.73] Auth: OnlinePlayer_TA_0 OnlinePlayerAuthentication_TA_0 HandleAuthLoginChange Auth.bLoggedIn=False
[0066.73] PsyNet: PsyNetConnection_X_1 SetAuthorized bAuthorized=False
[0066.73] PsyNet: PsyNetConnection_X_1 UpdateConnectionState bConnected=False bFreshConnection=False
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedIn Steam|76561198043656075|0 ReLogin
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedIn Steam|76561198043656075|0 Logout
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Steam|76561198043656075|0 UpdateLoginState
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Steam|76561198043656075|0 SetAuthLoginError {{Error Type=OSCS_NotConnected Code=-1 Message=}}
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Steam|76561198043656075|0 Logout
[0066.73] Auth: OnlinePlayerAuthentication_TA_0 LoggedOut Steam|76561198043656075|0 UpdateLoginState AuthLoginError={{Error Type=OSCS_NotConnected Code=-1 Message=}}
[0066.73] PsyNet: PsyNetConnection_X_1 UpdateConnectionState bPerConConnected=False
[0066.73] PsyNet: Disabling PerCon
[0066.73] RankedReconnect: (LocalPlayer_TA_0) LocalPlayer_TA::None:CheckForRankedReconnect bOpenedStartMenu=True IsMenuLevel=True bLoggedIn=False IsPrimaryPlayer=True RankedReconnectAvailable=False EpochTime=0 EpochNow=1555459115 TimeSince=1555459115 ReconnectTimeoutSeconds=900 Beacon=
[0066.73] DevOnline: PsyNet Flush Start TimeoutSeconds=0.500000
[0066.73] DevOnline: PsyNet Flush End
[0066.74] Exit: Preparing to exit.
[0066.83] Exit: Game engine shut down
[0066.97] Exit: Windows client shut down
[0067.00] Exit: XAudio2 Device shut down.
[0067.01] Exit: AK Audio shut down.
[0068.56] Exit: Object subsystem successfully closed.
[0068.71] Exit: Exiting.
[0068.71] Log: Log file closed, 16/04/2019 19:58:37
"""
flag = "flag{lazy_admin_yup}"
result = ""
for i in range(len(flag)):
date = 2000 + i
c = flag[i]
result += logs.format(date, c)
with open("task/logs.txt", "w") as f:
f.write(result)
|
STATS = [
{
"num_node_expansions": 1733,
"plan_length": 142,
"search_time": 1.66,
"total_time": 1.66
},
{
"num_node_expansions": 2128,
"plan_length": 153,
"search_time": 1.93,
"total_time": 1.93
},
{
"num_node_expansions": 2114,
"plan_length": 148,
"search_time": 29.02,
"total_time": 29.02
},
{
"num_node_expansions": 1614,
"plan_length": 131,
"search_time": 6.32,
"total_time": 6.32
},
{
"num_node_expansions": 1935,
"plan_length": 131,
"search_time": 9.72,
"total_time": 9.72
},
{
"num_node_expansions": 1082,
"plan_length": 118,
"search_time": 0.63,
"total_time": 0.63
},
{
"num_node_expansions": 1661,
"plan_length": 132,
"search_time": 1.17,
"total_time": 1.17
},
{
"num_node_expansions": 1174,
"plan_length": 110,
"search_time": 5.23,
"total_time": 5.23
},
{
"num_node_expansions": 2119,
"plan_length": 126,
"search_time": 6.1,
"total_time": 6.1
},
{
"num_node_expansions": 1923,
"plan_length": 139,
"search_time": 0.91,
"total_time": 0.91
},
{
"num_node_expansions": 2942,
"plan_length": 170,
"search_time": 1.6,
"total_time": 1.6
},
{
"num_node_expansions": 1801,
"plan_length": 136,
"search_time": 2.39,
"total_time": 2.39
},
{
"num_node_expansions": 1319,
"plan_length": 120,
"search_time": 1.58,
"total_time": 1.58
},
{
"num_node_expansions": 4197,
"plan_length": 159,
"search_time": 2.95,
"total_time": 2.95
},
{
"num_node_expansions": 2238,
"plan_length": 178,
"search_time": 1.7,
"total_time": 1.7
},
{
"num_node_expansions": 1491,
"plan_length": 128,
"search_time": 0.85,
"total_time": 0.85
},
{
"num_node_expansions": 1303,
"plan_length": 136,
"search_time": 1.02,
"total_time": 1.02
},
{
"num_node_expansions": 1649,
"plan_length": 131,
"search_time": 10.69,
"total_time": 10.69
},
{
"num_node_expansions": 2624,
"plan_length": 136,
"search_time": 18.03,
"total_time": 18.03
},
{
"num_node_expansions": 1272,
"plan_length": 119,
"search_time": 3.84,
"total_time": 3.84
},
{
"num_node_expansions": 2018,
"plan_length": 133,
"search_time": 9.12,
"total_time": 9.12
},
{
"num_node_expansions": 1270,
"plan_length": 123,
"search_time": 0.37,
"total_time": 0.37
},
{
"num_node_expansions": 1667,
"plan_length": 126,
"search_time": 0.45,
"total_time": 0.45
},
{
"num_node_expansions": 4136,
"plan_length": 144,
"search_time": 26.87,
"total_time": 26.87
},
{
"num_node_expansions": 2322,
"plan_length": 130,
"search_time": 9.48,
"total_time": 9.48
},
{
"num_node_expansions": 2246,
"plan_length": 146,
"search_time": 7.53,
"total_time": 7.53
},
{
"num_node_expansions": 1562,
"plan_length": 114,
"search_time": 7.07,
"total_time": 7.07
},
{
"num_node_expansions": 3919,
"plan_length": 138,
"search_time": 15.15,
"total_time": 15.15
},
{
"num_node_expansions": 1350,
"plan_length": 132,
"search_time": 6.06,
"total_time": 6.06
},
{
"num_node_expansions": 1171,
"plan_length": 118,
"search_time": 5.05,
"total_time": 5.05
},
{
"num_node_expansions": 6679,
"plan_length": 167,
"search_time": 13.82,
"total_time": 13.82
},
{
"num_node_expansions": 4456,
"plan_length": 152,
"search_time": 4.9,
"total_time": 4.9
},
{
"num_node_expansions": 2157,
"plan_length": 153,
"search_time": 26.45,
"total_time": 26.45
},
{
"num_node_expansions": 1486,
"plan_length": 121,
"search_time": 2.91,
"total_time": 2.91
},
{
"num_node_expansions": 1935,
"plan_length": 140,
"search_time": 3.54,
"total_time": 3.54
},
{
"num_node_expansions": 2673,
"plan_length": 153,
"search_time": 8.58,
"total_time": 8.58
},
{
"num_node_expansions": 1065,
"plan_length": 120,
"search_time": 3.22,
"total_time": 3.22
},
{
"num_node_expansions": 1813,
"plan_length": 132,
"search_time": 10.42,
"total_time": 10.42
},
{
"num_node_expansions": 2476,
"plan_length": 147,
"search_time": 14.71,
"total_time": 14.71
},
{
"num_node_expansions": 2078,
"plan_length": 157,
"search_time": 7.62,
"total_time": 7.62
},
{
"num_node_expansions": 2139,
"plan_length": 129,
"search_time": 11.28,
"total_time": 11.28
},
{
"num_node_expansions": 1431,
"plan_length": 132,
"search_time": 17.03,
"total_time": 17.03
},
{
"num_node_expansions": 1003,
"plan_length": 102,
"search_time": 0.63,
"total_time": 0.63
},
{
"num_node_expansions": 1036,
"plan_length": 115,
"search_time": 0.61,
"total_time": 0.61
},
{
"num_node_expansions": 1576,
"plan_length": 146,
"search_time": 0.61,
"total_time": 0.61
},
{
"num_node_expansions": 1607,
"plan_length": 129,
"search_time": 0.6,
"total_time": 0.6
},
{
"num_node_expansions": 1765,
"plan_length": 140,
"search_time": 20.97,
"total_time": 20.97
},
{
"num_node_expansions": 3217,
"plan_length": 157,
"search_time": 25.76,
"total_time": 25.76
},
{
"num_node_expansions": 1212,
"plan_length": 127,
"search_time": 2.55,
"total_time": 2.55
},
{
"num_node_expansions": 3228,
"plan_length": 163,
"search_time": 7.53,
"total_time": 7.53
},
{
"num_node_expansions": 3255,
"plan_length": 141,
"search_time": 28.4,
"total_time": 28.4
},
{
"num_node_expansions": 1615,
"plan_length": 151,
"search_time": 15.0,
"total_time": 15.0
},
{
"num_node_expansions": 1950,
"plan_length": 128,
"search_time": 4.52,
"total_time": 4.52
},
{
"num_node_expansions": 1444,
"plan_length": 122,
"search_time": 3.42,
"total_time": 3.42
},
{
"num_node_expansions": 2089,
"plan_length": 127,
"search_time": 9.86,
"total_time": 9.86
},
{
"num_node_expansions": 1998,
"plan_length": 139,
"search_time": 7.82,
"total_time": 7.82
},
{
"num_node_expansions": 1295,
"plan_length": 126,
"search_time": 0.78,
"total_time": 0.78
},
{
"num_node_expansions": 1972,
"plan_length": 125,
"search_time": 1.17,
"total_time": 1.17
},
{
"num_node_expansions": 2800,
"plan_length": 165,
"search_time": 7.1,
"total_time": 7.1
},
{
"num_node_expansions": 1501,
"plan_length": 123,
"search_time": 3.93,
"total_time": 3.93
},
{
"num_node_expansions": 1548,
"plan_length": 116,
"search_time": 0.15,
"total_time": 0.15
},
{
"num_node_expansions": 1536,
"plan_length": 122,
"search_time": 0.14,
"total_time": 0.14
},
{
"num_node_expansions": 2061,
"plan_length": 161,
"search_time": 13.65,
"total_time": 13.65
},
{
"num_node_expansions": 2755,
"plan_length": 167,
"search_time": 16.59,
"total_time": 16.59
},
{
"num_node_expansions": 1178,
"plan_length": 119,
"search_time": 0.22,
"total_time": 0.22
},
{
"num_node_expansions": 1098,
"plan_length": 103,
"search_time": 0.21,
"total_time": 0.21
},
{
"num_node_expansions": 1723,
"plan_length": 149,
"search_time": 15.6,
"total_time": 15.6
},
{
"num_node_expansions": 1627,
"plan_length": 136,
"search_time": 16.62,
"total_time": 16.62
},
{
"num_node_expansions": 965,
"plan_length": 112,
"search_time": 1.15,
"total_time": 1.15
},
{
"num_node_expansions": 1170,
"plan_length": 114,
"search_time": 1.4,
"total_time": 1.4
},
{
"num_node_expansions": 1516,
"plan_length": 129,
"search_time": 5.37,
"total_time": 5.37
},
{
"num_node_expansions": 2787,
"plan_length": 146,
"search_time": 9.25,
"total_time": 9.25
},
{
"num_node_expansions": 2142,
"plan_length": 133,
"search_time": 6.6,
"total_time": 6.6
},
{
"num_node_expansions": 1471,
"plan_length": 130,
"search_time": 5.43,
"total_time": 5.43
},
{
"num_node_expansions": 858,
"plan_length": 99,
"search_time": 0.44,
"total_time": 0.44
},
{
"num_node_expansions": 1463,
"plan_length": 108,
"search_time": 1.37,
"total_time": 1.37
},
{
"num_node_expansions": 2214,
"plan_length": 128,
"search_time": 0.67,
"total_time": 0.67
},
{
"num_node_expansions": 2107,
"plan_length": 130,
"search_time": 0.65,
"total_time": 0.65
},
{
"num_node_expansions": 1485,
"plan_length": 130,
"search_time": 12.52,
"total_time": 12.52
},
{
"num_node_expansions": 1014,
"plan_length": 121,
"search_time": 8.2,
"total_time": 8.2
},
{
"num_node_expansions": 1810,
"plan_length": 139,
"search_time": 8.51,
"total_time": 8.51
},
{
"num_node_expansions": 1986,
"plan_length": 137,
"search_time": 7.52,
"total_time": 7.52
},
{
"num_node_expansions": 909,
"plan_length": 114,
"search_time": 0.17,
"total_time": 0.17
},
{
"num_node_expansions": 932,
"plan_length": 116,
"search_time": 0.18,
"total_time": 0.18
},
{
"num_node_expansions": 1449,
"plan_length": 114,
"search_time": 1.06,
"total_time": 1.06
},
{
"num_node_expansions": 1327,
"plan_length": 110,
"search_time": 0.96,
"total_time": 0.96
},
{
"num_node_expansions": 2128,
"plan_length": 146,
"search_time": 4.92,
"total_time": 4.92
},
{
"num_node_expansions": 1546,
"plan_length": 121,
"search_time": 5.63,
"total_time": 5.63
},
{
"num_node_expansions": 1160,
"plan_length": 116,
"search_time": 5.94,
"total_time": 5.94
},
{
"num_node_expansions": 1307,
"plan_length": 113,
"search_time": 6.71,
"total_time": 6.71
},
{
"num_node_expansions": 5169,
"plan_length": 185,
"search_time": 12.9,
"total_time": 12.9
},
{
"num_node_expansions": 6569,
"plan_length": 187,
"search_time": 20.49,
"total_time": 20.49
},
{
"num_node_expansions": 1242,
"plan_length": 134,
"search_time": 3.14,
"total_time": 3.14
},
{
"num_node_expansions": 1823,
"plan_length": 130,
"search_time": 5.73,
"total_time": 5.73
},
{
"num_node_expansions": 1578,
"plan_length": 127,
"search_time": 1.82,
"total_time": 1.82
},
{
"num_node_expansions": 1599,
"plan_length": 129,
"search_time": 1.77,
"total_time": 1.77
},
{
"num_node_expansions": 1324,
"plan_length": 131,
"search_time": 0.21,
"total_time": 0.21
},
{
"num_node_expansions": 841,
"plan_length": 108,
"search_time": 0.11,
"total_time": 0.11
},
{
"num_node_expansions": 1741,
"plan_length": 166,
"search_time": 16.15,
"total_time": 16.15
},
{
"num_node_expansions": 2136,
"plan_length": 148,
"search_time": 20.12,
"total_time": 20.12
},
{
"num_node_expansions": 2163,
"plan_length": 134,
"search_time": 6.96,
"total_time": 6.96
},
{
"num_node_expansions": 1742,
"plan_length": 119,
"search_time": 4.44,
"total_time": 4.44
},
{
"num_node_expansions": 1542,
"plan_length": 129,
"search_time": 13.63,
"total_time": 13.63
},
{
"num_node_expansions": 1531,
"plan_length": 113,
"search_time": 12.74,
"total_time": 12.74
},
{
"num_node_expansions": 3823,
"plan_length": 138,
"search_time": 2.07,
"total_time": 2.07
},
{
"num_node_expansions": 1669,
"plan_length": 139,
"search_time": 0.89,
"total_time": 0.89
},
{
"num_node_expansions": 4082,
"plan_length": 150,
"search_time": 0.5,
"total_time": 0.5
},
{
"num_node_expansions": 3729,
"plan_length": 146,
"search_time": 0.43,
"total_time": 0.43
},
{
"num_node_expansions": 958,
"plan_length": 116,
"search_time": 4.08,
"total_time": 4.08
},
{
"num_node_expansions": 2277,
"plan_length": 145,
"search_time": 10.8,
"total_time": 10.8
},
{
"num_node_expansions": 1147,
"plan_length": 117,
"search_time": 0.26,
"total_time": 0.26
},
{
"num_node_expansions": 1597,
"plan_length": 119,
"search_time": 0.46,
"total_time": 0.46
},
{
"num_node_expansions": 1368,
"plan_length": 135,
"search_time": 3.41,
"total_time": 3.41
},
{
"num_node_expansions": 1497,
"plan_length": 123,
"search_time": 4.09,
"total_time": 4.09
},
{
"num_node_expansions": 1441,
"plan_length": 131,
"search_time": 3.58,
"total_time": 3.58
},
{
"num_node_expansions": 1512,
"plan_length": 129,
"search_time": 4.2,
"total_time": 4.2
},
{
"num_node_expansions": 1478,
"plan_length": 124,
"search_time": 2.16,
"total_time": 2.16
},
{
"num_node_expansions": 1188,
"plan_length": 118,
"search_time": 2.03,
"total_time": 2.03
},
{
"num_node_expansions": 1993,
"plan_length": 138,
"search_time": 1.91,
"total_time": 1.91
},
{
"num_node_expansions": 1876,
"plan_length": 153,
"search_time": 1.95,
"total_time": 1.95
},
{
"num_node_expansions": 1258,
"plan_length": 116,
"search_time": 0.89,
"total_time": 0.89
},
{
"num_node_expansions": 950,
"plan_length": 104,
"search_time": 0.63,
"total_time": 0.63
},
{
"num_node_expansions": 1906,
"plan_length": 137,
"search_time": 0.39,
"total_time": 0.39
},
{
"num_node_expansions": 2203,
"plan_length": 144,
"search_time": 0.46,
"total_time": 0.46
},
{
"num_node_expansions": 1155,
"plan_length": 131,
"search_time": 21.85,
"total_time": 21.85
},
{
"num_node_expansions": 1293,
"plan_length": 136,
"search_time": 2.11,
"total_time": 2.11
},
{
"num_node_expansions": 1396,
"plan_length": 134,
"search_time": 1.76,
"total_time": 1.76
},
{
"num_node_expansions": 1382,
"plan_length": 120,
"search_time": 9.7,
"total_time": 9.7
},
{
"num_node_expansions": 1307,
"plan_length": 124,
"search_time": 11.99,
"total_time": 11.99
},
{
"num_node_expansions": 1785,
"plan_length": 148,
"search_time": 1.55,
"total_time": 1.55
},
{
"num_node_expansions": 2491,
"plan_length": 167,
"search_time": 2.14,
"total_time": 2.14
},
{
"num_node_expansions": 1066,
"plan_length": 102,
"search_time": 1.0,
"total_time": 1.0
},
{
"num_node_expansions": 1292,
"plan_length": 146,
"search_time": 1.33,
"total_time": 1.33
},
{
"num_node_expansions": 1319,
"plan_length": 139,
"search_time": 1.6,
"total_time": 1.6
},
{
"num_node_expansions": 3342,
"plan_length": 150,
"search_time": 3.91,
"total_time": 3.91
},
{
"num_node_expansions": 2211,
"plan_length": 175,
"search_time": 24.26,
"total_time": 24.26
},
{
"num_node_expansions": 1044,
"plan_length": 109,
"search_time": 0.22,
"total_time": 0.22
},
{
"num_node_expansions": 2278,
"plan_length": 120,
"search_time": 0.5,
"total_time": 0.5
}
]
num_timeouts = 34
num_timeouts = 0
num_problems = 172
|
LINE_DICT_TEMPLATE = {
'kind': '',
'buy_cur': '',
'buy_amount': 0,
'sell_cur': '',
'sell_amount': 0,
'fee_cur': '',
'fee_amount': 0,
'exchange': 'Bitshares',
'mark': -1,
'comment': '',
'order_id': '',
}
# CSV format is ccGains generic format
HEADER = 'Kind,Date,Buy currency,Buy amount,Sell currency,Sell amount,Fee currency,Fee amount,Exchange,Mark,Comment\n'
LINE_TEMPLATE = (
'{kind},{date},{buy_cur},{buy_amount},{sell_cur},{sell_amount},{fee_cur},{fee_amount},{exchange},'
'{mark},{comment}\n'
)
|
globalval=6
def checkglobalvalue():
return globalval
def localvariablevalue():
globalval=8
return globalval
print ("This is global value",checkglobalvalue())
print ("This is global value",globalval)
print ("This is local value",localvariablevalue())
print ("This is global value",globalval)
|
class Logger:
def __init__(self, simulator, time, image_analyzer, speed_controller,
car, gyro, asservissement, sequencer, handles, tachometer):
self.tachometer = tachometer
self.handles = handles
self.time = time
self.image_analyzer = image_analyzer
self.sequencer = sequencer
self.asservissement = asservissement
self.gyro = gyro
self.car = car
self.speed_controller = speed_controller
self.simulator = simulator
def execute(self):
self.log()
def log(self):
print("tacho : %s" % self.tachometer.get_tacho())
print("Simu time : %fs " % self.time.time())
# print("orientation : %s" % str(self.simulator.get_object_orientation(self.handles["base_car"])))
|
"""
Algorithms to find biconnected components in the graph considering
only dovetails overlaps.
Adapted using the networkx biconnected module:
networkx/networkx/algorithms/components/biconnected.py
"""
# Copyright (C) 2011-2013 by
# Aric Hagberg <[email protected]>
# Dan Schult <[email protected]>
# Pieter Swart <[email protected]>
# All rights reserved.
# BSD license.
def _dovetails_biconnected_dfs(gfa_, components=True):
visited = set()
for start in gfa_.nodes():
if start in visited:
continue
discovery = {start:0} # "time" of first discovery of node during search
low = {start:0}
root_children = 0
visited.add(start)
edge_stack = []
# stack = [(start, start, iter(G[start]))] # networkx (gfa_ should be G)
stack = [(start, start, iter(gfa_.dovetails_neighbors(start)))] # PyGFA
while stack:
grandparent, parent, children = stack[-1]
try:
child = next(children)
if grandparent == child:
continue
if child in visited:
if discovery[child] <= discovery[parent]: # back edge
low[parent] = min(low[parent],discovery[child])
if components:
edge_stack.append((parent,child))
else:
low[child] = discovery[child] = len(discovery)
visited.add(child)
# stack.append((parent, child, iter(G[child]))) # networkx
stack.append((parent, child, iter(gfa_.dovetails_neighbors(child)))) # PyGFA
if components:
edge_stack.append((parent,child))
except StopIteration:
stack.pop()
if len(stack) > 1:
if low[parent] >= discovery[grandparent]:
if components:
ind = edge_stack.index((grandparent,parent))
yield edge_stack[ind:]
edge_stack=edge_stack[:ind]
else:
yield grandparent
low[grandparent] = min(low[parent], low[grandparent])
elif stack: # length 1 so grandparent is root
root_children += 1
if components:
ind = edge_stack.index((grandparent,parent))
yield edge_stack[ind:]
if not components:
# root node is articulation point if it has more than 1 child
if root_children > 1:
yield start
def dovetails_articulation_points(gfa_):
"""Redefinition of articulation point
for dovetails connected components.
An articulation point or cut vertex is any node whose removal
(along with all its incident edges) increases the number ofconnected
components of a graph. An undirected connected graph without
articulation points is biconnected. Articulation points belong to
more than one biconnected component of a graph.
"""
return _dovetails_biconnected_dfs(gfa_, components=False)
|
total = 0
for line in open('input.txt'):
l, w, h = [int(side) for side in line.split('x')]
sides = [2*(l+w), 2*(w+h), 2*(h+l)]
total += min(sides) + l*w*h
print(total)
|
def missions_per_year(df):
'''
From a dataframe with the 'Year' column,
Plot a graph showing the number of missions per year
'''
missions_per_year = df.Year.value_counts()
plt.plot(missions_per_year.sort_index())
plt.show()
def missions_per_week(df):
'''
From a dataframe with the 'Year' column,
Plot a graph showing the number of missions per year
'''
missions_per_year = df.Year.value_counts()
plt.plot(missions_per_year.sort_index())
plt.show()
|
def sum_func(a, *args):
s = a+sum(args)
print(s)
sum_func(10)
sum_func(10,20)
sum_func(10,20,30)
sum_func(10, 20, 30, 40)
|
DATA = [
{
'name': 'Facundo',
'age': 72,
'organization': 'Platzi',
'position': 'Technical Mentor',
'language': 'python',
},
{
'name': 'Luisana',
'age': 33,
'organization': 'Globant',
'position': 'UX Designer',
'language': 'javascript',
},
{
'name': 'Héctor',
'age': 19,
'organization': 'Platzi',
'position': 'Associate',
'language': 'ruby',
},
{
'name': 'Gabriel',
'age': 20,
'organization': 'Platzi',
'position': 'Associate',
'language': 'javascript',
},
{
'name': 'Mariandrea',
'age': 30,
'organization': 'Platzi',
'position': 'QA Manager',
'language': 'java',
},
{
'name': 'Karo',
'age': 23,
'organization': 'Everis',
'position': 'Backend Developer',
'language': 'python',
},
{
'name': 'Ariel',
'age': 32,
'organization': 'Rappi',
'position': 'Support',
'language': '',
},
{
'name': 'Juan',
'age': 17,
'organization': '',
'position': 'Student',
'language': 'go',
},
{
'name': 'Pablo',
'age': 32,
'organization': 'Master',
'position': 'Human Resources Manager',
'language': 'python',
},
{
'name': 'Lorena',
'age': 56,
'organization': 'Python Organization',
'position': 'Language Maker',
'language': 'python',
},
]
def homeless_key(worker):
homeless = worker.copy()
homeless['homeless'] = (homeless['organization'] == '')
return homeless
def old_key(old_people):
old = old_people.copy()
old['old'] = (old['age'] >= 30)
return old
def run():
all_python_devs = filter(lambda value: value['language'] == 'python',DATA)
all_Platzi_workers = filter(lambda value: value['organization'] == 'Platzi', DATA)
adults = filter(lambda value: value['age'] >= 18, DATA)
workers = list(map(homeless_key, DATA))
old_people = list(map(old_key, DATA))
print('Python devs: ')
for dev in all_python_devs:
print('-', dev['name'])
print('\n\n')
print('Platzi workers: ')
for worker in all_Platzi_workers:
print('-', worker['name'])
print('\n\n')
print('Adults: ')
for adult in adults:
print('-', adult['name'])
print('\n\n')
print('Workers: ')
print(workers)
print('\n\n')
print('Old People: ')
print(old_people)
print('\n\n')
# # Remember: when possible, use lambdas
if __name__ == '__main__':
run()
|
# 81. Search in Rotated Sorted Array II
"""
There is an integer array nums sorted in non-decreasing order (not necessarily with distinct values).
Before being passed to your function, nums is rotated at an unknown pivot index k (0 <= k < nums.length) such that the resulting array is [nums[k], nums[k+1], ..., nums[n-1], nums[0], nums[1], ..., nums[k-1]] (0-indexed). For example, [0,1,2,4,4,4,5,6,6,7] might be rotated at pivot index 5 and become [4,5,6,6,7,0,1,2,4,4].
Given the array nums after the rotation and an integer target, return true if target is in nums, or false if it is not in nums.
You must decrease the overall operation steps as much as possible.
Input: nums = [2,5,6,0,0,1,2], target = 0
Output: true
"""
class Solution:
def search(self, nums: List[int], target: int) -> int:
start = 0
last = len(nums) - 1
# Handle edge case
if len(nums) == 1:
if nums[start] == target:
return 1
else:
return 0
# Binary search on the array, no need to find for minimum element index as there are duplicates
while start < last:
mid = (start + last) // 2
# Retrun true if target is found
if nums[mid] == target or nums[start] == target or nums[last] == target:
return True
# Case when the target could be on the right side of the array
if nums[mid] < nums[last]:
if nums[mid] < target <= nums[last]:
start = mid + 1
else:
last = mid - 1
# Case when the target could be on the left side
elif nums[mid] > nums[last]:
if nums[mid] > target >= nums[start]:
last = mid - 1
else:
start = mid + 1
# Case when there are duplicates on both sides
else:
last -= 1
# Check if the low element has the target
if nums[start] == target:
return True
return False
|
TAG_MAP = {
('landuse', 'forest'): {"TYPE": "forest", "DRAW_TYPE": "plane"},
('natural', 'wood'): {"TYPE": "forest", "SUBTYPE": "natural", "DRAW_TYPE": "plane"}
}
def find_type(tags):
keys = list(tags.items())
return [TAG_MAP[key] for key in keys if key in TAG_MAP]
|
#
# PySNMP MIB module Webio-Digital-MIB-US (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Webio-Digital-MIB-US
# Produced by pysmi-0.3.4 at Mon Apr 29 21:32:33 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
ObjectIdentity, Unsigned32, enterprises, TimeTicks, Bits, IpAddress, ModuleIdentity, MibIdentifier, NotificationType, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32, Integer32, Counter64, iso, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "ObjectIdentity", "Unsigned32", "enterprises", "TimeTicks", "Bits", "IpAddress", "ModuleIdentity", "MibIdentifier", "NotificationType", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32", "Integer32", "Counter64", "iso", "Counter32")
DisplayString, TextualConvention, PhysAddress = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention", "PhysAddress")
wut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040))
wtComServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1))
wtWebio = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2))
wtWebioEA12x12 = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4))
wtWebioEA2x2 = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13))
wtWebioEA24oem = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14))
wtWebioEA12x6Rel = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19))
wtWebAlarm6x6 = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20))
wtWebCount6 = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22))
wtWebioEA6x6 = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24))
wtWebioEA2x2ERP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25))
wtWebioEA12x6RelERP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26))
wtIpWatcher = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27))
wtWebioEA2x2_24V = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30))
wtWebioEA2x2ERP_24V = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31))
wtIpWatcher_24V = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32))
wtTrapReceiver2x2 = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33))
wtWebioEA2x2InOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1))
wtWebioEA2x2SessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 2))
wtWebioEA2x2Config = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3))
wtWebioEA2x2Diag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 4))
wtWebioEA2x2Device = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1))
wtWebioEA2x2Ports = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2))
wtWebioEA2x2Manufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 3))
wtWebioEA2x2Text = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 1))
wtWebioEA2x2TimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2))
wtWebioEA2x2Basic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3))
wtWebioEA2x2OutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 4))
wtWebioEA2x2Alarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5))
wtWebioEA2x2Network = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 1))
wtWebioEA2x2HTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 2))
wtWebioEA2x2Mail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3))
wtWebioEA2x2SNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 4))
wtWebioEA2x2UDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 5))
wtWebioEA2x2Binary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6))
wtWebioEA2x2Syslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 7))
wtWebioEA2x2FTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 8))
wtWebioEA2x2TimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1))
wtWebioEA2x2TimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 2))
wtWebioEA2x2DeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 3))
wtWebioEA12x12InOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1))
wtWebioEA12x12SessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 2))
wtWebioEA12x12Config = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3))
wtWebioEA12x12Diag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 4))
wtWebioEA12x12Device = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1))
wtWebioEA12x12Ports = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2))
wtWebioEA12x12Manufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 3))
wtWebioEA12x12Text = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 1))
wtWebioEA12x12TimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2))
wtWebioEA12x12Basic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3))
wtWebioEA12x12OutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 4))
wtWebioEA12x12Alarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5))
wtWebioEA12x12Network = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 1))
wtWebioEA12x12HTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 2))
wtWebioEA12x12Mail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3))
wtWebioEA12x12SNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 4))
wtWebioEA12x12UDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 5))
wtWebioEA12x12Binary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6))
wtWebioEA12x12Syslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 7))
wtWebioEA12x12FTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 8))
wtWebioEA12x12TimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1))
wtWebioEA12x12TimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 2))
wtWebioEA12x12DeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 3))
wtWebioEA24oemInOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1))
wtWebioEA24oemSessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 2))
wtWebioEA24oemConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3))
wtWebioEA24oemDiag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 4))
wtWebioEA24oemDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1))
wtWebioEA24oemPorts = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2))
wtWebioEA24oemManufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 3))
wtWebioEA24oemText = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 1))
wtWebioEA24oemTimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2))
wtWebioEA24oemBasic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3))
wtWebioEA24oemOutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 4))
wtWebioEA24oemAlarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5))
wtWebioEA24oemNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 1))
wtWebioEA24oemHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 2))
wtWebioEA24oemMail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3))
wtWebioEA24oemSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 4))
wtWebioEA24oemUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 5))
wtWebioEA24oemBinary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6))
wtWebioEA24oemSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 7))
wtWebioEA24oemFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 8))
wtWebioEA24oemTimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1))
wtWebioEA24oemTimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 2))
wtWebioEA24oemDeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 3))
wtWebioEA12x6RelInOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1))
wtWebioEA12x6RelSessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 2))
wtWebioEA12x6RelConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3))
wtWebioEA12x6RelDiag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 4))
wtWebioEA12x6RelDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1))
wtWebioEA12x6RelPorts = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2))
wtWebioEA12x6RelManufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 3))
wtWebioEA12x6RelText = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 1))
wtWebioEA12x6RelTimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2))
wtWebioEA12x6RelBasic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3))
wtWebioEA12x6RelOutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 4))
wtWebioEA12x6RelAlarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5))
wtWebioEA12x6RelNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 1))
wtWebioEA12x6RelHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 2))
wtWebioEA12x6RelMail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3))
wtWebioEA12x6RelSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 4))
wtWebioEA12x6RelUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 5))
wtWebioEA12x6RelBinary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6))
wtWebioEA12x6RelSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 7))
wtWebioEA12x6RelFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 8))
wtWebioEA12x6RelTimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1))
wtWebioEA12x6RelTimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 2))
wtWebioEA12x6RelDeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 3))
wtWebAlarm6x6InOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1))
wtWebAlarm6x6SessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 2))
wtWebAlarm6x6Config = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3))
wtWebAlarm6x6Diag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 4))
wtWebAlarm6x6Device = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1))
wtWebAlarm6x6Ports = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2))
wtWebAlarm6x6Manufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 3))
wtWebAlarm6x6Text = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 1))
wtWebAlarm6x6TimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2))
wtWebAlarm6x6Basic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3))
wtWebAlarm6x6Alarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5))
wtWebAlarm6x6Network = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 1))
wtWebAlarm6x6HTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 2))
wtWebAlarm6x6Mail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3))
wtWebAlarm6x6SNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 4))
wtWebAlarm6x6UDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 5))
wtWebAlarm6x6Syslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 7))
wtWebAlarm6x6FTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 8))
wtWebAlarm6x6TimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1))
wtWebAlarm6x6TimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 2))
wtWebAlarm6x6DeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 3))
wtWebCount6InOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1))
wtWebCount6SessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 2))
wtWebCount6Config = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3))
wtWebCount6Diag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 4))
wtWebCount6Device = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1))
wtWebCount6Ports = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2))
wtWebCount6Manufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 3))
wtWebCount6Text = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 1))
wtWebCount6TimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2))
wtWebCount6Basic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3))
wtWebCount6Report = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5))
wtWebCount6Network = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 1))
wtWebCount6HTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 2))
wtWebCount6Mail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3))
wtWebCount6SNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 4))
wtWebCount6UDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 5))
wtWebCount6Syslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 7))
wtWebCount6FTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 8))
wtWebCount6TimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1))
wtWebCount6TimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 2))
wtWebCount6DeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 3))
wtWebioEA6x6InOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1))
wtWebioEA6x6SessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 2))
wtWebioEA6x6Config = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3))
wtWebioEA6x6Diag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 4))
wtWebioEA6x6Device = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1))
wtWebioEA6x6Ports = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2))
wtWebioEA6x6Manufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 3))
wtWebioEA6x6Text = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 1))
wtWebioEA6x6TimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2))
wtWebioEA6x6Basic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3))
wtWebioEA6x6OutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 4))
wtWebioEA6x6Alarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5))
wtWebioEA6x6Network = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 1))
wtWebioEA6x6HTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 2))
wtWebioEA6x6Mail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3))
wtWebioEA6x6SNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 4))
wtWebioEA6x6UDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 5))
wtWebioEA6x6Binary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6))
wtWebioEA6x6Syslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 7))
wtWebioEA6x6FTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 8))
wtWebioEA6x6TimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1))
wtWebioEA6x6TimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 2))
wtWebioEA6x6DeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 3))
wtWebioEA2x2ERPInOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1))
wtWebioEA2x2ERPSessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 2))
wtWebioEA2x2ERPConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3))
wtWebioEA2x2ERPDiag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 4))
wtWebioEA2x2ERPDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1))
wtWebioEA2x2ERPPorts = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2))
wtWebioEA2x2ERPManufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 3))
wtWebioEA2x2ERPText = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 1))
wtWebioEA2x2ERPTimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2))
wtWebioEA2x2ERPBasic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3))
wtWebioEA2x2ERPOutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 4))
wtWebioEA2x2ERPAlarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5))
wtWebioEA2x2ERPNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 1))
wtWebioEA2x2ERPHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 2))
wtWebioEA2x2ERPMail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3))
wtWebioEA2x2ERPSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 4))
wtWebioEA2x2ERPUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 5))
wtWebioEA2x2ERPBinary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6))
wtWebioEA2x2ERPSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 7))
wtWebioEA2x2ERPFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 8))
wtWebioEA2x2ERPWayBack = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 10))
wtWebioEA2x2ERPTimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1))
wtWebioEA2x2ERPTimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 2))
wtWebioEA2x2ERPDeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 3))
wtWebioEA12x6RelERPInOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1))
wtWebioEA12x6RelERPSessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 2))
wtWebioEA12x6RelERPConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3))
wtWebioEA12x6RelERPDiag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 4))
wtWebioEA12x6RelERPDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1))
wtWebioEA12x6RelERPPorts = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2))
wtWebioEA12x6RelERPManufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 3))
wtWebioEA12x6RelERPText = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 1))
wtWebioEA12x6RelERPTimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2))
wtWebioEA12x6RelERPBasic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3))
wtWebioEA12x6RelERPOutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 4))
wtWebioEA12x6RelERPAlarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5))
wtWebioEA12x6RelERPNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 1))
wtWebioEA12x6RelERPHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 2))
wtWebioEA12x6RelERPMail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3))
wtWebioEA12x6RelERPSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 4))
wtWebioEA12x6RelERPUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 5))
wtWebioEA12x6RelERPBinary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6))
wtWebioEA12x6RelERPSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 7))
wtWebioEA12x6RelERPFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 8))
wtWebioEA12x6RelERPWayBack = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 10))
wtWebioEA12x6RelERPTimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1))
wtWebioEA12x6RelERPTimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 2))
wtWebioEA12x6RelERPDeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 3))
wtIpWatcherInOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1))
wtIpWatcherSessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 2))
wtIpWatcherConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3))
wtIpWatcherDiag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 4))
wtIpWatcherDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1))
wtIpWatcherPorts = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2))
wtIpWatcherManufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 3))
wtIpWatcherText = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 1))
wtIpWatcherTimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2))
wtIpWatcherBasic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3))
wtIpWatcherAlarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5))
wtIpWatcherNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 1))
wtIpWatcherHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 2))
wtIpWatcherMail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3))
wtIpWatcherSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 4))
wtIpWatcherUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 5))
wtIpWatcherSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 7))
wtIpWatcherFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 8))
wtIpWatcherIpList = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11))
wtIpWatcherTimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1))
wtIpWatcherTimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 2))
wtIpWatcherDeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 3))
wtWebioEA2x2_24VInOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1))
wtWebioEA2x2_24VSessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 2))
wtWebioEA2x2_24VConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3))
wtWebioEA2x2_24VDiag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 4))
wtWebioEA2x2_24VDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1))
wtWebioEA2x2_24VPorts = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2))
wtWebioEA2x2_24VManufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 3))
wtWebioEA2x2_24VText = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 1))
wtWebioEA2x2_24VTimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2))
wtWebioEA2x2_24VBasic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3))
wtWebioEA2x2_24VOutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 4))
wtWebioEA2x2_24VAlarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5))
wtWebioEA2x2_24VNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 1))
wtWebioEA2x2_24VHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 2))
wtWebioEA2x2_24VMail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3))
wtWebioEA2x2_24VSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 4))
wtWebioEA2x2_24VUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 5))
wtWebioEA2x2_24VBinary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6))
wtWebioEA2x2_24VSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 7))
wtWebioEA2x2_24VFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 8))
wtWebioEA2x2_24VTimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1))
wtWebioEA2x2_24VTimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 2))
wtWebioEA2x2_24VDeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 3))
wtWebioEA2x2ERP_24VInOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1))
wtWebioEA2x2ERP_24VSessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 2))
wtWebioEA2x2ERP_24VConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3))
wtWebioEA2x2ERP_24VDiag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 4))
wtWebioEA2x2ERP_24VDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1))
wtWebioEA2x2ERP_24VPorts = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2))
wtWebioEA2x2ERP_24VManufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 3))
wtWebioEA2x2ERP_24VText = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 1))
wtWebioEA2x2ERP_24VTimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2))
wtWebioEA2x2ERP_24VBasic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3))
wtWebioEA2x2ERP_24VOutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 4))
wtWebioEA2x2ERP_24VAlarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5))
wtWebioEA2x2ERP_24VNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 1))
wtWebioEA2x2ERP_24VHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 2))
wtWebioEA2x2ERP_24VMail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3))
wtWebioEA2x2ERP_24VSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 4))
wtWebioEA2x2ERP_24VUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 5))
wtWebioEA2x2ERP_24VBinary = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6))
wtWebioEA2x2ERP_24VSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 7))
wtWebioEA2x2ERP_24VFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 8))
wtWebioEA2x2ERP_24VWayBack = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 10))
wtWebioEA2x2ERP_24VTimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1))
wtWebioEA2x2ERP_24VTimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 2))
wtWebioEA2x2ERP_24VDeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 3))
wtIpWatcher_24VInOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1))
wtIpWatcher_24VSessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 2))
wtIpWatcher_24VConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3))
wtIpWatcher_24VDiag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 4))
wtIpWatcher_24VDevice = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1))
wtIpWatcher_24VPorts = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2))
wtIpWatcher_24VManufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 3))
wtIpWatcher_24VText = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 1))
wtIpWatcher_24VTimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2))
wtIpWatcher_24VBasic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3))
wtIpWatcher_24VOutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 4))
wtIpWatcher_24VAlarm = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5))
wtIpWatcher_24VNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 1))
wtIpWatcher_24VHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 2))
wtIpWatcher_24VMail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3))
wtIpWatcher_24VSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 4))
wtIpWatcher_24VUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 5))
wtIpWatcher_24VSyslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 7))
wtIpWatcher_24VFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 8))
wtIpWatcher_24VIpList = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11))
wtIpWatcher_24VTimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1))
wtIpWatcher_24VTimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 2))
wtIpWatcher_24VDeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 3))
wtTrapReceiver2x2InOut = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1))
wtTrapReceiver2x2SessCntrl = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 2))
wtTrapReceiver2x2Config = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3))
wtTrapReceiver2x2Diag = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 4))
wtTrapReceiver2x2Device = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1))
wtTrapReceiver2x2Ports = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 2))
wtTrapReceiver2x2Manufact = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 3))
wtTrapReceiver2x2Text = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 1))
wtTrapReceiver2x2TimeDate = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2))
wtTrapReceiver2x2Basic = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3))
wtTrapReceiver2x2OutputMode = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 4))
wtTrapReceiver2x2Action = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5))
wtTrapReceiver2x2PrepareInEvents = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6))
wtTrapReceiver2x2PrepareOutEvents = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 7))
wtTrapReceiver2x2Network = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 1))
wtTrapReceiver2x2HTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 2))
wtTrapReceiver2x2Mail = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3))
wtTrapReceiver2x2SNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 4))
wtTrapReceiver2x2UDP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 5))
wtTrapReceiver2x2Syslog = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 7))
wtTrapReceiver2x2FTP = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 8))
wtTrapReceiver2x2TimeZone = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1))
wtTrapReceiver2x2TimeServer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 2))
wtTrapReceiver2x2DeviceClock = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 3))
wtTrapReceiver2x2WatchList = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1))
wtTrapReceiver2x2InEvSystemTimer = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 2))
wtTrapReceiver2x2InEvButtons = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 3))
wtTrapReceiver2x2InEvInputs = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 4))
wtTrapReceiver2x2OutEvOutputs = MibIdentifier((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 7, 1))
wtWebioEA2x2Inputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2Inputs.setStatus('mandatory')
wtWebioEA2x2Outputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2Outputs.setStatus('mandatory')
wtWebioEA2x2InputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2InputTable.setStatus('mandatory')
wtWebioEA2x2InputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2InputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2InputEntry.setStatus('mandatory')
wtWebioEA2x2InputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2InputNo.setStatus('mandatory')
wtWebioEA2x2InputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2InputCounter.setStatus('mandatory')
wtWebioEA2x2InputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2InputCounterClear.setStatus('mandatory')
wtWebioEA2x2InputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2InputState-OFF", 0), ("wtWebioEA2x2InputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2InputState.setStatus('mandatory')
wtWebioEA2x2InputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2InputValue.setStatus('mandatory')
wtWebioEA2x2OutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA2x2OutputTable.setStatus('mandatory')
wtWebioEA2x2OutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2OutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2OutputEntry.setStatus('mandatory')
wtWebioEA2x2OutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2OutputNo.setStatus('mandatory')
wtWebioEA2x2OutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2OutputState-OFF", 0), ("wtWebioEA2x2OutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2OutputState.setStatus('mandatory')
wtWebioEA2x2OutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2OutputValue.setStatus('mandatory')
wtWebioEA2x2SetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SetOutput.setStatus('mandatory')
wtWebioEA2x2SessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SessCntrlPassword.setStatus('mandatory')
wtWebioEA2x2SessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2SessCntrl-NoSession", 0), ("wtWebioEA2x2SessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2SessCntrlConfigMode.setStatus('mandatory')
wtWebioEA2x2SessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SessCntrlLogout.setStatus('mandatory')
wtWebioEA2x2SessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA2x2SessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA2x2DeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2DeviceName.setStatus('mandatory')
wtWebioEA2x2DeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2DeviceText.setStatus('mandatory')
wtWebioEA2x2DeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2DeviceLocation.setStatus('mandatory')
wtWebioEA2x2DeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2DeviceContact.setStatus('mandatory')
wtWebioEA2x2TzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2TzOffsetHrs.setStatus('mandatory')
wtWebioEA2x2TzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2TzOffsetMin.setStatus('mandatory')
wtWebioEA2x2TzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2TzEnable.setStatus('mandatory')
wtWebioEA2x2StTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzOffsetHrs.setStatus('mandatory')
wtWebioEA2x2StTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzOffsetMin.setStatus('mandatory')
wtWebioEA2x2StTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzEnable.setStatus('mandatory')
wtWebioEA2x2StTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2StartMonth-January", 1), ("wtWebioEA2x2StartMonth-February", 2), ("wtWebioEA2x2StartMonth-March", 3), ("wtWebioEA2x2StartMonth-April", 4), ("wtWebioEA2x2StartMonth-May", 5), ("wtWebioEA2x2StartMonth-June", 6), ("wtWebioEA2x2StartMonth-July", 7), ("wtWebioEA2x2StartMonth-August", 8), ("wtWebioEA2x2StartMonth-September", 9), ("wtWebioEA2x2StartMonth-October", 10), ("wtWebioEA2x2StartMonth-November", 11), ("wtWebioEA2x2StartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStartMonth.setStatus('mandatory')
wtWebioEA2x2StTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA2x2StartMode-first", 1), ("wtWebioEA2x2StartMode-second", 2), ("wtWebioEA2x2StartMode-third", 3), ("wtWebioEA2x2StartMode-fourth", 4), ("wtWebioEA2x2StartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStartMode.setStatus('mandatory')
wtWebioEA2x2StTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA2x2StartWday-Sunday", 1), ("wtWebioEA2x2StartWday-Monday", 2), ("wtWebioEA2x2StartWday-Tuesday", 3), ("wtWebioEA2x2StartWday-Thursday", 4), ("wtWebioEA2x2StartWday-Wednesday", 5), ("wtWebioEA2x2StartWday-Friday", 6), ("wtWebioEA2x2StartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStartWday.setStatus('mandatory')
wtWebioEA2x2StTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStartHrs.setStatus('mandatory')
wtWebioEA2x2StTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStartMin.setStatus('mandatory')
wtWebioEA2x2StTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2StopMonth-January", 1), ("wtWebioEA2x2StopMonth-February", 2), ("wtWebioEA2x2StopMonth-March", 3), ("wtWebioEA2x2StopMonth-April", 4), ("wtWebioEA2x2StopMonth-May", 5), ("wtWebioEA2x2StopMonth-June", 6), ("wtWebioEA2x2StopMonth-July", 7), ("wtWebioEA2x2StopMonth-August", 8), ("wtWebioEA2x2StopMonth-September", 9), ("wtWebioEA2x2StopMonth-October", 10), ("wtWebioEA2x2StopMonth-November", 11), ("wtWebioEA2x2StopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStopMonth.setStatus('mandatory')
wtWebioEA2x2StTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA2x2StopMode-first", 1), ("wtWebioEA2x2StopMode-second", 2), ("wtWebioEA2x2StopMode-third", 3), ("wtWebioEA2x2StopMode-fourth", 4), ("wtWebioEA2x2StopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStopMode.setStatus('mandatory')
wtWebioEA2x2StTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA2x2StopWday-Sunday", 1), ("wtWebioEA2x2StopWday-Monday", 2), ("wtWebioEA2x2StopWday-Tuesday", 3), ("wtWebioEA2x2StopWday-Thursday", 4), ("wtWebioEA2x2StopWday-Wednesday", 5), ("wtWebioEA2x2StopWday-Friday", 6), ("wtWebioEA2x2StopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStopWday.setStatus('mandatory')
wtWebioEA2x2StTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStopHrs.setStatus('mandatory')
wtWebioEA2x2StTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2StTzStopMin.setStatus('mandatory')
wtWebioEA2x2TimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2TimeServer1.setStatus('mandatory')
wtWebioEA2x2TimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2TimeServer2.setStatus('mandatory')
wtWebioEA2x2TsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2TsEnable.setStatus('mandatory')
wtWebioEA2x2TsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2TsSyncTime.setStatus('mandatory')
wtWebioEA2x2ClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ClockHrs.setStatus('mandatory')
wtWebioEA2x2ClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ClockMin.setStatus('mandatory')
wtWebioEA2x2ClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ClockDay.setStatus('mandatory')
wtWebioEA2x2ClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2ClockMonth-January", 1), ("wtWebioEA2x2ClockMonth-February", 2), ("wtWebioEA2x2ClockMonth-March", 3), ("wtWebioEA2x2ClockMonth-April", 4), ("wtWebioEA2x2ClockMonth-May", 5), ("wtWebioEA2x2ClockMonth-June", 6), ("wtWebioEA2x2ClockMonth-July", 7), ("wtWebioEA2x2ClockMonth-August", 8), ("wtWebioEA2x2ClockMonth-September", 9), ("wtWebioEA2x2ClockMonth-October", 10), ("wtWebioEA2x2ClockMonth-November", 11), ("wtWebioEA2x2ClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ClockMonth.setStatus('mandatory')
wtWebioEA2x2ClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ClockYear.setStatus('mandatory')
wtWebioEA2x2IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2IpAddress.setStatus('mandatory')
wtWebioEA2x2SubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SubnetMask.setStatus('mandatory')
wtWebioEA2x2Gateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2Gateway.setStatus('mandatory')
wtWebioEA2x2DnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2DnsServer1.setStatus('mandatory')
wtWebioEA2x2DnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2DnsServer2.setStatus('mandatory')
wtWebioEA2x2AddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AddConfig.setStatus('mandatory')
wtWebioEA2x2Startup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2Startup.setStatus('mandatory')
wtWebioEA2x2GetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2GetHeaderEnable.setStatus('mandatory')
wtWebioEA2x2HttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2HttpInputTrigger.setStatus('mandatory')
wtWebioEA2x2HttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2HttpPort.setStatus('mandatory')
wtWebioEA2x2MailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MailAdName.setStatus('mandatory')
wtWebioEA2x2MailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MailReply.setStatus('mandatory')
wtWebioEA2x2MailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MailServer.setStatus('mandatory')
wtWebioEA2x2MailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MailEnable.setStatus('mandatory')
wtWebioEA2x2MailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MailAuthentication.setStatus('mandatory')
wtWebioEA2x2MailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MailAuthUser.setStatus('mandatory')
wtWebioEA2x2MailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MailAuthPassword.setStatus('mandatory')
wtWebioEA2x2MailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MailPop3Server.setStatus('mandatory')
wtWebioEA2x2SnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SnmpEnable.setStatus('mandatory')
wtWebioEA2x2SnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA2x2SnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA2x2SnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA2x2SnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA2x2UdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2UdpAdminPort.setStatus('mandatory')
wtWebioEA2x2UdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2UdpEnable.setStatus('mandatory')
wtWebioEA2x2UdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2UdpRemotePort.setStatus('mandatory')
wtWebioEA2x2BinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryModeCount.setStatus('mandatory')
wtWebioEA2x2BinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2BinaryIfTable.setStatus('mandatory')
wtWebioEA2x2BinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2BinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA2x2BinaryIfEntry.setStatus('mandatory')
wtWebioEA2x2BinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryModeNo.setStatus('mandatory')
wtWebioEA2x2BinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTable.setStatus('mandatory')
wtWebioEA2x2BinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2BinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA2x2BinaryEntry.setStatus('mandatory')
wtWebioEA2x2BinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryOperationMode.setStatus('mandatory')
wtWebioEA2x2BinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA2x2BinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA2x2BinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA2x2BinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA2x2BinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA2x2BinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA2x2BinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA2x2BinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA2x2BinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA2x2BinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryConnectedPort.setStatus('mandatory')
wtWebioEA2x2BinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA2x2BinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA2x2BinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2BinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA2x2SyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SyslogServerIP.setStatus('mandatory')
wtWebioEA2x2SyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SyslogServerPort.setStatus('mandatory')
wtWebioEA2x2SyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA2x2SyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SyslogEnable.setStatus('mandatory')
wtWebioEA2x2FTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2FTPServerIP.setStatus('mandatory')
wtWebioEA2x2FTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2FTPServerControlPort.setStatus('mandatory')
wtWebioEA2x2FTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2FTPUserName.setStatus('mandatory')
wtWebioEA2x2FTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2FTPPassword.setStatus('mandatory')
wtWebioEA2x2FTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2FTPAccount.setStatus('mandatory')
wtWebioEA2x2FTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2FTPOption.setStatus('mandatory')
wtWebioEA2x2FTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2FTPEnable.setStatus('mandatory')
wtWebioEA2x2OutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA2x2OutputModeTable.setStatus('mandatory')
wtWebioEA2x2OutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2OutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2OutputModeEntry.setStatus('mandatory')
wtWebioEA2x2OutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2OutputModeBit.setStatus('mandatory')
wtWebioEA2x2SafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2SafetyTimeout.setStatus('mandatory')
wtWebioEA2x2LoadControlEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2LoadControlEnable.setStatus('mandatory')
wtWebioEA2x2AlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmCount.setStatus('mandatory')
wtWebioEA2x2AlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2AlarmIfTable.setStatus('mandatory')
wtWebioEA2x2AlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2AlarmNo"))
if mibBuilder.loadTexts: wtWebioEA2x2AlarmIfEntry.setStatus('mandatory')
wtWebioEA2x2AlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmNo.setStatus('mandatory')
wtWebioEA2x2AlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2AlarmTable.setStatus('mandatory')
wtWebioEA2x2AlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2AlarmNo"))
if mibBuilder.loadTexts: wtWebioEA2x2AlarmEntry.setStatus('mandatory')
wtWebioEA2x2AlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmInputTrigger.setStatus('mandatory')
wtWebioEA2x2AlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmOutputTrigger.setStatus('mandatory')
wtWebioEA2x2AlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmSystemTrigger.setStatus('mandatory')
wtWebioEA2x2AlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA2x2AlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmInterval.setStatus('mandatory')
wtWebioEA2x2AlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmEnable.setStatus('mandatory')
wtWebioEA2x2AlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmMailAddr.setStatus('mandatory')
wtWebioEA2x2AlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmMailSubject.setStatus('mandatory')
wtWebioEA2x2AlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmMailText.setStatus('mandatory')
wtWebioEA2x2AlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA2x2AlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA2x2AlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA2x2AlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmUdpPort.setStatus('mandatory')
wtWebioEA2x2AlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmUdpText.setStatus('mandatory')
wtWebioEA2x2AlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA2x2AlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmTcpPort.setStatus('mandatory')
wtWebioEA2x2AlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmTcpText.setStatus('mandatory')
wtWebioEA2x2AlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA2x2AlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmSyslogPort.setStatus('mandatory')
wtWebioEA2x2AlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmSyslogText.setStatus('mandatory')
wtWebioEA2x2AlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmFtpDataPort.setStatus('mandatory')
wtWebioEA2x2AlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmFtpFileName.setStatus('mandatory')
wtWebioEA2x2AlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmFtpText.setStatus('mandatory')
wtWebioEA2x2AlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmFtpOption.setStatus('mandatory')
wtWebioEA2x2AlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmTimerCron.setStatus('mandatory')
wtWebioEA2x2AlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmMailReleaseSubject.setStatus('mandatory')
wtWebioEA2x2AlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmMailReleaseText.setStatus('mandatory')
wtWebioEA2x2AlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebioEA2x2AlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmUdpReleaseText.setStatus('mandatory')
wtWebioEA2x2AlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmTcpReleaseText.setStatus('mandatory')
wtWebioEA2x2AlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmSyslogReleaseText.setStatus('mandatory')
wtWebioEA2x2AlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2AlarmFtpReleaseText.setStatus('mandatory')
wtWebioEA2x2LoadControlView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2LoadControlView.setStatus('mandatory')
wtWebioEA2x2LCShutDownView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 1, 5, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2LCShutDownView.setStatus('mandatory')
wtWebioEA2x2InputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA2x2InputPortTable.setStatus('mandatory')
wtWebioEA2x2InputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2InputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2InputPortEntry.setStatus('mandatory')
wtWebioEA2x2PortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortInputName.setStatus('mandatory')
wtWebioEA2x2PortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortInputText.setStatus('mandatory')
wtWebioEA2x2PortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortInputMode.setStatus('mandatory')
wtWebioEA2x2PortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortInputFilter.setStatus('mandatory')
wtWebioEA2x2PortInputBicountPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortInputBicountPulsePolarity.setStatus('mandatory')
wtWebioEA2x2PortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortInputBicountInactivTimeout.setStatus('mandatory')
wtWebioEA2x2OutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2OutputPortTable.setStatus('mandatory')
wtWebioEA2x2OutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2OutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2OutputPortEntry.setStatus('mandatory')
wtWebioEA2x2PortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortOutputName.setStatus('mandatory')
wtWebioEA2x2PortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortOutputText.setStatus('mandatory')
wtWebioEA2x2PortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortOutputGroupMode.setStatus('mandatory')
wtWebioEA2x2PortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortOutputSafetyState.setStatus('mandatory')
wtWebioEA2x2PortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortLogicInputMask.setStatus('mandatory')
wtWebioEA2x2PortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortLogicInputInverter.setStatus('mandatory')
wtWebioEA2x2PortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortLogicFunction.setStatus('mandatory')
wtWebioEA2x2PortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortLogicOutputInverter.setStatus('mandatory')
wtWebioEA2x2PortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortPulseDuration.setStatus('mandatory')
wtWebioEA2x2PortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2PortPulsePolarity.setStatus('mandatory')
wtWebioEA2x2MfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MfName.setStatus('mandatory')
wtWebioEA2x2MfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MfAddr.setStatus('mandatory')
wtWebioEA2x2MfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MfHotline.setStatus('mandatory')
wtWebioEA2x2MfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MfInternet.setStatus('mandatory')
wtWebioEA2x2MfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2MfDeviceTyp.setStatus('mandatory')
wtWebioEA2x2DiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2DiagErrorCount.setStatus('mandatory')
wtWebioEA2x2DiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2DiagBinaryError.setStatus('mandatory')
wtWebioEA2x2DiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2DiagErrorIndex.setStatus('mandatory')
wtWebioEA2x2DiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2DiagErrorMessage.setStatus('mandatory')
wtWebioEA2x2DiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA2x2DiagErrorClear.setStatus('mandatory')
wtWebioEA2x2Alert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapText"))
wtWebioEA2x2Alert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2Alert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2AlarmSnmpTrapReleaseText"))
wtWebioEA2x2AlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 13) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2DiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA2x2DiagErrorMessage"))
wtWebioEA12x12Inputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12Inputs.setStatus('mandatory')
wtWebioEA12x12Outputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12Outputs.setStatus('mandatory')
wtWebioEA12x12InputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA12x12InputTable.setStatus('mandatory')
wtWebioEA12x12InputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12InputNo"))
if mibBuilder.loadTexts: wtWebioEA12x12InputEntry.setStatus('mandatory')
wtWebioEA12x12InputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12InputNo.setStatus('mandatory')
wtWebioEA12x12InputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12InputCounter.setStatus('mandatory')
wtWebioEA12x12InputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12InputCounterClear.setStatus('mandatory')
wtWebioEA12x12InputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA12x12InputState-OFF", 0), ("wtWebioEA12x12InputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12InputState.setStatus('mandatory')
wtWebioEA12x12InputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12InputValue.setStatus('mandatory')
wtWebioEA12x12OutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA12x12OutputTable.setStatus('mandatory')
wtWebioEA12x12OutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12OutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x12OutputEntry.setStatus('mandatory')
wtWebioEA12x12OutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12OutputNo.setStatus('mandatory')
wtWebioEA12x12OutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA12x12OutputState-OFF", 0), ("wtWebioEA12x12OutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12OutputState.setStatus('mandatory')
wtWebioEA12x12OutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12OutputValue.setStatus('mandatory')
wtWebioEA12x12SetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SetOutput.setStatus('mandatory')
wtWebioEA12x12SessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SessCntrlPassword.setStatus('mandatory')
wtWebioEA12x12SessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA12x12SessCntrl-NoSession", 0), ("wtWebioEA12x12SessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12SessCntrlConfigMode.setStatus('mandatory')
wtWebioEA12x12SessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SessCntrlLogout.setStatus('mandatory')
wtWebioEA12x12SessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA12x12SessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA12x12DeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12DeviceName.setStatus('mandatory')
wtWebioEA12x12DeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12DeviceText.setStatus('mandatory')
wtWebioEA12x12DeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12DeviceLocation.setStatus('mandatory')
wtWebioEA12x12DeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12DeviceContact.setStatus('mandatory')
wtWebioEA12x12TzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12TzOffsetHrs.setStatus('mandatory')
wtWebioEA12x12TzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12TzOffsetMin.setStatus('mandatory')
wtWebioEA12x12TzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12TzEnable.setStatus('mandatory')
wtWebioEA12x12StTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzOffsetHrs.setStatus('mandatory')
wtWebioEA12x12StTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzOffsetMin.setStatus('mandatory')
wtWebioEA12x12StTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzEnable.setStatus('mandatory')
wtWebioEA12x12StTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x12StartMonth-January", 1), ("wtWebioEA12x12StartMonth-February", 2), ("wtWebioEA12x12StartMonth-March", 3), ("wtWebioEA12x12StartMonth-April", 4), ("wtWebioEA12x12StartMonth-May", 5), ("wtWebioEA12x12StartMonth-June", 6), ("wtWebioEA12x12StartMonth-July", 7), ("wtWebioEA12x12StartMonth-August", 8), ("wtWebioEA12x12StartMonth-September", 9), ("wtWebioEA12x12StartMonth-October", 10), ("wtWebioEA12x12StartMonth-November", 11), ("wtWebioEA12x12StartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStartMonth.setStatus('mandatory')
wtWebioEA12x12StTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA12x12StartMode-first", 1), ("wtWebioEA12x12StartMode-second", 2), ("wtWebioEA12x12StartMode-third", 3), ("wtWebioEA12x12StartMode-fourth", 4), ("wtWebioEA12x12StartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStartMode.setStatus('mandatory')
wtWebioEA12x12StTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA12x12StartWday-Sunday", 1), ("wtWebioEA12x12StartWday-Monday", 2), ("wtWebioEA12x12StartWday-Tuesday", 3), ("wtWebioEA12x12StartWday-Thursday", 4), ("wtWebioEA12x12StartWday-Wednesday", 5), ("wtWebioEA12x12StartWday-Friday", 6), ("wtWebioEA12x12StartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStartWday.setStatus('mandatory')
wtWebioEA12x12StTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStartHrs.setStatus('mandatory')
wtWebioEA12x12StTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStartMin.setStatus('mandatory')
wtWebioEA12x12StTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x12StopMonth-January", 1), ("wtWebioEA12x12StopMonth-February", 2), ("wtWebioEA12x12StopMonth-March", 3), ("wtWebioEA12x12StopMonth-April", 4), ("wtWebioEA12x12StopMonth-May", 5), ("wtWebioEA12x12StopMonth-June", 6), ("wtWebioEA12x12StopMonth-July", 7), ("wtWebioEA12x12StopMonth-August", 8), ("wtWebioEA12x12StopMonth-September", 9), ("wtWebioEA12x12StopMonth-October", 10), ("wtWebioEA12x12StopMonth-November", 11), ("wtWebioEA12x12StopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStopMonth.setStatus('mandatory')
wtWebioEA12x12StTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA12x12StopMode-first", 1), ("wtWebioEA12x12StopMode-second", 2), ("wtWebioEA12x12StopMode-third", 3), ("wtWebioEA12x12StopMode-fourth", 4), ("wtWebioEA12x12StopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStopMode.setStatus('mandatory')
wtWebioEA12x12StTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA12x12StopWday-Sunday", 1), ("wtWebioEA12x12StopWday-Monday", 2), ("wtWebioEA12x12StopWday-Tuesday", 3), ("wtWebioEA12x12StopWday-Thursday", 4), ("wtWebioEA12x12StopWday-Wednesday", 5), ("wtWebioEA12x12StopWday-Friday", 6), ("wtWebioEA12x12StopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStopWday.setStatus('mandatory')
wtWebioEA12x12StTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStopHrs.setStatus('mandatory')
wtWebioEA12x12StTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12StTzStopMin.setStatus('mandatory')
wtWebioEA12x12TimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12TimeServer1.setStatus('mandatory')
wtWebioEA12x12TimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12TimeServer2.setStatus('mandatory')
wtWebioEA12x12TsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12TsEnable.setStatus('mandatory')
wtWebioEA12x12TsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12TsSyncTime.setStatus('mandatory')
wtWebioEA12x12ClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12ClockHrs.setStatus('mandatory')
wtWebioEA12x12ClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12ClockMin.setStatus('mandatory')
wtWebioEA12x12ClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12ClockDay.setStatus('mandatory')
wtWebioEA12x12ClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x12ClockMonth-January", 1), ("wtWebioEA12x12ClockMonth-February", 2), ("wtWebioEA12x12ClockMonth-March", 3), ("wtWebioEA12x12ClockMonth-April", 4), ("wtWebioEA12x12ClockMonth-May", 5), ("wtWebioEA12x12ClockMonth-June", 6), ("wtWebioEA12x12ClockMonth-July", 7), ("wtWebioEA12x12ClockMonth-August", 8), ("wtWebioEA12x12ClockMonth-September", 9), ("wtWebioEA12x12ClockMonth-October", 10), ("wtWebioEA12x12ClockMonth-November", 11), ("wtWebioEA12x12ClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12ClockMonth.setStatus('mandatory')
wtWebioEA12x12ClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12ClockYear.setStatus('mandatory')
wtWebioEA12x12IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12IpAddress.setStatus('mandatory')
wtWebioEA12x12SubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SubnetMask.setStatus('mandatory')
wtWebioEA12x12Gateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12Gateway.setStatus('mandatory')
wtWebioEA12x12DnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12DnsServer1.setStatus('mandatory')
wtWebioEA12x12DnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12DnsServer2.setStatus('mandatory')
wtWebioEA12x12AddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AddConfig.setStatus('mandatory')
wtWebioEA12x12Startup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12Startup.setStatus('mandatory')
wtWebioEA12x12GetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12GetHeaderEnable.setStatus('mandatory')
wtWebioEA12x12HttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12HttpInputTrigger.setStatus('mandatory')
wtWebioEA12x12HttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12HttpPort.setStatus('mandatory')
wtWebioEA12x12MailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MailAdName.setStatus('mandatory')
wtWebioEA12x12MailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MailReply.setStatus('mandatory')
wtWebioEA12x12MailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MailServer.setStatus('mandatory')
wtWebioEA12x12MailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MailEnable.setStatus('mandatory')
wtWebioEA12x12MailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MailAuthentication.setStatus('mandatory')
wtWebioEA12x12MailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MailAuthUser.setStatus('mandatory')
wtWebioEA12x12MailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MailAuthPassword.setStatus('mandatory')
wtWebioEA12x12MailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MailPop3Server.setStatus('mandatory')
wtWebioEA12x12SnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SnmpEnable.setStatus('mandatory')
wtWebioEA12x12SnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA12x12SnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA12x12SnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA12x12SnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA12x12UdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12UdpAdminPort.setStatus('mandatory')
wtWebioEA12x12UdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12UdpEnable.setStatus('mandatory')
wtWebioEA12x12UdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12UdpRemotePort.setStatus('mandatory')
wtWebioEA12x12BinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryModeCount.setStatus('mandatory')
wtWebioEA12x12BinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA12x12BinaryIfTable.setStatus('mandatory')
wtWebioEA12x12BinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12BinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA12x12BinaryIfEntry.setStatus('mandatory')
wtWebioEA12x12BinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryModeNo.setStatus('mandatory')
wtWebioEA12x12BinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTable.setStatus('mandatory')
wtWebioEA12x12BinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12BinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA12x12BinaryEntry.setStatus('mandatory')
wtWebioEA12x12BinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryOperationMode.setStatus('mandatory')
wtWebioEA12x12BinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA12x12BinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA12x12BinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA12x12BinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA12x12BinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA12x12BinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA12x12BinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA12x12BinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA12x12BinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA12x12BinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryConnectedPort.setStatus('mandatory')
wtWebioEA12x12BinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA12x12BinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA12x12BinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12BinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA12x12SyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SyslogServerIP.setStatus('mandatory')
wtWebioEA12x12SyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SyslogServerPort.setStatus('mandatory')
wtWebioEA12x12SyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA12x12SyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SyslogEnable.setStatus('mandatory')
wtWebioEA12x12FTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12FTPServerIP.setStatus('mandatory')
wtWebioEA12x12FTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12FTPServerControlPort.setStatus('mandatory')
wtWebioEA12x12FTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12FTPUserName.setStatus('mandatory')
wtWebioEA12x12FTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12FTPPassword.setStatus('mandatory')
wtWebioEA12x12FTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12FTPAccount.setStatus('mandatory')
wtWebioEA12x12FTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12FTPOption.setStatus('mandatory')
wtWebioEA12x12FTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12FTPEnable.setStatus('mandatory')
wtWebioEA12x12OutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA12x12OutputModeTable.setStatus('mandatory')
wtWebioEA12x12OutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12OutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x12OutputModeEntry.setStatus('mandatory')
wtWebioEA12x12OutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12OutputModeBit.setStatus('mandatory')
wtWebioEA12x12SafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12SafetyTimeout.setStatus('mandatory')
wtWebioEA12x12LoadControlEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12LoadControlEnable.setStatus('mandatory')
wtWebioEA12x12AlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmCount.setStatus('mandatory')
wtWebioEA12x12AlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA12x12AlarmIfTable.setStatus('mandatory')
wtWebioEA12x12AlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12AlarmNo"))
if mibBuilder.loadTexts: wtWebioEA12x12AlarmIfEntry.setStatus('mandatory')
wtWebioEA12x12AlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmNo.setStatus('mandatory')
wtWebioEA12x12AlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA12x12AlarmTable.setStatus('mandatory')
wtWebioEA12x12AlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12AlarmNo"))
if mibBuilder.loadTexts: wtWebioEA12x12AlarmEntry.setStatus('mandatory')
wtWebioEA12x12AlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmInputTrigger.setStatus('mandatory')
wtWebioEA12x12AlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmOutputTrigger.setStatus('mandatory')
wtWebioEA12x12AlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmSystemTrigger.setStatus('mandatory')
wtWebioEA12x12AlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA12x12AlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmInterval.setStatus('mandatory')
wtWebioEA12x12AlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmEnable.setStatus('mandatory')
wtWebioEA12x12AlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmMailAddr.setStatus('mandatory')
wtWebioEA12x12AlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmMailSubject.setStatus('mandatory')
wtWebioEA12x12AlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmMailText.setStatus('mandatory')
wtWebioEA12x12AlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA12x12AlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA12x12AlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA12x12AlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmUdpPort.setStatus('mandatory')
wtWebioEA12x12AlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmUdpText.setStatus('mandatory')
wtWebioEA12x12AlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA12x12AlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmTcpPort.setStatus('mandatory')
wtWebioEA12x12AlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmTcpText.setStatus('mandatory')
wtWebioEA12x12AlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA12x12AlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmSyslogPort.setStatus('mandatory')
wtWebioEA12x12AlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmSyslogText.setStatus('mandatory')
wtWebioEA12x12AlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmFtpDataPort.setStatus('mandatory')
wtWebioEA12x12AlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmFtpFileName.setStatus('mandatory')
wtWebioEA12x12AlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmFtpText.setStatus('mandatory')
wtWebioEA12x12AlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmFtpOption.setStatus('mandatory')
wtWebioEA12x12AlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmTimerCron.setStatus('mandatory')
wtWebioEA12x12AlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmMailReleaseSubject.setStatus('mandatory')
wtWebioEA12x12AlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmMailReleaseText.setStatus('mandatory')
wtWebioEA12x12AlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebioEA12x12AlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmUdpReleaseText.setStatus('mandatory')
wtWebioEA12x12AlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmTcpReleaseText.setStatus('mandatory')
wtWebioEA12x12AlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmSyslogReleaseText.setStatus('mandatory')
wtWebioEA12x12AlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12AlarmFtpReleaseText.setStatus('mandatory')
wtWebioEA12x12LoadControlView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12LoadControlView.setStatus('mandatory')
wtWebioEA12x12LCShutDownView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 1, 5, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12LCShutDownView.setStatus('mandatory')
wtWebioEA12x12InputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA12x12InputPortTable.setStatus('mandatory')
wtWebioEA12x12InputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12InputNo"))
if mibBuilder.loadTexts: wtWebioEA12x12InputPortEntry.setStatus('mandatory')
wtWebioEA12x12PortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortInputName.setStatus('mandatory')
wtWebioEA12x12PortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortInputText.setStatus('mandatory')
wtWebioEA12x12PortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortInputMode.setStatus('mandatory')
wtWebioEA12x12PortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortInputFilter.setStatus('mandatory')
wtWebioEA12x12PortInputBicountPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortInputBicountPulsePolarity.setStatus('mandatory')
wtWebioEA12x12PortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortInputBicountInactivTimeout.setStatus('mandatory')
wtWebioEA12x12OutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA12x12OutputPortTable.setStatus('mandatory')
wtWebioEA12x12OutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x12OutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x12OutputPortEntry.setStatus('mandatory')
wtWebioEA12x12PortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortOutputName.setStatus('mandatory')
wtWebioEA12x12PortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortOutputText.setStatus('mandatory')
wtWebioEA12x12PortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortOutputGroupMode.setStatus('mandatory')
wtWebioEA12x12PortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortOutputSafetyState.setStatus('mandatory')
wtWebioEA12x12PortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortLogicInputMask.setStatus('mandatory')
wtWebioEA12x12PortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortLogicInputInverter.setStatus('mandatory')
wtWebioEA12x12PortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortLogicFunction.setStatus('mandatory')
wtWebioEA12x12PortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortLogicOutputInverter.setStatus('mandatory')
wtWebioEA12x12PortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortPulseDuration.setStatus('mandatory')
wtWebioEA12x12PortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12PortPulsePolarity.setStatus('mandatory')
wtWebioEA12x12MfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MfName.setStatus('mandatory')
wtWebioEA12x12MfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MfAddr.setStatus('mandatory')
wtWebioEA12x12MfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MfHotline.setStatus('mandatory')
wtWebioEA12x12MfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MfInternet.setStatus('mandatory')
wtWebioEA12x12MfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12MfDeviceTyp.setStatus('mandatory')
wtWebioEA12x12DiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12DiagErrorCount.setStatus('mandatory')
wtWebioEA12x12DiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12DiagBinaryError.setStatus('mandatory')
wtWebioEA12x12DiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x12DiagErrorIndex.setStatus('mandatory')
wtWebioEA12x12DiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x12DiagErrorMessage.setStatus('mandatory')
wtWebioEA12x12DiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA12x12DiagErrorClear.setStatus('mandatory')
wtWebioEA12x12Alert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapText"))
wtWebioEA12x12Alert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12Alert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12AlarmSnmpTrapReleaseText"))
wtWebioEA12x12AlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 4) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x12DiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA12x12DiagErrorMessage"))
wtWebioEA24oemInputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemInputs.setStatus('mandatory')
wtWebioEA24oemOutputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemOutputs.setStatus('mandatory')
wtWebioEA24oemInputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA24oemInputTable.setStatus('mandatory')
wtWebioEA24oemInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemInputNo"))
if mibBuilder.loadTexts: wtWebioEA24oemInputEntry.setStatus('mandatory')
wtWebioEA24oemInputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemInputNo.setStatus('mandatory')
wtWebioEA24oemInputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 3, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemInputCounter.setStatus('mandatory')
wtWebioEA24oemInputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemInputCounterClear.setStatus('mandatory')
wtWebioEA24oemInputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA24oemInputState-OFF", 0), ("wtWebioEA24oemInputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemInputState.setStatus('mandatory')
wtWebioEA24oemInputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemInputValue.setStatus('mandatory')
wtWebioEA24oemOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA24oemOutputTable.setStatus('mandatory')
wtWebioEA24oemOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemOutputNo"))
if mibBuilder.loadTexts: wtWebioEA24oemOutputEntry.setStatus('mandatory')
wtWebioEA24oemOutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 24))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemOutputNo.setStatus('mandatory')
wtWebioEA24oemOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA24oemOutputState-OFF", 0), ("wtWebioEA24oemOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemOutputState.setStatus('mandatory')
wtWebioEA24oemOutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemOutputValue.setStatus('mandatory')
wtWebioEA24oemSetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSetOutput.setStatus('mandatory')
wtWebioEA24oemSessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSessCntrlPassword.setStatus('mandatory')
wtWebioEA24oemSessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA24oemSessCntrl-NoSession", 0), ("wtWebioEA24oemSessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemSessCntrlConfigMode.setStatus('mandatory')
wtWebioEA24oemSessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSessCntrlLogout.setStatus('mandatory')
wtWebioEA24oemSessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA24oemSessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA24oemDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemDeviceName.setStatus('mandatory')
wtWebioEA24oemDeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemDeviceText.setStatus('mandatory')
wtWebioEA24oemDeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemDeviceLocation.setStatus('mandatory')
wtWebioEA24oemDeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemDeviceContact.setStatus('mandatory')
wtWebioEA24oemTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemTzOffsetHrs.setStatus('mandatory')
wtWebioEA24oemTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemTzOffsetMin.setStatus('mandatory')
wtWebioEA24oemTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemTzEnable.setStatus('mandatory')
wtWebioEA24oemStTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzOffsetHrs.setStatus('mandatory')
wtWebioEA24oemStTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzOffsetMin.setStatus('mandatory')
wtWebioEA24oemStTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzEnable.setStatus('mandatory')
wtWebioEA24oemStTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA24oemStartMonth-January", 1), ("wtWebioEA24oemStartMonth-February", 2), ("wtWebioEA24oemStartMonth-March", 3), ("wtWebioEA24oemStartMonth-April", 4), ("wtWebioEA24oemStartMonth-May", 5), ("wtWebioEA24oemStartMonth-June", 6), ("wtWebioEA24oemStartMonth-July", 7), ("wtWebioEA24oemStartMonth-August", 8), ("wtWebioEA24oemStartMonth-September", 9), ("wtWebioEA24oemStartMonth-October", 10), ("wtWebioEA24oemStartMonth-November", 11), ("wtWebioEA24oemStartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStartMonth.setStatus('mandatory')
wtWebioEA24oemStTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA24oemStartMode-first", 1), ("wtWebioEA24oemStartMode-second", 2), ("wtWebioEA24oemStartMode-third", 3), ("wtWebioEA24oemStartMode-fourth", 4), ("wtWebioEA24oemStartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStartMode.setStatus('mandatory')
wtWebioEA24oemStTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA24oemStartWday-Sunday", 1), ("wtWebioEA24oemStartWday-Monday", 2), ("wtWebioEA24oemStartWday-Tuesday", 3), ("wtWebioEA24oemStartWday-Thursday", 4), ("wtWebioEA24oemStartWday-Wednesday", 5), ("wtWebioEA24oemStartWday-Friday", 6), ("wtWebioEA24oemStartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStartWday.setStatus('mandatory')
wtWebioEA24oemStTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStartHrs.setStatus('mandatory')
wtWebioEA24oemStTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStartMin.setStatus('mandatory')
wtWebioEA24oemStTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA24oemStopMonth-January", 1), ("wtWebioEA24oemStopMonth-February", 2), ("wtWebioEA24oemStopMonth-March", 3), ("wtWebioEA24oemStopMonth-April", 4), ("wtWebioEA24oemStopMonth-May", 5), ("wtWebioEA24oemStopMonth-June", 6), ("wtWebioEA24oemStopMonth-July", 7), ("wtWebioEA24oemStopMonth-August", 8), ("wtWebioEA24oemStopMonth-September", 9), ("wtWebioEA24oemStopMonth-October", 10), ("wtWebioEA24oemStopMonth-November", 11), ("wtWebioEA24oemStopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStopMonth.setStatus('mandatory')
wtWebioEA24oemStTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA24oemStopMode-first", 1), ("wtWebioEA24oemStopMode-second", 2), ("wtWebioEA24oemStopMode-third", 3), ("wtWebioEA24oemStopMode-fourth", 4), ("wtWebioEA24oemStopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStopMode.setStatus('mandatory')
wtWebioEA24oemStTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA24oemStopWday-Sunday", 1), ("wtWebioEA24oemStopWday-Monday", 2), ("wtWebioEA24oemStopWday-Tuesday", 3), ("wtWebioEA24oemStopWday-Thursday", 4), ("wtWebioEA24oemStopWday-Wednesday", 5), ("wtWebioEA24oemStopWday-Friday", 6), ("wtWebioEA24oemStopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStopWday.setStatus('mandatory')
wtWebioEA24oemStTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStopHrs.setStatus('mandatory')
wtWebioEA24oemStTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStTzStopMin.setStatus('mandatory')
wtWebioEA24oemTimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemTimeServer1.setStatus('mandatory')
wtWebioEA24oemTimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemTimeServer2.setStatus('mandatory')
wtWebioEA24oemTsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemTsEnable.setStatus('mandatory')
wtWebioEA24oemTsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemTsSyncTime.setStatus('mandatory')
wtWebioEA24oemClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemClockHrs.setStatus('mandatory')
wtWebioEA24oemClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemClockMin.setStatus('mandatory')
wtWebioEA24oemClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemClockDay.setStatus('mandatory')
wtWebioEA24oemClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA24oemClockMonth-January", 1), ("wtWebioEA24oemClockMonth-February", 2), ("wtWebioEA24oemClockMonth-March", 3), ("wtWebioEA24oemClockMonth-April", 4), ("wtWebioEA24oemClockMonth-May", 5), ("wtWebioEA24oemClockMonth-June", 6), ("wtWebioEA24oemClockMonth-July", 7), ("wtWebioEA24oemClockMonth-August", 8), ("wtWebioEA24oemClockMonth-September", 9), ("wtWebioEA24oemClockMonth-October", 10), ("wtWebioEA24oemClockMonth-November", 11), ("wtWebioEA24oemClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemClockMonth.setStatus('mandatory')
wtWebioEA24oemClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemClockYear.setStatus('mandatory')
wtWebioEA24oemIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemIpAddress.setStatus('mandatory')
wtWebioEA24oemSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSubnetMask.setStatus('mandatory')
wtWebioEA24oemGateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemGateway.setStatus('mandatory')
wtWebioEA24oemDnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemDnsServer1.setStatus('mandatory')
wtWebioEA24oemDnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemDnsServer2.setStatus('mandatory')
wtWebioEA24oemAddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAddConfig.setStatus('mandatory')
wtWebioEA24oemStartup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemStartup.setStatus('mandatory')
wtWebioEA24oemGetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemGetHeaderEnable.setStatus('mandatory')
wtWebioEA24oemHttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemHttpInputTrigger.setStatus('mandatory')
wtWebioEA24oemHttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemHttpPort.setStatus('mandatory')
wtWebioEA24oemMailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMailAdName.setStatus('mandatory')
wtWebioEA24oemMailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMailReply.setStatus('mandatory')
wtWebioEA24oemMailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMailServer.setStatus('mandatory')
wtWebioEA24oemMailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMailEnable.setStatus('mandatory')
wtWebioEA24oemMailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMailAuthentication.setStatus('mandatory')
wtWebioEA24oemMailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMailAuthUser.setStatus('mandatory')
wtWebioEA24oemMailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMailAuthPassword.setStatus('mandatory')
wtWebioEA24oemMailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMailPop3Server.setStatus('mandatory')
wtWebioEA24oemSnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSnmpEnable.setStatus('mandatory')
wtWebioEA24oemSnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA24oemSnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA24oemSnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA24oemSnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA24oemUdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemUdpAdminPort.setStatus('mandatory')
wtWebioEA24oemUdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemUdpEnable.setStatus('mandatory')
wtWebioEA24oemUdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemUdpRemotePort.setStatus('mandatory')
wtWebioEA24oemBinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryModeCount.setStatus('mandatory')
wtWebioEA24oemBinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA24oemBinaryIfTable.setStatus('mandatory')
wtWebioEA24oemBinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA24oemBinaryIfEntry.setStatus('mandatory')
wtWebioEA24oemBinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryModeNo.setStatus('mandatory')
wtWebioEA24oemBinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTable.setStatus('mandatory')
wtWebioEA24oemBinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA24oemBinaryEntry.setStatus('mandatory')
wtWebioEA24oemBinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryOperationMode.setStatus('mandatory')
wtWebioEA24oemBinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA24oemBinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA24oemBinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA24oemBinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA24oemBinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA24oemBinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA24oemBinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA24oemBinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA24oemBinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA24oemBinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryConnectedPort.setStatus('mandatory')
wtWebioEA24oemBinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA24oemBinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA24oemBinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemBinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA24oemSyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSyslogServerIP.setStatus('mandatory')
wtWebioEA24oemSyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSyslogServerPort.setStatus('mandatory')
wtWebioEA24oemSyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA24oemSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSyslogEnable.setStatus('mandatory')
wtWebioEA24oemFTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemFTPServerIP.setStatus('mandatory')
wtWebioEA24oemFTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemFTPServerControlPort.setStatus('mandatory')
wtWebioEA24oemFTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemFTPUserName.setStatus('mandatory')
wtWebioEA24oemFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemFTPPassword.setStatus('mandatory')
wtWebioEA24oemFTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemFTPAccount.setStatus('mandatory')
wtWebioEA24oemFTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemFTPOption.setStatus('mandatory')
wtWebioEA24oemFTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemFTPEnable.setStatus('mandatory')
wtWebioEA24oemOutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA24oemOutputModeTable.setStatus('mandatory')
wtWebioEA24oemOutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemOutputNo"))
if mibBuilder.loadTexts: wtWebioEA24oemOutputModeEntry.setStatus('mandatory')
wtWebioEA24oemOutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemOutputModeBit.setStatus('mandatory')
wtWebioEA24oemSafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemSafetyTimeout.setStatus('mandatory')
wtWebioEA24oemLoadControlEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemLoadControlEnable.setStatus('mandatory')
wtWebioEA24oemAlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmCount.setStatus('mandatory')
wtWebioEA24oemAlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA24oemAlarmIfTable.setStatus('mandatory')
wtWebioEA24oemAlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA24oemAlarmIfEntry.setStatus('mandatory')
wtWebioEA24oemAlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmNo.setStatus('mandatory')
wtWebioEA24oemAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA24oemAlarmTable.setStatus('mandatory')
wtWebioEA24oemAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA24oemAlarmEntry.setStatus('mandatory')
wtWebioEA24oemAlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmInputTrigger.setStatus('mandatory')
wtWebioEA24oemAlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmOutputTrigger.setStatus('mandatory')
wtWebioEA24oemAlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmSystemTrigger.setStatus('mandatory')
wtWebioEA24oemAlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA24oemAlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmInterval.setStatus('mandatory')
wtWebioEA24oemAlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmEnable.setStatus('mandatory')
wtWebioEA24oemAlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmMailAddr.setStatus('mandatory')
wtWebioEA24oemAlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmMailSubject.setStatus('mandatory')
wtWebioEA24oemAlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmMailText.setStatus('mandatory')
wtWebioEA24oemAlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA24oemAlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA24oemAlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA24oemAlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmUdpPort.setStatus('mandatory')
wtWebioEA24oemAlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmUdpText.setStatus('mandatory')
wtWebioEA24oemAlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA24oemAlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmTcpPort.setStatus('mandatory')
wtWebioEA24oemAlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmTcpText.setStatus('mandatory')
wtWebioEA24oemAlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA24oemAlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmSyslogPort.setStatus('mandatory')
wtWebioEA24oemAlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmSyslogText.setStatus('mandatory')
wtWebioEA24oemAlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmFtpDataPort.setStatus('mandatory')
wtWebioEA24oemAlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmFtpFileName.setStatus('mandatory')
wtWebioEA24oemAlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmFtpText.setStatus('mandatory')
wtWebioEA24oemAlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmFtpOption.setStatus('mandatory')
wtWebioEA24oemAlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemAlarmTimerCron.setStatus('mandatory')
wtWebioEA24oemLoadControlView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemLoadControlView.setStatus('mandatory')
wtWebioEA24oemLCShutDownView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 1, 5, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemLCShutDownView.setStatus('mandatory')
wtWebioEA24oemInputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA24oemInputPortTable.setStatus('mandatory')
wtWebioEA24oemInputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemInputNo"))
if mibBuilder.loadTexts: wtWebioEA24oemInputPortEntry.setStatus('mandatory')
wtWebioEA24oemPortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortInputName.setStatus('mandatory')
wtWebioEA24oemPortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortInputText.setStatus('mandatory')
wtWebioEA24oemPortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortInputMode.setStatus('mandatory')
wtWebioEA24oemPortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortInputFilter.setStatus('mandatory')
wtWebioEA24oemOutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA24oemOutputPortTable.setStatus('mandatory')
wtWebioEA24oemOutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA24oemOutputNo"))
if mibBuilder.loadTexts: wtWebioEA24oemOutputPortEntry.setStatus('mandatory')
wtWebioEA24oemPortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortOutputName.setStatus('mandatory')
wtWebioEA24oemPortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortOutputText.setStatus('mandatory')
wtWebioEA24oemPortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortOutputGroupMode.setStatus('mandatory')
wtWebioEA24oemPortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortOutputSafetyState.setStatus('mandatory')
wtWebioEA24oemPortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortLogicInputMask.setStatus('mandatory')
wtWebioEA24oemPortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortLogicInputInverter.setStatus('mandatory')
wtWebioEA24oemPortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortLogicFunction.setStatus('mandatory')
wtWebioEA24oemPortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortLogicOutputInverter.setStatus('mandatory')
wtWebioEA24oemPortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortPulseDuration.setStatus('mandatory')
wtWebioEA24oemPortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemPortPulsePolarity.setStatus('mandatory')
wtWebioEA24oemMfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMfName.setStatus('mandatory')
wtWebioEA24oemMfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMfAddr.setStatus('mandatory')
wtWebioEA24oemMfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMfHotline.setStatus('mandatory')
wtWebioEA24oemMfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMfInternet.setStatus('mandatory')
wtWebioEA24oemMfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemMfDeviceTyp.setStatus('mandatory')
wtWebioEA24oemDiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemDiagErrorCount.setStatus('mandatory')
wtWebioEA24oemDiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemDiagBinaryError.setStatus('mandatory')
wtWebioEA24oemDiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA24oemDiagErrorIndex.setStatus('mandatory')
wtWebioEA24oemDiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA24oemDiagErrorMessage.setStatus('mandatory')
wtWebioEA24oemDiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA24oemDiagErrorClear.setStatus('mandatory')
wtWebioEA24oemAlert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,53)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,54)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,55)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,56)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,57)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,58)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,59)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,60)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,61)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,62)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,63)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,64)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,65)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,66)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,67)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,68)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert25 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert26 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert27 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert28 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert29 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,83)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert30 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,84)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert31 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,85)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlert32 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,86)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemAlarmSnmpTrapText"))
wtWebioEA24oemAlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 14) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA24oemDiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA24oemDiagErrorMessage"))
wtWebioEA12x6RelInputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelInputs.setStatus('mandatory')
wtWebioEA12x6RelOutputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputs.setStatus('mandatory')
wtWebioEA12x6RelInputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA12x6RelInputTable.setStatus('mandatory')
wtWebioEA12x6RelInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelInputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelInputEntry.setStatus('mandatory')
wtWebioEA12x6RelInputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelInputNo.setStatus('mandatory')
wtWebioEA12x6RelInputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelInputCounter.setStatus('mandatory')
wtWebioEA12x6RelInputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelInputCounterClear.setStatus('mandatory')
wtWebioEA12x6RelInputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelInputValue.setStatus('mandatory')
wtWebioEA12x6RelOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputTable.setStatus('mandatory')
wtWebioEA12x6RelOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelOutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputEntry.setStatus('mandatory')
wtWebioEA12x6RelOutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputNo.setStatus('mandatory')
wtWebioEA12x6RelOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA12x6RelOutputState-OFF", 0), ("wtWebioEA12x6OutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputState.setStatus('mandatory')
wtWebioEA12x6RelOutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputValue.setStatus('mandatory')
wtWebioEA12x6RelSetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSetOutput.setStatus('mandatory')
wtWebioEA12x6RelSessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSessCntrlPassword.setStatus('mandatory')
wtWebioEA12x6RelSessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA12x6RelSessCntrl-NoSession", 0), ("wtWebioEA12x6RelSessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelSessCntrlConfigMode.setStatus('mandatory')
wtWebioEA12x6RelSessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSessCntrlLogout.setStatus('mandatory')
wtWebioEA12x6RelSessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA12x6RelSessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA12x6RelDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelDeviceName.setStatus('mandatory')
wtWebioEA12x6RelDeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelDeviceText.setStatus('mandatory')
wtWebioEA12x6RelDeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelDeviceLocation.setStatus('mandatory')
wtWebioEA12x6RelDeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelDeviceContact.setStatus('mandatory')
wtWebioEA12x6RelTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelTzOffsetHrs.setStatus('mandatory')
wtWebioEA12x6RelTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelTzOffsetMin.setStatus('mandatory')
wtWebioEA12x6RelTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelTzEnable.setStatus('mandatory')
wtWebioEA12x6RelStTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzOffsetHrs.setStatus('mandatory')
wtWebioEA12x6RelStTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzOffsetMin.setStatus('mandatory')
wtWebioEA12x6RelStTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzEnable.setStatus('mandatory')
wtWebioEA12x6RelStTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x6RelStartMonth-January", 1), ("wtWebioEA12x6RelStartMonth-February", 2), ("wtWebioEA12x6RelStartMonth-March", 3), ("wtWebioEA12x6RelStartMonth-April", 4), ("wtWebioEA12x6RelStartMonth-May", 5), ("wtWebioEA12x6RelStartMonth-June", 6), ("wtWebioEA12x6RelStartMonth-July", 7), ("wtWebioEA12x6RelStartMonth-August", 8), ("wtWebioEA12x6RelStartMonth-September", 9), ("wtWebioEA12x6RelStartMonth-October", 10), ("wtWebioEA12x6RelStartMonth-November", 11), ("wtWebioEA12x6RelStartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStartMonth.setStatus('mandatory')
wtWebioEA12x6RelStTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA12x6RelStartMode-first", 1), ("wtWebioEA12x6RelStartMode-second", 2), ("wtWebioEA12x6RelStartMode-third", 3), ("wtWebioEA12x6RelStartMode-fourth", 4), ("wtWebioEA12x6RelStartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStartMode.setStatus('mandatory')
wtWebioEA12x6RelStTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA12x6RelStartWday-Sunday", 1), ("wtWebioEA12x6RelStartWday-Monday", 2), ("wtWebioEA12x6RelStartWday-Tuesday", 3), ("wtWebioEA12x6RelStartWday-Thursday", 4), ("wtWebioEA12x6RelStartWday-Wednesday", 5), ("wtWebioEA12x6RelStartWday-Friday", 6), ("wtWebioEA12x6RelStartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStartWday.setStatus('mandatory')
wtWebioEA12x6RelStTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStartHrs.setStatus('mandatory')
wtWebioEA12x6RelStTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStartMin.setStatus('mandatory')
wtWebioEA12x6RelStTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x6RelStopMonth-January", 1), ("wtWebioEA12x6RelStopMonth-February", 2), ("wtWebioEA12x6RelStopMonth-March", 3), ("wtWebioEA12x6RelStopMonth-April", 4), ("wtWebioEA12x6RelStopMonth-May", 5), ("wtWebioEA12x6RelStopMonth-June", 6), ("wtWebioEA12x6RelStopMonth-July", 7), ("wtWebioEA12x6RelStopMonth-August", 8), ("wtWebioEA12x6RelStopMonth-September", 9), ("wtWebioEA12x6RelStopMonth-October", 10), ("wtWebioEA12x6RelStopMonth-November", 11), ("wtWebioEA12x6RelStopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStopMonth.setStatus('mandatory')
wtWebioEA12x6RelStTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA12x6RelStopMode-first", 1), ("wtWebioEA12x6RelStopMode-second", 2), ("wtWebioEA12x6RelStopMode-third", 3), ("wtWebioEA12x6RelStopMode-fourth", 4), ("wtWebioEA12x6RelStopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStopMode.setStatus('mandatory')
wtWebioEA12x6RelStTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA12x6RelStopWday-Sunday", 1), ("wtWebioEA12x6RelStopWday-Monday", 2), ("wtWebioEA12x6RelStopWday-Tuesday", 3), ("wtWebioEA12x6RelStopWday-Thursday", 4), ("wtWebioEA12x6RelStopWday-Wednesday", 5), ("wtWebioEA12x6RelStopWday-Friday", 6), ("wtWebioEA12x6RelStopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStopWday.setStatus('mandatory')
wtWebioEA12x6RelStTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStopHrs.setStatus('mandatory')
wtWebioEA12x6RelStTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStTzStopMin.setStatus('mandatory')
wtWebioEA12x6RelTimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelTimeServer1.setStatus('mandatory')
wtWebioEA12x6RelTimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelTimeServer2.setStatus('mandatory')
wtWebioEA12x6RelTsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelTsEnable.setStatus('mandatory')
wtWebioEA12x6RelTsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelTsSyncTime.setStatus('mandatory')
wtWebioEA12x6RelClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelClockHrs.setStatus('mandatory')
wtWebioEA12x6RelClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelClockMin.setStatus('mandatory')
wtWebioEA12x6RelClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelClockDay.setStatus('mandatory')
wtWebioEA12x6RelClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x6RelClockMonth-January", 1), ("wtWebioEA12x6RelClockMonth-February", 2), ("wtWebioEA12x6RelClockMonth-March", 3), ("wtWebioEA12x6RelClockMonth-April", 4), ("wtWebioEA12x6RelClockMonth-May", 5), ("wtWebioEA12x6RelClockMonth-June", 6), ("wtWebioEA12x6RelClockMonth-July", 7), ("wtWebioEA12x6RelClockMonth-August", 8), ("wtWebioEA12x6RelClockMonth-September", 9), ("wtWebioEA12x6RelClockMonth-October", 10), ("wtWebioEA12x6RelClockMonth-November", 11), ("wtWebioEA12x6RelClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelClockMonth.setStatus('mandatory')
wtWebioEA12x6RelClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelClockYear.setStatus('mandatory')
wtWebioEA12x6RelIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelIpAddress.setStatus('mandatory')
wtWebioEA12x6RelSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSubnetMask.setStatus('mandatory')
wtWebioEA12x6RelGateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelGateway.setStatus('mandatory')
wtWebioEA12x6RelDnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelDnsServer1.setStatus('mandatory')
wtWebioEA12x6RelDnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelDnsServer2.setStatus('mandatory')
wtWebioEA12x6RelAddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAddConfig.setStatus('mandatory')
wtWebioEA12x6RelStartup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelStartup.setStatus('mandatory')
wtWebioEA12x6RelGetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelGetHeaderEnable.setStatus('mandatory')
wtWebioEA12x6RelHttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelHttpInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelHttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelHttpPort.setStatus('mandatory')
wtWebioEA12x6RelMailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMailAdName.setStatus('mandatory')
wtWebioEA12x6RelMailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMailReply.setStatus('mandatory')
wtWebioEA12x6RelMailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMailServer.setStatus('mandatory')
wtWebioEA12x6RelMailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMailEnable.setStatus('mandatory')
wtWebioEA12x6RelMailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMailAuthentication.setStatus('mandatory')
wtWebioEA12x6RelMailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMailAuthUser.setStatus('mandatory')
wtWebioEA12x6RelMailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMailAuthPassword.setStatus('mandatory')
wtWebioEA12x6RelMailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMailPop3Server.setStatus('mandatory')
wtWebioEA12x6RelSnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSnmpEnable.setStatus('mandatory')
wtWebioEA12x6RelSnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA12x6RelSnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA12x6RelSnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA12x6RelSnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA12x6RelUdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelUdpAdminPort.setStatus('mandatory')
wtWebioEA12x6RelUdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelUdpEnable.setStatus('mandatory')
wtWebioEA12x6RelUdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelUdpRemotePort.setStatus('mandatory')
wtWebioEA12x6RelBinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryModeCount.setStatus('mandatory')
wtWebioEA12x6RelBinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryIfTable.setStatus('mandatory')
wtWebioEA12x6RelBinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryIfEntry.setStatus('mandatory')
wtWebioEA12x6RelBinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryModeNo.setStatus('mandatory')
wtWebioEA12x6RelBinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTable.setStatus('mandatory')
wtWebioEA12x6RelBinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryEntry.setStatus('mandatory')
wtWebioEA12x6RelBinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryOperationMode.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA12x6RelBinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA12x6RelBinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA12x6RelBinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA12x6RelBinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelBinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA12x6RelBinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA12x6RelBinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryConnectedPort.setStatus('mandatory')
wtWebioEA12x6RelBinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA12x6RelBinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelBinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA12x6RelSyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSyslogServerIP.setStatus('mandatory')
wtWebioEA12x6RelSyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSyslogServerPort.setStatus('mandatory')
wtWebioEA12x6RelSyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA12x6RelSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSyslogEnable.setStatus('mandatory')
wtWebioEA12x6RelFTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelFTPServerIP.setStatus('mandatory')
wtWebioEA12x6RelFTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelFTPServerControlPort.setStatus('mandatory')
wtWebioEA12x6RelFTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelFTPUserName.setStatus('mandatory')
wtWebioEA12x6RelFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelFTPPassword.setStatus('mandatory')
wtWebioEA12x6RelFTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelFTPAccount.setStatus('mandatory')
wtWebioEA12x6RelFTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelFTPOption.setStatus('mandatory')
wtWebioEA12x6RelFTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelFTPEnable.setStatus('mandatory')
wtWebioEA12x6RelOutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputModeTable.setStatus('mandatory')
wtWebioEA12x6RelOutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelOutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputModeEntry.setStatus('mandatory')
wtWebioEA12x6RelOutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputModeBit.setStatus('mandatory')
wtWebioEA12x6RelSafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelSafetyTimeout.setStatus('mandatory')
wtWebioEA12x6RelAlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmCount.setStatus('mandatory')
wtWebioEA12x6RelAlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmIfTable.setStatus('mandatory')
wtWebioEA12x6RelAlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmIfEntry.setStatus('mandatory')
wtWebioEA12x6RelAlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmNo.setStatus('mandatory')
wtWebioEA12x6RelAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmTable.setStatus('mandatory')
wtWebioEA12x6RelAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmEntry.setStatus('mandatory')
wtWebioEA12x6RelAlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelAlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmOutputTrigger.setStatus('mandatory')
wtWebioEA12x6RelAlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmSystemTrigger.setStatus('mandatory')
wtWebioEA12x6RelAlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA12x6RelAlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmInterval.setStatus('mandatory')
wtWebioEA12x6RelAlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmEnable.setStatus('mandatory')
wtWebioEA12x6RelAlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmMailAddr.setStatus('mandatory')
wtWebioEA12x6RelAlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmMailSubject.setStatus('mandatory')
wtWebioEA12x6RelAlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmMailText.setStatus('mandatory')
wtWebioEA12x6RelAlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA12x6RelAlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA12x6RelAlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA12x6RelAlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmUdpPort.setStatus('mandatory')
wtWebioEA12x6RelAlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmUdpText.setStatus('mandatory')
wtWebioEA12x6RelAlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA12x6RelAlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmTcpPort.setStatus('mandatory')
wtWebioEA12x6RelAlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmTcpText.setStatus('mandatory')
wtWebioEA12x6RelAlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA12x6RelAlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmSyslogPort.setStatus('mandatory')
wtWebioEA12x6RelAlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmSyslogText.setStatus('mandatory')
wtWebioEA12x6RelAlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmFtpDataPort.setStatus('mandatory')
wtWebioEA12x6RelAlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmFtpFileName.setStatus('mandatory')
wtWebioEA12x6RelAlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmFtpText.setStatus('mandatory')
wtWebioEA12x6RelAlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmFtpOption.setStatus('mandatory')
wtWebioEA12x6RelAlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmTimerCron.setStatus('mandatory')
wtWebioEA12x6RelAlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmMailReleaseSubject.setStatus('mandatory')
wtWebioEA12x6RelAlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmMailReleaseText.setStatus('mandatory')
wtWebioEA12x6RelAlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebioEA12x6RelAlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmUdpReleaseText.setStatus('mandatory')
wtWebioEA12x6RelAlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmTcpReleaseText.setStatus('mandatory')
wtWebioEA12x6RelAlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmSyslogReleaseText.setStatus('mandatory')
wtWebioEA12x6RelAlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelAlarmFtpReleaseText.setStatus('mandatory')
wtWebioEA12x6RelInputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA12x6RelInputPortTable.setStatus('mandatory')
wtWebioEA12x6RelInputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelInputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelInputPortEntry.setStatus('mandatory')
wtWebioEA12x6RelPortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortInputName.setStatus('mandatory')
wtWebioEA12x6RelPortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortInputText.setStatus('mandatory')
wtWebioEA12x6RelPortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortInputMode.setStatus('mandatory')
wtWebioEA12x6RelPortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortInputFilter.setStatus('mandatory')
wtWebioEA12x6RelPortInputBicountPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortInputBicountPulsePolarity.setStatus('mandatory')
wtWebioEA12x6RelPortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortInputBicountInactivTimeout.setStatus('mandatory')
wtWebioEA12x6RelOutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputPortTable.setStatus('mandatory')
wtWebioEA12x6RelOutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelOutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelOutputPortEntry.setStatus('mandatory')
wtWebioEA12x6RelPortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortOutputName.setStatus('mandatory')
wtWebioEA12x6RelPortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortOutputText.setStatus('mandatory')
wtWebioEA12x6RelPortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortOutputGroupMode.setStatus('mandatory')
wtWebioEA12x6RelPortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortOutputSafetyState.setStatus('mandatory')
wtWebioEA12x6RelPortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortLogicInputMask.setStatus('mandatory')
wtWebioEA12x6RelPortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortLogicInputInverter.setStatus('mandatory')
wtWebioEA12x6RelPortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortLogicFunction.setStatus('mandatory')
wtWebioEA12x6RelPortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortLogicOutputInverter.setStatus('mandatory')
wtWebioEA12x6RelPortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortPulseDuration.setStatus('mandatory')
wtWebioEA12x6RelPortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelPortPulsePolarity.setStatus('mandatory')
wtWebioEA12x6RelMfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMfName.setStatus('mandatory')
wtWebioEA12x6RelMfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMfAddr.setStatus('mandatory')
wtWebioEA12x6RelMfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMfHotline.setStatus('mandatory')
wtWebioEA12x6RelMfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMfInternet.setStatus('mandatory')
wtWebioEA12x6RelMfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMfDeviceTyp.setStatus('mandatory')
wtWebioEA12x6RelMfOrderNo = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelMfOrderNo.setStatus('mandatory')
wtWebioEA12x6RelDiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelDiagErrorCount.setStatus('mandatory')
wtWebioEA12x6RelDiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelDiagBinaryError.setStatus('mandatory')
wtWebioEA12x6RelDiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelDiagErrorIndex.setStatus('mandatory')
wtWebioEA12x6RelDiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelDiagErrorMessage.setStatus('mandatory')
wtWebioEA12x6RelDiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelDiagErrorClear.setStatus('mandatory')
wtWebioEA12x6RelAlert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapText"))
wtWebioEA12x6RelAlert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelAlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 19) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelDiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA12x6RelDiagErrorMessage"))
wtWebAlarm6x6Inputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6Inputs.setStatus('mandatory')
wtWebAlarm6x6Outputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6Outputs.setStatus('mandatory')
wtWebAlarm6x6InputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 3), )
if mibBuilder.loadTexts: wtWebAlarm6x6InputTable.setStatus('mandatory')
wtWebAlarm6x6InputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebAlarm6x6InputNo"))
if mibBuilder.loadTexts: wtWebAlarm6x6InputEntry.setStatus('mandatory')
wtWebAlarm6x6InputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6InputNo.setStatus('mandatory')
wtWebAlarm6x6InputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6InputCounter.setStatus('mandatory')
wtWebAlarm6x6InputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6InputCounterClear.setStatus('mandatory')
wtWebAlarm6x6InputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebAlarm6x6InputState-OFF", 0), ("wtWebAlarm6x6InputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6InputState.setStatus('mandatory')
wtWebAlarm6x6InputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6InputValue.setStatus('mandatory')
wtWebAlarm6x6OutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 5), )
if mibBuilder.loadTexts: wtWebAlarm6x6OutputTable.setStatus('mandatory')
wtWebAlarm6x6OutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebAlarm6x6OutputNo"))
if mibBuilder.loadTexts: wtWebAlarm6x6OutputEntry.setStatus('mandatory')
wtWebAlarm6x6OutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6OutputNo.setStatus('mandatory')
wtWebAlarm6x6OutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebAlarm6x6OutputState-OFF", 0), ("wtWebAlarm6x6OutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6OutputState.setStatus('mandatory')
wtWebAlarm6x6OutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6OutputValue.setStatus('mandatory')
wtWebAlarm6x6AlarmOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 8), )
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmOutputTable.setStatus('mandatory')
wtWebAlarm6x6AlarmOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 8, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmNo"))
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmOutputEntry.setStatus('mandatory')
wtWebAlarm6x6AlarmOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 8, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebAlarm6x6AlarmOutputState-OFF", 0), ("wtWebAlarm6x6AlarmOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmOutputState.setStatus('mandatory')
wtWebAlarm6x6AlarmTriggerState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 1, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebAlarm6x6AlarmTriggerState-OFF", 0), ("wtWebAlarm6x6AlarmTriggerState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmTriggerState.setStatus('mandatory')
wtWebAlarm6x6SessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SessCntrlPassword.setStatus('mandatory')
wtWebAlarm6x6SessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebAlarm6x6SessCntrl-NoSession", 0), ("wtWebAlarm6x6SessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6SessCntrlConfigMode.setStatus('mandatory')
wtWebAlarm6x6SessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SessCntrlLogout.setStatus('mandatory')
wtWebAlarm6x6SessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SessCntrlAdminPassword.setStatus('mandatory')
wtWebAlarm6x6SessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SessCntrlConfigPassword.setStatus('mandatory')
wtWebAlarm6x6DeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6DeviceName.setStatus('mandatory')
wtWebAlarm6x6DeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6DeviceText.setStatus('mandatory')
wtWebAlarm6x6DeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6DeviceLocation.setStatus('mandatory')
wtWebAlarm6x6DeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6DeviceContact.setStatus('mandatory')
wtWebAlarm6x6TzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6TzOffsetHrs.setStatus('mandatory')
wtWebAlarm6x6TzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6TzOffsetMin.setStatus('mandatory')
wtWebAlarm6x6TzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6TzEnable.setStatus('mandatory')
wtWebAlarm6x6StTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzOffsetHrs.setStatus('mandatory')
wtWebAlarm6x6StTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzOffsetMin.setStatus('mandatory')
wtWebAlarm6x6StTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzEnable.setStatus('mandatory')
wtWebAlarm6x6StTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebAlarm6x6StartMonth-January", 1), ("wtWebAlarm6x6StartMonth-February", 2), ("wtWebAlarm6x6StartMonth-March", 3), ("wtWebAlarm6x6StartMonth-April", 4), ("wtWebAlarm6x6StartMonth-May", 5), ("wtWebAlarm6x6StartMonth-June", 6), ("wtWebAlarm6x6StartMonth-July", 7), ("wtWebAlarm6x6StartMonth-August", 8), ("wtWebAlarm6x6StartMonth-September", 9), ("wtWebAlarm6x6StartMonth-October", 10), ("wtWebAlarm6x6StartMonth-November", 11), ("wtWebAlarm6x6StartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStartMonth.setStatus('mandatory')
wtWebAlarm6x6StTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebAlarm6x6StartMode-first", 1), ("wtWebAlarm6x6StartMode-second", 2), ("wtWebAlarm6x6StartMode-third", 3), ("wtWebAlarm6x6StartMode-fourth", 4), ("wtWebAlarm6x6StartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStartMode.setStatus('mandatory')
wtWebAlarm6x6StTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebAlarm6x6StartWday-Sunday", 1), ("wtWebAlarm6x6StartWday-Monday", 2), ("wtWebAlarm6x6StartWday-Tuesday", 3), ("wtWebAlarm6x6StartWday-Thursday", 4), ("wtWebAlarm6x6StartWday-Wednesday", 5), ("wtWebAlarm6x6StartWday-Friday", 6), ("wtWebAlarm6x6StartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStartWday.setStatus('mandatory')
wtWebAlarm6x6StTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStartHrs.setStatus('mandatory')
wtWebAlarm6x6StTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStartMin.setStatus('mandatory')
wtWebAlarm6x6StTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebAlarm6x6StopMonth-January", 1), ("wtWebAlarm6x6StopMonth-February", 2), ("wtWebAlarm6x6StopMonth-March", 3), ("wtWebAlarm6x6StopMonth-April", 4), ("wtWebAlarm6x6StopMonth-May", 5), ("wtWebAlarm6x6StopMonth-June", 6), ("wtWebAlarm6x6StopMonth-July", 7), ("wtWebAlarm6x6StopMonth-August", 8), ("wtWebAlarm6x6StopMonth-September", 9), ("wtWebAlarm6x6StopMonth-October", 10), ("wtWebAlarm6x6StopMonth-November", 11), ("wtWebAlarm6x6StopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStopMonth.setStatus('mandatory')
wtWebAlarm6x6StTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebAlarm6x6StopMode-first", 1), ("wtWebAlarm6x6StopMode-second", 2), ("wtWebAlarm6x6StopMode-third", 3), ("wtWebAlarm6x6StopMode-fourth", 4), ("wtWebAlarm6x6StopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStopMode.setStatus('mandatory')
wtWebAlarm6x6StTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebAlarm6x6StopWday-Sunday", 1), ("wtWebAlarm6x6StopWday-Monday", 2), ("wtWebAlarm6x6StopWday-Tuesday", 3), ("wtWebAlarm6x6StopWday-Thursday", 4), ("wtWebAlarm6x6StopWday-Wednesday", 5), ("wtWebAlarm6x6StopWday-Friday", 6), ("wtWebAlarm6x6StopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStopWday.setStatus('mandatory')
wtWebAlarm6x6StTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStopHrs.setStatus('mandatory')
wtWebAlarm6x6StTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6StTzStopMin.setStatus('mandatory')
wtWebAlarm6x6TimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6TimeServer1.setStatus('mandatory')
wtWebAlarm6x6TimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6TimeServer2.setStatus('mandatory')
wtWebAlarm6x6TsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6TsEnable.setStatus('mandatory')
wtWebAlarm6x6TsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6TsSyncTime.setStatus('mandatory')
wtWebAlarm6x6ClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6ClockHrs.setStatus('mandatory')
wtWebAlarm6x6ClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6ClockMin.setStatus('mandatory')
wtWebAlarm6x6ClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6ClockDay.setStatus('mandatory')
wtWebAlarm6x6ClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebAlarm6x6ClockMonth-January", 1), ("wtWebAlarm6x6ClockMonth-February", 2), ("wtWebAlarm6x6ClockMonth-March", 3), ("wtWebAlarm6x6ClockMonth-April", 4), ("wtWebAlarm6x6ClockMonth-May", 5), ("wtWebAlarm6x6ClockMonth-June", 6), ("wtWebAlarm6x6ClockMonth-July", 7), ("wtWebAlarm6x6ClockMonth-August", 8), ("wtWebAlarm6x6ClockMonth-September", 9), ("wtWebAlarm6x6ClockMonth-October", 10), ("wtWebAlarm6x6ClockMonth-November", 11), ("wtWebAlarm6x6ClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6ClockMonth.setStatus('mandatory')
wtWebAlarm6x6ClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6ClockYear.setStatus('mandatory')
wtWebAlarm6x6IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6IpAddress.setStatus('mandatory')
wtWebAlarm6x6SubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SubnetMask.setStatus('mandatory')
wtWebAlarm6x6Gateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6Gateway.setStatus('mandatory')
wtWebAlarm6x6DnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6DnsServer1.setStatus('mandatory')
wtWebAlarm6x6DnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6DnsServer2.setStatus('mandatory')
wtWebAlarm6x6AddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AddConfig.setStatus('mandatory')
wtWebAlarm6x6HttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6HttpPort.setStatus('mandatory')
wtWebAlarm6x6MailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MailAdName.setStatus('mandatory')
wtWebAlarm6x6MailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MailReply.setStatus('mandatory')
wtWebAlarm6x6MailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MailServer.setStatus('mandatory')
wtWebAlarm6x6MailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MailEnable.setStatus('mandatory')
wtWebAlarm6x6MailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MailAuthentication.setStatus('mandatory')
wtWebAlarm6x6MailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MailAuthUser.setStatus('mandatory')
wtWebAlarm6x6MailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MailAuthPassword.setStatus('mandatory')
wtWebAlarm6x6MailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MailPop3Server.setStatus('mandatory')
wtWebAlarm6x6SnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SnmpEnable.setStatus('mandatory')
wtWebAlarm6x6SnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SnmpCommunityStringRead.setStatus('mandatory')
wtWebAlarm6x6SnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebAlarm6x6SnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebAlarm6x6SnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SnmpSystemTrapEnable.setStatus('mandatory')
wtWebAlarm6x6UdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6UdpAdminPort.setStatus('mandatory')
wtWebAlarm6x6UdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6UdpEnable.setStatus('mandatory')
wtWebAlarm6x6UdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6UdpRemotePort.setStatus('mandatory')
wtWebAlarm6x6SyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SyslogServerIP.setStatus('mandatory')
wtWebAlarm6x6SyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SyslogServerPort.setStatus('mandatory')
wtWebAlarm6x6SyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SyslogSystemMessagesEnable.setStatus('mandatory')
wtWebAlarm6x6SyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6SyslogEnable.setStatus('mandatory')
wtWebAlarm6x6FTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6FTPServerIP.setStatus('mandatory')
wtWebAlarm6x6FTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6FTPServerControlPort.setStatus('mandatory')
wtWebAlarm6x6FTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6FTPUserName.setStatus('mandatory')
wtWebAlarm6x6FTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6FTPPassword.setStatus('mandatory')
wtWebAlarm6x6FTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6FTPAccount.setStatus('mandatory')
wtWebAlarm6x6FTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6FTPOption.setStatus('mandatory')
wtWebAlarm6x6FTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6FTPEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmCount.setStatus('mandatory')
wtWebAlarm6x6AlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmIfTable.setStatus('mandatory')
wtWebAlarm6x6AlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmNo"))
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmIfEntry.setStatus('mandatory')
wtWebAlarm6x6AlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmNo.setStatus('mandatory')
wtWebAlarm6x6AlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmTable.setStatus('mandatory')
wtWebAlarm6x6AlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmNo"))
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmEntry.setStatus('mandatory')
wtWebAlarm6x6AlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmInputTrigger.setStatus('mandatory')
wtWebAlarm6x6AlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMaxCounterValue.setStatus('mandatory')
wtWebAlarm6x6AlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmInterval.setStatus('mandatory')
wtWebAlarm6x6AlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMailAddr.setStatus('mandatory')
wtWebAlarm6x6AlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMailSubject.setStatus('mandatory')
wtWebAlarm6x6AlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMailText.setStatus('mandatory')
wtWebAlarm6x6AlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSnmpManagerIP.setStatus('mandatory')
wtWebAlarm6x6AlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSnmpTrapText.setStatus('mandatory')
wtWebAlarm6x6AlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmUdpIpAddr.setStatus('mandatory')
wtWebAlarm6x6AlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmUdpPort.setStatus('mandatory')
wtWebAlarm6x6AlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmUdpText.setStatus('mandatory')
wtWebAlarm6x6AlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmTcpIpAddr.setStatus('mandatory')
wtWebAlarm6x6AlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmTcpPort.setStatus('mandatory')
wtWebAlarm6x6AlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmTcpText.setStatus('mandatory')
wtWebAlarm6x6AlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSyslogIpAddr.setStatus('mandatory')
wtWebAlarm6x6AlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSyslogPort.setStatus('mandatory')
wtWebAlarm6x6AlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSyslogText.setStatus('mandatory')
wtWebAlarm6x6AlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmFtpDataPort.setStatus('mandatory')
wtWebAlarm6x6AlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmFtpFileName.setStatus('mandatory')
wtWebAlarm6x6AlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmFtpText.setStatus('mandatory')
wtWebAlarm6x6AlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmFtpOption.setStatus('mandatory')
wtWebAlarm6x6AlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMailReleaseSubject.setStatus('mandatory')
wtWebAlarm6x6AlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMailReleaseText.setStatus('mandatory')
wtWebAlarm6x6AlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebAlarm6x6AlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmUdpReleaseText.setStatus('mandatory')
wtWebAlarm6x6AlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmTcpReleaseText.setStatus('mandatory')
wtWebAlarm6x6AlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSyslogReleaseText.setStatus('mandatory')
wtWebAlarm6x6AlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmFtpReleaseText.setStatus('mandatory')
wtWebAlarm6x6AlarmName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 33), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmName.setStatus('mandatory')
wtWebAlarm6x6AlarmGlobalEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 34), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmGlobalEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 35), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmCounterClear.setStatus('mandatory')
wtWebAlarm6x6AlarmAckEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 36), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmAckEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmAckPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 37), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmAckPort.setStatus('mandatory')
wtWebAlarm6x6AlarmSetPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 38), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSetPort.setStatus('mandatory')
wtWebAlarm6x6AlarmMailTrgClearSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 39), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMailTrgClearSubject.setStatus('mandatory')
wtWebAlarm6x6AlarmMailTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 40), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMailTrgClearText.setStatus('mandatory')
wtWebAlarm6x6AlarmSnmpTrapTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 41), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSnmpTrapTrgClearText.setStatus('mandatory')
wtWebAlarm6x6AlarmUdpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 42), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmUdpTrgClearText.setStatus('mandatory')
wtWebAlarm6x6AlarmTcpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 43), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmTcpTrgClearText.setStatus('mandatory')
wtWebAlarm6x6AlarmSyslogTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 44), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSyslogTrgClearText.setStatus('mandatory')
wtWebAlarm6x6AlarmFtpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 45), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmFtpTrgClearText.setStatus('mandatory')
wtWebAlarm6x6AlarmMailTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 46), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmMailTrapTxEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmSnmpTrapTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 47), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSnmpTrapTrapTxEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmUdpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 48), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmUdpTrapTxEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmTcpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 49), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmTcpTrapTxEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmSyslogTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 50), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmSyslogTrapTxEnable.setStatus('mandatory')
wtWebAlarm6x6AlarmFtpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 1, 5, 3, 1, 51), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6AlarmFtpTrapTxEnable.setStatus('mandatory')
wtWebAlarm6x6InputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebAlarm6x6InputPortTable.setStatus('mandatory')
wtWebAlarm6x6InputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebAlarm6x6InputNo"))
if mibBuilder.loadTexts: wtWebAlarm6x6InputPortEntry.setStatus('mandatory')
wtWebAlarm6x6PortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortInputName.setStatus('mandatory')
wtWebAlarm6x6PortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortInputText.setStatus('mandatory')
wtWebAlarm6x6PortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortInputFilter.setStatus('mandatory')
wtWebAlarm6x6PortInputPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortInputPulsePolarity.setStatus('mandatory')
wtWebAlarm6x6PortInputCounterSet = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 1, 1, 7), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortInputCounterSet.setStatus('mandatory')
wtWebAlarm6x6OutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebAlarm6x6OutputPortTable.setStatus('mandatory')
wtWebAlarm6x6OutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebAlarm6x6OutputNo"))
if mibBuilder.loadTexts: wtWebAlarm6x6OutputPortEntry.setStatus('mandatory')
wtWebAlarm6x6PortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortOutputName.setStatus('mandatory')
wtWebAlarm6x6PortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortOutputText.setStatus('mandatory')
wtWebAlarm6x6PortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortPulseDuration.setStatus('mandatory')
wtWebAlarm6x6PortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6PortPulsePolarity.setStatus('mandatory')
wtWebAlarm6x6MfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MfName.setStatus('mandatory')
wtWebAlarm6x6MfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MfAddr.setStatus('mandatory')
wtWebAlarm6x6MfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MfHotline.setStatus('mandatory')
wtWebAlarm6x6MfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MfInternet.setStatus('mandatory')
wtWebAlarm6x6MfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MfDeviceTyp.setStatus('mandatory')
wtWebAlarm6x6MfOrderNo = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6MfOrderNo.setStatus('mandatory')
wtWebAlarm6x6DiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6DiagErrorCount.setStatus('mandatory')
wtWebAlarm6x6DiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6DiagBinaryError.setStatus('mandatory')
wtWebAlarm6x6DiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebAlarm6x6DiagErrorIndex.setStatus('mandatory')
wtWebAlarm6x6DiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebAlarm6x6DiagErrorMessage.setStatus('mandatory')
wtWebAlarm6x6DiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebAlarm6x6DiagErrorClear.setStatus('mandatory')
wtWebAlarm6x6Alert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapText"))
wtWebAlarm6x6Alert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapReleaseText"))
wtWebAlarm6x6Alert25 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,91)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert26 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,92)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert27 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,93)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert28 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,94)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert29 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,95)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert30 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,96)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert31 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,97)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert32 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,98)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert33 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,99)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert34 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,100)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert35 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,101)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6Alert36 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,102)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6AlarmSnmpTrapTrgClearText"))
wtWebAlarm6x6AlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 20) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebAlarm6x6DiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebAlarm6x6DiagErrorMessage"))
wtWebCount6Inputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6Inputs.setStatus('mandatory')
wtWebCount6Outputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6Outputs.setStatus('mandatory')
wtWebCount6InputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 3), )
if mibBuilder.loadTexts: wtWebCount6InputTable.setStatus('mandatory')
wtWebCount6InputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebCount6InputNo"))
if mibBuilder.loadTexts: wtWebCount6InputEntry.setStatus('mandatory')
wtWebCount6InputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6InputNo.setStatus('mandatory')
wtWebCount6InputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6InputCounter.setStatus('mandatory')
wtWebCount6InputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6InputCounterClear.setStatus('mandatory')
wtWebCount6InputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebCount6InputState-OFF", 0), ("wtWebCount6InputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6InputState.setStatus('mandatory')
wtWebCount6InputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6InputValue.setStatus('mandatory')
wtWebCount6ReportOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 8), )
if mibBuilder.loadTexts: wtWebCount6ReportOutputTable.setStatus('mandatory')
wtWebCount6ReportOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 8, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebCount6ReportNo"))
if mibBuilder.loadTexts: wtWebCount6ReportOutputEntry.setStatus('mandatory')
wtWebCount6ReportOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 8, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebCount6ReportOutputState-OFF", 0), ("wtWebCount6ReportOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportOutputState.setStatus('mandatory')
wtWebCount6ReportTriggerState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 1, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebCount6ReportTriggerState-OFF", 0), ("wtWebCount6ReportTriggerState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6ReportTriggerState.setStatus('mandatory')
wtWebCount6SessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SessCntrlPassword.setStatus('mandatory')
wtWebCount6SessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebCount6SessCntrl-NoSession", 0), ("wtWebCount6SessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6SessCntrlConfigMode.setStatus('mandatory')
wtWebCount6SessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SessCntrlLogout.setStatus('mandatory')
wtWebCount6SessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SessCntrlAdminPassword.setStatus('mandatory')
wtWebCount6SessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SessCntrlConfigPassword.setStatus('mandatory')
wtWebCount6DeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6DeviceName.setStatus('mandatory')
wtWebCount6DeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6DeviceText.setStatus('mandatory')
wtWebCount6DeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6DeviceLocation.setStatus('mandatory')
wtWebCount6DeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6DeviceContact.setStatus('mandatory')
wtWebCount6TzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6TzOffsetHrs.setStatus('mandatory')
wtWebCount6TzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6TzOffsetMin.setStatus('mandatory')
wtWebCount6TzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6TzEnable.setStatus('mandatory')
wtWebCount6StTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzOffsetHrs.setStatus('mandatory')
wtWebCount6StTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzOffsetMin.setStatus('mandatory')
wtWebCount6StTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzEnable.setStatus('mandatory')
wtWebCount6StTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebCount6StartMonth-January", 1), ("wtWebCount6StartMonth-February", 2), ("wtWebCount6StartMonth-March", 3), ("wtWebCount6StartMonth-April", 4), ("wtWebCount6StartMonth-May", 5), ("wtWebCount6StartMonth-June", 6), ("wtWebCount6StartMonth-July", 7), ("wtWebCount6StartMonth-August", 8), ("wtWebCount6StartMonth-September", 9), ("wtWebCount6StartMonth-October", 10), ("wtWebCount6StartMonth-November", 11), ("wtWebCount6StartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStartMonth.setStatus('mandatory')
wtWebCount6StTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebCount6StartMode-first", 1), ("wtWebCount6StartMode-second", 2), ("wtWebCount6StartMode-third", 3), ("wtWebCount6StartMode-fourth", 4), ("wtWebCount6StartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStartMode.setStatus('mandatory')
wtWebCount6StTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebCount6StartWday-Sunday", 1), ("wtWebCount6StartWday-Monday", 2), ("wtWebCount6StartWday-Tuesday", 3), ("wtWebCount6StartWday-Thursday", 4), ("wtWebCount6StartWday-Wednesday", 5), ("wtWebCount6StartWday-Friday", 6), ("wtWebCount6StartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStartWday.setStatus('mandatory')
wtWebCount6StTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStartHrs.setStatus('mandatory')
wtWebCount6StTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStartMin.setStatus('mandatory')
wtWebCount6StTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebCount6StopMonth-January", 1), ("wtWebCount6StopMonth-February", 2), ("wtWebCount6StopMonth-March", 3), ("wtWebCount6StopMonth-April", 4), ("wtWebCount6StopMonth-May", 5), ("wtWebCount6StopMonth-June", 6), ("wtWebCount6StopMonth-July", 7), ("wtWebCount6StopMonth-August", 8), ("wtWebCount6StopMonth-September", 9), ("wtWebCount6StopMonth-October", 10), ("wtWebCount6StopMonth-November", 11), ("wtWebCount6StopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStopMonth.setStatus('mandatory')
wtWebCount6StTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebCount6StopMode-first", 1), ("wtWebCount6StopMode-second", 2), ("wtWebCount6StopMode-third", 3), ("wtWebCount6StopMode-fourth", 4), ("wtWebCount6StopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStopMode.setStatus('mandatory')
wtWebCount6StTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebCount6StopWday-Sunday", 1), ("wtWebCount6StopWday-Monday", 2), ("wtWebCount6StopWday-Tuesday", 3), ("wtWebCount6StopWday-Thursday", 4), ("wtWebCount6StopWday-Wednesday", 5), ("wtWebCount6StopWday-Friday", 6), ("wtWebCount6StopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStopWday.setStatus('mandatory')
wtWebCount6StTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStopHrs.setStatus('mandatory')
wtWebCount6StTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6StTzStopMin.setStatus('mandatory')
wtWebCount6TimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6TimeServer1.setStatus('mandatory')
wtWebCount6TimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6TimeServer2.setStatus('mandatory')
wtWebCount6TsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6TsEnable.setStatus('mandatory')
wtWebCount6TsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6TsSyncTime.setStatus('mandatory')
wtWebCount6ClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ClockHrs.setStatus('mandatory')
wtWebCount6ClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ClockMin.setStatus('mandatory')
wtWebCount6ClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ClockDay.setStatus('mandatory')
wtWebCount6ClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebCount6ClockMonth-January", 1), ("wtWebCount6ClockMonth-February", 2), ("wtWebCount6ClockMonth-March", 3), ("wtWebCount6ClockMonth-April", 4), ("wtWebCount6ClockMonth-May", 5), ("wtWebCount6ClockMonth-June", 6), ("wtWebCount6ClockMonth-July", 7), ("wtWebCount6ClockMonth-August", 8), ("wtWebCount6ClockMonth-September", 9), ("wtWebCount6ClockMonth-October", 10), ("wtWebCount6ClockMonth-November", 11), ("wtWebCount6ClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ClockMonth.setStatus('mandatory')
wtWebCount6ClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ClockYear.setStatus('mandatory')
wtWebCount6IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6IpAddress.setStatus('mandatory')
wtWebCount6SubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SubnetMask.setStatus('mandatory')
wtWebCount6Gateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6Gateway.setStatus('mandatory')
wtWebCount6DnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6DnsServer1.setStatus('mandatory')
wtWebCount6DnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6DnsServer2.setStatus('mandatory')
wtWebCount6AddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6AddConfig.setStatus('mandatory')
wtWebCount6HttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6HttpPort.setStatus('mandatory')
wtWebCount6MailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MailAdName.setStatus('mandatory')
wtWebCount6MailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MailReply.setStatus('mandatory')
wtWebCount6MailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MailServer.setStatus('mandatory')
wtWebCount6MailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MailEnable.setStatus('mandatory')
wtWebCount6MailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MailAuthentication.setStatus('mandatory')
wtWebCount6MailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MailAuthUser.setStatus('mandatory')
wtWebCount6MailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MailAuthPassword.setStatus('mandatory')
wtWebCount6MailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MailPop3Server.setStatus('mandatory')
wtWebCount6SnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SnmpEnable.setStatus('mandatory')
wtWebCount6SnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SnmpCommunityStringRead.setStatus('mandatory')
wtWebCount6SnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebCount6SnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebCount6SnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SnmpSystemTrapEnable.setStatus('mandatory')
wtWebCount6UdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6UdpAdminPort.setStatus('mandatory')
wtWebCount6UdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6UdpEnable.setStatus('mandatory')
wtWebCount6UdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6UdpRemotePort.setStatus('mandatory')
wtWebCount6SyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SyslogServerIP.setStatus('mandatory')
wtWebCount6SyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SyslogServerPort.setStatus('mandatory')
wtWebCount6SyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SyslogSystemMessagesEnable.setStatus('mandatory')
wtWebCount6SyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6SyslogEnable.setStatus('mandatory')
wtWebCount6FTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6FTPServerIP.setStatus('mandatory')
wtWebCount6FTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6FTPServerControlPort.setStatus('mandatory')
wtWebCount6FTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6FTPUserName.setStatus('mandatory')
wtWebCount6FTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6FTPPassword.setStatus('mandatory')
wtWebCount6FTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6FTPAccount.setStatus('mandatory')
wtWebCount6FTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6FTPOption.setStatus('mandatory')
wtWebCount6FTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6FTPEnable.setStatus('mandatory')
wtWebCount6ReportCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6ReportCount.setStatus('mandatory')
wtWebCount6ReportIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebCount6ReportIfTable.setStatus('mandatory')
wtWebCount6ReportIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebCount6ReportNo"))
if mibBuilder.loadTexts: wtWebCount6ReportIfEntry.setStatus('mandatory')
wtWebCount6ReportNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6ReportNo.setStatus('mandatory')
wtWebCount6ReportTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebCount6ReportTable.setStatus('mandatory')
wtWebCount6ReportEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebCount6ReportNo"))
if mibBuilder.loadTexts: wtWebCount6ReportEntry.setStatus('mandatory')
wtWebCount6ReportInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportInputTrigger.setStatus('mandatory')
wtWebCount6ReportSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportSystemTrigger.setStatus('mandatory')
wtWebCount6ReportMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportMaxCounterValue.setStatus('mandatory')
wtWebCount6ReportInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportInterval.setStatus('mandatory')
wtWebCount6ReportEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportEnable.setStatus('mandatory')
wtWebCount6ReportMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportMailAddr.setStatus('mandatory')
wtWebCount6ReportMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportMailSubject.setStatus('mandatory')
wtWebCount6ReportMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportMailText.setStatus('mandatory')
wtWebCount6ReportSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportSnmpManagerIP.setStatus('mandatory')
wtWebCount6ReportSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportSnmpTrapText.setStatus('mandatory')
wtWebCount6ReportUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportUdpIpAddr.setStatus('mandatory')
wtWebCount6ReportUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportUdpPort.setStatus('mandatory')
wtWebCount6ReportUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportUdpText.setStatus('mandatory')
wtWebCount6ReportTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportTcpIpAddr.setStatus('mandatory')
wtWebCount6ReportTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportTcpPort.setStatus('mandatory')
wtWebCount6ReportTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportTcpText.setStatus('mandatory')
wtWebCount6ReportSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportSyslogIpAddr.setStatus('mandatory')
wtWebCount6ReportSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportSyslogPort.setStatus('mandatory')
wtWebCount6ReportSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportSyslogText.setStatus('mandatory')
wtWebCount6ReportFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportFtpDataPort.setStatus('mandatory')
wtWebCount6ReportFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportFtpFileName.setStatus('mandatory')
wtWebCount6ReportFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportFtpText.setStatus('mandatory')
wtWebCount6ReportFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportFtpOption.setStatus('mandatory')
wtWebCount6ReportTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportTimerCron.setStatus('mandatory')
wtWebCount6ReportName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 33), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportName.setStatus('mandatory')
wtWebCount6ReportGlobalEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 34), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportGlobalEnable.setStatus('mandatory')
wtWebCount6ReportCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 35), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportCounterClear.setStatus('mandatory')
wtWebCount6ReportRateOfChange = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 52), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportRateOfChange.setStatus('mandatory')
wtWebCount6ReportRateOfChangeWindow = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 53), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportRateOfChangeWindow.setStatus('mandatory')
wtWebCount6ReportRateOfChangeMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 1, 5, 3, 1, 54), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6ReportRateOfChangeMode.setStatus('mandatory')
wtWebCount6InputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebCount6InputPortTable.setStatus('mandatory')
wtWebCount6InputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebCount6InputNo"))
if mibBuilder.loadTexts: wtWebCount6InputPortEntry.setStatus('mandatory')
wtWebCount6PortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputName.setStatus('mandatory')
wtWebCount6PortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputText.setStatus('mandatory')
wtWebCount6PortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputMode.setStatus('mandatory')
wtWebCount6PortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputFilter.setStatus('mandatory')
wtWebCount6PortInputPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputPulsePolarity.setStatus('mandatory')
wtWebCount6PortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputBicountInactivTimeout.setStatus('mandatory')
wtWebCount6PortInputCounterSet = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 7), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputCounterSet.setStatus('mandatory')
wtWebCount6PortInputCounterScale = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputCounterScale.setStatus('mandatory')
wtWebCount6PortInputCounterUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 2, 1, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6PortInputCounterUnit.setStatus('mandatory')
wtWebCount6MfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MfName.setStatus('mandatory')
wtWebCount6MfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MfAddr.setStatus('mandatory')
wtWebCount6MfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MfHotline.setStatus('mandatory')
wtWebCount6MfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MfInternet.setStatus('mandatory')
wtWebCount6MfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MfDeviceTyp.setStatus('mandatory')
wtWebCount6MfOrderNo = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6MfOrderNo.setStatus('mandatory')
wtWebCount6DiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6DiagErrorCount.setStatus('mandatory')
wtWebCount6DiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6DiagBinaryError.setStatus('mandatory')
wtWebCount6DiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebCount6DiagErrorIndex.setStatus('mandatory')
wtWebCount6DiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebCount6DiagErrorMessage.setStatus('mandatory')
wtWebCount6DiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebCount6DiagErrorClear.setStatus('mandatory')
wtWebCount6Alert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6Alert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6ReportSnmpTrapText"))
wtWebCount6AlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 22) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebCount6DiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebCount6DiagErrorMessage"))
wtWebioEA6x6Inputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6Inputs.setStatus('mandatory')
wtWebioEA6x6Outputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6Outputs.setStatus('mandatory')
wtWebioEA6x6InputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA6x6InputTable.setStatus('mandatory')
wtWebioEA6x6InputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6InputNo"))
if mibBuilder.loadTexts: wtWebioEA6x6InputEntry.setStatus('mandatory')
wtWebioEA6x6InputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6InputNo.setStatus('mandatory')
wtWebioEA6x6InputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6InputCounter.setStatus('mandatory')
wtWebioEA6x6InputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6InputCounterClear.setStatus('mandatory')
wtWebioEA6x6InputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA6x6InputState-OFF", 0), ("wtWebioEA6x6InputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6InputState.setStatus('mandatory')
wtWebioEA6x6InputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6InputValue.setStatus('mandatory')
wtWebioEA6x6OutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA6x6OutputTable.setStatus('mandatory')
wtWebioEA6x6OutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6OutputNo"))
if mibBuilder.loadTexts: wtWebioEA6x6OutputEntry.setStatus('mandatory')
wtWebioEA6x6OutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6OutputNo.setStatus('mandatory')
wtWebioEA6x6OutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA6x6OutputState-OFF", 0), ("wtWebioEA6x6OutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6OutputState.setStatus('mandatory')
wtWebioEA6x6OutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6OutputValue.setStatus('mandatory')
wtWebioEA6x6SetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SetOutput.setStatus('mandatory')
wtWebioEA6x6SessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SessCntrlPassword.setStatus('mandatory')
wtWebioEA6x6SessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA6x6SessCntrl-NoSession", 0), ("wtWebioEA6x6SessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6SessCntrlConfigMode.setStatus('mandatory')
wtWebioEA6x6SessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SessCntrlLogout.setStatus('mandatory')
wtWebioEA6x6SessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA6x6SessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA6x6DeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6DeviceName.setStatus('mandatory')
wtWebioEA6x6DeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6DeviceText.setStatus('mandatory')
wtWebioEA6x6DeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6DeviceLocation.setStatus('mandatory')
wtWebioEA6x6DeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6DeviceContact.setStatus('mandatory')
wtWebioEA6x6TzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6TzOffsetHrs.setStatus('mandatory')
wtWebioEA6x6TzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6TzOffsetMin.setStatus('mandatory')
wtWebioEA6x6TzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6TzEnable.setStatus('mandatory')
wtWebioEA6x6StTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzOffsetHrs.setStatus('mandatory')
wtWebioEA6x6StTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzOffsetMin.setStatus('mandatory')
wtWebioEA6x6StTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzEnable.setStatus('mandatory')
wtWebioEA6x6StTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA6x6StartMonth-January", 1), ("wtWebioEA6x6StartMonth-February", 2), ("wtWebioEA6x6StartMonth-March", 3), ("wtWebioEA6x6StartMonth-April", 4), ("wtWebioEA6x6StartMonth-May", 5), ("wtWebioEA6x6StartMonth-June", 6), ("wtWebioEA6x6StartMonth-July", 7), ("wtWebioEA6x6StartMonth-August", 8), ("wtWebioEA6x6StartMonth-September", 9), ("wtWebioEA6x6StartMonth-October", 10), ("wtWebioEA6x6StartMonth-November", 11), ("wtWebioEA6x6StartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStartMonth.setStatus('mandatory')
wtWebioEA6x6StTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA6x6StartMode-first", 1), ("wtWebioEA6x6StartMode-second", 2), ("wtWebioEA6x6StartMode-third", 3), ("wtWebioEA6x6StartMode-fourth", 4), ("wtWebioEA6x6StartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStartMode.setStatus('mandatory')
wtWebioEA6x6StTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA6x6StartWday-Sunday", 1), ("wtWebioEA6x6StartWday-Monday", 2), ("wtWebioEA6x6StartWday-Tuesday", 3), ("wtWebioEA6x6StartWday-Thursday", 4), ("wtWebioEA6x6StartWday-Wednesday", 5), ("wtWebioEA6x6StartWday-Friday", 6), ("wtWebioEA6x6StartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStartWday.setStatus('mandatory')
wtWebioEA6x6StTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStartHrs.setStatus('mandatory')
wtWebioEA6x6StTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStartMin.setStatus('mandatory')
wtWebioEA6x6StTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA6x6StopMonth-January", 1), ("wtWebioEA6x6StopMonth-February", 2), ("wtWebioEA6x6StopMonth-March", 3), ("wtWebioEA6x6StopMonth-April", 4), ("wtWebioEA6x6StopMonth-May", 5), ("wtWebioEA6x6StopMonth-June", 6), ("wtWebioEA6x6StopMonth-July", 7), ("wtWebioEA6x6StopMonth-August", 8), ("wtWebioEA6x6StopMonth-September", 9), ("wtWebioEA6x6StopMonth-October", 10), ("wtWebioEA6x6StopMonth-November", 11), ("wtWebioEA6x6StopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStopMonth.setStatus('mandatory')
wtWebioEA6x6StTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA6x6StopMode-first", 1), ("wtWebioEA6x6StopMode-second", 2), ("wtWebioEA6x6StopMode-third", 3), ("wtWebioEA6x6StopMode-fourth", 4), ("wtWebioEA6x6StopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStopMode.setStatus('mandatory')
wtWebioEA6x6StTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA6x6StopWday-Sunday", 1), ("wtWebioEA6x6StopWday-Monday", 2), ("wtWebioEA6x6StopWday-Tuesday", 3), ("wtWebioEA6x6StopWday-Thursday", 4), ("wtWebioEA6x6StopWday-Wednesday", 5), ("wtWebioEA6x6StopWday-Friday", 6), ("wtWebioEA6x6StopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStopWday.setStatus('mandatory')
wtWebioEA6x6StTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStopHrs.setStatus('mandatory')
wtWebioEA6x6StTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6StTzStopMin.setStatus('mandatory')
wtWebioEA6x6TimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6TimeServer1.setStatus('mandatory')
wtWebioEA6x6TimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6TimeServer2.setStatus('mandatory')
wtWebioEA6x6TsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6TsEnable.setStatus('mandatory')
wtWebioEA6x6TsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6TsSyncTime.setStatus('mandatory')
wtWebioEA6x6ClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6ClockHrs.setStatus('mandatory')
wtWebioEA6x6ClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6ClockMin.setStatus('mandatory')
wtWebioEA6x6ClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6ClockDay.setStatus('mandatory')
wtWebioEA6x6ClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA6x6ClockMonth-January", 1), ("wtWebioEA6x6ClockMonth-February", 2), ("wtWebioEA6x6ClockMonth-March", 3), ("wtWebioEA6x6ClockMonth-April", 4), ("wtWebioEA6x6ClockMonth-May", 5), ("wtWebioEA6x6ClockMonth-June", 6), ("wtWebioEA6x6ClockMonth-July", 7), ("wtWebioEA6x6ClockMonth-August", 8), ("wtWebioEA6x6ClockMonth-September", 9), ("wtWebioEA6x6ClockMonth-October", 10), ("wtWebioEA6x6ClockMonth-November", 11), ("wtWebioEA6x6ClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6ClockMonth.setStatus('mandatory')
wtWebioEA6x6ClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6ClockYear.setStatus('mandatory')
wtWebioEA6x6IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6IpAddress.setStatus('mandatory')
wtWebioEA6x6SubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SubnetMask.setStatus('mandatory')
wtWebioEA6x6Gateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6Gateway.setStatus('mandatory')
wtWebioEA6x6DnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6DnsServer1.setStatus('mandatory')
wtWebioEA6x6DnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6DnsServer2.setStatus('mandatory')
wtWebioEA6x6AddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AddConfig.setStatus('mandatory')
wtWebioEA6x6Startup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6Startup.setStatus('mandatory')
wtWebioEA6x6GetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6GetHeaderEnable.setStatus('mandatory')
wtWebioEA6x6HttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6HttpInputTrigger.setStatus('mandatory')
wtWebioEA6x6HttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6HttpPort.setStatus('mandatory')
wtWebioEA6x6MailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MailAdName.setStatus('mandatory')
wtWebioEA6x6MailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MailReply.setStatus('mandatory')
wtWebioEA6x6MailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MailServer.setStatus('mandatory')
wtWebioEA6x6MailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MailEnable.setStatus('mandatory')
wtWebioEA6x6MailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MailAuthentication.setStatus('mandatory')
wtWebioEA6x6MailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MailAuthUser.setStatus('mandatory')
wtWebioEA6x6MailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MailAuthPassword.setStatus('mandatory')
wtWebioEA6x6MailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MailPop3Server.setStatus('mandatory')
wtWebioEA6x6SnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SnmpEnable.setStatus('mandatory')
wtWebioEA6x6SnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA6x6SnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA6x6SnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA6x6SnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA6x6UdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6UdpAdminPort.setStatus('mandatory')
wtWebioEA6x6UdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6UdpEnable.setStatus('mandatory')
wtWebioEA6x6UdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6UdpRemotePort.setStatus('mandatory')
wtWebioEA6x6BinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryModeCount.setStatus('mandatory')
wtWebioEA6x6BinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA6x6BinaryIfTable.setStatus('mandatory')
wtWebioEA6x6BinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6BinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA6x6BinaryIfEntry.setStatus('mandatory')
wtWebioEA6x6BinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryModeNo.setStatus('mandatory')
wtWebioEA6x6BinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTable.setStatus('mandatory')
wtWebioEA6x6BinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6BinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA6x6BinaryEntry.setStatus('mandatory')
wtWebioEA6x6BinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryOperationMode.setStatus('mandatory')
wtWebioEA6x6BinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA6x6BinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA6x6BinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA6x6BinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA6x6BinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA6x6BinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA6x6BinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA6x6BinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA6x6BinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA6x6BinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryConnectedPort.setStatus('mandatory')
wtWebioEA6x6BinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA6x6BinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA6x6BinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6BinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA6x6SyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SyslogServerIP.setStatus('mandatory')
wtWebioEA6x6SyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SyslogServerPort.setStatus('mandatory')
wtWebioEA6x6SyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA6x6SyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SyslogEnable.setStatus('mandatory')
wtWebioEA6x6FTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6FTPServerIP.setStatus('mandatory')
wtWebioEA6x6FTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6FTPServerControlPort.setStatus('mandatory')
wtWebioEA6x6FTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6FTPUserName.setStatus('mandatory')
wtWebioEA6x6FTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6FTPPassword.setStatus('mandatory')
wtWebioEA6x6FTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6FTPAccount.setStatus('mandatory')
wtWebioEA6x6FTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6FTPOption.setStatus('mandatory')
wtWebioEA6x6FTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6FTPEnable.setStatus('mandatory')
wtWebioEA6x6OutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA6x6OutputModeTable.setStatus('mandatory')
wtWebioEA6x6OutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6OutputNo"))
if mibBuilder.loadTexts: wtWebioEA6x6OutputModeEntry.setStatus('mandatory')
wtWebioEA6x6OutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6OutputModeBit.setStatus('mandatory')
wtWebioEA6x6SafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6SafetyTimeout.setStatus('mandatory')
wtWebioEA6x6AlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmCount.setStatus('mandatory')
wtWebioEA6x6AlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA6x6AlarmIfTable.setStatus('mandatory')
wtWebioEA6x6AlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6AlarmNo"))
if mibBuilder.loadTexts: wtWebioEA6x6AlarmIfEntry.setStatus('mandatory')
wtWebioEA6x6AlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmNo.setStatus('mandatory')
wtWebioEA6x6AlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA6x6AlarmTable.setStatus('mandatory')
wtWebioEA6x6AlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6AlarmNo"))
if mibBuilder.loadTexts: wtWebioEA6x6AlarmEntry.setStatus('mandatory')
wtWebioEA6x6AlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmInputTrigger.setStatus('mandatory')
wtWebioEA6x6AlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmOutputTrigger.setStatus('mandatory')
wtWebioEA6x6AlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmSystemTrigger.setStatus('mandatory')
wtWebioEA6x6AlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA6x6AlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmInterval.setStatus('mandatory')
wtWebioEA6x6AlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmEnable.setStatus('mandatory')
wtWebioEA6x6AlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmMailAddr.setStatus('mandatory')
wtWebioEA6x6AlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmMailSubject.setStatus('mandatory')
wtWebioEA6x6AlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmMailText.setStatus('mandatory')
wtWebioEA6x6AlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA6x6AlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA6x6AlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA6x6AlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmUdpPort.setStatus('mandatory')
wtWebioEA6x6AlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmUdpText.setStatus('mandatory')
wtWebioEA6x6AlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA6x6AlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmTcpPort.setStatus('mandatory')
wtWebioEA6x6AlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmTcpText.setStatus('mandatory')
wtWebioEA6x6AlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA6x6AlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmSyslogPort.setStatus('mandatory')
wtWebioEA6x6AlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmSyslogText.setStatus('mandatory')
wtWebioEA6x6AlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmFtpDataPort.setStatus('mandatory')
wtWebioEA6x6AlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmFtpFileName.setStatus('mandatory')
wtWebioEA6x6AlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmFtpText.setStatus('mandatory')
wtWebioEA6x6AlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmFtpOption.setStatus('mandatory')
wtWebioEA6x6AlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmTimerCron.setStatus('mandatory')
wtWebioEA6x6AlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmMailReleaseSubject.setStatus('mandatory')
wtWebioEA6x6AlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmMailReleaseText.setStatus('mandatory')
wtWebioEA6x6AlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebioEA6x6AlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmUdpReleaseText.setStatus('mandatory')
wtWebioEA6x6AlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmTcpReleaseText.setStatus('mandatory')
wtWebioEA6x6AlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmSyslogReleaseText.setStatus('mandatory')
wtWebioEA6x6AlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6AlarmFtpReleaseText.setStatus('mandatory')
wtWebioEA6x6InputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA6x6InputPortTable.setStatus('mandatory')
wtWebioEA6x6InputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6InputNo"))
if mibBuilder.loadTexts: wtWebioEA6x6InputPortEntry.setStatus('mandatory')
wtWebioEA6x6PortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortInputName.setStatus('mandatory')
wtWebioEA6x6PortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortInputText.setStatus('mandatory')
wtWebioEA6x6PortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortInputMode.setStatus('mandatory')
wtWebioEA6x6PortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortInputFilter.setStatus('mandatory')
wtWebioEA6x6PortInputBicountPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortInputBicountPulsePolarity.setStatus('mandatory')
wtWebioEA6x6PortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortInputBicountInactivTimeout.setStatus('mandatory')
wtWebioEA6x6OutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA6x6OutputPortTable.setStatus('mandatory')
wtWebioEA6x6OutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA6x6OutputNo"))
if mibBuilder.loadTexts: wtWebioEA6x6OutputPortEntry.setStatus('mandatory')
wtWebioEA6x6PortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortOutputName.setStatus('mandatory')
wtWebioEA6x6PortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortOutputText.setStatus('mandatory')
wtWebioEA6x6PortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortOutputGroupMode.setStatus('mandatory')
wtWebioEA6x6PortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortOutputSafetyState.setStatus('mandatory')
wtWebioEA6x6PortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortLogicInputMask.setStatus('mandatory')
wtWebioEA6x6PortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortLogicInputInverter.setStatus('mandatory')
wtWebioEA6x6PortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortLogicFunction.setStatus('mandatory')
wtWebioEA6x6PortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortLogicOutputInverter.setStatus('mandatory')
wtWebioEA6x6PortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortPulseDuration.setStatus('mandatory')
wtWebioEA6x6PortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6PortPulsePolarity.setStatus('mandatory')
wtWebioEA6x6MfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MfName.setStatus('mandatory')
wtWebioEA6x6MfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MfAddr.setStatus('mandatory')
wtWebioEA6x6MfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MfHotline.setStatus('mandatory')
wtWebioEA6x6MfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MfInternet.setStatus('mandatory')
wtWebioEA6x6MfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6MfDeviceTyp.setStatus('mandatory')
wtWebioEA6x6DiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6DiagErrorCount.setStatus('mandatory')
wtWebioEA6x6DiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6DiagBinaryError.setStatus('mandatory')
wtWebioEA6x6DiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA6x6DiagErrorIndex.setStatus('mandatory')
wtWebioEA6x6DiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA6x6DiagErrorMessage.setStatus('mandatory')
wtWebioEA6x6DiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA6x6DiagErrorClear.setStatus('mandatory')
wtWebioEA6x6Alert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapText"))
wtWebioEA6x6Alert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6Alert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6AlarmSnmpTrapReleaseText"))
wtWebioEA6x6AlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 24) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA6x6DiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA6x6DiagErrorMessage"))
wtWebioEA2x2ERPInputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputs.setStatus('mandatory')
wtWebioEA2x2ERPOutputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputs.setStatus('mandatory')
wtWebioEA2x2ERPInputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputTable.setStatus('mandatory')
wtWebioEA2x2ERPInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPInputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputEntry.setStatus('mandatory')
wtWebioEA2x2ERPInputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputNo.setStatus('mandatory')
wtWebioEA2x2ERPInputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputCounter.setStatus('mandatory')
wtWebioEA2x2ERPInputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputCounterClear.setStatus('mandatory')
wtWebioEA2x2ERPInputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPInputState-OFF", 0), ("wtWebioEA2x2ERPInputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputState.setStatus('mandatory')
wtWebioEA2x2ERPInputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputValue.setStatus('mandatory')
wtWebioEA2x2ERPOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputTable.setStatus('mandatory')
wtWebioEA2x2ERPOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputEntry.setStatus('mandatory')
wtWebioEA2x2ERPOutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputNo.setStatus('mandatory')
wtWebioEA2x2ERPOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPOutputState-OFF", 0), ("wtWebioEA2x2ERPOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputState.setStatus('mandatory')
wtWebioEA2x2ERPOutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputValue.setStatus('mandatory')
wtWebioEA2x2ERPSetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSetOutput.setStatus('mandatory')
wtWebioEA2x2ERPSessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSessCntrlPassword.setStatus('mandatory')
wtWebioEA2x2ERPSessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPSessCntrl-NoSession", 0), ("wtWebioEA2x2ERPSessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSessCntrlConfigMode.setStatus('mandatory')
wtWebioEA2x2ERPSessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSessCntrlLogout.setStatus('mandatory')
wtWebioEA2x2ERPSessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA2x2ERPSessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA2x2ERPDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDeviceName.setStatus('mandatory')
wtWebioEA2x2ERPDeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDeviceText.setStatus('mandatory')
wtWebioEA2x2ERPDeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDeviceLocation.setStatus('mandatory')
wtWebioEA2x2ERPDeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDeviceContact.setStatus('mandatory')
wtWebioEA2x2ERPTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPTzOffsetHrs.setStatus('mandatory')
wtWebioEA2x2ERPTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPTzOffsetMin.setStatus('mandatory')
wtWebioEA2x2ERPTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPTzEnable.setStatus('mandatory')
wtWebioEA2x2ERPStTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzOffsetHrs.setStatus('mandatory')
wtWebioEA2x2ERPStTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzOffsetMin.setStatus('mandatory')
wtWebioEA2x2ERPStTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzEnable.setStatus('mandatory')
wtWebioEA2x2ERPStTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPStartMonth-January", 1), ("wtWebioEA2x2ERPStartMonth-February", 2), ("wtWebioEA2x2ERPStartMonth-March", 3), ("wtWebioEA2x2ERPStartMonth-April", 4), ("wtWebioEA2x2ERPStartMonth-May", 5), ("wtWebioEA2x2ERPStartMonth-June", 6), ("wtWebioEA2x2ERPStartMonth-July", 7), ("wtWebioEA2x2ERPStartMonth-August", 8), ("wtWebioEA2x2ERPStartMonth-September", 9), ("wtWebioEA2x2ERPStartMonth-October", 10), ("wtWebioEA2x2ERPStartMonth-November", 11), ("wtWebioEA2x2ERPStartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStartMonth.setStatus('mandatory')
wtWebioEA2x2ERPStTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPStartMode-first", 1), ("wtWebioEA2x2ERPStartMode-second", 2), ("wtWebioEA2x2ERPStartMode-third", 3), ("wtWebioEA2x2ERPStartMode-fourth", 4), ("wtWebioEA2x2ERPStartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStartMode.setStatus('mandatory')
wtWebioEA2x2ERPStTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPStartWday-Sunday", 1), ("wtWebioEA2x2ERPStartWday-Monday", 2), ("wtWebioEA2x2ERPStartWday-Tuesday", 3), ("wtWebioEA2x2ERPStartWday-Thursday", 4), ("wtWebioEA2x2ERPStartWday-Wednesday", 5), ("wtWebioEA2x2ERPStartWday-Friday", 6), ("wtWebioEA2x2ERPStartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStartWday.setStatus('mandatory')
wtWebioEA2x2ERPStTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStartHrs.setStatus('mandatory')
wtWebioEA2x2ERPStTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStartMin.setStatus('mandatory')
wtWebioEA2x2ERPStTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPStopMonth-January", 1), ("wtWebioEA2x2ERPStopMonth-February", 2), ("wtWebioEA2x2ERPStopMonth-March", 3), ("wtWebioEA2x2ERPStopMonth-April", 4), ("wtWebioEA2x2ERPStopMonth-May", 5), ("wtWebioEA2x2ERPStopMonth-June", 6), ("wtWebioEA2x2ERPStopMonth-July", 7), ("wtWebioEA2x2ERPStopMonth-August", 8), ("wtWebioEA2x2ERPStopMonth-September", 9), ("wtWebioEA2x2ERPStopMonth-October", 10), ("wtWebioEA2x2ERPStopMonth-November", 11), ("wtWebioEA2x2ERPStopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStopMonth.setStatus('mandatory')
wtWebioEA2x2ERPStTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPStopMode-first", 1), ("wtWebioEA2x2ERPStopMode-second", 2), ("wtWebioEA2x2ERPStopMode-third", 3), ("wtWebioEA2x2ERPStopMode-fourth", 4), ("wtWebioEA2x2ERPStopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStopMode.setStatus('mandatory')
wtWebioEA2x2ERPStTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPStopWday-Sunday", 1), ("wtWebioEA2x2ERPStopWday-Monday", 2), ("wtWebioEA2x2ERPStopWday-Tuesday", 3), ("wtWebioEA2x2ERPStopWday-Thursday", 4), ("wtWebioEA2x2ERPStopWday-Wednesday", 5), ("wtWebioEA2x2ERPStopWday-Friday", 6), ("wtWebioEA2x2ERPStopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStopWday.setStatus('mandatory')
wtWebioEA2x2ERPStTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStopHrs.setStatus('mandatory')
wtWebioEA2x2ERPStTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStTzStopMin.setStatus('mandatory')
wtWebioEA2x2ERPTimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPTimeServer1.setStatus('mandatory')
wtWebioEA2x2ERPTimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPTimeServer2.setStatus('mandatory')
wtWebioEA2x2ERPTsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPTsEnable.setStatus('mandatory')
wtWebioEA2x2ERPTsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPTsSyncTime.setStatus('mandatory')
wtWebioEA2x2ERPClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPClockHrs.setStatus('mandatory')
wtWebioEA2x2ERPClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPClockMin.setStatus('mandatory')
wtWebioEA2x2ERPClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPClockDay.setStatus('mandatory')
wtWebioEA2x2ERPClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2ERPClockMonth-January", 1), ("wtWebioEA2x2ERPClockMonth-February", 2), ("wtWebioEA2x2ERPClockMonth-March", 3), ("wtWebioEA2x2ERPClockMonth-April", 4), ("wtWebioEA2x2ERPClockMonth-May", 5), ("wtWebioEA2x2ERPClockMonth-June", 6), ("wtWebioEA2x2ERPClockMonth-July", 7), ("wtWebioEA2x2ERPClockMonth-August", 8), ("wtWebioEA2x2ERPClockMonth-September", 9), ("wtWebioEA2x2ERPClockMonth-October", 10), ("wtWebioEA2x2ERPClockMonth-November", 11), ("wtWebioEA2x2ERPClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPClockMonth.setStatus('mandatory')
wtWebioEA2x2ERPClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPClockYear.setStatus('mandatory')
wtWebioEA2x2ERPIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPIpAddress.setStatus('mandatory')
wtWebioEA2x2ERPSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSubnetMask.setStatus('mandatory')
wtWebioEA2x2ERPGateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPGateway.setStatus('mandatory')
wtWebioEA2x2ERPDnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDnsServer1.setStatus('mandatory')
wtWebioEA2x2ERPDnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDnsServer2.setStatus('mandatory')
wtWebioEA2x2ERPAddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAddConfig.setStatus('mandatory')
wtWebioEA2x2ERPStartup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPStartup.setStatus('mandatory')
wtWebioEA2x2ERPGetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPGetHeaderEnable.setStatus('mandatory')
wtWebioEA2x2ERPHttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPHttpInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERPHttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPHttpPort.setStatus('mandatory')
wtWebioEA2x2ERPMailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMailAdName.setStatus('mandatory')
wtWebioEA2x2ERPMailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMailReply.setStatus('mandatory')
wtWebioEA2x2ERPMailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMailServer.setStatus('mandatory')
wtWebioEA2x2ERPMailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMailEnable.setStatus('mandatory')
wtWebioEA2x2ERPMailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMailAuthentication.setStatus('mandatory')
wtWebioEA2x2ERPMailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMailAuthUser.setStatus('mandatory')
wtWebioEA2x2ERPMailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMailAuthPassword.setStatus('mandatory')
wtWebioEA2x2ERPMailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMailPop3Server.setStatus('mandatory')
wtWebioEA2x2ERPSnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSnmpEnable.setStatus('mandatory')
wtWebioEA2x2ERPSnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA2x2ERPSnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA2x2ERPSnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA2x2ERPSnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA2x2ERPUdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPUdpAdminPort.setStatus('mandatory')
wtWebioEA2x2ERPUdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPUdpEnable.setStatus('mandatory')
wtWebioEA2x2ERPUdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPUdpRemotePort.setStatus('mandatory')
wtWebioEA2x2ERPBinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryModeCount.setStatus('mandatory')
wtWebioEA2x2ERPBinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryIfTable.setStatus('mandatory')
wtWebioEA2x2ERPBinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryIfEntry.setStatus('mandatory')
wtWebioEA2x2ERPBinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryModeNo.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTable.setStatus('mandatory')
wtWebioEA2x2ERPBinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryEntry.setStatus('mandatory')
wtWebioEA2x2ERPBinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryOperationMode.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA2x2ERPBinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA2x2ERPBinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA2x2ERPBinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA2x2ERPBinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERPBinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA2x2ERPBinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA2x2ERPBinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryConnectedPort.setStatus('mandatory')
wtWebioEA2x2ERPBinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA2x2ERPBinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPBinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA2x2ERPSyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSyslogServerIP.setStatus('mandatory')
wtWebioEA2x2ERPSyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSyslogServerPort.setStatus('mandatory')
wtWebioEA2x2ERPSyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA2x2ERPSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSyslogEnable.setStatus('mandatory')
wtWebioEA2x2ERPFTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPFTPServerIP.setStatus('mandatory')
wtWebioEA2x2ERPFTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPFTPServerControlPort.setStatus('mandatory')
wtWebioEA2x2ERPFTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPFTPUserName.setStatus('mandatory')
wtWebioEA2x2ERPFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPFTPPassword.setStatus('mandatory')
wtWebioEA2x2ERPFTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPFTPAccount.setStatus('mandatory')
wtWebioEA2x2ERPFTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPFTPOption.setStatus('mandatory')
wtWebioEA2x2ERPFTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPFTPEnable.setStatus('mandatory')
wtWebioEA2x2ERPWayBackEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 10, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPWayBackEnable.setStatus('mandatory')
wtWebioEA2x2ERPWayBackServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 10, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPWayBackServerControlPort.setStatus('mandatory')
wtWebioEA2x2ERPWayBackFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 10, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPWayBackFTPPassword.setStatus('mandatory')
wtWebioEA2x2ERPWayBackFTPResponse = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 10, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPWayBackFTPResponse.setStatus('mandatory')
wtWebioEA2x2ERPWayBackFTPTimeOut = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 3, 10, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPWayBackFTPTimeOut.setStatus('mandatory')
wtWebioEA2x2ERPOutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputModeTable.setStatus('mandatory')
wtWebioEA2x2ERPOutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputModeEntry.setStatus('mandatory')
wtWebioEA2x2ERPOutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputModeBit.setStatus('mandatory')
wtWebioEA2x2ERPSafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPSafetyTimeout.setStatus('mandatory')
wtWebioEA2x2ERPLoadControlEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPLoadControlEnable.setStatus('mandatory')
wtWebioEA2x2ERPAlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmCount.setStatus('mandatory')
wtWebioEA2x2ERPAlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmIfTable.setStatus('mandatory')
wtWebioEA2x2ERPAlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmIfEntry.setStatus('mandatory')
wtWebioEA2x2ERPAlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmNo.setStatus('mandatory')
wtWebioEA2x2ERPAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmTable.setStatus('mandatory')
wtWebioEA2x2ERPAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmEntry.setStatus('mandatory')
wtWebioEA2x2ERPAlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERPAlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmOutputTrigger.setStatus('mandatory')
wtWebioEA2x2ERPAlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmSystemTrigger.setStatus('mandatory')
wtWebioEA2x2ERPAlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA2x2ERPAlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmInterval.setStatus('mandatory')
wtWebioEA2x2ERPAlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmEnable.setStatus('mandatory')
wtWebioEA2x2ERPAlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmMailAddr.setStatus('mandatory')
wtWebioEA2x2ERPAlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmMailSubject.setStatus('mandatory')
wtWebioEA2x2ERPAlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmMailText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA2x2ERPAlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA2x2ERPAlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmUdpPort.setStatus('mandatory')
wtWebioEA2x2ERPAlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmUdpText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA2x2ERPAlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmTcpPort.setStatus('mandatory')
wtWebioEA2x2ERPAlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmTcpText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA2x2ERPAlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmSyslogPort.setStatus('mandatory')
wtWebioEA2x2ERPAlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmSyslogText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmFtpDataPort.setStatus('mandatory')
wtWebioEA2x2ERPAlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmFtpFileName.setStatus('mandatory')
wtWebioEA2x2ERPAlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmFtpText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmFtpOption.setStatus('mandatory')
wtWebioEA2x2ERPAlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmTimerCron.setStatus('mandatory')
wtWebioEA2x2ERPAlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmMailReleaseSubject.setStatus('mandatory')
wtWebioEA2x2ERPAlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmMailReleaseText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmUdpReleaseText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmTcpReleaseText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmSyslogReleaseText.setStatus('mandatory')
wtWebioEA2x2ERPAlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPAlarmFtpReleaseText.setStatus('mandatory')
wtWebioEA2x2ERPLoadControlView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPLoadControlView.setStatus('mandatory')
wtWebioEA2x2ERPLCShutDownView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 1, 5, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPLCShutDownView.setStatus('mandatory')
wtWebioEA2x2ERPInputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputPortTable.setStatus('mandatory')
wtWebioEA2x2ERPInputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPInputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPInputPortEntry.setStatus('mandatory')
wtWebioEA2x2ERPPortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortInputName.setStatus('mandatory')
wtWebioEA2x2ERPPortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortInputText.setStatus('mandatory')
wtWebioEA2x2ERPPortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortInputMode.setStatus('mandatory')
wtWebioEA2x2ERPPortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortInputFilter.setStatus('mandatory')
wtWebioEA2x2ERPPortInputBicountPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortInputBicountPulsePolarity.setStatus('mandatory')
wtWebioEA2x2ERPPortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortInputBicountInactivTimeout.setStatus('mandatory')
wtWebioEA2x2ERPOutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputPortTable.setStatus('mandatory')
wtWebioEA2x2ERPOutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERPOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERPOutputPortEntry.setStatus('mandatory')
wtWebioEA2x2ERPPortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortOutputName.setStatus('mandatory')
wtWebioEA2x2ERPPortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortOutputText.setStatus('mandatory')
wtWebioEA2x2ERPPortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortOutputGroupMode.setStatus('mandatory')
wtWebioEA2x2ERPPortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortOutputSafetyState.setStatus('mandatory')
wtWebioEA2x2ERPPortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortLogicInputMask.setStatus('mandatory')
wtWebioEA2x2ERPPortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortLogicInputInverter.setStatus('mandatory')
wtWebioEA2x2ERPPortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortLogicFunction.setStatus('mandatory')
wtWebioEA2x2ERPPortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortLogicOutputInverter.setStatus('mandatory')
wtWebioEA2x2ERPPortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortPulseDuration.setStatus('mandatory')
wtWebioEA2x2ERPPortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPPortPulsePolarity.setStatus('mandatory')
wtWebioEA2x2ERPMfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMfName.setStatus('mandatory')
wtWebioEA2x2ERPMfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMfAddr.setStatus('mandatory')
wtWebioEA2x2ERPMfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMfHotline.setStatus('mandatory')
wtWebioEA2x2ERPMfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMfInternet.setStatus('mandatory')
wtWebioEA2x2ERPMfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPMfDeviceTyp.setStatus('mandatory')
wtWebioEA2x2ERPDiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDiagErrorCount.setStatus('mandatory')
wtWebioEA2x2ERPDiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDiagBinaryError.setStatus('mandatory')
wtWebioEA2x2ERPDiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDiagErrorIndex.setStatus('mandatory')
wtWebioEA2x2ERPDiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDiagErrorMessage.setStatus('mandatory')
wtWebioEA2x2ERPDiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERPDiagErrorClear.setStatus('mandatory')
wtWebioEA2x2ERPAlert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapText"))
wtWebioEA2x2ERPAlert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERPAlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 25) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERPDiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA2x2ERPDiagErrorMessage"))
wtWebioEA12x6RelERPInputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputs.setStatus('mandatory')
wtWebioEA12x6RelERPOutputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputs.setStatus('mandatory')
wtWebioEA12x6RelERPInputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputTable.setStatus('mandatory')
wtWebioEA12x6RelERPInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPInputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputEntry.setStatus('mandatory')
wtWebioEA12x6RelERPInputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputNo.setStatus('mandatory')
wtWebioEA12x6RelERPInputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputCounter.setStatus('mandatory')
wtWebioEA12x6RelERPInputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputCounterClear.setStatus('mandatory')
wtWebioEA12x6RelERPInputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputValue.setStatus('mandatory')
wtWebioEA12x6RelERPOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputTable.setStatus('mandatory')
wtWebioEA12x6RelERPOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPOutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputEntry.setStatus('mandatory')
wtWebioEA12x6RelERPOutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputNo.setStatus('mandatory')
wtWebioEA12x6RelERPOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPOutputState-OFF", 0), ("wtWebioEA12x6OutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputState.setStatus('mandatory')
wtWebioEA12x6RelERPOutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputValue.setStatus('mandatory')
wtWebioEA12x6RelERPSetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSetOutput.setStatus('mandatory')
wtWebioEA12x6RelERPSessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSessCntrlPassword.setStatus('mandatory')
wtWebioEA12x6RelERPSessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPSessCntrl-NoSession", 0), ("wtWebioEA12x6RelERPSessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSessCntrlConfigMode.setStatus('mandatory')
wtWebioEA12x6RelERPSessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSessCntrlLogout.setStatus('mandatory')
wtWebioEA12x6RelERPSessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA12x6RelERPSessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA12x6RelERPDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDeviceName.setStatus('mandatory')
wtWebioEA12x6RelERPDeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDeviceText.setStatus('mandatory')
wtWebioEA12x6RelERPDeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDeviceLocation.setStatus('mandatory')
wtWebioEA12x6RelERPDeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDeviceContact.setStatus('mandatory')
wtWebioEA12x6RelERPTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPTzOffsetHrs.setStatus('mandatory')
wtWebioEA12x6RelERPTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPTzOffsetMin.setStatus('mandatory')
wtWebioEA12x6RelERPTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPTzEnable.setStatus('mandatory')
wtWebioEA12x6RelERPStTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzOffsetHrs.setStatus('mandatory')
wtWebioEA12x6RelERPStTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzOffsetMin.setStatus('mandatory')
wtWebioEA12x6RelERPStTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzEnable.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPStartMonth-January", 1), ("wtWebioEA12x6RelERPStartMonth-February", 2), ("wtWebioEA12x6RelERPStartMonth-March", 3), ("wtWebioEA12x6RelERPStartMonth-April", 4), ("wtWebioEA12x6RelERPStartMonth-May", 5), ("wtWebioEA12x6RelERPStartMonth-June", 6), ("wtWebioEA12x6RelERPStartMonth-July", 7), ("wtWebioEA12x6RelERPStartMonth-August", 8), ("wtWebioEA12x6RelERPStartMonth-September", 9), ("wtWebioEA12x6RelERPStartMonth-October", 10), ("wtWebioEA12x6RelERPStartMonth-November", 11), ("wtWebioEA12x6RelERPStartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStartMonth.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPStartMode-first", 1), ("wtWebioEA12x6RelERPStartMode-second", 2), ("wtWebioEA12x6RelERPStartMode-third", 3), ("wtWebioEA12x6RelERPStartMode-fourth", 4), ("wtWebioEA12x6RelERPStartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStartMode.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPStartWday-Sunday", 1), ("wtWebioEA12x6RelERPStartWday-Monday", 2), ("wtWebioEA12x6RelERPStartWday-Tuesday", 3), ("wtWebioEA12x6RelERPStartWday-Thursday", 4), ("wtWebioEA12x6RelERPStartWday-Wednesday", 5), ("wtWebioEA12x6RelERPStartWday-Friday", 6), ("wtWebioEA12x6RelERPStartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStartWday.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStartHrs.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStartMin.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPStopMonth-January", 1), ("wtWebioEA12x6RelERPStopMonth-February", 2), ("wtWebioEA12x6RelERPStopMonth-March", 3), ("wtWebioEA12x6RelERPStopMonth-April", 4), ("wtWebioEA12x6RelERPStopMonth-May", 5), ("wtWebioEA12x6RelERPStopMonth-June", 6), ("wtWebioEA12x6RelERPStopMonth-July", 7), ("wtWebioEA12x6RelERPStopMonth-August", 8), ("wtWebioEA12x6RelERPStopMonth-September", 9), ("wtWebioEA12x6RelERPStopMonth-October", 10), ("wtWebioEA12x6RelERPStopMonth-November", 11), ("wtWebioEA12x6RelERPStopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStopMonth.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPStopMode-first", 1), ("wtWebioEA12x6RelERPStopMode-second", 2), ("wtWebioEA12x6RelERPStopMode-third", 3), ("wtWebioEA12x6RelERPStopMode-fourth", 4), ("wtWebioEA12x6RelERPStopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStopMode.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPStopWday-Sunday", 1), ("wtWebioEA12x6RelERPStopWday-Monday", 2), ("wtWebioEA12x6RelERPStopWday-Tuesday", 3), ("wtWebioEA12x6RelERPStopWday-Thursday", 4), ("wtWebioEA12x6RelERPStopWday-Wednesday", 5), ("wtWebioEA12x6RelERPStopWday-Friday", 6), ("wtWebioEA12x6RelERPStopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStopWday.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStopHrs.setStatus('mandatory')
wtWebioEA12x6RelERPStTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStTzStopMin.setStatus('mandatory')
wtWebioEA12x6RelERPTimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPTimeServer1.setStatus('mandatory')
wtWebioEA12x6RelERPTimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPTimeServer2.setStatus('mandatory')
wtWebioEA12x6RelERPTsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPTsEnable.setStatus('mandatory')
wtWebioEA12x6RelERPTsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPTsSyncTime.setStatus('mandatory')
wtWebioEA12x6RelERPClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPClockHrs.setStatus('mandatory')
wtWebioEA12x6RelERPClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPClockMin.setStatus('mandatory')
wtWebioEA12x6RelERPClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPClockDay.setStatus('mandatory')
wtWebioEA12x6RelERPClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA12x6RelERPClockMonth-January", 1), ("wtWebioEA12x6RelERPClockMonth-February", 2), ("wtWebioEA12x6RelERPClockMonth-March", 3), ("wtWebioEA12x6RelERPClockMonth-April", 4), ("wtWebioEA12x6RelERPClockMonth-May", 5), ("wtWebioEA12x6RelERPClockMonth-June", 6), ("wtWebioEA12x6RelERPClockMonth-July", 7), ("wtWebioEA12x6RelERPClockMonth-August", 8), ("wtWebioEA12x6RelERPClockMonth-September", 9), ("wtWebioEA12x6RelERPClockMonth-October", 10), ("wtWebioEA12x6RelERPClockMonth-November", 11), ("wtWebioEA12x6RelERPClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPClockMonth.setStatus('mandatory')
wtWebioEA12x6RelERPClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPClockYear.setStatus('mandatory')
wtWebioEA12x6RelERPIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPIpAddress.setStatus('mandatory')
wtWebioEA12x6RelERPSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSubnetMask.setStatus('mandatory')
wtWebioEA12x6RelERPGateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPGateway.setStatus('mandatory')
wtWebioEA12x6RelERPDnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDnsServer1.setStatus('mandatory')
wtWebioEA12x6RelERPDnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDnsServer2.setStatus('mandatory')
wtWebioEA12x6RelERPAddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAddConfig.setStatus('mandatory')
wtWebioEA12x6RelERPStartup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPStartup.setStatus('mandatory')
wtWebioEA12x6RelERPGetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPGetHeaderEnable.setStatus('mandatory')
wtWebioEA12x6RelERPHttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPHttpInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelERPHttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPHttpPort.setStatus('mandatory')
wtWebioEA12x6RelERPMailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMailAdName.setStatus('mandatory')
wtWebioEA12x6RelERPMailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMailReply.setStatus('mandatory')
wtWebioEA12x6RelERPMailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMailServer.setStatus('mandatory')
wtWebioEA12x6RelERPMailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMailEnable.setStatus('mandatory')
wtWebioEA12x6RelERPMailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMailAuthentication.setStatus('mandatory')
wtWebioEA12x6RelERPMailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMailAuthUser.setStatus('mandatory')
wtWebioEA12x6RelERPMailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMailAuthPassword.setStatus('mandatory')
wtWebioEA12x6RelERPMailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMailPop3Server.setStatus('mandatory')
wtWebioEA12x6RelERPSnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSnmpEnable.setStatus('mandatory')
wtWebioEA12x6RelERPSnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA12x6RelERPSnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA12x6RelERPSnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA12x6RelERPSnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA12x6RelERPUdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPUdpAdminPort.setStatus('mandatory')
wtWebioEA12x6RelERPUdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPUdpEnable.setStatus('mandatory')
wtWebioEA12x6RelERPUdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPUdpRemotePort.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryModeCount.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryIfTable.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryIfEntry.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryModeNo.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTable.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryEntry.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryOperationMode.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryConnectedPort.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA12x6RelERPBinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPBinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA12x6RelERPSyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSyslogServerIP.setStatus('mandatory')
wtWebioEA12x6RelERPSyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSyslogServerPort.setStatus('mandatory')
wtWebioEA12x6RelERPSyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA12x6RelERPSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSyslogEnable.setStatus('mandatory')
wtWebioEA12x6RelERPFTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPFTPServerIP.setStatus('mandatory')
wtWebioEA12x6RelERPFTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPFTPServerControlPort.setStatus('mandatory')
wtWebioEA12x6RelERPFTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPFTPUserName.setStatus('mandatory')
wtWebioEA12x6RelERPFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPFTPPassword.setStatus('mandatory')
wtWebioEA12x6RelERPFTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPFTPAccount.setStatus('mandatory')
wtWebioEA12x6RelERPFTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPFTPOption.setStatus('mandatory')
wtWebioEA12x6RelERPFTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPFTPEnable.setStatus('mandatory')
wtWebioEA12x6RelERPWayBackEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 10, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPWayBackEnable.setStatus('mandatory')
wtWebioEA12x6RelERPWayBackServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 10, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPWayBackServerControlPort.setStatus('mandatory')
wtWebioEA12x6RelERPWayBackFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 10, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPWayBackFTPPassword.setStatus('mandatory')
wtWebioEA12x6RelERPWayBackFTPResponse = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 10, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPWayBackFTPResponse.setStatus('mandatory')
wtWebioEA12x6RelERPWayBackFTPTimeOut = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 3, 10, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPWayBackFTPTimeOut.setStatus('mandatory')
wtWebioEA12x6RelERPOutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputModeTable.setStatus('mandatory')
wtWebioEA12x6RelERPOutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPOutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputModeEntry.setStatus('mandatory')
wtWebioEA12x6RelERPOutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputModeBit.setStatus('mandatory')
wtWebioEA12x6RelERPSafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPSafetyTimeout.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmCount.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmIfTable.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmIfEntry.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmNo.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmTable.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmEntry.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmInputTrigger.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmOutputTrigger.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmSystemTrigger.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmInterval.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmEnable.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmMailAddr.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmMailSubject.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmMailText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmUdpPort.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmUdpText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmTcpPort.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmTcpText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmSyslogPort.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmSyslogText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmFtpDataPort.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmFtpFileName.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmFtpText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmFtpOption.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmTimerCron.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmMailReleaseSubject.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmMailReleaseText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmUdpReleaseText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmTcpReleaseText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmSyslogReleaseText.setStatus('mandatory')
wtWebioEA12x6RelERPAlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPAlarmFtpReleaseText.setStatus('mandatory')
wtWebioEA12x6RelERPInputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputPortTable.setStatus('mandatory')
wtWebioEA12x6RelERPInputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPInputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPInputPortEntry.setStatus('mandatory')
wtWebioEA12x6RelERPPortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortInputName.setStatus('mandatory')
wtWebioEA12x6RelERPPortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortInputText.setStatus('mandatory')
wtWebioEA12x6RelERPPortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortInputMode.setStatus('mandatory')
wtWebioEA12x6RelERPPortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortInputFilter.setStatus('mandatory')
wtWebioEA12x6RelERPPortInputBicountPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortInputBicountPulsePolarity.setStatus('mandatory')
wtWebioEA12x6RelERPPortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortInputBicountInactivTimeout.setStatus('mandatory')
wtWebioEA12x6RelERPOutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputPortTable.setStatus('mandatory')
wtWebioEA12x6RelERPOutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA12x6RelERPOutputNo"))
if mibBuilder.loadTexts: wtWebioEA12x6RelERPOutputPortEntry.setStatus('mandatory')
wtWebioEA12x6RelERPPortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortOutputName.setStatus('mandatory')
wtWebioEA12x6RelERPPortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortOutputText.setStatus('mandatory')
wtWebioEA12x6RelERPPortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortOutputGroupMode.setStatus('mandatory')
wtWebioEA12x6RelERPPortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortOutputSafetyState.setStatus('mandatory')
wtWebioEA12x6RelERPPortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortLogicInputMask.setStatus('mandatory')
wtWebioEA12x6RelERPPortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortLogicInputInverter.setStatus('mandatory')
wtWebioEA12x6RelERPPortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortLogicFunction.setStatus('mandatory')
wtWebioEA12x6RelERPPortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortLogicOutputInverter.setStatus('mandatory')
wtWebioEA12x6RelERPPortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortPulseDuration.setStatus('mandatory')
wtWebioEA12x6RelERPPortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPPortPulsePolarity.setStatus('mandatory')
wtWebioEA12x6RelERPMfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMfName.setStatus('mandatory')
wtWebioEA12x6RelERPMfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMfAddr.setStatus('mandatory')
wtWebioEA12x6RelERPMfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMfHotline.setStatus('mandatory')
wtWebioEA12x6RelERPMfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMfInternet.setStatus('mandatory')
wtWebioEA12x6RelERPMfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMfDeviceTyp.setStatus('mandatory')
wtWebioEA12x6RelERPMfOrderNo = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPMfOrderNo.setStatus('mandatory')
wtWebioEA12x6RelERPDiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDiagErrorCount.setStatus('mandatory')
wtWebioEA12x6RelERPDiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDiagBinaryError.setStatus('mandatory')
wtWebioEA12x6RelERPDiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDiagErrorIndex.setStatus('mandatory')
wtWebioEA12x6RelERPDiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDiagErrorMessage.setStatus('mandatory')
wtWebioEA12x6RelERPDiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA12x6RelERPDiagErrorClear.setStatus('mandatory')
wtWebioEA12x6RelERPAlert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapText"))
wtWebioEA12x6RelERPAlert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText"))
wtWebioEA12x6RelERPAlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 26) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPDiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA12x6RelERPDiagErrorMessage"))
wtIpWatcherInputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherInputs.setStatus('mandatory')
wtIpWatcherOutputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherOutputs.setStatus('mandatory')
wtIpWatcherInputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 3), )
if mibBuilder.loadTexts: wtIpWatcherInputTable.setStatus('mandatory')
wtIpWatcherInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherInputNo"))
if mibBuilder.loadTexts: wtIpWatcherInputEntry.setStatus('mandatory')
wtIpWatcherInputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherInputNo.setStatus('mandatory')
wtIpWatcherInputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherInputCounter.setStatus('mandatory')
wtIpWatcherInputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherInputCounterClear.setStatus('mandatory')
wtIpWatcherInputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcherInputState-OFF", 0), ("wtIpWatcherInputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherInputState.setStatus('mandatory')
wtIpWatcherInputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherInputValue.setStatus('mandatory')
wtIpWatcherOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 5), )
if mibBuilder.loadTexts: wtIpWatcherOutputTable.setStatus('mandatory')
wtIpWatcherOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherOutputNo"))
if mibBuilder.loadTexts: wtIpWatcherOutputEntry.setStatus('mandatory')
wtIpWatcherOutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherOutputNo.setStatus('mandatory')
wtIpWatcherOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcherOutputState-OFF", 0), ("wtIpWatcherOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherOutputState.setStatus('mandatory')
wtIpWatcherOutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherOutputValue.setStatus('mandatory')
wtIpWatcherSetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSetOutput.setStatus('mandatory')
wtIpWatcherAlarmOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 8), )
if mibBuilder.loadTexts: wtIpWatcherAlarmOutputTable.setStatus('mandatory')
wtIpWatcherAlarmOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 8, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherAlarmNo"))
if mibBuilder.loadTexts: wtIpWatcherAlarmOutputEntry.setStatus('mandatory')
wtIpWatcherAlarmOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 8, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcherAlarmOutputState-OFF", 0), ("wtIpWatcherAlarmOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmOutputState.setStatus('mandatory')
wtIpWatcherAlarmTriggerState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 1, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcherAlarmTriggerState-OFF", 0), ("wtIpWatcherAlarmTriggerState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherAlarmTriggerState.setStatus('mandatory')
wtIpWatcherSessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSessCntrlPassword.setStatus('mandatory')
wtIpWatcherSessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcherSessCntrl-NoSession", 0), ("wtIpWatcherSessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherSessCntrlConfigMode.setStatus('mandatory')
wtIpWatcherSessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSessCntrlLogout.setStatus('mandatory')
wtIpWatcherSessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSessCntrlAdminPassword.setStatus('mandatory')
wtIpWatcherSessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSessCntrlConfigPassword.setStatus('mandatory')
wtIpWatcherDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherDeviceName.setStatus('mandatory')
wtIpWatcherDeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherDeviceText.setStatus('mandatory')
wtIpWatcherDeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherDeviceLocation.setStatus('mandatory')
wtIpWatcherDeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherDeviceContact.setStatus('mandatory')
wtIpWatcherTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherTzOffsetHrs.setStatus('mandatory')
wtIpWatcherTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherTzOffsetMin.setStatus('mandatory')
wtIpWatcherTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherTzEnable.setStatus('mandatory')
wtIpWatcherStTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzOffsetHrs.setStatus('mandatory')
wtIpWatcherStTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzOffsetMin.setStatus('mandatory')
wtIpWatcherStTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzEnable.setStatus('mandatory')
wtIpWatcherStTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtIpWatcherStartMonth-January", 1), ("wtIpWatcherStartMonth-February", 2), ("wtIpWatcherStartMonth-March", 3), ("wtIpWatcherStartMonth-April", 4), ("wtIpWatcherStartMonth-May", 5), ("wtIpWatcherStartMonth-June", 6), ("wtIpWatcherStartMonth-July", 7), ("wtIpWatcherStartMonth-August", 8), ("wtIpWatcherStartMonth-September", 9), ("wtIpWatcherStartMonth-October", 10), ("wtIpWatcherStartMonth-November", 11), ("wtIpWatcherStartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStartMonth.setStatus('mandatory')
wtIpWatcherStTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtIpWatcherStartMode-first", 1), ("wtIpWatcherStartMode-second", 2), ("wtIpWatcherStartMode-third", 3), ("wtIpWatcherStartMode-fourth", 4), ("wtIpWatcherStartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStartMode.setStatus('mandatory')
wtIpWatcherStTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtIpWatcherStartWday-Sunday", 1), ("wtIpWatcherStartWday-Monday", 2), ("wtIpWatcherStartWday-Tuesday", 3), ("wtIpWatcherStartWday-Thursday", 4), ("wtIpWatcherStartWday-Wednesday", 5), ("wtIpWatcherStartWday-Friday", 6), ("wtIpWatcherStartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStartWday.setStatus('mandatory')
wtIpWatcherStTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStartHrs.setStatus('mandatory')
wtIpWatcherStTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStartMin.setStatus('mandatory')
wtIpWatcherStTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtIpWatcherStopMonth-January", 1), ("wtIpWatcherStopMonth-February", 2), ("wtIpWatcherStopMonth-March", 3), ("wtIpWatcherStopMonth-April", 4), ("wtIpWatcherStopMonth-May", 5), ("wtIpWatcherStopMonth-June", 6), ("wtIpWatcherStopMonth-July", 7), ("wtIpWatcherStopMonth-August", 8), ("wtIpWatcherStopMonth-September", 9), ("wtIpWatcherStopMonth-October", 10), ("wtIpWatcherStopMonth-November", 11), ("wtIpWatcherStopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStopMonth.setStatus('mandatory')
wtIpWatcherStTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtIpWatcherStopMode-first", 1), ("wtIpWatcherStopMode-second", 2), ("wtIpWatcherStopMode-third", 3), ("wtIpWatcherStopMode-fourth", 4), ("wtIpWatcherStopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStopMode.setStatus('mandatory')
wtIpWatcherStTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtIpWatcherStopWday-Sunday", 1), ("wtIpWatcherStopWday-Monday", 2), ("wtIpWatcherStopWday-Tuesday", 3), ("wtIpWatcherStopWday-Thursday", 4), ("wtIpWatcherStopWday-Wednesday", 5), ("wtIpWatcherStopWday-Friday", 6), ("wtIpWatcherStopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStopWday.setStatus('mandatory')
wtIpWatcherStTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStopHrs.setStatus('mandatory')
wtIpWatcherStTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherStTzStopMin.setStatus('mandatory')
wtIpWatcherTimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherTimeServer1.setStatus('mandatory')
wtIpWatcherTimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherTimeServer2.setStatus('mandatory')
wtIpWatcherTsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherTsEnable.setStatus('mandatory')
wtIpWatcherTsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherTsSyncTime.setStatus('mandatory')
wtIpWatcherClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherClockHrs.setStatus('mandatory')
wtIpWatcherClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherClockMin.setStatus('mandatory')
wtIpWatcherClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherClockDay.setStatus('mandatory')
wtIpWatcherClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtIpWatcherClockMonth-January", 1), ("wtIpWatcherClockMonth-February", 2), ("wtIpWatcherClockMonth-March", 3), ("wtIpWatcherClockMonth-April", 4), ("wtIpWatcherClockMonth-May", 5), ("wtIpWatcherClockMonth-June", 6), ("wtIpWatcherClockMonth-July", 7), ("wtIpWatcherClockMonth-August", 8), ("wtIpWatcherClockMonth-September", 9), ("wtIpWatcherClockMonth-October", 10), ("wtIpWatcherClockMonth-November", 11), ("wtIpWatcherClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherClockMonth.setStatus('mandatory')
wtIpWatcherClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherClockYear.setStatus('mandatory')
wtIpWatcherIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherIpAddress.setStatus('mandatory')
wtIpWatcherSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSubnetMask.setStatus('mandatory')
wtIpWatcherGateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherGateway.setStatus('mandatory')
wtIpWatcherDnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherDnsServer1.setStatus('mandatory')
wtIpWatcherDnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherDnsServer2.setStatus('mandatory')
wtIpWatcherAddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAddConfig.setStatus('mandatory')
wtIpWatcherHttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherHttpPort.setStatus('mandatory')
wtIpWatcherMailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMailAdName.setStatus('mandatory')
wtIpWatcherMailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMailReply.setStatus('mandatory')
wtIpWatcherMailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMailServer.setStatus('mandatory')
wtIpWatcherMailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMailEnable.setStatus('mandatory')
wtIpWatcherMailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMailAuthentication.setStatus('mandatory')
wtIpWatcherMailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMailAuthUser.setStatus('mandatory')
wtIpWatcherMailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMailAuthPassword.setStatus('mandatory')
wtIpWatcherMailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMailPop3Server.setStatus('mandatory')
wtIpWatcherSnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSnmpEnable.setStatus('mandatory')
wtIpWatcherSnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSnmpCommunityStringRead.setStatus('mandatory')
wtIpWatcherSnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSnmpCommunityStringReadWrite.setStatus('mandatory')
wtIpWatcherSnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSnmpSystemTrapManagerIP.setStatus('mandatory')
wtIpWatcherSnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSnmpSystemTrapEnable.setStatus('mandatory')
wtIpWatcherUdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherUdpAdminPort.setStatus('mandatory')
wtIpWatcherUdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherUdpEnable.setStatus('mandatory')
wtIpWatcherUdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherUdpRemotePort.setStatus('mandatory')
wtIpWatcherSyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSyslogServerIP.setStatus('mandatory')
wtIpWatcherSyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSyslogServerPort.setStatus('mandatory')
wtIpWatcherSyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSyslogSystemMessagesEnable.setStatus('mandatory')
wtIpWatcherSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherSyslogEnable.setStatus('mandatory')
wtIpWatcherFTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherFTPServerIP.setStatus('mandatory')
wtIpWatcherFTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherFTPServerControlPort.setStatus('mandatory')
wtIpWatcherFTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherFTPUserName.setStatus('mandatory')
wtIpWatcherFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherFTPPassword.setStatus('mandatory')
wtIpWatcherFTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherFTPAccount.setStatus('mandatory')
wtIpWatcherFTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherFTPOption.setStatus('mandatory')
wtIpWatcherFTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherFTPEnable.setStatus('mandatory')
wtIpWatcherIpListCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherIpListCount.setStatus('mandatory')
wtIpWatcherIpListIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 2), )
if mibBuilder.loadTexts: wtIpWatcherIpListIfTable.setStatus('mandatory')
wtIpWatcherIpListIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherIpListNo"))
if mibBuilder.loadTexts: wtIpWatcherIpListIfEntry.setStatus('mandatory')
wtIpWatcherIpListNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 999))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherIpListNo.setStatus('mandatory')
wtIpWatcherIpListTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 3), )
if mibBuilder.loadTexts: wtIpWatcherIpListTable.setStatus('mandatory')
wtIpWatcherIpListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherIpListNo"))
if mibBuilder.loadTexts: wtIpWatcherIpListEntry.setStatus('mandatory')
wtIpWatcherIpListName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 3, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherIpListName.setStatus('mandatory')
wtIpWatcherIpListPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 3, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherIpListPort.setStatus('mandatory')
wtIpWatcherIpListService = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 3, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherIpListService.setStatus('mandatory')
wtIpWatcherIpListEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherIpListEnable.setStatus('mandatory')
wtIpWatcherIpListAlias = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 3, 11, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherIpListAlias.setStatus('mandatory')
wtIpWatcherAlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherAlarmCount.setStatus('mandatory')
wtIpWatcherAlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtIpWatcherAlarmIfTable.setStatus('mandatory')
wtIpWatcherAlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherAlarmNo"))
if mibBuilder.loadTexts: wtIpWatcherAlarmIfEntry.setStatus('mandatory')
wtIpWatcherAlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherAlarmNo.setStatus('mandatory')
wtIpWatcherAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtIpWatcherAlarmTable.setStatus('mandatory')
wtIpWatcherAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherAlarmNo"))
if mibBuilder.loadTexts: wtIpWatcherAlarmEntry.setStatus('mandatory')
wtIpWatcherAlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmInterval.setStatus('mandatory')
wtIpWatcherAlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmEnable.setStatus('mandatory')
wtIpWatcherAlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmMailAddr.setStatus('mandatory')
wtIpWatcherAlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmMailSubject.setStatus('mandatory')
wtIpWatcherAlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmMailText.setStatus('mandatory')
wtIpWatcherAlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSnmpManagerIP.setStatus('mandatory')
wtIpWatcherAlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSnmpTrapText.setStatus('mandatory')
wtIpWatcherAlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmUdpIpAddr.setStatus('mandatory')
wtIpWatcherAlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmUdpPort.setStatus('mandatory')
wtIpWatcherAlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmUdpText.setStatus('mandatory')
wtIpWatcherAlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmTcpIpAddr.setStatus('mandatory')
wtIpWatcherAlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmTcpPort.setStatus('mandatory')
wtIpWatcherAlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmTcpText.setStatus('mandatory')
wtIpWatcherAlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSyslogIpAddr.setStatus('mandatory')
wtIpWatcherAlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSyslogPort.setStatus('mandatory')
wtIpWatcherAlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSyslogText.setStatus('mandatory')
wtIpWatcherAlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmFtpDataPort.setStatus('mandatory')
wtIpWatcherAlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmFtpFileName.setStatus('mandatory')
wtIpWatcherAlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmFtpText.setStatus('mandatory')
wtIpWatcherAlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmFtpOption.setStatus('mandatory')
wtIpWatcherAlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmTimerCron.setStatus('mandatory')
wtIpWatcherAlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmMailReleaseSubject.setStatus('mandatory')
wtIpWatcherAlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmMailReleaseText.setStatus('mandatory')
wtIpWatcherAlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSnmpTrapReleaseText.setStatus('mandatory')
wtIpWatcherAlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmUdpReleaseText.setStatus('mandatory')
wtIpWatcherAlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmTcpReleaseText.setStatus('mandatory')
wtIpWatcherAlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSyslogReleaseText.setStatus('mandatory')
wtIpWatcherAlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmFtpReleaseText.setStatus('mandatory')
wtIpWatcherAlarmName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 33), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmName.setStatus('mandatory')
wtIpWatcherAlarmGlobalEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 34), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmGlobalEnable.setStatus('mandatory')
wtIpWatcherAlarmCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 35), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmCounterClear.setStatus('mandatory')
wtIpWatcherAlarmAckEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 36), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmAckEnable.setStatus('mandatory')
wtIpWatcherAlarmAckPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 37), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmAckPort.setStatus('mandatory')
wtIpWatcherAlarmSetPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 38), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSetPort.setStatus('mandatory')
wtIpWatcherAlarmMailTrgClearSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 39), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmMailTrgClearSubject.setStatus('mandatory')
wtIpWatcherAlarmMailTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 40), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmMailTrgClearText.setStatus('mandatory')
wtIpWatcherAlarmSnmpTrapTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 41), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSnmpTrapTrgClearText.setStatus('mandatory')
wtIpWatcherAlarmUdpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 42), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmUdpTrgClearText.setStatus('mandatory')
wtIpWatcherAlarmTcpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 43), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmTcpTrgClearText.setStatus('mandatory')
wtIpWatcherAlarmSyslogTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 44), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSyslogTrgClearText.setStatus('mandatory')
wtIpWatcherAlarmFtpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 45), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmFtpTrgClearText.setStatus('mandatory')
wtIpWatcherAlarmMailTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 46), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmMailTrapTxEnable.setStatus('mandatory')
wtIpWatcherAlarmSnmpTrapTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 47), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSnmpTrapTrapTxEnable.setStatus('mandatory')
wtIpWatcherAlarmUdpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 48), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmUdpTrapTxEnable.setStatus('mandatory')
wtIpWatcherAlarmTcpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 49), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmTcpTrapTxEnable.setStatus('mandatory')
wtIpWatcherAlarmSyslogTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 50), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmSyslogTrapTxEnable.setStatus('mandatory')
wtIpWatcherAlarmFtpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 51), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmFtpTrapTxEnable.setStatus('mandatory')
wtIpWatcherAlarmTriggerCount = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 52), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmTriggerCount.setStatus('mandatory')
wtIpWatcherAlarmPollingRate = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 1, 5, 3, 1, 53), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherAlarmPollingRate.setStatus('mandatory')
wtIpWatcherInputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 1), )
if mibBuilder.loadTexts: wtIpWatcherInputPortTable.setStatus('mandatory')
wtIpWatcherInputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherInputNo"))
if mibBuilder.loadTexts: wtIpWatcherInputPortEntry.setStatus('mandatory')
wtIpWatcherPortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherPortInputName.setStatus('mandatory')
wtIpWatcherPortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherPortInputText.setStatus('mandatory')
wtIpWatcherPortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherPortInputFilter.setStatus('mandatory')
wtIpWatcherOutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 2), )
if mibBuilder.loadTexts: wtIpWatcherOutputPortTable.setStatus('mandatory')
wtIpWatcherOutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcherOutputNo"))
if mibBuilder.loadTexts: wtIpWatcherOutputPortEntry.setStatus('mandatory')
wtIpWatcherPortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherPortOutputName.setStatus('mandatory')
wtIpWatcherPortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherPortOutputText.setStatus('mandatory')
wtIpWatcherPortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherPortPulseDuration.setStatus('mandatory')
wtIpWatcherPortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherPortPulsePolarity.setStatus('mandatory')
wtIpWatcherMfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMfName.setStatus('mandatory')
wtIpWatcherMfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMfAddr.setStatus('mandatory')
wtIpWatcherMfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMfHotline.setStatus('mandatory')
wtIpWatcherMfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMfInternet.setStatus('mandatory')
wtIpWatcherMfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherMfDeviceTyp.setStatus('mandatory')
wtIpWatcherDiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherDiagErrorCount.setStatus('mandatory')
wtIpWatcherDiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherDiagBinaryError.setStatus('mandatory')
wtIpWatcherDiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcherDiagErrorIndex.setStatus('mandatory')
wtIpWatcherDiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcherDiagErrorMessage.setStatus('mandatory')
wtIpWatcherDiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtIpWatcherDiagErrorClear.setStatus('mandatory')
wtIpWatcherAlert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapText"))
wtIpWatcherAlert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapReleaseText"))
wtIpWatcherAlert25 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,91)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert26 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,92)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert27 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,93)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert28 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,94)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert29 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,95)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert30 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,96)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert31 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,97)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert32 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,98)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert33 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,99)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert34 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,100)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert35 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,101)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlert36 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,102)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherAlarmSnmpTrapTrgClearText"))
wtIpWatcherAlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 27) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcherDiagErrorIndex"), ("Webio-Digital-MIB-US", "wtIpWatcherDiagErrorMessage"))
wtWebioEA2x2_24VInputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputs.setStatus('mandatory')
wtWebioEA2x2_24VOutputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputs.setStatus('mandatory')
wtWebioEA2x2_24VInputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputTable.setStatus('mandatory')
wtWebioEA2x2_24VInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VInputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputEntry.setStatus('mandatory')
wtWebioEA2x2_24VInputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputNo.setStatus('mandatory')
wtWebioEA2x2_24VInputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputCounter.setStatus('mandatory')
wtWebioEA2x2_24VInputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputCounterClear.setStatus('mandatory')
wtWebioEA2x2_24VInputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VInputState-OFF", 0), ("wtWebioEA2x2_24VInputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputState.setStatus('mandatory')
wtWebioEA2x2_24VInputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputValue.setStatus('mandatory')
wtWebioEA2x2_24VOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputTable.setStatus('mandatory')
wtWebioEA2x2_24VOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputEntry.setStatus('mandatory')
wtWebioEA2x2_24VOutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputNo.setStatus('mandatory')
wtWebioEA2x2_24VOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VOutputState-OFF", 0), ("wtWebioEA2x2_24VOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputState.setStatus('mandatory')
wtWebioEA2x2_24VOutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputValue.setStatus('mandatory')
wtWebioEA2x2_24VSetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSetOutput.setStatus('mandatory')
wtWebioEA2x2_24VSessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSessCntrlPassword.setStatus('mandatory')
wtWebioEA2x2_24VSessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VSessCntrl-NoSession", 0), ("wtWebioEA2x2_24VSessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSessCntrlConfigMode.setStatus('mandatory')
wtWebioEA2x2_24VSessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSessCntrlLogout.setStatus('mandatory')
wtWebioEA2x2_24VSessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA2x2_24VSessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA2x2_24VDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDeviceName.setStatus('mandatory')
wtWebioEA2x2_24VDeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDeviceText.setStatus('mandatory')
wtWebioEA2x2_24VDeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDeviceLocation.setStatus('mandatory')
wtWebioEA2x2_24VDeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDeviceContact.setStatus('mandatory')
wtWebioEA2x2_24VTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VTzOffsetHrs.setStatus('mandatory')
wtWebioEA2x2_24VTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VTzOffsetMin.setStatus('mandatory')
wtWebioEA2x2_24VTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VTzEnable.setStatus('mandatory')
wtWebioEA2x2_24VStTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzOffsetHrs.setStatus('mandatory')
wtWebioEA2x2_24VStTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzOffsetMin.setStatus('mandatory')
wtWebioEA2x2_24VStTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzEnable.setStatus('mandatory')
wtWebioEA2x2_24VStTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VStartMonth-January", 1), ("wtWebioEA2x2_24VStartMonth-February", 2), ("wtWebioEA2x2_24VStartMonth-March", 3), ("wtWebioEA2x2_24VStartMonth-April", 4), ("wtWebioEA2x2_24VStartMonth-May", 5), ("wtWebioEA2x2_24VStartMonth-June", 6), ("wtWebioEA2x2_24VStartMonth-July", 7), ("wtWebioEA2x2_24VStartMonth-August", 8), ("wtWebioEA2x2_24VStartMonth-September", 9), ("wtWebioEA2x2_24VStartMonth-October", 10), ("wtWebioEA2x2_24VStartMonth-November", 11), ("wtWebioEA2x2_24VStartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStartMonth.setStatus('mandatory')
wtWebioEA2x2_24VStTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VStartMode-first", 1), ("wtWebioEA2x2_24VStartMode-second", 2), ("wtWebioEA2x2_24VStartMode-third", 3), ("wtWebioEA2x2_24VStartMode-fourth", 4), ("wtWebioEA2x2_24VStartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStartMode.setStatus('mandatory')
wtWebioEA2x2_24VStTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VStartWday-Sunday", 1), ("wtWebioEA2x2_24VStartWday-Monday", 2), ("wtWebioEA2x2_24VStartWday-Tuesday", 3), ("wtWebioEA2x2_24VStartWday-Thursday", 4), ("wtWebioEA2x2_24VStartWday-Wednesday", 5), ("wtWebioEA2x2_24VStartWday-Friday", 6), ("wtWebioEA2x2_24VStartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStartWday.setStatus('mandatory')
wtWebioEA2x2_24VStTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStartHrs.setStatus('mandatory')
wtWebioEA2x2_24VStTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStartMin.setStatus('mandatory')
wtWebioEA2x2_24VStTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VStopMonth-January", 1), ("wtWebioEA2x2_24VStopMonth-February", 2), ("wtWebioEA2x2_24VStopMonth-March", 3), ("wtWebioEA2x2_24VStopMonth-April", 4), ("wtWebioEA2x2_24VStopMonth-May", 5), ("wtWebioEA2x2_24VStopMonth-June", 6), ("wtWebioEA2x2_24VStopMonth-July", 7), ("wtWebioEA2x2_24VStopMonth-August", 8), ("wtWebioEA2x2_24VStopMonth-September", 9), ("wtWebioEA2x2_24VStopMonth-October", 10), ("wtWebioEA2x2_24VStopMonth-November", 11), ("wtWebioEA2x2_24VStopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStopMonth.setStatus('mandatory')
wtWebioEA2x2_24VStTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VStopMode-first", 1), ("wtWebioEA2x2_24VStopMode-second", 2), ("wtWebioEA2x2_24VStopMode-third", 3), ("wtWebioEA2x2_24VStopMode-fourth", 4), ("wtWebioEA2x2_24VStopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStopMode.setStatus('mandatory')
wtWebioEA2x2_24VStTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VStopWday-Sunday", 1), ("wtWebioEA2x2_24VStopWday-Monday", 2), ("wtWebioEA2x2_24VStopWday-Tuesday", 3), ("wtWebioEA2x2_24VStopWday-Thursday", 4), ("wtWebioEA2x2_24VStopWday-Wednesday", 5), ("wtWebioEA2x2_24VStopWday-Friday", 6), ("wtWebioEA2x2_24VStopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStopWday.setStatus('mandatory')
wtWebioEA2x2_24VStTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStopHrs.setStatus('mandatory')
wtWebioEA2x2_24VStTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStTzStopMin.setStatus('mandatory')
wtWebioEA2x2_24VTimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VTimeServer1.setStatus('mandatory')
wtWebioEA2x2_24VTimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VTimeServer2.setStatus('mandatory')
wtWebioEA2x2_24VTsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VTsEnable.setStatus('mandatory')
wtWebioEA2x2_24VTsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VTsSyncTime.setStatus('mandatory')
wtWebioEA2x2_24VClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VClockHrs.setStatus('mandatory')
wtWebioEA2x2_24VClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VClockMin.setStatus('mandatory')
wtWebioEA2x2_24VClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VClockDay.setStatus('mandatory')
wtWebioEA2x2_24VClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2_24VClockMonth-January", 1), ("wtWebioEA2x2_24VClockMonth-February", 2), ("wtWebioEA2x2_24VClockMonth-March", 3), ("wtWebioEA2x2_24VClockMonth-April", 4), ("wtWebioEA2x2_24VClockMonth-May", 5), ("wtWebioEA2x2_24VClockMonth-June", 6), ("wtWebioEA2x2_24VClockMonth-July", 7), ("wtWebioEA2x2_24VClockMonth-August", 8), ("wtWebioEA2x2_24VClockMonth-September", 9), ("wtWebioEA2x2_24VClockMonth-October", 10), ("wtWebioEA2x2_24VClockMonth-November", 11), ("wtWebioEA2x2_24VClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VClockMonth.setStatus('mandatory')
wtWebioEA2x2_24VClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VClockYear.setStatus('mandatory')
wtWebioEA2x2_24VIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VIpAddress.setStatus('mandatory')
wtWebioEA2x2_24VSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSubnetMask.setStatus('mandatory')
wtWebioEA2x2_24VGateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VGateway.setStatus('mandatory')
wtWebioEA2x2_24VDnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDnsServer1.setStatus('mandatory')
wtWebioEA2x2_24VDnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDnsServer2.setStatus('mandatory')
wtWebioEA2x2_24VAddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAddConfig.setStatus('mandatory')
wtWebioEA2x2_24VStartup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VStartup.setStatus('mandatory')
wtWebioEA2x2_24VGetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VGetHeaderEnable.setStatus('mandatory')
wtWebioEA2x2_24VHttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VHttpInputTrigger.setStatus('mandatory')
wtWebioEA2x2_24VHttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VHttpPort.setStatus('mandatory')
wtWebioEA2x2_24VMailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMailAdName.setStatus('mandatory')
wtWebioEA2x2_24VMailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMailReply.setStatus('mandatory')
wtWebioEA2x2_24VMailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMailServer.setStatus('mandatory')
wtWebioEA2x2_24VMailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMailEnable.setStatus('mandatory')
wtWebioEA2x2_24VMailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMailAuthentication.setStatus('mandatory')
wtWebioEA2x2_24VMailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMailAuthUser.setStatus('mandatory')
wtWebioEA2x2_24VMailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMailAuthPassword.setStatus('mandatory')
wtWebioEA2x2_24VMailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMailPop3Server.setStatus('mandatory')
wtWebioEA2x2_24VSnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSnmpEnable.setStatus('mandatory')
wtWebioEA2x2_24VSnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA2x2_24VSnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA2x2_24VSnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA2x2_24VSnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA2x2_24VUdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VUdpAdminPort.setStatus('mandatory')
wtWebioEA2x2_24VUdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VUdpEnable.setStatus('mandatory')
wtWebioEA2x2_24VUdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VUdpRemotePort.setStatus('mandatory')
wtWebioEA2x2_24VBinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryModeCount.setStatus('mandatory')
wtWebioEA2x2_24VBinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryIfTable.setStatus('mandatory')
wtWebioEA2x2_24VBinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryIfEntry.setStatus('mandatory')
wtWebioEA2x2_24VBinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryModeNo.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTable.setStatus('mandatory')
wtWebioEA2x2_24VBinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryEntry.setStatus('mandatory')
wtWebioEA2x2_24VBinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryOperationMode.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA2x2_24VBinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA2x2_24VBinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA2x2_24VBinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA2x2_24VBinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA2x2_24VBinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA2x2_24VBinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA2x2_24VBinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryConnectedPort.setStatus('mandatory')
wtWebioEA2x2_24VBinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA2x2_24VBinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VBinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA2x2_24VSyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSyslogServerIP.setStatus('mandatory')
wtWebioEA2x2_24VSyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSyslogServerPort.setStatus('mandatory')
wtWebioEA2x2_24VSyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA2x2_24VSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSyslogEnable.setStatus('mandatory')
wtWebioEA2x2_24VFTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VFTPServerIP.setStatus('mandatory')
wtWebioEA2x2_24VFTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VFTPServerControlPort.setStatus('mandatory')
wtWebioEA2x2_24VFTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VFTPUserName.setStatus('mandatory')
wtWebioEA2x2_24VFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VFTPPassword.setStatus('mandatory')
wtWebioEA2x2_24VFTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VFTPAccount.setStatus('mandatory')
wtWebioEA2x2_24VFTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VFTPOption.setStatus('mandatory')
wtWebioEA2x2_24VFTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VFTPEnable.setStatus('mandatory')
wtWebioEA2x2_24VOutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputModeTable.setStatus('mandatory')
wtWebioEA2x2_24VOutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputModeEntry.setStatus('mandatory')
wtWebioEA2x2_24VOutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputModeBit.setStatus('mandatory')
wtWebioEA2x2_24VSafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VSafetyTimeout.setStatus('mandatory')
wtWebioEA2x2_24VPowerSupplyEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPowerSupplyEnable.setStatus('mandatory')
wtWebioEA2x2_24VAlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmCount.setStatus('mandatory')
wtWebioEA2x2_24VAlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmIfTable.setStatus('mandatory')
wtWebioEA2x2_24VAlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmIfEntry.setStatus('mandatory')
wtWebioEA2x2_24VAlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmNo.setStatus('mandatory')
wtWebioEA2x2_24VAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmTable.setStatus('mandatory')
wtWebioEA2x2_24VAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmEntry.setStatus('mandatory')
wtWebioEA2x2_24VAlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmInputTrigger.setStatus('mandatory')
wtWebioEA2x2_24VAlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmOutputTrigger.setStatus('mandatory')
wtWebioEA2x2_24VAlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmSystemTrigger.setStatus('mandatory')
wtWebioEA2x2_24VAlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA2x2_24VAlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmInterval.setStatus('mandatory')
wtWebioEA2x2_24VAlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmEnable.setStatus('mandatory')
wtWebioEA2x2_24VAlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmMailAddr.setStatus('mandatory')
wtWebioEA2x2_24VAlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmMailSubject.setStatus('mandatory')
wtWebioEA2x2_24VAlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmMailText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA2x2_24VAlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA2x2_24VAlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmUdpPort.setStatus('mandatory')
wtWebioEA2x2_24VAlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmUdpText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA2x2_24VAlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmTcpPort.setStatus('mandatory')
wtWebioEA2x2_24VAlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmTcpText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA2x2_24VAlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmSyslogPort.setStatus('mandatory')
wtWebioEA2x2_24VAlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmSyslogText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmFtpDataPort.setStatus('mandatory')
wtWebioEA2x2_24VAlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmFtpFileName.setStatus('mandatory')
wtWebioEA2x2_24VAlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmFtpText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmFtpOption.setStatus('mandatory')
wtWebioEA2x2_24VAlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmTimerCron.setStatus('mandatory')
wtWebioEA2x2_24VAlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmMailReleaseSubject.setStatus('mandatory')
wtWebioEA2x2_24VAlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmMailReleaseText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmUdpReleaseText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmTcpReleaseText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmSyslogReleaseText.setStatus('mandatory')
wtWebioEA2x2_24VAlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VAlarmFtpReleaseText.setStatus('mandatory')
wtWebioEA2x2_24VInputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputPortTable.setStatus('mandatory')
wtWebioEA2x2_24VInputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VInputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VInputPortEntry.setStatus('mandatory')
wtWebioEA2x2_24VPortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortInputName.setStatus('mandatory')
wtWebioEA2x2_24VPortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortInputText.setStatus('mandatory')
wtWebioEA2x2_24VPortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortInputMode.setStatus('mandatory')
wtWebioEA2x2_24VPortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortInputFilter.setStatus('mandatory')
wtWebioEA2x2_24VPortInputBicountPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortInputBicountPulsePolarity.setStatus('mandatory')
wtWebioEA2x2_24VPortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortInputBicountInactivTimeout.setStatus('mandatory')
wtWebioEA2x2_24VOutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputPortTable.setStatus('mandatory')
wtWebioEA2x2_24VOutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2_24VOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2_24VOutputPortEntry.setStatus('mandatory')
wtWebioEA2x2_24VPortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortOutputName.setStatus('mandatory')
wtWebioEA2x2_24VPortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortOutputText.setStatus('mandatory')
wtWebioEA2x2_24VPortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortOutputGroupMode.setStatus('mandatory')
wtWebioEA2x2_24VPortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortOutputSafetyState.setStatus('mandatory')
wtWebioEA2x2_24VPortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortLogicInputMask.setStatus('mandatory')
wtWebioEA2x2_24VPortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortLogicInputInverter.setStatus('mandatory')
wtWebioEA2x2_24VPortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortLogicFunction.setStatus('mandatory')
wtWebioEA2x2_24VPortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortLogicOutputInverter.setStatus('mandatory')
wtWebioEA2x2_24VPortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortPulseDuration.setStatus('mandatory')
wtWebioEA2x2_24VPortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VPortPulsePolarity.setStatus('mandatory')
wtWebioEA2x2_24VMfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMfName.setStatus('mandatory')
wtWebioEA2x2_24VMfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMfAddr.setStatus('mandatory')
wtWebioEA2x2_24VMfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMfHotline.setStatus('mandatory')
wtWebioEA2x2_24VMfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMfInternet.setStatus('mandatory')
wtWebioEA2x2_24VMfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VMfDeviceTyp.setStatus('mandatory')
wtWebioEA2x2_24VDiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDiagErrorCount.setStatus('mandatory')
wtWebioEA2x2_24VDiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDiagBinaryError.setStatus('mandatory')
wtWebioEA2x2_24VDiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDiagErrorIndex.setStatus('mandatory')
wtWebioEA2x2_24VDiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDiagErrorMessage.setStatus('mandatory')
wtWebioEA2x2_24VDiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA2x2_24VDiagErrorClear.setStatus('mandatory')
wtWebioEA2x2_24VAlert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapText"))
wtWebioEA2x2_24VAlert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2_24VAlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 30) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2_24VDiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA2x2_24VDiagErrorMessage"))
wtWebioEA2x2ERP_24VInputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputs.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputs.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VInputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputNo.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputCounter.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputCounterClear.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VInputState-OFF", 0), ("wtWebioEA2x2ERP_24VInputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputState.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputValue.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 5), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputNo.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VOutputState-OFF", 0), ("wtWebioEA2x2ERP_24VOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputState.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputValue.setStatus('mandatory')
wtWebioEA2x2ERP_24VSetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSetOutput.setStatus('mandatory')
wtWebioEA2x2ERP_24VSessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSessCntrlPassword.setStatus('mandatory')
wtWebioEA2x2ERP_24VSessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VSessCntrl-NoSession", 0), ("wtWebioEA2x2ERP_24VSessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSessCntrlConfigMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VSessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSessCntrlLogout.setStatus('mandatory')
wtWebioEA2x2ERP_24VSessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSessCntrlAdminPassword.setStatus('mandatory')
wtWebioEA2x2ERP_24VSessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSessCntrlConfigPassword.setStatus('mandatory')
wtWebioEA2x2ERP_24VDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDeviceName.setStatus('mandatory')
wtWebioEA2x2ERP_24VDeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDeviceText.setStatus('mandatory')
wtWebioEA2x2ERP_24VDeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDeviceLocation.setStatus('mandatory')
wtWebioEA2x2ERP_24VDeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDeviceContact.setStatus('mandatory')
wtWebioEA2x2ERP_24VTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VTzOffsetHrs.setStatus('mandatory')
wtWebioEA2x2ERP_24VTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VTzOffsetMin.setStatus('mandatory')
wtWebioEA2x2ERP_24VTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VTzEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzOffsetHrs.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzOffsetMin.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VStartMonth-January", 1), ("wtWebioEA2x2ERP_24VStartMonth-February", 2), ("wtWebioEA2x2ERP_24VStartMonth-March", 3), ("wtWebioEA2x2ERP_24VStartMonth-April", 4), ("wtWebioEA2x2ERP_24VStartMonth-May", 5), ("wtWebioEA2x2ERP_24VStartMonth-June", 6), ("wtWebioEA2x2ERP_24VStartMonth-July", 7), ("wtWebioEA2x2ERP_24VStartMonth-August", 8), ("wtWebioEA2x2ERP_24VStartMonth-September", 9), ("wtWebioEA2x2ERP_24VStartMonth-October", 10), ("wtWebioEA2x2ERP_24VStartMonth-November", 11), ("wtWebioEA2x2ERP_24VStartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStartMonth.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VStartMode-first", 1), ("wtWebioEA2x2ERP_24VStartMode-second", 2), ("wtWebioEA2x2ERP_24VStartMode-third", 3), ("wtWebioEA2x2ERP_24VStartMode-fourth", 4), ("wtWebioEA2x2ERP_24VStartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStartMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VStartWday-Sunday", 1), ("wtWebioEA2x2ERP_24VStartWday-Monday", 2), ("wtWebioEA2x2ERP_24VStartWday-Tuesday", 3), ("wtWebioEA2x2ERP_24VStartWday-Thursday", 4), ("wtWebioEA2x2ERP_24VStartWday-Wednesday", 5), ("wtWebioEA2x2ERP_24VStartWday-Friday", 6), ("wtWebioEA2x2ERP_24VStartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStartWday.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStartHrs.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStartMin.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VStopMonth-January", 1), ("wtWebioEA2x2ERP_24VStopMonth-February", 2), ("wtWebioEA2x2ERP_24VStopMonth-March", 3), ("wtWebioEA2x2ERP_24VStopMonth-April", 4), ("wtWebioEA2x2ERP_24VStopMonth-May", 5), ("wtWebioEA2x2ERP_24VStopMonth-June", 6), ("wtWebioEA2x2ERP_24VStopMonth-July", 7), ("wtWebioEA2x2ERP_24VStopMonth-August", 8), ("wtWebioEA2x2ERP_24VStopMonth-September", 9), ("wtWebioEA2x2ERP_24VStopMonth-October", 10), ("wtWebioEA2x2ERP_24VStopMonth-November", 11), ("wtWebioEA2x2ERP_24VStopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStopMonth.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VStopMode-first", 1), ("wtWebioEA2x2ERP_24VStopMode-second", 2), ("wtWebioEA2x2ERP_24VStopMode-third", 3), ("wtWebioEA2x2ERP_24VStopMode-fourth", 4), ("wtWebioEA2x2ERP_24VStopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStopMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VStopWday-Sunday", 1), ("wtWebioEA2x2ERP_24VStopWday-Monday", 2), ("wtWebioEA2x2ERP_24VStopWday-Tuesday", 3), ("wtWebioEA2x2ERP_24VStopWday-Thursday", 4), ("wtWebioEA2x2ERP_24VStopWday-Wednesday", 5), ("wtWebioEA2x2ERP_24VStopWday-Friday", 6), ("wtWebioEA2x2ERP_24VStopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStopWday.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStopHrs.setStatus('mandatory')
wtWebioEA2x2ERP_24VStTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStTzStopMin.setStatus('mandatory')
wtWebioEA2x2ERP_24VTimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VTimeServer1.setStatus('mandatory')
wtWebioEA2x2ERP_24VTimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VTimeServer2.setStatus('mandatory')
wtWebioEA2x2ERP_24VTsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VTsEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VTsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VTsSyncTime.setStatus('mandatory')
wtWebioEA2x2ERP_24VClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VClockHrs.setStatus('mandatory')
wtWebioEA2x2ERP_24VClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VClockMin.setStatus('mandatory')
wtWebioEA2x2ERP_24VClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VClockDay.setStatus('mandatory')
wtWebioEA2x2ERP_24VClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtWebioEA2x2ERP_24VClockMonth-January", 1), ("wtWebioEA2x2ERP_24VClockMonth-February", 2), ("wtWebioEA2x2ERP_24VClockMonth-March", 3), ("wtWebioEA2x2ERP_24VClockMonth-April", 4), ("wtWebioEA2x2ERP_24VClockMonth-May", 5), ("wtWebioEA2x2ERP_24VClockMonth-June", 6), ("wtWebioEA2x2ERP_24VClockMonth-July", 7), ("wtWebioEA2x2ERP_24VClockMonth-August", 8), ("wtWebioEA2x2ERP_24VClockMonth-September", 9), ("wtWebioEA2x2ERP_24VClockMonth-October", 10), ("wtWebioEA2x2ERP_24VClockMonth-November", 11), ("wtWebioEA2x2ERP_24VClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VClockMonth.setStatus('mandatory')
wtWebioEA2x2ERP_24VClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VClockYear.setStatus('mandatory')
wtWebioEA2x2ERP_24VIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VIpAddress.setStatus('mandatory')
wtWebioEA2x2ERP_24VSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSubnetMask.setStatus('mandatory')
wtWebioEA2x2ERP_24VGateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VGateway.setStatus('mandatory')
wtWebioEA2x2ERP_24VDnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDnsServer1.setStatus('mandatory')
wtWebioEA2x2ERP_24VDnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDnsServer2.setStatus('mandatory')
wtWebioEA2x2ERP_24VAddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAddConfig.setStatus('mandatory')
wtWebioEA2x2ERP_24VStartup = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VStartup.setStatus('mandatory')
wtWebioEA2x2ERP_24VGetHeaderEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VGetHeaderEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VHttpInputTrigger = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VHttpInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERP_24VHttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VHttpPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VMailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMailAdName.setStatus('mandatory')
wtWebioEA2x2ERP_24VMailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMailReply.setStatus('mandatory')
wtWebioEA2x2ERP_24VMailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMailServer.setStatus('mandatory')
wtWebioEA2x2ERP_24VMailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMailEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VMailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMailAuthentication.setStatus('mandatory')
wtWebioEA2x2ERP_24VMailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMailAuthUser.setStatus('mandatory')
wtWebioEA2x2ERP_24VMailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMailAuthPassword.setStatus('mandatory')
wtWebioEA2x2ERP_24VMailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMailPop3Server.setStatus('mandatory')
wtWebioEA2x2ERP_24VSnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSnmpEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VSnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSnmpCommunityStringRead.setStatus('mandatory')
wtWebioEA2x2ERP_24VSnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSnmpCommunityStringReadWrite.setStatus('mandatory')
wtWebioEA2x2ERP_24VSnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSnmpSystemTrapManagerIP.setStatus('mandatory')
wtWebioEA2x2ERP_24VSnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSnmpSystemTrapEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VUdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VUdpAdminPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VUdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VUdpEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VUdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VUdpRemotePort.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryModeCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryModeCount.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryIfTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryIfEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryModeNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryModeNo.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VBinaryModeNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryOperationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryOperationMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpServerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpServerLocalPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpServerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpServerInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpServerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpServerApplicationMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientLocalPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientServerPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientServerPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientServerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientServerIpAddr.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientServerPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientServerPassword.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientInactivity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientInactivity.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientInterval.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientApplicationMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryUdpPeerLocalPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryUdpPeerLocalPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryUdpPeerRemotePort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryUdpPeerRemotePort.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryUdpPeerRemoteIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryUdpPeerRemoteIpAddr.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryUdpPeerInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 16), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryUdpPeerInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryUdpPeerInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryUdpPeerInterval.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryUdpPeerApplicationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 18), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryUdpPeerApplicationMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryConnectedPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryConnectedPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryConnectedIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 20), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryConnectedIpAddr.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpServerClientHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 21), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpServerClientHttpPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VBinaryTcpClientServerHttpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 6, 3, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VBinaryTcpClientServerHttpPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VSyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSyslogServerIP.setStatus('mandatory')
wtWebioEA2x2ERP_24VSyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSyslogServerPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VSyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSyslogSystemMessagesEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSyslogEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VFTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VFTPServerIP.setStatus('mandatory')
wtWebioEA2x2ERP_24VFTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VFTPServerControlPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VFTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VFTPUserName.setStatus('mandatory')
wtWebioEA2x2ERP_24VFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VFTPPassword.setStatus('mandatory')
wtWebioEA2x2ERP_24VFTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VFTPAccount.setStatus('mandatory')
wtWebioEA2x2ERP_24VFTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VFTPOption.setStatus('mandatory')
wtWebioEA2x2ERP_24VFTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VFTPEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VWayBackEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 10, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VWayBackEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VWayBackServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 10, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VWayBackServerControlPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VWayBackFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 10, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VWayBackFTPPassword.setStatus('mandatory')
wtWebioEA2x2ERP_24VWayBackFTPResponse = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 10, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VWayBackFTPResponse.setStatus('mandatory')
wtWebioEA2x2ERP_24VWayBackFTPTimeOut = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 3, 10, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VWayBackFTPTimeOut.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputModeTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 4, 1), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputModeTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputModeEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputModeBit = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 4, 1, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputModeBit.setStatus('mandatory')
wtWebioEA2x2ERP_24VSafetyTimeout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VSafetyTimeout.setStatus('mandatory')
wtWebioEA2x2ERP_24VLoadControlEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VLoadControlEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VPowerSupplyEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPowerSupplyEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmCount.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmIfTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmIfEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmNo.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmInputTrigger.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmOutputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmOutputTrigger.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmSystemTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmSystemTrigger.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmMaxCounterValue = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmMaxCounterValue.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmInterval.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmEnable.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmMailAddr.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmMailSubject.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmMailText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmSnmpManagerIP.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmSnmpTrapText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmUdpIpAddr.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmUdpPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmUdpText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmTcpIpAddr.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmTcpPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmTcpText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmSyslogIpAddr.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmSyslogPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmSyslogText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmFtpDataPort.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmFtpFileName.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmFtpText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmFtpOption.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmTimerCron.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmMailReleaseSubject.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmMailReleaseText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmUdpReleaseText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmTcpReleaseText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmSyslogReleaseText.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VAlarmFtpReleaseText.setStatus('mandatory')
wtWebioEA2x2ERP_24VLoadControlView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VLoadControlView.setStatus('mandatory')
wtWebioEA2x2ERP_24VLCShutDownView = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 1, 5, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VLCShutDownView.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 1), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputPortTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VInputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VInputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VInputPortEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortInputName.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortInputText.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortInputMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortInputMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortInputFilter.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortInputBicountPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortInputBicountPulsePolarity.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortInputBicountInactivTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 1, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortInputBicountInactivTimeout.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2), )
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputPortTable.setStatus('mandatory')
wtWebioEA2x2ERP_24VOutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VOutputNo"))
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VOutputPortEntry.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortOutputName.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortOutputText.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortOutputGroupMode = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortOutputGroupMode.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortOutputSafetyState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortOutputSafetyState.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortLogicInputMask = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortLogicInputMask.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortLogicInputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortLogicInputInverter.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortLogicFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortLogicFunction.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortLogicOutputInverter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortLogicOutputInverter.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortPulseDuration.setStatus('mandatory')
wtWebioEA2x2ERP_24VPortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VPortPulsePolarity.setStatus('mandatory')
wtWebioEA2x2ERP_24VMfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMfName.setStatus('mandatory')
wtWebioEA2x2ERP_24VMfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMfAddr.setStatus('mandatory')
wtWebioEA2x2ERP_24VMfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMfHotline.setStatus('mandatory')
wtWebioEA2x2ERP_24VMfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMfInternet.setStatus('mandatory')
wtWebioEA2x2ERP_24VMfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VMfDeviceTyp.setStatus('mandatory')
wtWebioEA2x2ERP_24VDiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDiagErrorCount.setStatus('mandatory')
wtWebioEA2x2ERP_24VDiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDiagBinaryError.setStatus('mandatory')
wtWebioEA2x2ERP_24VDiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDiagErrorIndex.setStatus('mandatory')
wtWebioEA2x2ERP_24VDiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDiagErrorMessage.setStatus('mandatory')
wtWebioEA2x2ERP_24VDiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtWebioEA2x2ERP_24VDiagErrorClear.setStatus('mandatory')
wtWebioEA2x2ERP_24VAlert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapText"))
wtWebioEA2x2ERP_24VAlert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText"))
wtWebioEA2x2ERP_24VAlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 31) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VDiagErrorIndex"), ("Webio-Digital-MIB-US", "wtWebioEA2x2ERP_24VDiagErrorMessage"))
wtIpWatcher_24VInputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VInputs.setStatus('mandatory')
wtIpWatcher_24VOutputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VOutputs.setStatus('mandatory')
wtIpWatcher_24VInputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 3), )
if mibBuilder.loadTexts: wtIpWatcher_24VInputTable.setStatus('mandatory')
wtIpWatcher_24VInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VInputNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VInputEntry.setStatus('mandatory')
wtIpWatcher_24VInputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VInputNo.setStatus('mandatory')
wtIpWatcher_24VInputCounter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VInputCounter.setStatus('mandatory')
wtIpWatcher_24VInputCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VInputCounterClear.setStatus('mandatory')
wtIpWatcher_24VInputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcher_24VInputState-OFF", 0), ("wtIpWatcher_24VInputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VInputState.setStatus('mandatory')
wtIpWatcher_24VInputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VInputValue.setStatus('mandatory')
wtIpWatcher_24VOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 5), )
if mibBuilder.loadTexts: wtIpWatcher_24VOutputTable.setStatus('mandatory')
wtIpWatcher_24VOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VOutputNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VOutputEntry.setStatus('mandatory')
wtIpWatcher_24VOutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VOutputNo.setStatus('mandatory')
wtIpWatcher_24VOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcher_24VOutputState-OFF", 0), ("wtIpWatcher_24VOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VOutputState.setStatus('mandatory')
wtIpWatcher_24VOutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VOutputValue.setStatus('mandatory')
wtIpWatcher_24VSetOutput = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSetOutput.setStatus('mandatory')
wtIpWatcher_24VAlarmOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 8), )
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmOutputTable.setStatus('mandatory')
wtIpWatcher_24VAlarmOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 8, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmOutputEntry.setStatus('mandatory')
wtIpWatcher_24VAlarmOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 8, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcher_24VAlarmOutputState-OFF", 0), ("wtIpWatcher_24VAlarmOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmOutputState.setStatus('mandatory')
wtIpWatcher_24VAlarmTriggerState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 1, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcher_24VAlarmTriggerState-OFF", 0), ("wtIpWatcher_24VAlarmTriggerState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTriggerState.setStatus('mandatory')
wtIpWatcher_24VSessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSessCntrlPassword.setStatus('mandatory')
wtIpWatcher_24VSessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtIpWatcher_24VSessCntrl-NoSession", 0), ("wtIpWatcher_24VSessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VSessCntrlConfigMode.setStatus('mandatory')
wtIpWatcher_24VSessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSessCntrlLogout.setStatus('mandatory')
wtIpWatcher_24VSessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSessCntrlAdminPassword.setStatus('mandatory')
wtIpWatcher_24VSessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSessCntrlConfigPassword.setStatus('mandatory')
wtIpWatcher_24VDeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VDeviceName.setStatus('mandatory')
wtIpWatcher_24VDeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VDeviceText.setStatus('mandatory')
wtIpWatcher_24VDeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VDeviceLocation.setStatus('mandatory')
wtIpWatcher_24VDeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VDeviceContact.setStatus('mandatory')
wtIpWatcher_24VTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VTzOffsetHrs.setStatus('mandatory')
wtIpWatcher_24VTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VTzOffsetMin.setStatus('mandatory')
wtIpWatcher_24VTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VTzEnable.setStatus('mandatory')
wtIpWatcher_24VStTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzOffsetHrs.setStatus('mandatory')
wtIpWatcher_24VStTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzOffsetMin.setStatus('mandatory')
wtIpWatcher_24VStTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzEnable.setStatus('mandatory')
wtIpWatcher_24VStTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtIpWatcher_24VStartMonth-January", 1), ("wtIpWatcher_24VStartMonth-February", 2), ("wtIpWatcher_24VStartMonth-March", 3), ("wtIpWatcher_24VStartMonth-April", 4), ("wtIpWatcher_24VStartMonth-May", 5), ("wtIpWatcher_24VStartMonth-June", 6), ("wtIpWatcher_24VStartMonth-July", 7), ("wtIpWatcher_24VStartMonth-August", 8), ("wtIpWatcher_24VStartMonth-September", 9), ("wtIpWatcher_24VStartMonth-October", 10), ("wtIpWatcher_24VStartMonth-November", 11), ("wtIpWatcher_24VStartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStartMonth.setStatus('mandatory')
wtIpWatcher_24VStTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtIpWatcher_24VStartMode-first", 1), ("wtIpWatcher_24VStartMode-second", 2), ("wtIpWatcher_24VStartMode-third", 3), ("wtIpWatcher_24VStartMode-fourth", 4), ("wtIpWatcher_24VStartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStartMode.setStatus('mandatory')
wtIpWatcher_24VStTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtIpWatcher_24VStartWday-Sunday", 1), ("wtIpWatcher_24VStartWday-Monday", 2), ("wtIpWatcher_24VStartWday-Tuesday", 3), ("wtIpWatcher_24VStartWday-Thursday", 4), ("wtIpWatcher_24VStartWday-Wednesday", 5), ("wtIpWatcher_24VStartWday-Friday", 6), ("wtIpWatcher_24VStartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStartWday.setStatus('mandatory')
wtIpWatcher_24VStTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStartHrs.setStatus('mandatory')
wtIpWatcher_24VStTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStartMin.setStatus('mandatory')
wtIpWatcher_24VStTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtIpWatcher_24VStopMonth-January", 1), ("wtIpWatcher_24VStopMonth-February", 2), ("wtIpWatcher_24VStopMonth-March", 3), ("wtIpWatcher_24VStopMonth-April", 4), ("wtIpWatcher_24VStopMonth-May", 5), ("wtIpWatcher_24VStopMonth-June", 6), ("wtIpWatcher_24VStopMonth-July", 7), ("wtIpWatcher_24VStopMonth-August", 8), ("wtIpWatcher_24VStopMonth-September", 9), ("wtIpWatcher_24VStopMonth-October", 10), ("wtIpWatcher_24VStopMonth-November", 11), ("wtIpWatcher_24VStopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStopMonth.setStatus('mandatory')
wtIpWatcher_24VStTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtIpWatcher_24VStopMode-first", 1), ("wtIpWatcher_24VStopMode-second", 2), ("wtIpWatcher_24VStopMode-third", 3), ("wtIpWatcher_24VStopMode-fourth", 4), ("wtIpWatcher_24VStopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStopMode.setStatus('mandatory')
wtIpWatcher_24VStTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtIpWatcher_24VStopWday-Sunday", 1), ("wtIpWatcher_24VStopWday-Monday", 2), ("wtIpWatcher_24VStopWday-Tuesday", 3), ("wtIpWatcher_24VStopWday-Thursday", 4), ("wtIpWatcher_24VStopWday-Wednesday", 5), ("wtIpWatcher_24VStopWday-Friday", 6), ("wtIpWatcher_24VStopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStopWday.setStatus('mandatory')
wtIpWatcher_24VStTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStopHrs.setStatus('mandatory')
wtIpWatcher_24VStTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VStTzStopMin.setStatus('mandatory')
wtIpWatcher_24VTimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VTimeServer1.setStatus('mandatory')
wtIpWatcher_24VTimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VTimeServer2.setStatus('mandatory')
wtIpWatcher_24VTsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VTsEnable.setStatus('mandatory')
wtIpWatcher_24VTsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VTsSyncTime.setStatus('mandatory')
wtIpWatcher_24VClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VClockHrs.setStatus('mandatory')
wtIpWatcher_24VClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VClockMin.setStatus('mandatory')
wtIpWatcher_24VClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VClockDay.setStatus('mandatory')
wtIpWatcher_24VClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtIpWatcher_24VClockMonth-January", 1), ("wtIpWatcher_24VClockMonth-February", 2), ("wtIpWatcher_24VClockMonth-March", 3), ("wtIpWatcher_24VClockMonth-April", 4), ("wtIpWatcher_24VClockMonth-May", 5), ("wtIpWatcher_24VClockMonth-June", 6), ("wtIpWatcher_24VClockMonth-July", 7), ("wtIpWatcher_24VClockMonth-August", 8), ("wtIpWatcher_24VClockMonth-September", 9), ("wtIpWatcher_24VClockMonth-October", 10), ("wtIpWatcher_24VClockMonth-November", 11), ("wtIpWatcher_24VClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VClockMonth.setStatus('mandatory')
wtIpWatcher_24VClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VClockYear.setStatus('mandatory')
wtIpWatcher_24VIpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VIpAddress.setStatus('mandatory')
wtIpWatcher_24VSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSubnetMask.setStatus('mandatory')
wtIpWatcher_24VGateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VGateway.setStatus('mandatory')
wtIpWatcher_24VDnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VDnsServer1.setStatus('mandatory')
wtIpWatcher_24VDnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VDnsServer2.setStatus('mandatory')
wtIpWatcher_24VAddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAddConfig.setStatus('mandatory')
wtIpWatcher_24VHttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VHttpPort.setStatus('mandatory')
wtIpWatcher_24VMailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMailAdName.setStatus('mandatory')
wtIpWatcher_24VMailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMailReply.setStatus('mandatory')
wtIpWatcher_24VMailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMailServer.setStatus('mandatory')
wtIpWatcher_24VMailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMailEnable.setStatus('mandatory')
wtIpWatcher_24VMailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMailAuthentication.setStatus('mandatory')
wtIpWatcher_24VMailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMailAuthUser.setStatus('mandatory')
wtIpWatcher_24VMailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMailAuthPassword.setStatus('mandatory')
wtIpWatcher_24VMailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMailPop3Server.setStatus('mandatory')
wtIpWatcher_24VSnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSnmpEnable.setStatus('mandatory')
wtIpWatcher_24VSnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSnmpCommunityStringRead.setStatus('mandatory')
wtIpWatcher_24VSnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSnmpCommunityStringReadWrite.setStatus('mandatory')
wtIpWatcher_24VSnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSnmpSystemTrapManagerIP.setStatus('mandatory')
wtIpWatcher_24VSnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSnmpSystemTrapEnable.setStatus('mandatory')
wtIpWatcher_24VUdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VUdpAdminPort.setStatus('mandatory')
wtIpWatcher_24VUdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VUdpEnable.setStatus('mandatory')
wtIpWatcher_24VUdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VUdpRemotePort.setStatus('mandatory')
wtIpWatcher_24VSyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSyslogServerIP.setStatus('mandatory')
wtIpWatcher_24VSyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSyslogServerPort.setStatus('mandatory')
wtIpWatcher_24VSyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSyslogSystemMessagesEnable.setStatus('mandatory')
wtIpWatcher_24VSyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VSyslogEnable.setStatus('mandatory')
wtIpWatcher_24VFTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VFTPServerIP.setStatus('mandatory')
wtIpWatcher_24VFTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VFTPServerControlPort.setStatus('mandatory')
wtIpWatcher_24VFTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VFTPUserName.setStatus('mandatory')
wtIpWatcher_24VFTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VFTPPassword.setStatus('mandatory')
wtIpWatcher_24VFTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VFTPAccount.setStatus('mandatory')
wtIpWatcher_24VFTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VFTPOption.setStatus('mandatory')
wtIpWatcher_24VFTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VFTPEnable.setStatus('mandatory')
wtIpWatcher_24VIpListCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VIpListCount.setStatus('mandatory')
wtIpWatcher_24VIpListIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 2), )
if mibBuilder.loadTexts: wtIpWatcher_24VIpListIfTable.setStatus('mandatory')
wtIpWatcher_24VIpListIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VIpListNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VIpListIfEntry.setStatus('mandatory')
wtIpWatcher_24VIpListNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 999))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VIpListNo.setStatus('mandatory')
wtIpWatcher_24VIpListTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 3), )
if mibBuilder.loadTexts: wtIpWatcher_24VIpListTable.setStatus('mandatory')
wtIpWatcher_24VIpListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VIpListNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VIpListEntry.setStatus('mandatory')
wtIpWatcher_24VIpListName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 3, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VIpListName.setStatus('mandatory')
wtIpWatcher_24VIpListPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 3, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VIpListPort.setStatus('mandatory')
wtIpWatcher_24VIpListService = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 3, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VIpListService.setStatus('mandatory')
wtIpWatcher_24VIpListEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VIpListEnable.setStatus('mandatory')
wtIpWatcher_24VIpListAlias = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 3, 11, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VIpListAlias.setStatus('mandatory')
wtIpWatcher_24VPowerSupplyEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VPowerSupplyEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmCount.setStatus('mandatory')
wtIpWatcher_24VAlarmIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmIfTable.setStatus('mandatory')
wtIpWatcher_24VAlarmIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmIfEntry.setStatus('mandatory')
wtIpWatcher_24VAlarmNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmNo.setStatus('mandatory')
wtIpWatcher_24VAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTable.setStatus('mandatory')
wtIpWatcher_24VAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmEntry.setStatus('mandatory')
wtIpWatcher_24VAlarmInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmInterval.setStatus('mandatory')
wtIpWatcher_24VAlarmEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmMailAddr.setStatus('mandatory')
wtIpWatcher_24VAlarmMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmMailSubject.setStatus('mandatory')
wtIpWatcher_24VAlarmMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmMailText.setStatus('mandatory')
wtIpWatcher_24VAlarmSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSnmpManagerIP.setStatus('mandatory')
wtIpWatcher_24VAlarmSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSnmpTrapText.setStatus('mandatory')
wtIpWatcher_24VAlarmUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmUdpIpAddr.setStatus('mandatory')
wtIpWatcher_24VAlarmUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmUdpPort.setStatus('mandatory')
wtIpWatcher_24VAlarmUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmUdpText.setStatus('mandatory')
wtIpWatcher_24VAlarmTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTcpIpAddr.setStatus('mandatory')
wtIpWatcher_24VAlarmTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTcpPort.setStatus('mandatory')
wtIpWatcher_24VAlarmTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTcpText.setStatus('mandatory')
wtIpWatcher_24VAlarmSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSyslogIpAddr.setStatus('mandatory')
wtIpWatcher_24VAlarmSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSyslogPort.setStatus('mandatory')
wtIpWatcher_24VAlarmSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSyslogText.setStatus('mandatory')
wtIpWatcher_24VAlarmFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmFtpDataPort.setStatus('mandatory')
wtIpWatcher_24VAlarmFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmFtpFileName.setStatus('mandatory')
wtIpWatcher_24VAlarmFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmFtpText.setStatus('mandatory')
wtIpWatcher_24VAlarmFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmFtpOption.setStatus('mandatory')
wtIpWatcher_24VAlarmTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTimerCron.setStatus('mandatory')
wtIpWatcher_24VAlarmMailReleaseSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 26), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmMailReleaseSubject.setStatus('mandatory')
wtIpWatcher_24VAlarmMailReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 27), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmMailReleaseText.setStatus('mandatory')
wtIpWatcher_24VAlarmSnmpTrapReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 28), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSnmpTrapReleaseText.setStatus('mandatory')
wtIpWatcher_24VAlarmUdpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 29), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmUdpReleaseText.setStatus('mandatory')
wtIpWatcher_24VAlarmTcpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 30), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTcpReleaseText.setStatus('mandatory')
wtIpWatcher_24VAlarmSyslogReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 31), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSyslogReleaseText.setStatus('mandatory')
wtIpWatcher_24VAlarmFtpReleaseText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 32), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmFtpReleaseText.setStatus('mandatory')
wtIpWatcher_24VAlarmName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 33), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmName.setStatus('mandatory')
wtIpWatcher_24VAlarmGlobalEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 34), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmGlobalEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmCounterClear = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 35), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmCounterClear.setStatus('mandatory')
wtIpWatcher_24VAlarmAckEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 36), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmAckEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmAckPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 37), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmAckPort.setStatus('mandatory')
wtIpWatcher_24VAlarmSetPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 38), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSetPort.setStatus('mandatory')
wtIpWatcher_24VAlarmMailTrgClearSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 39), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmMailTrgClearSubject.setStatus('mandatory')
wtIpWatcher_24VAlarmMailTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 40), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmMailTrgClearText.setStatus('mandatory')
wtIpWatcher_24VAlarmSnmpTrapTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 41), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSnmpTrapTrgClearText.setStatus('mandatory')
wtIpWatcher_24VAlarmUdpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 42), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmUdpTrgClearText.setStatus('mandatory')
wtIpWatcher_24VAlarmTcpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 43), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTcpTrgClearText.setStatus('mandatory')
wtIpWatcher_24VAlarmSyslogTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 44), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSyslogTrgClearText.setStatus('mandatory')
wtIpWatcher_24VAlarmFtpTrgClearText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 45), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmFtpTrgClearText.setStatus('mandatory')
wtIpWatcher_24VAlarmMailTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 46), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmMailTrapTxEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmSnmpTrapTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 47), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSnmpTrapTrapTxEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmUdpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 48), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmUdpTrapTxEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmTcpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 49), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTcpTrapTxEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmSyslogTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 50), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmSyslogTrapTxEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmFtpTrapTxEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 51), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmFtpTrapTxEnable.setStatus('mandatory')
wtIpWatcher_24VAlarmTriggerCount = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 52), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmTriggerCount.setStatus('mandatory')
wtIpWatcher_24VAlarmPollingRate = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 1, 5, 3, 1, 53), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VAlarmPollingRate.setStatus('mandatory')
wtIpWatcher_24VInputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 1), )
if mibBuilder.loadTexts: wtIpWatcher_24VInputPortTable.setStatus('mandatory')
wtIpWatcher_24VInputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VInputNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VInputPortEntry.setStatus('mandatory')
wtIpWatcher_24VPortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VPortInputName.setStatus('mandatory')
wtIpWatcher_24VPortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VPortInputText.setStatus('mandatory')
wtIpWatcher_24VPortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VPortInputFilter.setStatus('mandatory')
wtIpWatcher_24VOutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 2), )
if mibBuilder.loadTexts: wtIpWatcher_24VOutputPortTable.setStatus('mandatory')
wtIpWatcher_24VOutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtIpWatcher_24VOutputNo"))
if mibBuilder.loadTexts: wtIpWatcher_24VOutputPortEntry.setStatus('mandatory')
wtIpWatcher_24VPortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 2, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VPortOutputName.setStatus('mandatory')
wtIpWatcher_24VPortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 2, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VPortOutputText.setStatus('mandatory')
wtIpWatcher_24VPortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 2, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VPortPulseDuration.setStatus('mandatory')
wtIpWatcher_24VPortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 2, 2, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VPortPulsePolarity.setStatus('mandatory')
wtIpWatcher_24VMfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMfName.setStatus('mandatory')
wtIpWatcher_24VMfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMfAddr.setStatus('mandatory')
wtIpWatcher_24VMfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMfHotline.setStatus('mandatory')
wtIpWatcher_24VMfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMfInternet.setStatus('mandatory')
wtIpWatcher_24VMfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VMfDeviceTyp.setStatus('mandatory')
wtIpWatcher_24VDiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VDiagErrorCount.setStatus('mandatory')
wtIpWatcher_24VDiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VDiagBinaryError.setStatus('mandatory')
wtIpWatcher_24VDiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtIpWatcher_24VDiagErrorIndex.setStatus('mandatory')
wtIpWatcher_24VDiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtIpWatcher_24VDiagErrorMessage.setStatus('mandatory')
wtIpWatcher_24VDiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtIpWatcher_24VDiagErrorClear.setStatus('mandatory')
wtIpWatcher_24VAlert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapText"))
wtIpWatcher_24VAlert13 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,71)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert14 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,72)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert15 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,73)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert16 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,74)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert17 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,75)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert18 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,76)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert19 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,77)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert20 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,78)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert21 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,79)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert22 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,80)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert23 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,81)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert24 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,82)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapReleaseText"))
wtIpWatcher_24VAlert25 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,91)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert26 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,92)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert27 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,93)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert28 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,94)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert29 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,95)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert30 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,96)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert31 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,97)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert32 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,98)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert33 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,99)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert34 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,100)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert35 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,101)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlert36 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,102)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VAlarmSnmpTrapTrgClearText"))
wtIpWatcher_24VAlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 32) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtIpWatcher_24VDiagErrorIndex"), ("Webio-Digital-MIB-US", "wtIpWatcher_24VDiagErrorMessage"))
wtTrapReceiver2x2Inputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2Inputs.setStatus('mandatory')
wtTrapReceiver2x2Outputs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2Outputs.setStatus('mandatory')
wtTrapReceiver2x2InputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 3), )
if mibBuilder.loadTexts: wtTrapReceiver2x2InputTable.setStatus('mandatory')
wtTrapReceiver2x2InputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2InputNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2InputEntry.setStatus('mandatory')
wtTrapReceiver2x2InputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2InputNo.setStatus('mandatory')
wtTrapReceiver2x2InputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtTrapReceiver2x2InputState-OFF", 0), ("wtTrapReceiver2x2InputState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2InputState.setStatus('mandatory')
wtTrapReceiver2x2InputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2InputValue.setStatus('mandatory')
wtTrapReceiver2x2OutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 5), )
if mibBuilder.loadTexts: wtTrapReceiver2x2OutputTable.setStatus('mandatory')
wtTrapReceiver2x2OutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 5, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2OutputNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2OutputEntry.setStatus('mandatory')
wtTrapReceiver2x2OutputNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2OutputNo.setStatus('mandatory')
wtTrapReceiver2x2OutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtTrapReceiver2x2OutputState-OFF", 0), ("wtTrapReceiver2x2OutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2OutputState.setStatus('mandatory')
wtTrapReceiver2x2OutputValue = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2OutputValue.setStatus('mandatory')
wtTrapReceiver2x2ActionOutputTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 8), )
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionOutputTable.setStatus('mandatory')
wtTrapReceiver2x2ActionOutputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 8, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionOutputEntry.setStatus('mandatory')
wtTrapReceiver2x2ActionOutputState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 8, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtTrapReceiver2x2ActionOutputState-OFF", 0), ("wtTrapReceiver2x2ActionOutputState-ON", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionOutputState.setStatus('mandatory')
wtTrapReceiver2x2ActionTriggerState = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtTrapReceiver2x2ActionTriggerState-OFF", 0), ("wtTrapReceiver2x2ActionTriggerState-ON", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionTriggerState.setStatus('mandatory')
wtTrapReceiver2x2SystemTimerTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 9), )
if mibBuilder.loadTexts: wtTrapReceiver2x2SystemTimerTable.setStatus('mandatory')
wtTrapReceiver2x2SystemTimerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 9, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2SystemTimerNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2SystemTimerEntry.setStatus('mandatory')
wtTrapReceiver2x2SystemTimerNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 9, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2SystemTimerNo.setStatus('mandatory')
wtTrapReceiver2x2ButtonTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 10), )
if mibBuilder.loadTexts: wtTrapReceiver2x2ButtonTable.setStatus('mandatory')
wtTrapReceiver2x2ButtonEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 10, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2ButtonNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2ButtonEntry.setStatus('mandatory')
wtTrapReceiver2x2ButtonNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 1, 10, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2ButtonNo.setStatus('mandatory')
wtTrapReceiver2x2SessCntrlPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SessCntrlPassword.setStatus('mandatory')
wtTrapReceiver2x2SessCntrlConfigMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("wtTrapReceiver2x2SessCntrl-NoSession", 0), ("wtTrapReceiver2x2SessCntrl-Session", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2SessCntrlConfigMode.setStatus('mandatory')
wtTrapReceiver2x2SessCntrlLogout = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 2, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SessCntrlLogout.setStatus('mandatory')
wtTrapReceiver2x2SessCntrlAdminPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 2, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SessCntrlAdminPassword.setStatus('mandatory')
wtTrapReceiver2x2SessCntrlConfigPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 2, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SessCntrlConfigPassword.setStatus('mandatory')
wtTrapReceiver2x2DeviceName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2DeviceName.setStatus('mandatory')
wtTrapReceiver2x2DeviceText = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2DeviceText.setStatus('mandatory')
wtTrapReceiver2x2DeviceLocation = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2DeviceLocation.setStatus('mandatory')
wtTrapReceiver2x2DeviceContact = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2DeviceContact.setStatus('mandatory')
wtTrapReceiver2x2TzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2TzOffsetHrs.setStatus('mandatory')
wtTrapReceiver2x2TzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2TzOffsetMin.setStatus('mandatory')
wtTrapReceiver2x2TzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2TzEnable.setStatus('mandatory')
wtTrapReceiver2x2StTzOffsetHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzOffsetHrs.setStatus('mandatory')
wtTrapReceiver2x2StTzOffsetMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 5), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzOffsetMin.setStatus('mandatory')
wtTrapReceiver2x2StTzEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzEnable.setStatus('mandatory')
wtTrapReceiver2x2StTzStartMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtTrapReceiver2x2StartMonth-January", 1), ("wtTrapReceiver2x2StartMonth-February", 2), ("wtTrapReceiver2x2StartMonth-March", 3), ("wtTrapReceiver2x2StartMonth-April", 4), ("wtTrapReceiver2x2StartMonth-May", 5), ("wtTrapReceiver2x2StartMonth-June", 6), ("wtTrapReceiver2x2StartMonth-July", 7), ("wtTrapReceiver2x2StartMonth-August", 8), ("wtTrapReceiver2x2StartMonth-September", 9), ("wtTrapReceiver2x2StartMonth-October", 10), ("wtTrapReceiver2x2StartMonth-November", 11), ("wtTrapReceiver2x2StartMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStartMonth.setStatus('mandatory')
wtTrapReceiver2x2StTzStartMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtTrapReceiver2x2StartMode-first", 1), ("wtTrapReceiver2x2StartMode-second", 2), ("wtTrapReceiver2x2StartMode-third", 3), ("wtTrapReceiver2x2StartMode-fourth", 4), ("wtTrapReceiver2x2StartMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStartMode.setStatus('mandatory')
wtTrapReceiver2x2StTzStartWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtTrapReceiver2x2StartWday-Sunday", 1), ("wtTrapReceiver2x2StartWday-Monday", 2), ("wtTrapReceiver2x2StartWday-Tuesday", 3), ("wtTrapReceiver2x2StartWday-Thursday", 4), ("wtTrapReceiver2x2StartWday-Wednesday", 5), ("wtTrapReceiver2x2StartWday-Friday", 6), ("wtTrapReceiver2x2StartWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStartWday.setStatus('mandatory')
wtTrapReceiver2x2StTzStartHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStartHrs.setStatus('mandatory')
wtTrapReceiver2x2StTzStartMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 11), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStartMin.setStatus('mandatory')
wtTrapReceiver2x2StTzStopMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtTrapReceiver2x2StopMonth-January", 1), ("wtTrapReceiver2x2StopMonth-February", 2), ("wtTrapReceiver2x2StopMonth-March", 3), ("wtTrapReceiver2x2StopMonth-April", 4), ("wtTrapReceiver2x2StopMonth-May", 5), ("wtTrapReceiver2x2StopMonth-June", 6), ("wtTrapReceiver2x2StopMonth-July", 7), ("wtTrapReceiver2x2StopMonth-August", 8), ("wtTrapReceiver2x2StopMonth-September", 9), ("wtTrapReceiver2x2StopMonth-October", 10), ("wtTrapReceiver2x2StopMonth-November", 11), ("wtTrapReceiver2x2StopMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStopMonth.setStatus('mandatory')
wtTrapReceiver2x2StTzStopMode = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("wtTrapReceiver2x2StopMode-first", 1), ("wtTrapReceiver2x2StopMode-second", 2), ("wtTrapReceiver2x2StopMode-third", 3), ("wtTrapReceiver2x2StopMode-fourth", 4), ("wtTrapReceiver2x2StopMode-last", 5)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStopMode.setStatus('mandatory')
wtTrapReceiver2x2StTzStopWday = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtTrapReceiver2x2StopWday-Sunday", 1), ("wtTrapReceiver2x2StopWday-Monday", 2), ("wtTrapReceiver2x2StopWday-Tuesday", 3), ("wtTrapReceiver2x2StopWday-Thursday", 4), ("wtTrapReceiver2x2StopWday-Wednesday", 5), ("wtTrapReceiver2x2StopWday-Friday", 6), ("wtTrapReceiver2x2StopWday-Saturday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStopWday.setStatus('mandatory')
wtTrapReceiver2x2StTzStopHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 15), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStopHrs.setStatus('mandatory')
wtTrapReceiver2x2StTzStopMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 1, 16), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2StTzStopMin.setStatus('mandatory')
wtTrapReceiver2x2TimeServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 2, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2TimeServer1.setStatus('mandatory')
wtTrapReceiver2x2TimeServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 2, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2TimeServer2.setStatus('mandatory')
wtTrapReceiver2x2TsEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2TsEnable.setStatus('mandatory')
wtTrapReceiver2x2TsSyncTime = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 2, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2TsSyncTime.setStatus('mandatory')
wtTrapReceiver2x2ClockHrs = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ClockHrs.setStatus('mandatory')
wtTrapReceiver2x2ClockMin = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 3, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ClockMin.setStatus('mandatory')
wtTrapReceiver2x2ClockDay = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ClockDay.setStatus('mandatory')
wtTrapReceiver2x2ClockMonth = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("wtTrapReceiver2x2ClockMonth-January", 1), ("wtTrapReceiver2x2ClockMonth-February", 2), ("wtTrapReceiver2x2ClockMonth-March", 3), ("wtTrapReceiver2x2ClockMonth-April", 4), ("wtTrapReceiver2x2ClockMonth-May", 5), ("wtTrapReceiver2x2ClockMonth-June", 6), ("wtTrapReceiver2x2ClockMonth-July", 7), ("wtTrapReceiver2x2ClockMonth-August", 8), ("wtTrapReceiver2x2ClockMonth-September", 9), ("wtTrapReceiver2x2ClockMonth-October", 10), ("wtTrapReceiver2x2ClockMonth-November", 11), ("wtTrapReceiver2x2ClockMonth-December", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ClockMonth.setStatus('mandatory')
wtTrapReceiver2x2ClockYear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 2, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ClockYear.setStatus('mandatory')
wtTrapReceiver2x2IpAddress = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2IpAddress.setStatus('mandatory')
wtTrapReceiver2x2SubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SubnetMask.setStatus('mandatory')
wtTrapReceiver2x2Gateway = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2Gateway.setStatus('mandatory')
wtTrapReceiver2x2DnsServer1 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2DnsServer1.setStatus('mandatory')
wtTrapReceiver2x2DnsServer2 = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2DnsServer2.setStatus('mandatory')
wtTrapReceiver2x2AddConfig = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 1, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2AddConfig.setStatus('mandatory')
wtTrapReceiver2x2HttpPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 2, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2HttpPort.setStatus('mandatory')
wtTrapReceiver2x2MailAdName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MailAdName.setStatus('mandatory')
wtTrapReceiver2x2MailReply = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MailReply.setStatus('mandatory')
wtTrapReceiver2x2MailServer = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MailServer.setStatus('mandatory')
wtTrapReceiver2x2MailEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MailEnable.setStatus('mandatory')
wtTrapReceiver2x2MailAuthentication = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MailAuthentication.setStatus('mandatory')
wtTrapReceiver2x2MailAuthUser = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MailAuthUser.setStatus('mandatory')
wtTrapReceiver2x2MailAuthPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MailAuthPassword.setStatus('mandatory')
wtTrapReceiver2x2MailPop3Server = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 3, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MailPop3Server.setStatus('mandatory')
wtTrapReceiver2x2SnmpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 4, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SnmpEnable.setStatus('mandatory')
wtTrapReceiver2x2SnmpCommunityStringRead = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 4, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SnmpCommunityStringRead.setStatus('mandatory')
wtTrapReceiver2x2SnmpCommunityStringReadWrite = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 4, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SnmpCommunityStringReadWrite.setStatus('mandatory')
wtTrapReceiver2x2SnmpSystemTrapManagerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SnmpSystemTrapManagerIP.setStatus('mandatory')
wtTrapReceiver2x2SnmpSystemTrapEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 4, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SnmpSystemTrapEnable.setStatus('mandatory')
wtTrapReceiver2x2UdpAdminPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 5, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2UdpAdminPort.setStatus('mandatory')
wtTrapReceiver2x2UdpEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 5, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2UdpEnable.setStatus('mandatory')
wtTrapReceiver2x2UdpRemotePort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 5, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2UdpRemotePort.setStatus('mandatory')
wtTrapReceiver2x2SyslogServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 7, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SyslogServerIP.setStatus('mandatory')
wtTrapReceiver2x2SyslogServerPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 7, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SyslogServerPort.setStatus('mandatory')
wtTrapReceiver2x2SyslogSystemMessagesEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 7, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SyslogSystemMessagesEnable.setStatus('mandatory')
wtTrapReceiver2x2SyslogEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 7, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2SyslogEnable.setStatus('mandatory')
wtTrapReceiver2x2FTPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 8, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2FTPServerIP.setStatus('mandatory')
wtTrapReceiver2x2FTPServerControlPort = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 8, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2FTPServerControlPort.setStatus('mandatory')
wtTrapReceiver2x2FTPUserName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 8, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2FTPUserName.setStatus('mandatory')
wtTrapReceiver2x2FTPPassword = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 8, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2FTPPassword.setStatus('mandatory')
wtTrapReceiver2x2FTPAccount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 8, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2FTPAccount.setStatus('mandatory')
wtTrapReceiver2x2FTPOption = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 8, 6), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2FTPOption.setStatus('mandatory')
wtTrapReceiver2x2FTPEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 3, 8, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2FTPEnable.setStatus('mandatory')
wtTrapReceiver2x2WatchListCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListCount.setStatus('mandatory')
wtTrapReceiver2x2WatchListIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 2), )
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListIfTable.setStatus('mandatory')
wtTrapReceiver2x2WatchListIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2WatchListNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListIfEntry.setStatus('mandatory')
wtTrapReceiver2x2WatchListNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 999))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListNo.setStatus('mandatory')
wtTrapReceiver2x2WatchListTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3), )
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListTable.setStatus('mandatory')
wtTrapReceiver2x2WatchListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2WatchListNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListEntry.setStatus('mandatory')
wtTrapReceiver2x2WatchListName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListName.setStatus('mandatory')
wtTrapReceiver2x2WatchListPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListPort.setStatus('mandatory')
wtTrapReceiver2x2WatchListService = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListService.setStatus('mandatory')
wtTrapReceiver2x2WatchListEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListEnable.setStatus('mandatory')
wtTrapReceiver2x2WatchListAlias = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListAlias.setStatus('mandatory')
wtTrapReceiver2x2WatchListTrapNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("wtTrapReceiver2x2WatchListTrapNo-ColdStart", 0), ("wtTrapReceiver2x2WatchListTrapNo-WarmStart", 1), ("wtTrapReceiver2x2WatchListTrapNo-LinkDown", 2), ("wtTrapReceiver2x2WatchListTrapNo-LinkUp", 3), ("wtTrapReceiver2x2WatchListTrapNo-AuthFailure", 4), ("wtTrapReceiver2x2WatchListTrapNo-EPGneighborLoss", 5), ("wtTrapReceiver2x2WatchListTrapNo-EnterpriseSpecific", 6), ("wtTrapReceiver2x2WatchListTrapNo-WildCard", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListTrapNo.setStatus('mandatory')
wtTrapReceiver2x2WatchListSpecificNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 7), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListSpecificNo.setStatus('mandatory')
wtTrapReceiver2x2WatchListFacility = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("wtTrapReceiver2x2WatchListFacility-Emergency", 0), ("wtTrapReceiver2x2WatchListFacility-Alert", 1), ("wtTrapReceiver2x2WatchListFacility-Critical", 2), ("wtTrapReceiver2x2WatchListFacility-Error", 3), ("wtTrapReceiver2x2WatchListFacility-Warning", 4), ("wtTrapReceiver2x2WatchListFacility-Notice", 5), ("wtTrapReceiver2x2WatchListFacility-Informational", 6), ("wtTrapReceiver2x2WatchListFacility-Debug", 7), ("wtTrapReceiver2x2WatchListFacility-WildCard", 8)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListFacility.setStatus('mandatory')
wtTrapReceiver2x2WatchListSeverity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 1, 3, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24))).clone(namedValues=NamedValues(("wtTrapReceiver2x2WatchListSeverity-kernel_messages", 0), ("wtTrapReceiver2x2WatchListSeverity-user_level_messages", 1), ("wtTrapReceiver2x2WatchListSeverity-mail_system", 2), ("wtTrapReceiver2x2WatchListSeverity-system_daemons", 3), ("wtTrapReceiver2x2WatchListSeverity-security_authorization_messages", 4), ("wtTrapReceiver2x2WatchListSeverity-messages_generated_internaly_by_syslogd", 5), ("wtTrapReceiver2x2WatchListSeverity-line_printer_subsystem", 6), ("wtTrapReceiver2x2WatchListSeverity-network_news_subsystem", 7), ("wtTrapReceiver2x2WatchListSeverity-UUCP_subsystem", 8), ("wtTrapReceiver2x2WatchListSeverity-clock_daemon", 9), ("wtTrapReceiver2x2WatchListSeverity-security_authorization_messages_private", 10), ("wtTrapReceiver2x2WatchListSeverity-FTP_daemon", 11), ("wtTrapReceiver2x2WatchListSeverity-NTP_subsystem", 12), ("wtTrapReceiver2x2WatchListSeverity-log_audit", 13), ("wtTrapReceiver2x2WatchListSeverity-log_alert", 14), ("wtTrapReceiver2x2WatchListSeverity-clock_daemon_15", 15), ("wtTrapReceiver2x2WatchListSeverity-local0", 16), ("wtTrapReceiver2x2WatchListSeverity-local1", 17), ("wtTrapReceiver2x2WatchListSeverity-local2", 18), ("wtTrapReceiver2x2WatchListSeverity-local3", 19), ("wtTrapReceiver2x2WatchListSeverity-local4", 20), ("wtTrapReceiver2x2WatchListSeverity-local5", 21), ("wtTrapReceiver2x2WatchListSeverity-local6", 22), ("wtTrapReceiver2x2WatchListSeverity-local7", 23), ("wtTrapReceiver2x2WatchListSeverity-WildCard", 24)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2WatchListSeverity.setStatus('mandatory')
wtTrapReceiver2x2PowerSupplyEnable = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 4, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PowerSupplyEnable.setStatus('mandatory')
wtTrapReceiver2x2ActionCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionCount.setStatus('mandatory')
wtTrapReceiver2x2ActionIfTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 2), )
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionIfTable.setStatus('mandatory')
wtTrapReceiver2x2ActionIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 2, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionIfEntry.setStatus('mandatory')
wtTrapReceiver2x2ActionNo = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionNo.setStatus('mandatory')
wtTrapReceiver2x2ActionTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3), )
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionTable.setStatus('mandatory')
wtTrapReceiver2x2ActionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionEntry.setStatus('mandatory')
wtTrapReceiver2x2ActionInputTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionInputTrigger.setStatus('mandatory')
wtTrapReceiver2x2ActionInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionInterval.setStatus('mandatory')
wtTrapReceiver2x2ActionEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionEnable.setStatus('mandatory')
wtTrapReceiver2x2ActionMailAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 7), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionMailAddr.setStatus('mandatory')
wtTrapReceiver2x2ActionMailSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 8), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionMailSubject.setStatus('mandatory')
wtTrapReceiver2x2ActionMailText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 9), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionMailText.setStatus('mandatory')
wtTrapReceiver2x2ActionSnmpManagerIP = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 10), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionSnmpManagerIP.setStatus('mandatory')
wtTrapReceiver2x2ActionSnmpTrapText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 11), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionSnmpTrapText.setStatus('mandatory')
wtTrapReceiver2x2ActionUdpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 12), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionUdpIpAddr.setStatus('mandatory')
wtTrapReceiver2x2ActionUdpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionUdpPort.setStatus('mandatory')
wtTrapReceiver2x2ActionUdpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 14), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionUdpText.setStatus('mandatory')
wtTrapReceiver2x2ActionTcpIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 15), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionTcpIpAddr.setStatus('mandatory')
wtTrapReceiver2x2ActionTcpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionTcpPort.setStatus('mandatory')
wtTrapReceiver2x2ActionTcpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 17), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionTcpText.setStatus('mandatory')
wtTrapReceiver2x2ActionSyslogIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 18), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionSyslogIpAddr.setStatus('mandatory')
wtTrapReceiver2x2ActionSyslogPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionSyslogPort.setStatus('mandatory')
wtTrapReceiver2x2ActionSyslogText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 20), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionSyslogText.setStatus('mandatory')
wtTrapReceiver2x2ActionFtpDataPort = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 21), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionFtpDataPort.setStatus('mandatory')
wtTrapReceiver2x2ActionFtpFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 22), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionFtpFileName.setStatus('mandatory')
wtTrapReceiver2x2ActionFtpText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 23), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionFtpText.setStatus('mandatory')
wtTrapReceiver2x2ActionFtpOption = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 24), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionFtpOption.setStatus('mandatory')
wtTrapReceiver2x2ActionTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 25), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionTimerCron.setStatus('mandatory')
wtTrapReceiver2x2ActionName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 33), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionName.setStatus('mandatory')
wtTrapReceiver2x2ActionGlobalEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 34), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionGlobalEnable.setStatus('mandatory')
wtTrapReceiver2x2ActionSystemTimerTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 55), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionSystemTimerTrigger.setStatus('mandatory')
wtTrapReceiver2x2ActionSystemButtonTrigger = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 56), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionSystemButtonTrigger.setStatus('mandatory')
wtTrapReceiver2x2ActionOutputAction = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 5, 3, 1, 57), OctetString().subtype(subtypeSpec=ValueSizeConstraint(12, 12)).setFixedLength(12)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2ActionOutputAction.setStatus('mandatory')
wtTrapReceiver2x2SystemTimerPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 2, 1), )
if mibBuilder.loadTexts: wtTrapReceiver2x2SystemTimerPortTable.setStatus('mandatory')
wtTrapReceiver2x2SystemTimerPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 2, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2SystemTimerNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2SystemTimerPortEntry.setStatus('mandatory')
wtTrapReceiver2x2PortSystemTimerEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 2, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortSystemTimerEnable.setStatus('mandatory')
wtTrapReceiver2x2PortSystemTimerName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 2, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortSystemTimerName.setStatus('mandatory')
wtTrapReceiver2x2PortSystemTimerCron = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 2, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortSystemTimerCron.setStatus('mandatory')
wtTrapReceiver2x2ButtonPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 3, 1), )
if mibBuilder.loadTexts: wtTrapReceiver2x2ButtonPortTable.setStatus('mandatory')
wtTrapReceiver2x2ButtonPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 3, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2ButtonNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2ButtonPortEntry.setStatus('mandatory')
wtTrapReceiver2x2PortButtonEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 3, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortButtonEnable.setStatus('mandatory')
wtTrapReceiver2x2PortButtonName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 3, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortButtonName.setStatus('mandatory')
wtTrapReceiver2x2PortButtonText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 3, 1, 1, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortButtonText.setStatus('mandatory')
wtTrapReceiver2x2PortButtonAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 3, 1, 1, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortButtonAccess.setStatus('mandatory')
wtTrapReceiver2x2InputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 4, 1), )
if mibBuilder.loadTexts: wtTrapReceiver2x2InputPortTable.setStatus('mandatory')
wtTrapReceiver2x2InputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 4, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2InputNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2InputPortEntry.setStatus('mandatory')
wtTrapReceiver2x2PortInputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 4, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortInputName.setStatus('mandatory')
wtTrapReceiver2x2PortInputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 4, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortInputText.setStatus('mandatory')
wtTrapReceiver2x2PortInputFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 6, 4, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortInputFilter.setStatus('mandatory')
wtTrapReceiver2x2OutputPortTable = MibTable((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 7, 1, 1), )
if mibBuilder.loadTexts: wtTrapReceiver2x2OutputPortTable.setStatus('mandatory')
wtTrapReceiver2x2OutputPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 7, 1, 1, 1), ).setIndexNames((0, "Webio-Digital-MIB-US", "wtTrapReceiver2x2OutputNo"))
if mibBuilder.loadTexts: wtTrapReceiver2x2OutputPortEntry.setStatus('mandatory')
wtTrapReceiver2x2PortOutputName = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 7, 1, 1, 1, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortOutputName.setStatus('mandatory')
wtTrapReceiver2x2PortOutputText = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 7, 1, 1, 1, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortOutputText.setStatus('mandatory')
wtTrapReceiver2x2PortPulseDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 7, 1, 1, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortPulseDuration.setStatus('mandatory')
wtTrapReceiver2x2PortPulsePolarity = MibTableColumn((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 1, 7, 1, 1, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2PortPulsePolarity.setStatus('mandatory')
wtTrapReceiver2x2MfName = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 3, 1), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MfName.setStatus('mandatory')
wtTrapReceiver2x2MfAddr = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 3, 2), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MfAddr.setStatus('mandatory')
wtTrapReceiver2x2MfHotline = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 3, 3), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MfHotline.setStatus('mandatory')
wtTrapReceiver2x2MfInternet = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 3, 4), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MfInternet.setStatus('mandatory')
wtTrapReceiver2x2MfDeviceTyp = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 3, 3, 5), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2MfDeviceTyp.setStatus('mandatory')
wtTrapReceiver2x2DiagErrorCount = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2DiagErrorCount.setStatus('mandatory')
wtTrapReceiver2x2DiagBinaryError = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 4, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2DiagBinaryError.setStatus('mandatory')
wtTrapReceiver2x2DiagErrorIndex = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 4, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wtTrapReceiver2x2DiagErrorIndex.setStatus('mandatory')
wtTrapReceiver2x2DiagErrorMessage = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 4, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2DiagErrorMessage.setStatus('mandatory')
wtTrapReceiver2x2DiagErrorClear = MibScalar((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33, 4, 5), Integer32()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: wtTrapReceiver2x2DiagErrorClear.setStatus('mandatory')
wtTrapReceiver2x2Alert1 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,41)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ReportSnmpTrapText"))
wtTrapReceiver2x2Alert2 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,42)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert3 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,43)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert4 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,44)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert5 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,45)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert6 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,46)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert7 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,47)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert8 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,48)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert9 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,49)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert10 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,50)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert11 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,51)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2Alert12 = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,52)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2ActionSnmpTrapText"))
wtTrapReceiver2x2AlertDiag = NotificationType((1, 3, 6, 1, 4, 1, 5040, 1, 2, 33) + (0,110)).setObjects(("Webio-Digital-MIB-US", "wtTrapReceiver2x2DiagErrorIndex"), ("Webio-Digital-MIB-US", "wtTrapReceiver2x2DiagErrorMessage"))
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA12x12SnmpCommunityStringReadWrite=wtWebioEA12x12SnmpCommunityStringReadWrite, wtWebioEA24oemLCShutDownView=wtWebioEA24oemLCShutDownView, wtWebioEA12x6RelDiag=wtWebioEA12x6RelDiag, wtWebioEA2x2LoadControlView=wtWebioEA2x2LoadControlView, wtWebioEA24oemTimeServer=wtWebioEA24oemTimeServer, wtWebioEA12x6RelERPPortInputBicountPulsePolarity=wtWebioEA12x6RelERPPortInputBicountPulsePolarity, wtIpWatcher_24VAlarmSnmpTrapTrapTxEnable=wtIpWatcher_24VAlarmSnmpTrapTrapTxEnable, wtWebioEA2x2ERP_24VAlarmCount=wtWebioEA2x2ERP_24VAlarmCount, wtTrapReceiver2x2MailAdName=wtTrapReceiver2x2MailAdName, wtIpWatcher_24VTimeServer2=wtIpWatcher_24VTimeServer2, wtWebioEA2x2_24VPortPulseDuration=wtWebioEA2x2_24VPortPulseDuration, wtWebioEA12x12Alert5=wtWebioEA12x12Alert5, wtWebioEA12x6RelSyslogEnable=wtWebioEA12x6RelSyslogEnable, wtIpWatcherAlert15=wtIpWatcherAlert15, wtWebioEA2x2ERPAlert12=wtWebioEA2x2ERPAlert12, wtWebioEA2x2ERP_24VAlarmEntry=wtWebioEA2x2ERP_24VAlarmEntry, wtWebioEA12x6RelMail=wtWebioEA12x6RelMail, wtIpWatcher_24VMailAuthPassword=wtIpWatcher_24VMailAuthPassword, wtTrapReceiver2x2DiagErrorMessage=wtTrapReceiver2x2DiagErrorMessage, wtWebioEA12x12StTzStopMode=wtWebioEA12x12StTzStopMode, wtWebioEA24oemStTzEnable=wtWebioEA24oemStTzEnable, wtWebioEA12x6RelERPMfDeviceTyp=wtWebioEA12x6RelERPMfDeviceTyp, wtWebioEA24oemInputValue=wtWebioEA24oemInputValue, wtWebioEA2x2MailEnable=wtWebioEA2x2MailEnable, wtWebioEA2x2_24VBinaryTcpClientServerHttpPort=wtWebioEA2x2_24VBinaryTcpClientServerHttpPort, wtWebioEA2x2ERPOutputState=wtWebioEA2x2ERPOutputState, wtWebioEA12x6RelDeviceContact=wtWebioEA12x6RelDeviceContact, wtWebioEA2x2_24VStTzStopMonth=wtWebioEA2x2_24VStTzStopMonth, wtTrapReceiver2x2HttpPort=wtTrapReceiver2x2HttpPort, wtWebAlarm6x6UDP=wtWebAlarm6x6UDP, wtWebioEA2x2ERPManufact=wtWebioEA2x2ERPManufact, wtWebioEA2x2BinaryTcpClientInterval=wtWebioEA2x2BinaryTcpClientInterval, wtWebioEA2x2Alert8=wtWebioEA2x2Alert8, wtWebioEA12x12AlertDiag=wtWebioEA12x12AlertDiag, wtWebioEA24oemAlarmMaxCounterValue=wtWebioEA24oemAlarmMaxCounterValue, wtWebioEA12x6RelERPInputValue=wtWebioEA12x6RelERPInputValue, wtWebioEA2x2HttpInputTrigger=wtWebioEA2x2HttpInputTrigger, wtWebAlarm6x6ClockMonth=wtWebAlarm6x6ClockMonth, wtTrapReceiver2x2SyslogServerIP=wtTrapReceiver2x2SyslogServerIP, wtWebioEA2x2BinaryIfEntry=wtWebioEA2x2BinaryIfEntry, wtTrapReceiver2x2MailServer=wtTrapReceiver2x2MailServer, wtWebioEA2x2ClockDay=wtWebioEA2x2ClockDay, wtWebAlarm6x6ClockMin=wtWebAlarm6x6ClockMin, wtWebioEA12x6RelERPAlarm=wtWebioEA12x6RelERPAlarm, wtWebioEA2x2ERPOutputs=wtWebioEA2x2ERPOutputs, wtIpWatcherAlarmFtpFileName=wtIpWatcherAlarmFtpFileName, wtIpWatcher_24VUdpRemotePort=wtIpWatcher_24VUdpRemotePort, wtWebioEA2x2ERPLoadControlEnable=wtWebioEA2x2ERPLoadControlEnable, wtWebioEA12x12AlarmUdpReleaseText=wtWebioEA12x12AlarmUdpReleaseText, wtWebioEA12x6RelERPWayBack=wtWebioEA12x6RelERPWayBack, wtIpWatcher_24VOutputMode=wtIpWatcher_24VOutputMode, wtWebioEA12x6RelMailAuthUser=wtWebioEA12x6RelMailAuthUser, wtIpWatcherDiagErrorCount=wtIpWatcherDiagErrorCount, wtIpWatcherAlarmEntry=wtIpWatcherAlarmEntry, wtWebioEA2x2ERPOutputTable=wtWebioEA2x2ERPOutputTable, wtWebioEA6x6IpAddress=wtWebioEA6x6IpAddress, wtWebioEA2x2DiagErrorClear=wtWebioEA2x2DiagErrorClear, wtWebioEA12x12Inputs=wtWebioEA12x12Inputs, wtWebioEA2x2MailServer=wtWebioEA2x2MailServer, wtWebioEA12x6RelERPPorts=wtWebioEA12x6RelERPPorts, wtWebioEA2x2ERPAlarmTable=wtWebioEA2x2ERPAlarmTable, wtIpWatcher_24VAlert23=wtIpWatcher_24VAlert23, wtWebioEA2x2Basic=wtWebioEA2x2Basic, wtTrapReceiver2x2WatchListNo=wtTrapReceiver2x2WatchListNo, wtIpWatcher_24VInputCounterClear=wtIpWatcher_24VInputCounterClear, wtWebioEA24oemDiagErrorMessage=wtWebioEA24oemDiagErrorMessage, wtIpWatcherAlert33=wtIpWatcherAlert33, wtWebioEA12x12OutputModeTable=wtWebioEA12x12OutputModeTable, wtWebioEA2x2ERP_24VAlert19=wtWebioEA2x2ERP_24VAlert19, wtWebioEA6x6Alert11=wtWebioEA6x6Alert11, wtWebCount6TimeServer2=wtWebCount6TimeServer2, wtWebioEA12x6RelAlert16=wtWebioEA12x6RelAlert16, wtWebioEA12x12TzOffsetHrs=wtWebioEA12x12TzOffsetHrs, wtWebioEA2x2ERP_24VFTPServerIP=wtWebioEA2x2ERP_24VFTPServerIP, wtWebioEA2x2ERPAlarmFtpOption=wtWebioEA2x2ERPAlarmFtpOption, wtWebioEA2x2PortLogicInputMask=wtWebioEA2x2PortLogicInputMask, wtWebioEA12x12InputTable=wtWebioEA12x12InputTable, wtWebAlarm6x6InputTable=wtWebAlarm6x6InputTable, wtTrapReceiver2x2Basic=wtTrapReceiver2x2Basic, wtWebioEA2x2SetOutput=wtWebioEA2x2SetOutput, wtWebioEA24oemSessCntrlConfigMode=wtWebioEA24oemSessCntrlConfigMode, wtWebCount6PortInputCounterUnit=wtWebCount6PortInputCounterUnit, wtIpWatcher_24VConfig=wtIpWatcher_24VConfig, wtIpWatcher_24VAlarmFtpText=wtIpWatcher_24VAlarmFtpText, wtWebioEA2x2_24VClockDay=wtWebioEA2x2_24VClockDay, wtWebAlarm6x6TimeDate=wtWebAlarm6x6TimeDate, wtWebioEA12x6RelAlarmUdpPort=wtWebioEA12x6RelAlarmUdpPort, wut=wut, wtTrapReceiver2x2Syslog=wtTrapReceiver2x2Syslog, wtWebioEA2x2ERP_24VBinaryTcpServerLocalPort=wtWebioEA2x2ERP_24VBinaryTcpServerLocalPort, wtWebioEA2x2ERPOutputPortTable=wtWebioEA2x2ERPOutputPortTable, wtWebioEA12x6RelERPBinaryTcpClientServerPort=wtWebioEA12x6RelERPBinaryTcpClientServerPort, wtWebioEA2x2ERP_24VInputTable=wtWebioEA2x2ERP_24VInputTable, wtWebAlarm6x6DiagErrorMessage=wtWebAlarm6x6DiagErrorMessage, wtWebioEA2x2ERP_24VBinary=wtWebioEA2x2ERP_24VBinary, wtWebAlarm6x6SyslogEnable=wtWebAlarm6x6SyslogEnable, wtIpWatcherOutputPortEntry=wtIpWatcherOutputPortEntry, wtWebioEA12x6RelERPPortLogicInputInverter=wtWebioEA12x6RelERPPortLogicInputInverter, wtTrapReceiver2x2OutputPortEntry=wtTrapReceiver2x2OutputPortEntry, wtWebioEA2x2StTzStopMode=wtWebioEA2x2StTzStopMode, wtWebAlarm6x6AlarmSyslogReleaseText=wtWebAlarm6x6AlarmSyslogReleaseText, wtWebAlarm6x6AlarmUdpText=wtWebAlarm6x6AlarmUdpText, wtIpWatcher_24VPortInputName=wtIpWatcher_24VPortInputName, wtWebioEA6x6TzEnable=wtWebioEA6x6TzEnable, wtWebioEA6x6BinaryUdpPeerInterval=wtWebioEA6x6BinaryUdpPeerInterval, wtWebioEA2x2ERPHTTP=wtWebioEA2x2ERPHTTP, wtWebioEA2x2_24VBinaryTcpClientServerPassword=wtWebioEA2x2_24VBinaryTcpClientServerPassword, wtWebioEA24oemPortPulseDuration=wtWebioEA24oemPortPulseDuration, wtWebioEA2x2ERPBinaryUdpPeerLocalPort=wtWebioEA2x2ERPBinaryUdpPeerLocalPort, wtWebioEA12x12BinaryTcpClientServerHttpPort=wtWebioEA12x12BinaryTcpClientServerHttpPort, wtWebioEA12x6RelDeviceLocation=wtWebioEA12x6RelDeviceLocation, wtWebioEA2x2_24VDeviceName=wtWebioEA2x2_24VDeviceName, wtIpWatcher_24VAlarmTriggerCount=wtIpWatcher_24VAlarmTriggerCount, wtWebioEA12x6RelAlarmEntry=wtWebioEA12x6RelAlarmEntry, wtWebCount6HTTP=wtWebCount6HTTP, wtIpWatcher_24VSnmpSystemTrapEnable=wtIpWatcher_24VSnmpSystemTrapEnable, wtIpWatcherClockHrs=wtIpWatcherClockHrs, wtWebioEA2x2ERP_24VSNMP=wtWebioEA2x2ERP_24VSNMP, wtWebioEA12x6RelERPClockHrs=wtWebioEA12x6RelERPClockHrs, wtWebioEA2x2ERPStTzStartMin=wtWebioEA2x2ERPStTzStartMin, wtWebioEA12x6RelERPDiag=wtWebioEA12x6RelERPDiag, wtWebioEA2x2_24VPortLogicInputInverter=wtWebioEA2x2_24VPortLogicInputInverter, wtWebioEA12x12AlarmFtpText=wtWebioEA12x12AlarmFtpText, wtWebAlarm6x6DeviceName=wtWebAlarm6x6DeviceName, wtWebCount6SessCntrlAdminPassword=wtWebCount6SessCntrlAdminPassword, wtTrapReceiver2x2DeviceName=wtTrapReceiver2x2DeviceName, wtWebioEA2x2_24VAlarmUdpText=wtWebioEA2x2_24VAlarmUdpText, wtTrapReceiver2x2UdpAdminPort=wtTrapReceiver2x2UdpAdminPort, wtWebAlarm6x6AlarmAckEnable=wtWebAlarm6x6AlarmAckEnable, wtWebioEA12x12PortLogicOutputInverter=wtWebioEA12x12PortLogicOutputInverter, wtWebioEA2x2ERPSyslogSystemMessagesEnable=wtWebioEA2x2ERPSyslogSystemMessagesEnable, wtWebioEA6x6PortInputFilter=wtWebioEA6x6PortInputFilter, wtIpWatcherFTPUserName=wtIpWatcherFTPUserName, wtWebioEA2x2ERP_24VFTPOption=wtWebioEA2x2ERP_24VFTPOption, wtTrapReceiver2x2ActionInputTrigger=wtTrapReceiver2x2ActionInputTrigger, wtTrapReceiver2x2PortSystemTimerEnable=wtTrapReceiver2x2PortSystemTimerEnable, wtIpWatcher_24VDiag=wtIpWatcher_24VDiag, wtWebioEA12x6RelMailAuthPassword=wtWebioEA12x6RelMailAuthPassword, wtWebAlarm6x6AlarmInputTrigger=wtWebAlarm6x6AlarmInputTrigger, wtTrapReceiver2x2Gateway=wtTrapReceiver2x2Gateway, wtWebCount6MailPop3Server=wtWebCount6MailPop3Server, wtWebioEA12x6RelERPInputPortEntry=wtWebioEA12x6RelERPInputPortEntry, wtWebCount6StTzStartMonth=wtWebCount6StTzStartMonth, wtWebioEA24oemAlarmCount=wtWebioEA24oemAlarmCount, wtIpWatcherIpListEntry=wtIpWatcherIpListEntry, wtWebCount6StTzStartMin=wtWebCount6StTzStartMin, wtWebioEA6x6Alert19=wtWebioEA6x6Alert19, wtWebioEA2x2_24VSessCntrl=wtWebioEA2x2_24VSessCntrl, wtWebCount6PortInputFilter=wtWebCount6PortInputFilter, wtWebioEA12x6RelAlarmSnmpTrapText=wtWebioEA12x6RelAlarmSnmpTrapText, wtWebCount6Alert5=wtWebCount6Alert5, wtWebioEA12x6RelERPBinaryUdpPeerInputTrigger=wtWebioEA12x6RelERPBinaryUdpPeerInputTrigger, wtWebioEA12x6RelERPAlarmFtpDataPort=wtWebioEA12x6RelERPAlarmFtpDataPort, wtWebioEA24oemHttpInputTrigger=wtWebioEA24oemHttpInputTrigger, wtWebAlarm6x6FTPServerControlPort=wtWebAlarm6x6FTPServerControlPort, wtWebioEA12x12AlarmUdpText=wtWebioEA12x12AlarmUdpText, wtWebioEA2x2StTzOffsetMin=wtWebioEA2x2StTzOffsetMin, wtIpWatcherSessCntrlConfigMode=wtIpWatcherSessCntrlConfigMode, wtWebioEA2x2Alert23=wtWebioEA2x2Alert23, wtWebioEA2x2BinaryTcpClientServerPort=wtWebioEA2x2BinaryTcpClientServerPort, wtWebioEA6x6InputValue=wtWebioEA6x6InputValue, wtWebioEA2x2ERPLCShutDownView=wtWebioEA2x2ERPLCShutDownView, wtIpWatcherSnmpCommunityStringReadWrite=wtIpWatcherSnmpCommunityStringReadWrite, wtWebioEA2x2_24VStTzStartHrs=wtWebioEA2x2_24VStTzStartHrs, wtWebioEA24oemStTzStartHrs=wtWebioEA24oemStTzStartHrs, wtTrapReceiver2x2SessCntrlLogout=wtTrapReceiver2x2SessCntrlLogout, wtWebioEA24oemAlert10=wtWebioEA24oemAlert10, wtIpWatcher_24VOutputPortEntry=wtIpWatcher_24VOutputPortEntry, wtWebioEA24oemClockMin=wtWebioEA24oemClockMin, wtTrapReceiver2x2ActionFtpDataPort=wtTrapReceiver2x2ActionFtpDataPort, wtWebioEA12x12SnmpEnable=wtWebioEA12x12SnmpEnable, wtWebioEA12x6RelERPMfHotline=wtWebioEA12x6RelERPMfHotline, wtWebioEA24oemInputTable=wtWebioEA24oemInputTable, wtWebioEA6x6MailPop3Server=wtWebioEA6x6MailPop3Server, wtWebioEA6x6AlarmUdpPort=wtWebioEA6x6AlarmUdpPort, wtWebioEA12x6RelOutputPortEntry=wtWebioEA12x6RelOutputPortEntry, wtWebioEA12x6RelERPOutputValue=wtWebioEA12x6RelERPOutputValue, wtWebioEA12x12OutputNo=wtWebioEA12x12OutputNo, wtWebioEA12x6RelERPBinaryTcpClientInterval=wtWebioEA12x6RelERPBinaryTcpClientInterval, wtIpWatcherMfDeviceTyp=wtIpWatcherMfDeviceTyp, wtWebioEA24oemAlarmTcpPort=wtWebioEA24oemAlarmTcpPort, wtWebioEA6x6BinaryTcpClientServerPassword=wtWebioEA6x6BinaryTcpClientServerPassword, wtWebioEA2x2_24VTzEnable=wtWebioEA2x2_24VTzEnable, wtWebioEA12x6RelSessCntrlConfigPassword=wtWebioEA12x6RelSessCntrlConfigPassword, wtWebioEA12x6RelAlarmTcpText=wtWebioEA12x6RelAlarmTcpText, wtWebioEA24oemFTPOption=wtWebioEA24oemFTPOption, wtWebioEA12x12MailAuthPassword=wtWebioEA12x12MailAuthPassword, wtWebioEA2x2_24VAlarmTable=wtWebioEA2x2_24VAlarmTable, wtWebioEA12x12PortInputName=wtWebioEA12x12PortInputName, wtWebCount6PortInputCounterSet=wtWebCount6PortInputCounterSet, wtWebAlarm6x6Alert13=wtWebAlarm6x6Alert13, wtWebioEA12x6RelFTP=wtWebioEA12x6RelFTP, wtWebCount6SnmpSystemTrapManagerIP=wtWebCount6SnmpSystemTrapManagerIP, wtWebioEA6x6AlarmTcpIpAddr=wtWebioEA6x6AlarmTcpIpAddr, wtWebioEA12x12TimeServer=wtWebioEA12x12TimeServer, wtWebAlarm6x6AlarmCount=wtWebAlarm6x6AlarmCount, wtWebioEA24oemMailEnable=wtWebioEA24oemMailEnable, wtWebioEA24oemMailAuthPassword=wtWebioEA24oemMailAuthPassword, wtWebioEA12x6RelERPOutputModeBit=wtWebioEA12x6RelERPOutputModeBit, wtWebioEA12x12PortLogicFunction=wtWebioEA12x12PortLogicFunction, wtIpWatcherTimeZone=wtIpWatcherTimeZone, wtWebioEA12x12InputPortEntry=wtWebioEA12x12InputPortEntry, wtWebioEA2x2_24VBinaryOperationMode=wtWebioEA2x2_24VBinaryOperationMode, wtWebioEA2x2ERPSafetyTimeout=wtWebioEA2x2ERPSafetyTimeout, wtWebioEA24oemTsSyncTime=wtWebioEA24oemTsSyncTime, wtIpWatcher_24VMailAuthUser=wtIpWatcher_24VMailAuthUser, wtWebioEA2x2_24VGetHeaderEnable=wtWebioEA2x2_24VGetHeaderEnable, wtWebioEA12x12MfName=wtWebioEA12x12MfName, wtIpWatcher_24VAlarmUdpTrapTxEnable=wtIpWatcher_24VAlarmUdpTrapTxEnable, wtWebioEA2x2AlarmTcpReleaseText=wtWebioEA2x2AlarmTcpReleaseText, wtWebioEA12x6RelERPHttpInputTrigger=wtWebioEA12x6RelERPHttpInputTrigger, wtTrapReceiver2x2SessCntrl=wtTrapReceiver2x2SessCntrl, wtWebioEA6x6SyslogServerIP=wtWebioEA6x6SyslogServerIP, wtWebioEA12x12AlarmSyslogReleaseText=wtWebioEA12x12AlarmSyslogReleaseText, wtWebioEA2x2ERPMailReply=wtWebioEA2x2ERPMailReply, wtWebioEA12x6RelERPMfOrderNo=wtWebioEA12x6RelERPMfOrderNo, wtWebioEA24oemNetwork=wtWebioEA24oemNetwork, wtTrapReceiver2x2DeviceClock=wtTrapReceiver2x2DeviceClock, wtWebioEA2x2ERPStTzStartHrs=wtWebioEA2x2ERPStTzStartHrs, wtWebioEA12x6RelAlarmInputTrigger=wtWebioEA12x6RelAlarmInputTrigger, wtWebioEA2x2_24VAlarmFtpText=wtWebioEA2x2_24VAlarmFtpText, wtWebioEA24oemAlarmIfTable=wtWebioEA24oemAlarmIfTable, wtWebioEA2x2ERP_24VAlert12=wtWebioEA2x2ERP_24VAlert12, wtWebioEA12x12FTP=wtWebioEA12x12FTP, wtWebioEA2x2ERPDiagErrorCount=wtWebioEA2x2ERPDiagErrorCount, wtWebioEA2x2ERPAlert5=wtWebioEA2x2ERPAlert5, wtIpWatcherGateway=wtIpWatcherGateway, wtIpWatcher_24VStTzStartMonth=wtIpWatcher_24VStTzStartMonth, wtTrapReceiver2x2MailReply=wtTrapReceiver2x2MailReply, wtWebioEA2x2Alert7=wtWebioEA2x2Alert7, wtWebioEA2x2ERPInOut=wtWebioEA2x2ERPInOut, wtWebAlarm6x6TzOffsetHrs=wtWebAlarm6x6TzOffsetHrs, wtIpWatcher_24VIpListIfEntry=wtIpWatcher_24VIpListIfEntry, wtWebioEA12x12AlarmEntry=wtWebioEA12x12AlarmEntry, wtWebioEA12x6RelAlarmFtpDataPort=wtWebioEA12x6RelAlarmFtpDataPort, wtWebioEA24oemAlert7=wtWebioEA24oemAlert7, wtWebioEA12x6RelERPAlarmIfEntry=wtWebioEA12x6RelERPAlarmIfEntry, wtWebioEA12x6RelBinaryOperationMode=wtWebioEA12x6RelBinaryOperationMode, wtWebAlarm6x6Alert10=wtWebAlarm6x6Alert10, wtWebioEA2x2ERPMfAddr=wtWebioEA2x2ERPMfAddr, wtWebioEA12x12StTzOffsetHrs=wtWebioEA12x12StTzOffsetHrs, wtWebioEA12x6RelERPAlarmTcpPort=wtWebioEA12x6RelERPAlarmTcpPort, wtWebCount6SubnetMask=wtWebCount6SubnetMask, wtWebioEA12x12AlarmCount=wtWebioEA12x12AlarmCount, wtWebAlarm6x6IpAddress=wtWebAlarm6x6IpAddress, wtWebioEA2x2ERP_24VConfig=wtWebioEA2x2ERP_24VConfig, wtIpWatcherAlert26=wtIpWatcherAlert26, wtWebioEA6x6BinaryUdpPeerInputTrigger=wtWebioEA6x6BinaryUdpPeerInputTrigger, wtWebioEA12x6RelERPClockYear=wtWebioEA12x6RelERPClockYear, wtWebioEA2x2ERPAlarmSystemTrigger=wtWebioEA2x2ERPAlarmSystemTrigger, wtWebioEA12x12DnsServer2=wtWebioEA12x12DnsServer2, wtWebioEA12x6RelERPNetwork=wtWebioEA12x6RelERPNetwork, wtWebioEA2x2_24VAlarmMaxCounterValue=wtWebioEA2x2_24VAlarmMaxCounterValue, wtWebioEA2x2_24VAlert21=wtWebioEA2x2_24VAlert21)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA12x6RelBinaryTcpClientServerPassword=wtWebioEA12x6RelBinaryTcpClientServerPassword, wtWebioEA2x2ERPTimeServer2=wtWebioEA2x2ERPTimeServer2, wtTrapReceiver2x2MailAuthUser=wtTrapReceiver2x2MailAuthUser, wtWebCount6FTP=wtWebCount6FTP, wtWebioEA24oemAlert1=wtWebioEA24oemAlert1, wtWebioEA12x12SessCntrlPassword=wtWebioEA12x12SessCntrlPassword, wtWebioEA12x6RelERPBinaryConnectedIpAddr=wtWebioEA12x6RelERPBinaryConnectedIpAddr, wtWebioEA2x2SnmpSystemTrapEnable=wtWebioEA2x2SnmpSystemTrapEnable, wtWebioEA12x6RelUdpEnable=wtWebioEA12x6RelUdpEnable, wtWebioEA2x2ERPAlert8=wtWebioEA2x2ERPAlert8, wtIpWatcher_24VAlarmFtpFileName=wtIpWatcher_24VAlarmFtpFileName, wtWebioEA2x2HTTP=wtWebioEA2x2HTTP, wtIpWatcher_24VTzEnable=wtIpWatcher_24VTzEnable, wtWebioEA24oemDnsServer1=wtWebioEA24oemDnsServer1, wtWebCount6Config=wtWebCount6Config, wtWebioEA6x6Alarm=wtWebioEA6x6Alarm, wtWebioEA2x2ERPAlarmIfTable=wtWebioEA2x2ERPAlarmIfTable, wtWebioEA2x2ERPMailServer=wtWebioEA2x2ERPMailServer, wtWebioEA12x6RelERPText=wtWebioEA12x6RelERPText, wtWebioEA2x2_24VOutputNo=wtWebioEA2x2_24VOutputNo, wtIpWatcherNetwork=wtIpWatcherNetwork, wtWebioEA6x6AlarmIfEntry=wtWebioEA6x6AlarmIfEntry, wtTrapReceiver2x2SyslogServerPort=wtTrapReceiver2x2SyslogServerPort, wtWebioEA12x12TimeServer2=wtWebioEA12x12TimeServer2, wtIpWatcher_24VAlarmFtpDataPort=wtIpWatcher_24VAlarmFtpDataPort, wtWebioEA12x6RelERPDnsServer1=wtWebioEA12x6RelERPDnsServer1, wtWebAlarm6x6AlarmNo=wtWebAlarm6x6AlarmNo, wtWebioEA2x2InputPortEntry=wtWebioEA2x2InputPortEntry, wtWebioEA6x6AlarmCount=wtWebioEA6x6AlarmCount, wtWebioEA12x6RelERPBinaryIfEntry=wtWebioEA12x6RelERPBinaryIfEntry, wtTrapReceiver2x2TimeServer=wtTrapReceiver2x2TimeServer, wtWebioEA2x2_24VBinaryTcpServerLocalPort=wtWebioEA2x2_24VBinaryTcpServerLocalPort, wtIpWatcherStTzOffsetMin=wtIpWatcherStTzOffsetMin, wtWebioEA12x6RelBinaryTcpClientInterval=wtWebioEA12x6RelBinaryTcpClientInterval, wtWebioEA12x6RelERPAlert22=wtWebioEA12x6RelERPAlert22, wtTrapReceiver2x2SessCntrlAdminPassword=wtTrapReceiver2x2SessCntrlAdminPassword, wtIpWatcherAlarmUdpText=wtIpWatcherAlarmUdpText, wtWebioEA12x6RelERPAlert14=wtWebioEA12x6RelERPAlert14, wtIpWatcherAlarmPollingRate=wtIpWatcherAlarmPollingRate, wtIpWatcher_24VFTPServerIP=wtIpWatcher_24VFTPServerIP, wtIpWatcherStTzOffsetHrs=wtIpWatcherStTzOffsetHrs, wtWebioEA2x2ERP_24VAlert3=wtWebioEA2x2ERP_24VAlert3, wtIpWatcherMfHotline=wtIpWatcherMfHotline, wtWebioEA12x12BinaryUdpPeerApplicationMode=wtWebioEA12x12BinaryUdpPeerApplicationMode, wtWebioEA2x2ERPBasic=wtWebioEA2x2ERPBasic, wtIpWatcher_24VStTzStopWday=wtIpWatcher_24VStTzStopWday, wtWebioEA2x2ERPDiagErrorClear=wtWebioEA2x2ERPDiagErrorClear, wtTrapReceiver2x2ActionEntry=wtTrapReceiver2x2ActionEntry, wtTrapReceiver2x2FTPUserName=wtTrapReceiver2x2FTPUserName, wtWebioEA12x12ClockMin=wtWebioEA12x12ClockMin, wtTrapReceiver2x2Network=wtTrapReceiver2x2Network, wtWebioEA2x2ERP_24VInputNo=wtWebioEA2x2ERP_24VInputNo, wtWebioEA2x2ERPDiag=wtWebioEA2x2ERPDiag, wtWebioEA12x6RelSessCntrlPassword=wtWebioEA12x6RelSessCntrlPassword, wtWebioEA2x2ERPFTP=wtWebioEA2x2ERPFTP, wtIpWatcher_24VNetwork=wtIpWatcher_24VNetwork, wtWebAlarm6x6StTzStopMonth=wtWebAlarm6x6StTzStopMonth, wtWebCount6ReportFtpText=wtWebCount6ReportFtpText, wtWebioEA12x6RelERPPortPulseDuration=wtWebioEA12x6RelERPPortPulseDuration, wtIpWatcherDiagBinaryError=wtIpWatcherDiagBinaryError, wtWebioEA12x6RelAlarmMailSubject=wtWebioEA12x6RelAlarmMailSubject, wtWebioEA12x12BinaryOperationMode=wtWebioEA12x12BinaryOperationMode, wtWebioEA24oemText=wtWebioEA24oemText, wtWebCount6HttpPort=wtWebCount6HttpPort, wtWebioEA12x6RelERPFTPOption=wtWebioEA12x6RelERPFTPOption, wtWebioEA12x6RelAlarmSystemTrigger=wtWebioEA12x6RelAlarmSystemTrigger, wtWebioEA2x2ERP_24VWayBackFTPResponse=wtWebioEA2x2ERP_24VWayBackFTPResponse, wtWebioEA2x2MailReply=wtWebioEA2x2MailReply, wtWebioEA2x2BinaryIfTable=wtWebioEA2x2BinaryIfTable, wtWebioEA12x6RelBinaryTcpClientServerIpAddr=wtWebioEA12x6RelBinaryTcpClientServerIpAddr, wtWebioEA12x6RelERPInputPortTable=wtWebioEA12x6RelERPInputPortTable, wtTrapReceiver2x2DeviceLocation=wtTrapReceiver2x2DeviceLocation, wtWebioEA24oemStTzStartWday=wtWebioEA24oemStTzStartWday, wtWebioEA2x2ERPWayBack=wtWebioEA2x2ERPWayBack, wtIpWatcherAlarmTriggerState=wtIpWatcherAlarmTriggerState, wtWebioEA12x6RelClockMonth=wtWebioEA12x6RelClockMonth, wtWebioEA12x6RelSnmpEnable=wtWebioEA12x6RelSnmpEnable, wtIpWatcherMailAdName=wtIpWatcherMailAdName, wtWebioEA24oemDnsServer2=wtWebioEA24oemDnsServer2, wtWebioEA12x6RelERPOutputNo=wtWebioEA12x6RelERPOutputNo, wtWebioEA2x2AlarmSyslogText=wtWebioEA2x2AlarmSyslogText, wtWebioEA2x2ERP_24VAlert18=wtWebioEA2x2ERP_24VAlert18, wtWebioEA24oemSyslog=wtWebioEA24oemSyslog, wtTrapReceiver2x2ActionGlobalEnable=wtTrapReceiver2x2ActionGlobalEnable, wtWebAlarm6x6TsEnable=wtWebAlarm6x6TsEnable, wtWebioEA12x6RelERPMfName=wtWebioEA12x6RelERPMfName, wtWebioEA2x2ERPAlarmOutputTrigger=wtWebioEA2x2ERPAlarmOutputTrigger, wtWebioEA12x6RelERPWayBackEnable=wtWebioEA12x6RelERPWayBackEnable, wtWebioEA2x2ERP_24VDeviceText=wtWebioEA2x2ERP_24VDeviceText, wtWebioEA12x6RelERPFTPServerIP=wtWebioEA12x6RelERPFTPServerIP, wtWebioEA24oemMfName=wtWebioEA24oemMfName, wtWebioEA2x2ERP_24VBinaryIfEntry=wtWebioEA2x2ERP_24VBinaryIfEntry, wtWebioEA12x6RelDnsServer1=wtWebioEA12x6RelDnsServer1, wtWebioEA2x2ERPTsSyncTime=wtWebioEA2x2ERPTsSyncTime, wtWebioEA2x2_24VNetwork=wtWebioEA2x2_24VNetwork, wtWebioEA12x12BinaryConnectedIpAddr=wtWebioEA12x12BinaryConnectedIpAddr, wtWebAlarm6x6StTzStartWday=wtWebAlarm6x6StTzStartWday, wtWebioEA2x2ERP_24VIpAddress=wtWebioEA2x2ERP_24VIpAddress, wtWebioEA6x6AlarmOutputTrigger=wtWebioEA6x6AlarmOutputTrigger, wtWebioEA2x2_24VAlert10=wtWebioEA2x2_24VAlert10, wtWebioEA2x2ERPStTzEnable=wtWebioEA2x2ERPStTzEnable, wtWebioEA24oemStTzStartMin=wtWebioEA24oemStTzStartMin, wtWebioEA2x2FTPServerIP=wtWebioEA2x2FTPServerIP, wtWebioEA12x6RelOutputEntry=wtWebioEA12x6RelOutputEntry, wtWebioEA12x12MfInternet=wtWebioEA12x12MfInternet, wtWebioEA12x6RelERPInputNo=wtWebioEA12x6RelERPInputNo, wtWebioEA6x6AlarmTcpText=wtWebioEA6x6AlarmTcpText, wtWebioEA24oemDeviceClock=wtWebioEA24oemDeviceClock, wtWebAlarm6x6Alert26=wtWebAlarm6x6Alert26, wtWebCount6ReportSyslogIpAddr=wtWebCount6ReportSyslogIpAddr, wtIpWatcher_24VIpListNo=wtIpWatcher_24VIpListNo, wtWebioEA2x2_24VDeviceText=wtWebioEA2x2_24VDeviceText, wtIpWatcher_24VTimeServer1=wtIpWatcher_24VTimeServer1, wtWebioEA12x6RelHttpInputTrigger=wtWebioEA12x6RelHttpInputTrigger, wtWebioEA12x6RelERPFTPAccount=wtWebioEA12x6RelERPFTPAccount, wtWebAlarm6x6FTP=wtWebAlarm6x6FTP, wtWebioEA12x6RelERPBinaryConnectedPort=wtWebioEA12x6RelERPBinaryConnectedPort, wtWebioEA12x6RelERPAlarmSyslogReleaseText=wtWebioEA12x6RelERPAlarmSyslogReleaseText, wtWebioEA12x6RelBinaryUdpPeerInputTrigger=wtWebioEA12x6RelBinaryUdpPeerInputTrigger, wtWebioEA2x2_24VAlert23=wtWebioEA2x2_24VAlert23, wtWebCount6DiagBinaryError=wtWebCount6DiagBinaryError, wtWebioEA12x6RelERPSubnetMask=wtWebioEA12x6RelERPSubnetMask, wtIpWatcherAlert9=wtIpWatcherAlert9, wtWebioEA12x12MailServer=wtWebioEA12x12MailServer, wtWebCount6IpAddress=wtWebCount6IpAddress, wtWebioEA2x2_24V=wtWebioEA2x2_24V, wtIpWatcherAlarmFtpOption=wtIpWatcherAlarmFtpOption, wtWebioEA12x6RelAlarmTable=wtWebioEA12x6RelAlarmTable, wtWebioEA12x6RelERPSyslogServerPort=wtWebioEA12x6RelERPSyslogServerPort, wtIpWatcher_24VPortPulseDuration=wtIpWatcher_24VPortPulseDuration, wtWebioEA12x12Mail=wtWebioEA12x12Mail, wtWebioEA12x6RelAlarmCount=wtWebioEA12x6RelAlarmCount, wtTrapReceiver2x2OutputTable=wtTrapReceiver2x2OutputTable, wtWebioEA2x2_24VAlert19=wtWebioEA2x2_24VAlert19, wtWebCount6StTzStartHrs=wtWebCount6StTzStartHrs, wtWebioEA6x6OutputModeBit=wtWebioEA6x6OutputModeBit, wtIpWatcherAlarmSyslogText=wtIpWatcherAlarmSyslogText, wtWebioEA2x2ERPBinaryTcpClientInterval=wtWebioEA2x2ERPBinaryTcpClientInterval, wtTrapReceiver2x2InputValue=wtTrapReceiver2x2InputValue, wtTrapReceiver2x2MfName=wtTrapReceiver2x2MfName, wtWebioEA12x6RelERPPortPulsePolarity=wtWebioEA12x6RelERPPortPulsePolarity, wtWebioEA6x6AlarmFtpText=wtWebioEA6x6AlarmFtpText, wtWebioEA2x2ERP_24VInputCounterClear=wtWebioEA2x2ERP_24VInputCounterClear, wtTrapReceiver2x2WatchListAlias=wtTrapReceiver2x2WatchListAlias, wtWebioEA6x6PortPulsePolarity=wtWebioEA6x6PortPulsePolarity, wtWebioEA2x2Alert18=wtWebioEA2x2Alert18, wtWebAlarm6x6AlarmTcpPort=wtWebAlarm6x6AlarmTcpPort, wtWebioEA12x12ClockYear=wtWebioEA12x12ClockYear, wtWebioEA12x12Alert12=wtWebioEA12x12Alert12, wtWebioEA2x2AlarmTcpIpAddr=wtWebioEA2x2AlarmTcpIpAddr, wtWebioEA12x6RelERPAlarmFtpText=wtWebioEA12x6RelERPAlarmFtpText, wtIpWatcher_24VAlert35=wtIpWatcher_24VAlert35, wtWebioEA2x2ERPPortInputMode=wtWebioEA2x2ERPPortInputMode, wtWebAlarm6x6Alert21=wtWebAlarm6x6Alert21, wtWebioEA12x6RelERPAlert3=wtWebioEA12x6RelERPAlert3, wtIpWatcher_24VMail=wtIpWatcher_24VMail, wtWebioEA2x2_24VInputPortEntry=wtWebioEA2x2_24VInputPortEntry, wtTrapReceiver2x2ActionSyslogIpAddr=wtTrapReceiver2x2ActionSyslogIpAddr, wtWebioEA2x2_24VDeviceContact=wtWebioEA2x2_24VDeviceContact, wtWebioEA2x2ERPPortInputFilter=wtWebioEA2x2ERPPortInputFilter, wtWebioEA12x6RelBinaryTable=wtWebioEA12x6RelBinaryTable, wtIpWatcherAlert22=wtIpWatcherAlert22, wtWebioEA2x2ERP_24VAlarmTimerCron=wtWebioEA2x2ERP_24VAlarmTimerCron, wtWebioEA12x12AlarmIfEntry=wtWebioEA12x12AlarmIfEntry, wtWebioEA12x6RelAlert2=wtWebioEA12x6RelAlert2, wtWebioEA2x2_24VMfName=wtWebioEA2x2_24VMfName, wtIpWatcher_24VUDP=wtIpWatcher_24VUDP, wtWebAlarm6x6InputNo=wtWebAlarm6x6InputNo, wtTrapReceiver2x2Manufact=wtTrapReceiver2x2Manufact, wtWebCount6TimeDate=wtWebCount6TimeDate, wtWebioEA2x2StTzStartWday=wtWebioEA2x2StTzStartWday, wtWebioEA12x6RelERPInputCounter=wtWebioEA12x6RelERPInputCounter, wtIpWatcher_24VInputValue=wtIpWatcher_24VInputValue, wtIpWatcher_24VFTPEnable=wtIpWatcher_24VFTPEnable, wtIpWatcher_24VHttpPort=wtIpWatcher_24VHttpPort, wtWebioEA24oemPortLogicOutputInverter=wtWebioEA24oemPortLogicOutputInverter, wtWebioEA2x2StTzStopMin=wtWebioEA2x2StTzStopMin, wtIpWatcher_24VAlert18=wtIpWatcher_24VAlert18, wtWebioEA24oemFTPUserName=wtWebioEA24oemFTPUserName, wtIpWatcher_24VSyslogServerIP=wtIpWatcher_24VSyslogServerIP, wtWebCount6PortInputCounterScale=wtWebCount6PortInputCounterScale, wtWebioEA2x2_24VBinaryTcpClientInputTrigger=wtWebioEA2x2_24VBinaryTcpClientInputTrigger, wtIpWatcher_24VAlarmTable=wtIpWatcher_24VAlarmTable, wtWebioEA2x2ERPSnmpEnable=wtWebioEA2x2ERPSnmpEnable, wtWebioEA2x2ERP_24VBinaryIfTable=wtWebioEA2x2ERP_24VBinaryIfTable, wtWebioEA24oemUdpAdminPort=wtWebioEA24oemUdpAdminPort, wtWebioEA6x6=wtWebioEA6x6, wtWebioEA6x6Alert14=wtWebioEA6x6Alert14, wtWebioEA6x6MailAuthentication=wtWebioEA6x6MailAuthentication, wtWebioEA12x6RelERPFTPUserName=wtWebioEA12x6RelERPFTPUserName, wtIpWatcher_24VUdpEnable=wtIpWatcher_24VUdpEnable, wtTrapReceiver2x2ButtonEntry=wtTrapReceiver2x2ButtonEntry, wtWebioEA2x2ERP_24VBinaryTcpClientInputTrigger=wtWebioEA2x2ERP_24VBinaryTcpClientInputTrigger, wtWebioEA2x2_24VAlert11=wtWebioEA2x2_24VAlert11, wtWebioEA24oemClockHrs=wtWebioEA24oemClockHrs, wtWebioEA2x2TimeZone=wtWebioEA2x2TimeZone, wtWebioEA2x2AlarmFtpText=wtWebioEA2x2AlarmFtpText, wtIpWatcher_24VDiagErrorMessage=wtIpWatcher_24VDiagErrorMessage, wtIpWatcherAlert19=wtIpWatcherAlert19, wtWebioEA12x6RelERPAlert18=wtWebioEA12x6RelERPAlert18, wtWebCount6SessCntrl=wtWebCount6SessCntrl, wtTrapReceiver2x2StTzEnable=wtTrapReceiver2x2StTzEnable, wtIpWatcherIpListName=wtIpWatcherIpListName, wtTrapReceiver2x2FTPServerControlPort=wtTrapReceiver2x2FTPServerControlPort, wtWebioEA24oemStTzStartMonth=wtWebioEA24oemStTzStartMonth, wtWebioEA12x6RelERPTimeServer2=wtWebioEA12x6RelERPTimeServer2, wtWebioEA2x2ERPWayBackServerControlPort=wtWebioEA2x2ERPWayBackServerControlPort, wtWebioEA2x2ERP_24VClockMonth=wtWebioEA2x2ERP_24VClockMonth, wtWebioEA12x12SessCntrlConfigMode=wtWebioEA12x12SessCntrlConfigMode, wtIpWatcher_24VAlarmUdpIpAddr=wtIpWatcher_24VAlarmUdpIpAddr, wtWebioEA24oemStTzStopMode=wtWebioEA24oemStTzStopMode, wtWebioEA2x2ERP_24VMailAuthUser=wtWebioEA2x2ERP_24VMailAuthUser, wtWebioEA24oemAlert31=wtWebioEA24oemAlert31, wtWebCount6Mail=wtWebCount6Mail, wtWebioEA2x2_24VBinaryIfTable=wtWebioEA2x2_24VBinaryIfTable, wtWebCount6DnsServer1=wtWebCount6DnsServer1, wtTrapReceiver2x2OutEvOutputs=wtTrapReceiver2x2OutEvOutputs, wtWebioEA6x6SnmpCommunityStringReadWrite=wtWebioEA6x6SnmpCommunityStringReadWrite, wtIpWatcher_24VAlarmUdpTrgClearText=wtIpWatcher_24VAlarmUdpTrgClearText, wtWebAlarm6x6AlarmAckPort=wtWebAlarm6x6AlarmAckPort, wtWebioEA24oemAlert5=wtWebioEA24oemAlert5, wtWebioEA12x6RelAlert15=wtWebioEA12x6RelAlert15, wtWebioEA2x2BinaryUdpPeerInputTrigger=wtWebioEA2x2BinaryUdpPeerInputTrigger, wtWebioEA2x2Alert16=wtWebioEA2x2Alert16, wtWebioEA24oemBinaryUdpPeerLocalPort=wtWebioEA24oemBinaryUdpPeerLocalPort, wtIpWatcherIpListNo=wtIpWatcherIpListNo, wtIpWatcherAlarmSnmpTrapReleaseText=wtIpWatcherAlarmSnmpTrapReleaseText, wtWebioEA2x2ERPAlarmTcpIpAddr=wtWebioEA2x2ERPAlarmTcpIpAddr, wtWebioEA2x2_24VBinaryUdpPeerLocalPort=wtWebioEA2x2_24VBinaryUdpPeerLocalPort, wtWebioEA12x12DiagErrorClear=wtWebioEA12x12DiagErrorClear, wtIpWatcherSyslogServerIP=wtIpWatcherSyslogServerIP, wtTrapReceiver2x2Text=wtTrapReceiver2x2Text, wtWebioEA2x2ERP_24VPortOutputSafetyState=wtWebioEA2x2ERP_24VPortOutputSafetyState, wtWebioEA2x2_24VPortInputMode=wtWebioEA2x2_24VPortInputMode, wtWebioEA24oemAlarmUdpPort=wtWebioEA24oemAlarmUdpPort, wtWebAlarm6x6Alert7=wtWebAlarm6x6Alert7, wtIpWatcherDnsServer1=wtIpWatcherDnsServer1, wtIpWatcherPortPulsePolarity=wtIpWatcherPortPulsePolarity, wtWebioEA24oemAlert28=wtWebioEA24oemAlert28, wtWebioEA2x2ERPBinaryTcpClientServerIpAddr=wtWebioEA2x2ERPBinaryTcpClientServerIpAddr, wtWebioEA2x2_24VBinaryEntry=wtWebioEA2x2_24VBinaryEntry, wtWebioEA6x6Device=wtWebioEA6x6Device, wtWebioEA2x2ERPBinaryIfTable=wtWebioEA2x2ERPBinaryIfTable, wtWebioEA2x2_24VAlarmSystemTrigger=wtWebioEA2x2_24VAlarmSystemTrigger, wtWebioEA12x12SessCntrlLogout=wtWebioEA12x12SessCntrlLogout, wtWebioEA2x2_24VOutputValue=wtWebioEA2x2_24VOutputValue, wtWebioEA6x6BinaryTcpClientInterval=wtWebioEA6x6BinaryTcpClientInterval, wtWebioEA2x2ERP_24VAlarmIfTable=wtWebioEA2x2ERP_24VAlarmIfTable, wtWebioEA2x2BinaryConnectedPort=wtWebioEA2x2BinaryConnectedPort, wtIpWatcher_24VAlarmPollingRate=wtIpWatcher_24VAlarmPollingRate, wtWebioEA6x6InputPortEntry=wtWebioEA6x6InputPortEntry, wtWebioEA24oemTimeServer1=wtWebioEA24oemTimeServer1, wtWebCount6ReportUdpIpAddr=wtWebCount6ReportUdpIpAddr, wtWebioEA2x2ERPAlarmFtpDataPort=wtWebioEA2x2ERPAlarmFtpDataPort)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtIpWatcher_24VGateway=wtIpWatcher_24VGateway, wtWebAlarm6x6Alert2=wtWebAlarm6x6Alert2, wtWebCount6AlertDiag=wtWebCount6AlertDiag, wtWebioEA24oemInputState=wtWebioEA24oemInputState, wtTrapReceiver2x2ActionTcpIpAddr=wtTrapReceiver2x2ActionTcpIpAddr, wtWebAlarm6x6TimeZone=wtWebAlarm6x6TimeZone, wtTrapReceiver2x2WatchListSeverity=wtTrapReceiver2x2WatchListSeverity, wtWebioEA12x12DeviceLocation=wtWebioEA12x12DeviceLocation, wtWebioEA2x2ERPBinaryTcpServerClientHttpPort=wtWebioEA2x2ERPBinaryTcpServerClientHttpPort, wtIpWatcher_24VOutputState=wtIpWatcher_24VOutputState, wtWebioEA6x6DeviceContact=wtWebioEA6x6DeviceContact, wtWebioEA2x2ERP_24VMailEnable=wtWebioEA2x2ERP_24VMailEnable, wtIpWatcherMailReply=wtIpWatcherMailReply, wtWebioEA6x6ClockMonth=wtWebioEA6x6ClockMonth, wtWebioEA6x6BinaryModeCount=wtWebioEA6x6BinaryModeCount, wtWebioEA12x12TimeServer1=wtWebioEA12x12TimeServer1, wtWebioEA12x6RelAlarmMailReleaseText=wtWebioEA12x6RelAlarmMailReleaseText, wtWebioEA6x6Alert23=wtWebioEA6x6Alert23, wtTrapReceiver2x2ActionInterval=wtTrapReceiver2x2ActionInterval, wtWebioEA12x6RelERPAlert16=wtWebioEA12x6RelERPAlert16, wtWebioEA12x12BinaryConnectedPort=wtWebioEA12x12BinaryConnectedPort, wtWebioEA2x2InputValue=wtWebioEA2x2InputValue, wtWebioEA2x2ERPAlarmSyslogIpAddr=wtWebioEA2x2ERPAlarmSyslogIpAddr, wtWebioEA2x2_24VMfHotline=wtWebioEA2x2_24VMfHotline, wtWebioEA2x2InputCounterClear=wtWebioEA2x2InputCounterClear, wtWebCount6MailAdName=wtWebCount6MailAdName, wtWebioEA12x6RelERPSyslogSystemMessagesEnable=wtWebioEA12x6RelERPSyslogSystemMessagesEnable, wtWebioEA12x6RelERPBinaryEntry=wtWebioEA12x6RelERPBinaryEntry, wtWebioEA2x2ERP_24VStTzStartMin=wtWebioEA2x2ERP_24VStTzStartMin, wtWebioEA12x6RelMfHotline=wtWebioEA12x6RelMfHotline, wtIpWatcherStTzStopMonth=wtIpWatcherStTzStopMonth, wtWebioEA6x6TzOffsetHrs=wtWebioEA6x6TzOffsetHrs, wtWebioEA12x12MailPop3Server=wtWebioEA12x12MailPop3Server, wtWebioEA12x6RelOutputTable=wtWebioEA12x6RelOutputTable, wtWebioEA2x2_24VBinaryUdpPeerInputTrigger=wtWebioEA2x2_24VBinaryUdpPeerInputTrigger, wtWebioEA2x2_24VPortOutputName=wtWebioEA2x2_24VPortOutputName, wtWebioEA2x2ERP_24VDeviceClock=wtWebioEA2x2ERP_24VDeviceClock, wtWebioEA2x2AlarmUdpReleaseText=wtWebioEA2x2AlarmUdpReleaseText, wtWebAlarm6x6SnmpSystemTrapEnable=wtWebAlarm6x6SnmpSystemTrapEnable, wtWebCount6UdpEnable=wtWebCount6UdpEnable, wtWebioEA6x6OutputValue=wtWebioEA6x6OutputValue, wtIpWatcherSubnetMask=wtIpWatcherSubnetMask, wtWebioEA2x2BinaryUdpPeerRemotePort=wtWebioEA2x2BinaryUdpPeerRemotePort, wtIpWatcher_24VAlarmCount=wtIpWatcher_24VAlarmCount, wtWebioEA12x12OutputEntry=wtWebioEA12x12OutputEntry, wtTrapReceiver2x2WatchListCount=wtTrapReceiver2x2WatchListCount, wtWebAlarm6x6Alert29=wtWebAlarm6x6Alert29, wtWebioEA2x2ERP_24VAlert5=wtWebioEA2x2ERP_24VAlert5, wtIpWatcher_24VAlarmSnmpTrapText=wtIpWatcher_24VAlarmSnmpTrapText, wtWebioEA2x2ERP_24VAlarmSnmpManagerIP=wtWebioEA2x2ERP_24VAlarmSnmpManagerIP, wtWebioEA12x6RelUDP=wtWebioEA12x6RelUDP, wtWebioEA2x2ERPSnmpCommunityStringRead=wtWebioEA2x2ERPSnmpCommunityStringRead, wtWebioEA2x2_24VAlert13=wtWebioEA2x2_24VAlert13, wtWebioEA12x6RelERPGateway=wtWebioEA12x6RelERPGateway, wtWebioEA2x2_24VBinaryTcpClientServerPort=wtWebioEA2x2_24VBinaryTcpClientServerPort, wtWebioEA2x2ERPDeviceContact=wtWebioEA2x2ERPDeviceContact, wtIpWatcher_24VAlert36=wtIpWatcher_24VAlert36, wtTrapReceiver2x2TimeServer2=wtTrapReceiver2x2TimeServer2, wtWebioEA2x2ERPUdpEnable=wtWebioEA2x2ERPUdpEnable, wtIpWatcherStTzStartMin=wtIpWatcherStTzStartMin, wtWebCount6Diag=wtWebCount6Diag, wtWebAlarm6x6Alert27=wtWebAlarm6x6Alert27, wtWebioEA6x6DiagErrorMessage=wtWebioEA6x6DiagErrorMessage, wtIpWatcherAlarmInterval=wtIpWatcherAlarmInterval, wtIpWatcherAlert5=wtIpWatcherAlert5, wtIpWatcher_24VDnsServer2=wtIpWatcher_24VDnsServer2, wtWebioEA2x2Alert15=wtWebioEA2x2Alert15, wtWebioEA2x2ERPAlarmMailAddr=wtWebioEA2x2ERPAlarmMailAddr, wtWebioEA2x2ERPDiagErrorIndex=wtWebioEA2x2ERPDiagErrorIndex, wtWebioEA24oemManufact=wtWebioEA24oemManufact, wtWebAlarm6x6StTzStartHrs=wtWebAlarm6x6StTzStartHrs, wtWebioEA2x2BinaryEntry=wtWebioEA2x2BinaryEntry, wtWebioEA2x2ERPPortOutputText=wtWebioEA2x2ERPPortOutputText, wtWebioEA12x12HttpInputTrigger=wtWebioEA12x12HttpInputTrigger, wtWebioEA24oemSnmpSystemTrapManagerIP=wtWebioEA24oemSnmpSystemTrapManagerIP, wtWebioEA2x2PortInputBicountInactivTimeout=wtWebioEA2x2PortInputBicountInactivTimeout, wtWebioEA2x2ERPAlert7=wtWebioEA2x2ERPAlert7, wtWebioEA6x6OutputModeEntry=wtWebioEA6x6OutputModeEntry, wtWebAlarm6x6AlarmMailAddr=wtWebAlarm6x6AlarmMailAddr, wtIpWatcher_24VAlarmEnable=wtIpWatcher_24VAlarmEnable, wtWebioEA12x6RelERPAlert10=wtWebioEA12x6RelERPAlert10, wtWebioEA2x2InputNo=wtWebioEA2x2InputNo, wtWebioEA12x6RelTimeServer=wtWebioEA12x6RelTimeServer, wtWebioEA12x6RelMailEnable=wtWebioEA12x6RelMailEnable, wtWebAlarm6x6MailAuthUser=wtWebAlarm6x6MailAuthUser, wtWebioEA12x12PortOutputName=wtWebioEA12x12PortOutputName, wtWebioEA12x12AlarmIfTable=wtWebioEA12x12AlarmIfTable, wtWebioEA2x2AlarmSystemTrigger=wtWebioEA2x2AlarmSystemTrigger, wtWebAlarm6x6FTPAccount=wtWebAlarm6x6FTPAccount, wtWebioEA2x2ERPSyslogEnable=wtWebioEA2x2ERPSyslogEnable, wtWebAlarm6x6OutputState=wtWebAlarm6x6OutputState, wtWebioEA2x2_24VTimeServer2=wtWebioEA2x2_24VTimeServer2, wtWebioEA2x2ERP_24VAlarmSyslogText=wtWebioEA2x2ERP_24VAlarmSyslogText, wtIpWatcherAlarmTcpTrgClearText=wtIpWatcherAlarmTcpTrgClearText, wtWebioEA2x2Diag=wtWebioEA2x2Diag, wtWebioEA24oemAlert24=wtWebioEA24oemAlert24, wtWebioEA24oemMfInternet=wtWebioEA24oemMfInternet, wtWebioEA12x12AlarmMaxCounterValue=wtWebioEA12x12AlarmMaxCounterValue, wtWebioEA12x6RelERPOutputModeTable=wtWebioEA12x6RelERPOutputModeTable, wtWebioEA2x2ERP_24VTzEnable=wtWebioEA2x2ERP_24VTzEnable, wtTrapReceiver2x2ActionSystemButtonTrigger=wtTrapReceiver2x2ActionSystemButtonTrigger, wtIpWatcherAlarmTimerCron=wtIpWatcherAlarmTimerCron, wtIpWatcherAlert29=wtIpWatcherAlert29, wtWebioEA2x2ERP_24VAlarmSyslogReleaseText=wtWebioEA2x2ERP_24VAlarmSyslogReleaseText, wtWebioEA2x2ERPStTzStartMonth=wtWebioEA2x2ERPStTzStartMonth, wtIpWatcherAlert3=wtIpWatcherAlert3, wtWebioEA2x2TimeDate=wtWebioEA2x2TimeDate, wtWebioEA2x2LoadControlEnable=wtWebioEA2x2LoadControlEnable, wtWebAlarm6x6Ports=wtWebAlarm6x6Ports, wtIpWatcherInputValue=wtIpWatcherInputValue, wtWebioEA2x2ERP_24VAlert6=wtWebioEA2x2ERP_24VAlert6, wtWebioEA12x6RelERPOutputModeEntry=wtWebioEA12x6RelERPOutputModeEntry, wtWebioEA2x2BinaryTcpClientServerPassword=wtWebioEA2x2BinaryTcpClientServerPassword, wtWebioEA2x2ERPTimeServer=wtWebioEA2x2ERPTimeServer, wtIpWatcher_24VOutputs=wtIpWatcher_24VOutputs, wtWebioEA2x2ERP_24VUdpRemotePort=wtWebioEA2x2ERP_24VUdpRemotePort, wtIpWatcher_24VAlarmSyslogIpAddr=wtIpWatcher_24VAlarmSyslogIpAddr, wtIpWatcherInputCounter=wtIpWatcherInputCounter, wtTrapReceiver2x2Outputs=wtTrapReceiver2x2Outputs, wtIpWatcherIpListIfEntry=wtIpWatcherIpListIfEntry, wtWebioEA12x12Alert23=wtWebioEA12x12Alert23, wtWebAlarm6x6AlarmFtpReleaseText=wtWebAlarm6x6AlarmFtpReleaseText, wtWebAlarm6x6AlarmMailReleaseText=wtWebAlarm6x6AlarmMailReleaseText, wtWebioEA12x12DnsServer1=wtWebioEA12x12DnsServer1, wtWebioEA12x6RelERPStTzStopMin=wtWebioEA12x6RelERPStTzStopMin, wtWebioEA2x2TimeServer=wtWebioEA2x2TimeServer, wtWebCount6MailAuthUser=wtWebCount6MailAuthUser, wtWebioEA2x2ERPAlert21=wtWebioEA2x2ERPAlert21, wtWebioEA6x6InputState=wtWebioEA6x6InputState, wtIpWatcher_24VDevice=wtIpWatcher_24VDevice, wtWebioEA2x2_24VClockHrs=wtWebioEA2x2_24VClockHrs, wtWebioEA12x12InputCounter=wtWebioEA12x12InputCounter, wtWebioEA12x12DiagErrorCount=wtWebioEA12x12DiagErrorCount, wtWebioEA2x2_24VAlarmNo=wtWebioEA2x2_24VAlarmNo, wtIpWatcher_24VSnmpEnable=wtIpWatcher_24VSnmpEnable, wtWebioEA2x2ERP_24VTzOffsetMin=wtWebioEA2x2ERP_24VTzOffsetMin, wtWebioEA2x2ERP_24VMailServer=wtWebioEA2x2ERP_24VMailServer, wtWebAlarm6x6Alarm=wtWebAlarm6x6Alarm, wtWebioEA12x12MailAuthentication=wtWebioEA12x12MailAuthentication, wtWebCount6MailReply=wtWebCount6MailReply, wtWebioEA12x6RelFTPServerControlPort=wtWebioEA12x6RelFTPServerControlPort, wtWebioEA12x12StTzStartWday=wtWebioEA12x12StTzStartWday, wtWebioEA2x2ERP_24VBinaryTcpClientLocalPort=wtWebioEA2x2ERP_24VBinaryTcpClientLocalPort, wtWebioEA2x2ERP_24VSyslogEnable=wtWebioEA2x2ERP_24VSyslogEnable, wtWebioEA12x6RelAlert13=wtWebioEA12x6RelAlert13, wtWebCount6StTzStopHrs=wtWebCount6StTzStopHrs, wtWebioEA2x2_24VBinaryTable=wtWebioEA2x2_24VBinaryTable, wtWebioEA12x6RelInputTable=wtWebioEA12x6RelInputTable, wtTrapReceiver2x2Alert6=wtTrapReceiver2x2Alert6, wtWebioEA2x2ERP_24VDiagErrorMessage=wtWebioEA2x2ERP_24VDiagErrorMessage, wtWebioEA12x6RelHttpPort=wtWebioEA12x6RelHttpPort, wtWebioEA2x2Mail=wtWebioEA2x2Mail, wtWebioEA2x2OutputModeBit=wtWebioEA2x2OutputModeBit, wtTrapReceiver2x2StTzStartMin=wtTrapReceiver2x2StTzStartMin, wtWebCount6Inputs=wtWebCount6Inputs, wtWebAlarm6x6SyslogServerIP=wtWebAlarm6x6SyslogServerIP, wtWebioEA12x6RelERPAlert6=wtWebioEA12x6RelERPAlert6, wtIpWatcherAlert24=wtIpWatcherAlert24, wtWebioEA6x6AlarmSnmpManagerIP=wtWebioEA6x6AlarmSnmpManagerIP, wtWebioEA12x6RelOutputPortTable=wtWebioEA12x6RelOutputPortTable, wtTrapReceiver2x2ActionCount=wtTrapReceiver2x2ActionCount, wtWebioEA12x12Alert22=wtWebioEA12x12Alert22, wtIpWatcher_24VAlarmMailSubject=wtIpWatcher_24VAlarmMailSubject, wtWebioEA12x6RelERPStTzOffsetMin=wtWebioEA12x6RelERPStTzOffsetMin, wtWebioEA2x2AddConfig=wtWebioEA2x2AddConfig, wtIpWatcher_24VIpAddress=wtIpWatcher_24VIpAddress, wtWebioEA12x6RelERPDeviceContact=wtWebioEA12x6RelERPDeviceContact, wtWebCount6ClockDay=wtWebCount6ClockDay, wtWebAlarm6x6SnmpCommunityStringReadWrite=wtWebAlarm6x6SnmpCommunityStringReadWrite, wtWebioEA2x2Alert17=wtWebioEA2x2Alert17, wtTrapReceiver2x2FTPPassword=wtTrapReceiver2x2FTPPassword, wtIpWatcherAlarmSyslogTrgClearText=wtIpWatcherAlarmSyslogTrgClearText, wtWebioEA12x6RelERPSyslogServerIP=wtWebioEA12x6RelERPSyslogServerIP, wtWebAlarm6x6Syslog=wtWebAlarm6x6Syslog, wtWebioEA2x2ERP_24VInOut=wtWebioEA2x2ERP_24VInOut, wtIpWatcherAlarmMailSubject=wtIpWatcherAlarmMailSubject, wtTrapReceiver2x2UdpRemotePort=wtTrapReceiver2x2UdpRemotePort, wtWebioEA2x2InputState=wtWebioEA2x2InputState, wtWebioEA2x2Outputs=wtWebioEA2x2Outputs, wtIpWatcher_24VAlarmOutputTable=wtIpWatcher_24VAlarmOutputTable, wtTrapReceiver2x2ActionIfEntry=wtTrapReceiver2x2ActionIfEntry, wtWebioEA12x12AlarmMailSubject=wtWebioEA12x12AlarmMailSubject, wtWebioEA12x6RelPortPulseDuration=wtWebioEA12x6RelPortPulseDuration, wtIpWatcher_24VOutputValue=wtIpWatcher_24VOutputValue, wtWebioEA2x2ERPStTzStopMonth=wtWebioEA2x2ERPStTzStopMonth, wtWebioEA24oemInputCounter=wtWebioEA24oemInputCounter, wtWebioEA2x2_24VUDP=wtWebioEA2x2_24VUDP, wtWebioEA12x12Network=wtWebioEA12x12Network, wtWebioEA6x6BinaryTcpServerApplicationMode=wtWebioEA6x6BinaryTcpServerApplicationMode, wtWebioEA2x2_24VStTzOffsetMin=wtWebioEA2x2_24VStTzOffsetMin, wtWebioEA2x2ERPAlarm=wtWebioEA2x2ERPAlarm, wtWebioEA12x6RelFTPPassword=wtWebioEA12x6RelFTPPassword, wtWebioEA2x2_24VFTPEnable=wtWebioEA2x2_24VFTPEnable, wtWebCount6FTPUserName=wtWebCount6FTPUserName, wtWebAlarm6x6InputValue=wtWebAlarm6x6InputValue, wtWebioEA12x6RelERPBinaryModeCount=wtWebioEA12x6RelERPBinaryModeCount, wtIpWatcher_24VIpListTable=wtIpWatcher_24VIpListTable, wtWebioEA12x6RelOutputNo=wtWebioEA12x6RelOutputNo, wtWebioEA12x12OutputModeBit=wtWebioEA12x12OutputModeBit, wtWebioEA2x2ERPAlarmSyslogText=wtWebioEA2x2ERPAlarmSyslogText, wtWebAlarm6x6Alert19=wtWebAlarm6x6Alert19, wtWebioEA2x2ERP_24VSetOutput=wtWebioEA2x2ERP_24VSetOutput, wtWebioEA24oemClockYear=wtWebioEA24oemClockYear, wtWebioEA12x12PortInputFilter=wtWebioEA12x12PortInputFilter, wtWebioEA2x2ERP_24VAlert13=wtWebioEA2x2ERP_24VAlert13, wtWebAlarm6x6AlarmUdpTrapTxEnable=wtWebAlarm6x6AlarmUdpTrapTxEnable, wtIpWatcherAlarmFtpDataPort=wtIpWatcherAlarmFtpDataPort, wtIpWatcherMailAuthUser=wtIpWatcherMailAuthUser, wtWebioEA2x2SessCntrlLogout=wtWebioEA2x2SessCntrlLogout, wtWebioEA2x2ERP_24VAlarmMailAddr=wtWebioEA2x2ERP_24VAlarmMailAddr, wtWebioEA12x6RelAlarmOutputTrigger=wtWebioEA12x6RelAlarmOutputTrigger, wtWebioEA2x2InputCounter=wtWebioEA2x2InputCounter, wtTrapReceiver2x2FTPEnable=wtTrapReceiver2x2FTPEnable, wtWebioEA12x6RelStTzStopMin=wtWebioEA12x6RelStTzStopMin, wtWebioEA6x6AlarmMaxCounterValue=wtWebioEA6x6AlarmMaxCounterValue, wtWebioEA2x2ERPPortPulseDuration=wtWebioEA2x2ERPPortPulseDuration, wtWebioEA24oemPortLogicInputMask=wtWebioEA24oemPortLogicInputMask, wtWebioEA12x12AlarmTcpText=wtWebioEA12x12AlarmTcpText, wtWebioEA2x2_24VAlarmIfEntry=wtWebioEA2x2_24VAlarmIfEntry, wtWebioEA12x12BinaryUdpPeerLocalPort=wtWebioEA12x12BinaryUdpPeerLocalPort, wtWebioEA12x6RelERPWayBackFTPResponse=wtWebioEA12x6RelERPWayBackFTPResponse, wtWebioEA2x2ERP_24VInputPortEntry=wtWebioEA2x2ERP_24VInputPortEntry, wtIpWatcher_24VBasic=wtIpWatcher_24VBasic, wtWebioEA2x2ERPAlarmTcpText=wtWebioEA2x2ERPAlarmTcpText, wtWebioEA24oemDevice=wtWebioEA24oemDevice, wtWebioEA2x2ERPTzOffsetMin=wtWebioEA2x2ERPTzOffsetMin, wtIpWatcherStTzStartHrs=wtIpWatcherStTzStartHrs, wtWebioEA2x2_24VTsSyncTime=wtWebioEA2x2_24VTsSyncTime, wtWebioEA12x12OutputValue=wtWebioEA12x12OutputValue, wtWebioEA12x6RelAlertDiag=wtWebioEA12x6RelAlertDiag, wtWebioEA6x6StTzOffsetHrs=wtWebioEA6x6StTzOffsetHrs, wtWebioEA2x2BinaryUdpPeerInterval=wtWebioEA2x2BinaryUdpPeerInterval, wtWebioEA2x2_24VStTzStartMonth=wtWebioEA2x2_24VStTzStartMonth, wtWebioEA2x2Alarm=wtWebioEA2x2Alarm, wtTrapReceiver2x2Alert2=wtTrapReceiver2x2Alert2, wtWebioEA12x12Alert24=wtWebioEA12x12Alert24, wtWebioEA2x2Manufact=wtWebioEA2x2Manufact, wtWebioEA6x6AlarmSnmpTrapText=wtWebioEA6x6AlarmSnmpTrapText, wtWebAlarm6x6MfOrderNo=wtWebAlarm6x6MfOrderNo, wtWebioEA2x2ERP_24VPortInputBicountPulsePolarity=wtWebioEA2x2ERP_24VPortInputBicountPulsePolarity, wtTrapReceiver2x2StTzStartMode=wtTrapReceiver2x2StTzStartMode, wtWebAlarm6x6SessCntrlAdminPassword=wtWebAlarm6x6SessCntrlAdminPassword, wtWebioEA6x6SnmpCommunityStringRead=wtWebioEA6x6SnmpCommunityStringRead, wtWebioEA12x6RelAlarmMailAddr=wtWebioEA12x6RelAlarmMailAddr, wtIpWatcher_24VAlarmMailReleaseSubject=wtIpWatcher_24VAlarmMailReleaseSubject, wtWebCount6Report=wtWebCount6Report, wtWebCount6ReportEnable=wtWebCount6ReportEnable, wtWebioEA2x2ERP_24VLoadControlView=wtWebioEA2x2ERP_24VLoadControlView, wtIpWatcherAlarmOutputState=wtIpWatcherAlarmOutputState, wtWebioEA12x12PortOutputSafetyState=wtWebioEA12x12PortOutputSafetyState, wtWebAlarm6x6FTPEnable=wtWebAlarm6x6FTPEnable, wtWebCount6ReportFtpFileName=wtWebCount6ReportFtpFileName, wtIpWatcherAlarmOutputTable=wtIpWatcherAlarmOutputTable, wtWebioEA12x6RelAlert7=wtWebioEA12x6RelAlert7)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA12x6RelBinaryTcpClientLocalPort=wtWebioEA12x6RelBinaryTcpClientLocalPort, wtWebioEA12x6RelERPAlarmFtpFileName=wtWebioEA12x6RelERPAlarmFtpFileName, wtWebioEA2x2_24VDnsServer1=wtWebioEA2x2_24VDnsServer1, wtWebioEA2x2ERP_24VAlarmMaxCounterValue=wtWebioEA2x2ERP_24VAlarmMaxCounterValue, wtWebioEA12x12MailEnable=wtWebioEA12x12MailEnable, wtWebioEA2x2ERPWayBackFTPResponse=wtWebioEA2x2ERPWayBackFTPResponse, wtWebioEA2x2_24VInputValue=wtWebioEA2x2_24VInputValue, wtIpWatcherStTzStopWday=wtIpWatcherStTzStopWday, wtWebioEA2x2ERP_24VAlarmTcpText=wtWebioEA2x2ERP_24VAlarmTcpText, wtWebioEA12x6RelBinaryTcpClientInputTrigger=wtWebioEA12x6RelBinaryTcpClientInputTrigger, wtWebAlarm6x6OutputPortTable=wtWebAlarm6x6OutputPortTable, wtWebioEA12x6RelERPAlarmMailReleaseSubject=wtWebioEA12x6RelERPAlarmMailReleaseSubject, wtIpWatcherAlert17=wtIpWatcherAlert17, wtWebioEA12x6RelStTzStopMode=wtWebioEA12x6RelStTzStopMode, wtWebioEA2x2ERP_24VAlarmMailSubject=wtWebioEA2x2ERP_24VAlarmMailSubject, wtWebioEA12x6RelERPTsEnable=wtWebioEA12x6RelERPTsEnable, wtWebioEA12x6RelERPBinaryTcpClientApplicationMode=wtWebioEA12x6RelERPBinaryTcpClientApplicationMode, wtWebioEA2x2AlarmMailReleaseText=wtWebioEA2x2AlarmMailReleaseText, wtWebioEA12x6RelFTPAccount=wtWebioEA12x6RelFTPAccount, wtWebioEA2x2_24VBinaryTcpClientServerIpAddr=wtWebioEA2x2_24VBinaryTcpClientServerIpAddr, wtIpWatcherFTP=wtIpWatcherFTP, wtIpWatcher_24VPortInputText=wtIpWatcher_24VPortInputText, wtIpWatcher_24VInputEntry=wtIpWatcher_24VInputEntry, wtWebioEA2x2StTzOffsetHrs=wtWebioEA2x2StTzOffsetHrs, wtTrapReceiver2x2TsSyncTime=wtTrapReceiver2x2TsSyncTime, wtWebioEA24oemGetHeaderEnable=wtWebioEA24oemGetHeaderEnable, wtWebioEA12x6RelERPTzOffsetMin=wtWebioEA12x6RelERPTzOffsetMin, wtWebioEA12x6RelDeviceName=wtWebioEA12x6RelDeviceName, wtWebioEA2x2_24VAlert4=wtWebioEA2x2_24VAlert4, wtWebioEA2x2_24VOutputModeTable=wtWebioEA2x2_24VOutputModeTable, wtWebioEA2x2_24VAlert8=wtWebioEA2x2_24VAlert8, wtWebioEA6x6BinaryTcpClientServerPort=wtWebioEA6x6BinaryTcpClientServerPort, wtIpWatcherStTzStopMode=wtIpWatcherStTzStopMode, wtWebCount6TzOffsetMin=wtWebCount6TzOffsetMin, wtWebioEA2x2ERP_24VMailReply=wtWebioEA2x2ERP_24VMailReply, wtTrapReceiver2x2SnmpSystemTrapManagerIP=wtTrapReceiver2x2SnmpSystemTrapManagerIP, wtWebioEA12x6RelAlarmSyslogReleaseText=wtWebioEA12x6RelAlarmSyslogReleaseText, wtWebioEA2x2Gateway=wtWebioEA2x2Gateway, wtWebioEA12x12FTPServerIP=wtWebioEA12x12FTPServerIP, wtWebioEA2x2AlarmIfEntry=wtWebioEA2x2AlarmIfEntry, wtWebAlarm6x6AlarmOutputEntry=wtWebAlarm6x6AlarmOutputEntry, wtWebAlarm6x6Alert9=wtWebAlarm6x6Alert9, wtWebCount6PortInputMode=wtWebCount6PortInputMode, wtWebioEA12x6RelAlert24=wtWebioEA12x6RelAlert24, wtWebioEA24oemStTzOffsetMin=wtWebioEA24oemStTzOffsetMin, wtWebioEA12x12BinaryTcpClientInterval=wtWebioEA12x12BinaryTcpClientInterval, wtWebioEA12x6RelSyslogServerPort=wtWebioEA12x6RelSyslogServerPort, wtWebioEA2x2ERP_24VStTzStopMin=wtWebioEA2x2ERP_24VStTzStopMin, wtIpWatcherAlert11=wtIpWatcherAlert11, wtWebCount6MailAuthentication=wtWebCount6MailAuthentication, wtWebioEA12x12AlarmSyslogText=wtWebioEA12x12AlarmSyslogText, wtWebioEA12x6RelERPPortInputBicountInactivTimeout=wtWebioEA12x6RelERPPortInputBicountInactivTimeout, wtWebioEA24oemFTP=wtWebioEA24oemFTP, wtWebioEA2x2IpAddress=wtWebioEA2x2IpAddress, wtIpWatcher_24VAlert27=wtIpWatcher_24VAlert27, wtWebioEA24oemOutputState=wtWebioEA24oemOutputState, wtWebioEA2x2ERPBinaryTcpClientServerPassword=wtWebioEA2x2ERPBinaryTcpClientServerPassword, wtWebCount6Syslog=wtWebCount6Syslog, wtIpWatcherText=wtIpWatcherText, wtWebioEA12x6RelBinaryIfEntry=wtWebioEA12x6RelBinaryIfEntry, wtWebioEA6x6MailEnable=wtWebioEA6x6MailEnable, wtWebioEA2x2ERPAlarmMaxCounterValue=wtWebioEA2x2ERPAlarmMaxCounterValue, wtWebioEA2x2ERP_24VAlarmIfEntry=wtWebioEA2x2ERP_24VAlarmIfEntry, wtWebAlarm6x6Alert18=wtWebAlarm6x6Alert18, wtIpWatcherAlarmFtpText=wtIpWatcherAlarmFtpText, wtTrapReceiver2x2ActionSyslogText=wtTrapReceiver2x2ActionSyslogText, wtIpWatcherManufact=wtIpWatcherManufact, wtWebioEA12x12FTPServerControlPort=wtWebioEA12x12FTPServerControlPort, wtWebioEA12x6RelClockDay=wtWebioEA12x6RelClockDay, wtWebAlarm6x6FTPPassword=wtWebAlarm6x6FTPPassword, wtWebioEA12x12Alert6=wtWebioEA12x12Alert6, wtWebCount6MailAuthPassword=wtWebCount6MailAuthPassword, wtWebioEA12x6RelInputNo=wtWebioEA12x6RelInputNo, wtWebioEA6x6AlarmTable=wtWebioEA6x6AlarmTable, wtWebioEA12x12FTPEnable=wtWebioEA12x12FTPEnable, wtWebioEA2x2ERP_24VAlert23=wtWebioEA2x2ERP_24VAlert23, wtWebioEA12x6RelAlarmMailReleaseSubject=wtWebioEA12x6RelAlarmMailReleaseSubject, wtWebAlarm6x6AlarmEntry=wtWebAlarm6x6AlarmEntry, wtWebioEA2x2ERP_24VAlarmUdpPort=wtWebioEA2x2ERP_24VAlarmUdpPort, wtWebCount6Network=wtWebCount6Network, wtWebCount6InputCounterClear=wtWebCount6InputCounterClear, wtIpWatcher_24VInputPortEntry=wtIpWatcher_24VInputPortEntry, wtTrapReceiver2x2ActionName=wtTrapReceiver2x2ActionName, wtWebioEA2x2ERP_24VAlarmNo=wtWebioEA2x2ERP_24VAlarmNo, wtWebioEA6x6StTzStopMin=wtWebioEA6x6StTzStopMin, wtWebioEA2x2_24VAlarmMailReleaseSubject=wtWebioEA2x2_24VAlarmMailReleaseSubject, wtWebioEA12x12StTzStopMonth=wtWebioEA12x12StTzStopMonth, wtWebioEA24oemOutputEntry=wtWebioEA24oemOutputEntry, wtWebioEA2x2FTP=wtWebioEA2x2FTP, wtWebAlarm6x6OutputPortEntry=wtWebAlarm6x6OutputPortEntry, wtWebioEA24oemConfig=wtWebioEA24oemConfig, wtWebAlarm6x6AlarmSetPort=wtWebAlarm6x6AlarmSetPort, wtWebioEA12x6RelERPAlarmUdpText=wtWebioEA12x6RelERPAlarmUdpText, wtWebioEA6x6Inputs=wtWebioEA6x6Inputs, wtIpWatcher_24VAlert9=wtIpWatcher_24VAlert9, wtWebAlarm6x6PortOutputText=wtWebAlarm6x6PortOutputText, wtWebioEA2x2ERP_24VSyslogSystemMessagesEnable=wtWebioEA2x2ERP_24VSyslogSystemMessagesEnable, wtWebioEA12x12ClockMonth=wtWebioEA12x12ClockMonth, wtTrapReceiver2x2ActionFtpText=wtTrapReceiver2x2ActionFtpText, wtWebioEA2x2SubnetMask=wtWebioEA2x2SubnetMask, wtIpWatcher_24VAlarmCounterClear=wtIpWatcher_24VAlarmCounterClear, wtWebioEA2x2MfAddr=wtWebioEA2x2MfAddr, wtIpWatcher_24VClockDay=wtIpWatcher_24VClockDay, wtWebCount6StTzStopMonth=wtWebCount6StTzStopMonth, wtWebioEA6x6TimeServer2=wtWebioEA6x6TimeServer2, wtWebioEA12x6RelAlarmMailText=wtWebioEA12x6RelAlarmMailText, wtWebioEA6x6SyslogSystemMessagesEnable=wtWebioEA6x6SyslogSystemMessagesEnable, wtWebioEA2x2_24VOutputModeEntry=wtWebioEA2x2_24VOutputModeEntry, wtWebCount6Alert6=wtWebCount6Alert6, wtIpWatcherSnmpSystemTrapManagerIP=wtIpWatcherSnmpSystemTrapManagerIP, wtWebioEA2x2HttpPort=wtWebioEA2x2HttpPort, wtIpWatcherAlert10=wtIpWatcherAlert10, wtIpWatcherTzOffsetMin=wtIpWatcherTzOffsetMin, wtWebioEA2x2_24VText=wtWebioEA2x2_24VText, wtWebioEA6x6StTzStopMonth=wtWebioEA6x6StTzStopMonth, wtWebioEA2x2ERP_24VAlarmSystemTrigger=wtWebioEA2x2ERP_24VAlarmSystemTrigger, wtWebioEA12x12Binary=wtWebioEA12x12Binary, wtWebioEA6x6AlarmInterval=wtWebioEA6x6AlarmInterval, wtTrapReceiver2x2DeviceContact=wtTrapReceiver2x2DeviceContact, wtWebioEA2x2ERP_24VSyslogServerIP=wtWebioEA2x2ERP_24VSyslogServerIP, wtWebAlarm6x6AlarmTriggerState=wtWebAlarm6x6AlarmTriggerState, wtWebAlarm6x6MailAuthentication=wtWebAlarm6x6MailAuthentication, wtWebioEA2x2ERPAlarmSnmpTrapReleaseText=wtWebioEA2x2ERPAlarmSnmpTrapReleaseText, wtWebioEA2x2_24VStTzStopHrs=wtWebioEA2x2_24VStTzStopHrs, wtWebioEA24oemUdpRemotePort=wtWebioEA24oemUdpRemotePort, wtWebioEA12x6RelBinaryTcpClientServerPort=wtWebioEA12x6RelBinaryTcpClientServerPort, wtWebioEA12x6RelGetHeaderEnable=wtWebioEA12x6RelGetHeaderEnable, wtWebioEA12x6RelERPAlarmMailText=wtWebioEA12x6RelERPAlarmMailText, wtWebAlarm6x6AlarmTcpTrgClearText=wtWebAlarm6x6AlarmTcpTrgClearText, wtWebioEA12x6RelMailServer=wtWebioEA12x6RelMailServer, wtWebioEA12x6RelERPAlert13=wtWebioEA12x6RelERPAlert13, wtWebioEA2x2ERP_24VPortPulseDuration=wtWebioEA2x2ERP_24VPortPulseDuration, wtWebioEA2x2ERP_24VDiagBinaryError=wtWebioEA2x2ERP_24VDiagBinaryError, wtTrapReceiver2x2Alert7=wtTrapReceiver2x2Alert7, wtIpWatcher_24VClockMin=wtIpWatcher_24VClockMin, wtWebioEA24oemAlert17=wtWebioEA24oemAlert17, wtWebCount6FTPPassword=wtWebCount6FTPPassword, wtIpWatcherSyslog=wtIpWatcherSyslog, wtWebCount6MfOrderNo=wtWebCount6MfOrderNo, wtWebioEA12x12Syslog=wtWebioEA12x12Syslog, wtWebAlarm6x6PortOutputName=wtWebAlarm6x6PortOutputName, wtWebioEA2x2_24VDiag=wtWebioEA2x2_24VDiag, wtIpWatcher_24VAlarmMailTrgClearSubject=wtIpWatcher_24VAlarmMailTrgClearSubject, wtIpWatcher_24VFTPOption=wtIpWatcher_24VFTPOption, wtWebioEA2x2ERPTzEnable=wtWebioEA2x2ERPTzEnable, wtWebioEA2x2ERP_24VAlarmEnable=wtWebioEA2x2ERP_24VAlarmEnable, wtWebioEA6x6Alert22=wtWebioEA6x6Alert22, wtWebioEA12x6RelAlert3=wtWebioEA12x6RelAlert3, wtWebioEA2x2ERPBinaryUdpPeerRemotePort=wtWebioEA2x2ERPBinaryUdpPeerRemotePort, wtWebioEA2x2OutputState=wtWebioEA2x2OutputState, wtWebioEA24oemOutputModeEntry=wtWebioEA24oemOutputModeEntry, wtIpWatcher_24VAlert24=wtIpWatcher_24VAlert24, wtWebioEA2x2ERP_24VAlarmUdpText=wtWebioEA2x2ERP_24VAlarmUdpText, wtWebAlarm6x6AlarmFtpFileName=wtWebAlarm6x6AlarmFtpFileName, wtIpWatcherAlarmSnmpTrapTrapTxEnable=wtIpWatcherAlarmSnmpTrapTrapTxEnable, wtWebioEA2x2_24VInputTable=wtWebioEA2x2_24VInputTable, wtWebioEA12x12PortInputBicountPulsePolarity=wtWebioEA12x12PortInputBicountPulsePolarity, wtWebioEA2x2_24VBinaryUdpPeerRemotePort=wtWebioEA2x2_24VBinaryUdpPeerRemotePort, wtWebioEA12x12BinaryIfEntry=wtWebioEA12x12BinaryIfEntry, wtWebioEA2x2_24VInputCounterClear=wtWebioEA2x2_24VInputCounterClear, wtWebioEA12x12BinaryTcpClientInputTrigger=wtWebioEA12x12BinaryTcpClientInputTrigger, wtWebAlarm6x6Alert36=wtWebAlarm6x6Alert36, wtWebioEA2x2ERPAlarmFtpFileName=wtWebioEA2x2ERPAlarmFtpFileName, wtWebioEA2x2Alert9=wtWebioEA2x2Alert9, wtIpWatcherTzOffsetHrs=wtIpWatcherTzOffsetHrs, wtWebioEA2x2AlarmUdpIpAddr=wtWebioEA2x2AlarmUdpIpAddr, wtWebioEA12x12PortLogicInputMask=wtWebioEA12x12PortLogicInputMask, wtWebioEA6x6MfName=wtWebioEA6x6MfName, wtWebioEA24oemSyslogEnable=wtWebioEA24oemSyslogEnable, wtIpWatcherInputNo=wtIpWatcherInputNo, wtWebAlarm6x6AlarmSyslogPort=wtWebAlarm6x6AlarmSyslogPort, wtWebCount6Alert3=wtWebCount6Alert3, wtWebioEA12x6RelInOut=wtWebioEA12x6RelInOut, wtWebioEA12x6RelERPAlarmUdpIpAddr=wtWebioEA12x6RelERPAlarmUdpIpAddr, wtTrapReceiver2x2UDP=wtTrapReceiver2x2UDP, wtWebioEA12x6RelERPAlarmIfTable=wtWebioEA12x6RelERPAlarmIfTable, wtWebioEA12x12SessCntrlConfigPassword=wtWebioEA12x12SessCntrlConfigPassword, wtTrapReceiver2x2PrepareInEvents=wtTrapReceiver2x2PrepareInEvents, wtWebioEA2x2FTPServerControlPort=wtWebioEA2x2FTPServerControlPort, wtIpWatcher_24VTsSyncTime=wtIpWatcher_24VTsSyncTime, wtTrapReceiver2x2InputTable=wtTrapReceiver2x2InputTable, wtTrapReceiver2x2PortSystemTimerName=wtTrapReceiver2x2PortSystemTimerName, wtWebioEA2x2_24VAlarmFtpReleaseText=wtWebioEA2x2_24VAlarmFtpReleaseText, wtWebioEA2x2_24VAlarmMailReleaseText=wtWebioEA2x2_24VAlarmMailReleaseText, wtWebioEA6x6MailAuthPassword=wtWebioEA6x6MailAuthPassword, wtWebioEA2x2ERP_24VOutputPortTable=wtWebioEA2x2ERP_24VOutputPortTable, wtWebioEA2x2AlarmTable=wtWebioEA2x2AlarmTable, wtWebAlarm6x6InputCounter=wtWebAlarm6x6InputCounter, wtWebioEA24oemAlertDiag=wtWebioEA24oemAlertDiag, wtWebioEA2x2ERPInputCounterClear=wtWebioEA2x2ERPInputCounterClear, wtTrapReceiver2x2SystemTimerNo=wtTrapReceiver2x2SystemTimerNo, wtWebCount6ClockMonth=wtWebCount6ClockMonth, wtWebioEA24oemBinaryConnectedIpAddr=wtWebioEA24oemBinaryConnectedIpAddr, wtWebioEA2x2_24VHTTP=wtWebioEA2x2_24VHTTP, wtIpWatcherDeviceText=wtIpWatcherDeviceText, wtWebioEA2x2ERP_24VPortInputMode=wtWebioEA2x2ERP_24VPortInputMode, wtWebioEA2x2ERPDeviceText=wtWebioEA2x2ERPDeviceText, wtWebAlarm6x6UdpAdminPort=wtWebAlarm6x6UdpAdminPort, wtWebAlarm6x6SnmpSystemTrapManagerIP=wtWebAlarm6x6SnmpSystemTrapManagerIP, wtWebioEA2x2ERPInputEntry=wtWebioEA2x2ERPInputEntry, wtTrapReceiver2x2WatchListTrapNo=wtTrapReceiver2x2WatchListTrapNo, wtWebioEA12x12AlarmTcpIpAddr=wtWebioEA12x12AlarmTcpIpAddr, wtTrapReceiver2x2ActionUdpIpAddr=wtTrapReceiver2x2ActionUdpIpAddr, wtWebAlarm6x6Device=wtWebAlarm6x6Device, wtWebioEA2x2_24VBinaryUdpPeerInterval=wtWebioEA2x2_24VBinaryUdpPeerInterval, wtWebioEA2x2AlarmFtpReleaseText=wtWebioEA2x2AlarmFtpReleaseText, wtWebioEA2x2ERP_24VSnmpSystemTrapManagerIP=wtWebioEA2x2ERP_24VSnmpSystemTrapManagerIP, wtWebioEA2x2Inputs=wtWebioEA2x2Inputs, wtWebioEA2x2_24VClockYear=wtWebioEA2x2_24VClockYear, wtIpWatcher_24VFTPAccount=wtIpWatcher_24VFTPAccount, wtIpWatcherTimeServer=wtIpWatcherTimeServer, wtWebAlarm6x6StTzOffsetHrs=wtWebAlarm6x6StTzOffsetHrs, wtIpWatcher_24VSyslog=wtIpWatcher_24VSyslog, wtIpWatcherClockMin=wtIpWatcherClockMin, wtWebioEA2x2_24VStTzStopWday=wtWebioEA2x2_24VStTzStopWday, wtWebioEA2x2_24VDeviceLocation=wtWebioEA2x2_24VDeviceLocation, wtWebioEA12x6RelERPAlarmUdpPort=wtWebioEA12x6RelERPAlarmUdpPort, wtIpWatcher_24VStTzStartWday=wtIpWatcher_24VStTzStartWday, wtWebioEA6x6AlertDiag=wtWebioEA6x6AlertDiag, wtWebioEA24oemInputNo=wtWebioEA24oemInputNo, wtWebioEA12x6RelOutputValue=wtWebioEA12x6RelOutputValue, wtWebioEA12x6RelBinaryUdpPeerApplicationMode=wtWebioEA12x6RelBinaryUdpPeerApplicationMode, wtWebioEA2x2Ports=wtWebioEA2x2Ports, wtWebioEA2x2_24VInputs=wtWebioEA2x2_24VInputs, wtWebioEA12x6RelStTzStartMonth=wtWebioEA12x6RelStTzStartMonth, wtWebioEA2x2ERP_24VBinaryEntry=wtWebioEA2x2ERP_24VBinaryEntry, wtIpWatcher_24VAlert21=wtIpWatcher_24VAlert21, wtTrapReceiver2x2WatchListPort=wtTrapReceiver2x2WatchListPort, wtWebioEA24oemSyslogServerPort=wtWebioEA24oemSyslogServerPort, wtTrapReceiver2x2TzOffsetMin=wtTrapReceiver2x2TzOffsetMin, wtWebioEA2x2ERPMailAdName=wtWebioEA2x2ERPMailAdName, wtWebioEA12x6RelERPAlarmFtpOption=wtWebioEA12x6RelERPAlarmFtpOption, wtWebioEA12x12TimeDate=wtWebioEA12x12TimeDate, wtWebioEA2x2ERPInputValue=wtWebioEA2x2ERPInputValue, wtWebioEA2x2ERPAlert16=wtWebioEA2x2ERPAlert16, wtWebioEA24oemAlarmMailSubject=wtWebioEA24oemAlarmMailSubject, wtWebioEA2x2PortLogicOutputInverter=wtWebioEA2x2PortLogicOutputInverter, wtWebAlarm6x6AlarmEnable=wtWebAlarm6x6AlarmEnable, wtWebioEA2x2SyslogServerIP=wtWebioEA2x2SyslogServerIP, wtWebioEA12x12Manufact=wtWebioEA12x12Manufact, wtWebioEA2x2_24VSessCntrlConfigMode=wtWebioEA2x2_24VSessCntrlConfigMode, wtWebioEA24oemAlarmInterval=wtWebioEA24oemAlarmInterval, wtIpWatcher_24VAlarmSyslogReleaseText=wtIpWatcher_24VAlarmSyslogReleaseText, wtWebioEA6x6AlarmFtpFileName=wtWebioEA6x6AlarmFtpFileName, wtWebioEA2x2ERPInputPortEntry=wtWebioEA2x2ERPInputPortEntry, wtWebioEA24oemOutputModeBit=wtWebioEA24oemOutputModeBit, wtWebioEA12x6RelERPPortInputText=wtWebioEA12x6RelERPPortInputText, wtWebioEA12x6RelERPAlarmOutputTrigger=wtWebioEA12x6RelERPAlarmOutputTrigger, wtWebAlarm6x6AlarmUdpReleaseText=wtWebAlarm6x6AlarmUdpReleaseText, wtIpWatcher_24VAlarmInterval=wtIpWatcher_24VAlarmInterval, wtWebAlarm6x6Network=wtWebAlarm6x6Network, wtTrapReceiver2x2ActionMailAddr=wtTrapReceiver2x2ActionMailAddr, wtWebioEA6x6PortInputName=wtWebioEA6x6PortInputName, wtWebioEA2x2ERP_24VMailPop3Server=wtWebioEA2x2ERP_24VMailPop3Server)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA2x2PortOutputSafetyState=wtWebioEA2x2PortOutputSafetyState, wtWebioEA2x2ERP_24VPortLogicInputInverter=wtWebioEA2x2ERP_24VPortLogicInputInverter, wtWebioEA12x6RelSnmpCommunityStringReadWrite=wtWebioEA12x6RelSnmpCommunityStringReadWrite, wtWebioEA2x2ERP_24VSessCntrlAdminPassword=wtWebioEA2x2ERP_24VSessCntrlAdminPassword, wtWebioEA12x6RelPorts=wtWebioEA12x6RelPorts, wtWebioEA2x2ERP_24VStTzStartMode=wtWebioEA2x2ERP_24VStTzStartMode, wtTrapReceiver2x2PortOutputText=wtTrapReceiver2x2PortOutputText, wtIpWatcherAlarmSnmpTrapTrgClearText=wtIpWatcherAlarmSnmpTrapTrgClearText, wtWebioEA2x2BinaryTable=wtWebioEA2x2BinaryTable, wtWebioEA2x2ERPAlarmFtpText=wtWebioEA2x2ERPAlarmFtpText, wtWebCount6MfName=wtWebCount6MfName, wtWebioEA12x12TzEnable=wtWebioEA12x12TzEnable, wtWebioEA2x2ERPDnsServer2=wtWebioEA2x2ERPDnsServer2, wtWebAlarm6x6AlarmUdpPort=wtWebAlarm6x6AlarmUdpPort, wtWebioEA2x2SNMP=wtWebioEA2x2SNMP, wtWebCount6ReportInputTrigger=wtWebCount6ReportInputTrigger, wtWebioEA2x2_24VBinaryTcpClientInactivity=wtWebioEA2x2_24VBinaryTcpClientInactivity, wtWebioEA2x2ERP_24VInputCounter=wtWebioEA2x2ERP_24VInputCounter, wtIpWatcherPortOutputText=wtIpWatcherPortOutputText, wtWebioEA12x6RelAlert19=wtWebioEA12x6RelAlert19, wtWebioEA2x2ERPBinaryTcpServerApplicationMode=wtWebioEA2x2ERPBinaryTcpServerApplicationMode, wtWebioEA12x6RelERPSnmpSystemTrapEnable=wtWebioEA12x6RelERPSnmpSystemTrapEnable, wtTrapReceiver2x2TsEnable=wtTrapReceiver2x2TsEnable, wtWebioEA2x2ERPPortInputName=wtWebioEA2x2ERPPortInputName, wtWebioEA24oemHTTP=wtWebioEA24oemHTTP, wtTrapReceiver2x2MfHotline=wtTrapReceiver2x2MfHotline, wtWebioEA2x2_24VMailPop3Server=wtWebioEA2x2_24VMailPop3Server, wtWebioEA12x6RelSyslogSystemMessagesEnable=wtWebioEA12x6RelSyslogSystemMessagesEnable, wtTrapReceiver2x2TimeServer1=wtTrapReceiver2x2TimeServer1, wtWebioEA12x6RelERPAlarmMailSubject=wtWebioEA12x6RelERPAlarmMailSubject, wtIpWatcher_24VSnmpCommunityStringRead=wtIpWatcher_24VSnmpCommunityStringRead, wtWebioEA2x2ERPMfInternet=wtWebioEA2x2ERPMfInternet, wtWebAlarm6x6PortInputFilter=wtWebAlarm6x6PortInputFilter, wtWebioEA12x6RelERPSnmpEnable=wtWebioEA12x6RelERPSnmpEnable, wtWebioEA6x6InputCounter=wtWebioEA6x6InputCounter, wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText=wtWebioEA2x2ERP_24VAlarmSnmpTrapReleaseText, wtWebioEA12x12Alert3=wtWebioEA12x12Alert3, wtWebioEA12x6RelAlarmTcpPort=wtWebioEA12x6RelAlarmTcpPort, wtIpWatcherIpListIfTable=wtIpWatcherIpListIfTable, wtWebioEA12x12HttpPort=wtWebioEA12x12HttpPort, wtIpWatcherStTzStartMonth=wtIpWatcherStTzStartMonth, wtWebioEA2x2ERP_24VAlert24=wtWebioEA2x2ERP_24VAlert24, wtTrapReceiver2x2PortInputFilter=wtTrapReceiver2x2PortInputFilter, wtWebioEA12x6RelMailPop3Server=wtWebioEA12x6RelMailPop3Server, wtWebioEA12x6RelAlarmIfEntry=wtWebioEA12x6RelAlarmIfEntry, wtIpWatcherInputPortEntry=wtIpWatcherInputPortEntry, wtWebAlarm6x6Alert24=wtWebAlarm6x6Alert24, wtIpWatcherAlarmSyslogIpAddr=wtIpWatcherAlarmSyslogIpAddr, wtWebioEA2x2ERP_24VAlarmTcpPort=wtWebioEA2x2ERP_24VAlarmTcpPort, wtWebioEA2x2SnmpSystemTrapManagerIP=wtWebioEA2x2SnmpSystemTrapManagerIP, wtWebioEA2x2ERPClockHrs=wtWebioEA2x2ERPClockHrs, wtWebioEA12x12Alert20=wtWebioEA12x12Alert20, wtTrapReceiver2x2ActionTimerCron=wtTrapReceiver2x2ActionTimerCron, wtWebioEA2x2PortOutputGroupMode=wtWebioEA2x2PortOutputGroupMode, wtTrapReceiver2x2OutputPortTable=wtTrapReceiver2x2OutputPortTable, wtWebioEA2x2AlarmInputTrigger=wtWebioEA2x2AlarmInputTrigger, wtWebioEA2x2ClockMin=wtWebioEA2x2ClockMin, wtWebioEA12x12AlarmEnable=wtWebioEA12x12AlarmEnable, wtIpWatcher_24V=wtIpWatcher_24V, wtWebioEA12x6RelERPUDP=wtWebioEA12x6RelERPUDP, wtWebioEA2x2ERPAlarmNo=wtWebioEA2x2ERPAlarmNo, wtIpWatcherConfig=wtIpWatcherConfig, wtWebioEA12x6RelERPAlert9=wtWebioEA12x6RelERPAlert9, wtWebioEA2x2_24VAlarmFtpDataPort=wtWebioEA2x2_24VAlarmFtpDataPort, wtTrapReceiver2x2DnsServer1=wtTrapReceiver2x2DnsServer1, wtIpWatcher_24VAlert10=wtIpWatcher_24VAlert10, wtWebioEA2x2_24VStTzStopMin=wtWebioEA2x2_24VStTzStopMin, wtWebioEA6x6PortOutputText=wtWebioEA6x6PortOutputText, wtWebCount6Alert7=wtWebCount6Alert7, wtWebioEA12x12OutputPortTable=wtWebioEA12x12OutputPortTable, wtWebioEA12x6RelDevice=wtWebioEA12x6RelDevice, wtIpWatcherDiagErrorClear=wtIpWatcherDiagErrorClear, wtWebioEA24oemClockDay=wtWebioEA24oemClockDay, wtWebioEA2x2_24VPortLogicOutputInverter=wtWebioEA2x2_24VPortLogicOutputInverter, wtWebioEA2x2_24VAlert16=wtWebioEA2x2_24VAlert16, wtTrapReceiver2x2WatchListFacility=wtTrapReceiver2x2WatchListFacility, wtWebioEA2x2ERPConfig=wtWebioEA2x2ERPConfig, wtIpWatcher_24VDeviceName=wtIpWatcher_24VDeviceName, wtIpWatcherSessCntrlAdminPassword=wtIpWatcherSessCntrlAdminPassword, wtIpWatcher_24VMailAdName=wtIpWatcher_24VMailAdName, wtIpWatcherAlert4=wtIpWatcherAlert4, wtIpWatcherAlert34=wtIpWatcherAlert34, wtWebioEA2x2ERP_24VBasic=wtWebioEA2x2ERP_24VBasic, wtWebioEA12x12StTzStopHrs=wtWebioEA12x12StTzStopHrs, wtIpWatcherAlarmUdpTrapTxEnable=wtIpWatcherAlarmUdpTrapTxEnable, wtWebCount6ReportSnmpTrapText=wtWebCount6ReportSnmpTrapText, wtWebioEA6x6PortLogicFunction=wtWebioEA6x6PortLogicFunction, wtTrapReceiver2x2MailEnable=wtTrapReceiver2x2MailEnable, wtWebioEA24oemAlert9=wtWebioEA24oemAlert9, wtWebioEA2x2ERPHttpInputTrigger=wtWebioEA2x2ERPHttpInputTrigger, wtWebioEA2x2ERP_24VAlert17=wtWebioEA2x2ERP_24VAlert17, wtWebioEA12x6RelERPAlarmMailReleaseText=wtWebioEA12x6RelERPAlarmMailReleaseText, wtWebioEA12x12AlarmMailReleaseSubject=wtWebioEA12x12AlarmMailReleaseSubject, wtWebioEA12x6RelAlarmNo=wtWebioEA12x6RelAlarmNo, wtWebioEA2x2ERP_24VStTzStopMode=wtWebioEA2x2ERP_24VStTzStopMode, wtWebAlarm6x6AlarmSyslogTrgClearText=wtWebAlarm6x6AlarmSyslogTrgClearText, wtWebioEA2x2ERPAlert6=wtWebioEA2x2ERPAlert6, wtWebioEA12x6RelERPSNMP=wtWebioEA12x6RelERPSNMP, wtWebioEA24oemAlarmEntry=wtWebioEA24oemAlarmEntry, wtWebioEA24oemPortInputMode=wtWebioEA24oemPortInputMode, wtWebioEA12x12UdpRemotePort=wtWebioEA12x12UdpRemotePort, wtWebioEA12x12Alert13=wtWebioEA12x12Alert13, wtWebioEA2x2_24VMfAddr=wtWebioEA2x2_24VMfAddr, wtWebioEA2x2ERPAlert2=wtWebioEA2x2ERPAlert2, wtWebCount6ReportMailAddr=wtWebCount6ReportMailAddr, wtWebioEA2x2ERP_24VBinaryTcpClientServerHttpPort=wtWebioEA2x2ERP_24VBinaryTcpClientServerHttpPort, wtIpWatcher_24VAlert8=wtIpWatcher_24VAlert8, wtWebioEA12x12PortOutputText=wtWebioEA12x12PortOutputText, wtWebAlarm6x6AlarmFtpDataPort=wtWebAlarm6x6AlarmFtpDataPort, wtWebioEA2x2ERPAlarmSyslogPort=wtWebioEA2x2ERPAlarmSyslogPort, wtWebioEA6x6UdpRemotePort=wtWebioEA6x6UdpRemotePort, wtIpWatcher_24VStTzStopMonth=wtIpWatcher_24VStTzStopMonth, wtWebioEA6x6DiagErrorClear=wtWebioEA6x6DiagErrorClear, wtWebioEA2x2ERP_24VPowerSupplyEnable=wtWebioEA2x2ERP_24VPowerSupplyEnable, wtIpWatcher_24VClockMonth=wtIpWatcher_24VClockMonth, wtIpWatcher_24VAlarmMailText=wtIpWatcher_24VAlarmMailText, wtWebioEA2x2ERP_24VDiagErrorCount=wtWebioEA2x2ERP_24VDiagErrorCount, wtWebAlarm6x6StTzEnable=wtWebAlarm6x6StTzEnable, wtWebioEA2x2OutputPortTable=wtWebioEA2x2OutputPortTable, wtWebioEA12x12AlarmFtpFileName=wtWebioEA12x12AlarmFtpFileName, wtWebAlarm6x6AlarmFtpOption=wtWebAlarm6x6AlarmFtpOption, wtWebAlarm6x6OutputTable=wtWebAlarm6x6OutputTable, wtWebioEA2x2PortInputFilter=wtWebioEA2x2PortInputFilter, wtWebAlarm6x6SessCntrlConfigPassword=wtWebAlarm6x6SessCntrlConfigPassword, wtWebioEA12x12OutputPortEntry=wtWebioEA12x12OutputPortEntry, wtIpWatcher_24VAlert34=wtIpWatcher_24VAlert34, wtWebioEA24oemBinaryTcpClientApplicationMode=wtWebioEA24oemBinaryTcpClientApplicationMode, wtIpWatcherAlert32=wtIpWatcherAlert32, wtWebioEA24oemUdpEnable=wtWebioEA24oemUdpEnable, wtIpWatcher_24VTimeZone=wtIpWatcher_24VTimeZone, wtWebioEA12x6RelERPAlarmSyslogPort=wtWebioEA12x6RelERPAlarmSyslogPort, wtWebCount6Alert9=wtWebCount6Alert9, wtTrapReceiver2x2ButtonNo=wtTrapReceiver2x2ButtonNo, wtWebioEA2x2ERP_24VUdpAdminPort=wtWebioEA2x2ERP_24VUdpAdminPort, wtWebioEA2x2ERP_24VOutputModeTable=wtWebioEA2x2ERP_24VOutputModeTable, wtWebioEA6x6BinaryTcpClientServerHttpPort=wtWebioEA6x6BinaryTcpClientServerHttpPort, wtIpWatcherIpListCount=wtIpWatcherIpListCount, wtTrapReceiver2x2PortSystemTimerCron=wtTrapReceiver2x2PortSystemTimerCron, wtWebioEA2x2ERP_24VMfName=wtWebioEA2x2ERP_24VMfName, wtWebioEA12x12SafetyTimeout=wtWebioEA12x12SafetyTimeout, wtIpWatcher_24VSessCntrlAdminPassword=wtIpWatcher_24VSessCntrlAdminPassword, wtWebioEA12x6RelERPBinaryUdpPeerLocalPort=wtWebioEA12x6RelERPBinaryUdpPeerLocalPort, wtWebioEA12x6RelAlert23=wtWebioEA12x6RelAlert23, wtWebioEA12x6RelERPAlarmNo=wtWebioEA12x6RelERPAlarmNo, wtWebioEA12x6RelTimeServer1=wtWebioEA12x6RelTimeServer1, wtWebioEA2x2ERP_24VTimeZone=wtWebioEA2x2ERP_24VTimeZone, wtWebioEA12x6RelDiagErrorIndex=wtWebioEA12x6RelDiagErrorIndex, wtWebCount6InputNo=wtWebCount6InputNo, wtWebioEA2x2ERP_24VBinaryTcpServerClientHttpPort=wtWebioEA2x2ERP_24VBinaryTcpServerClientHttpPort, wtWebioEA2x2ERP_24VDiagErrorIndex=wtWebioEA2x2ERP_24VDiagErrorIndex, wtWebioEA12x6RelClockYear=wtWebioEA12x6RelClockYear, wtWebioEA2x2ERP_24VStTzStopHrs=wtWebioEA2x2ERP_24VStTzStopHrs, wtWebioEA12x6RelERPDeviceText=wtWebioEA12x6RelERPDeviceText, wtWebioEA24oemSNMP=wtWebioEA24oemSNMP, wtWebioEA2x2ERPSessCntrl=wtWebioEA2x2ERPSessCntrl, wtWebAlarm6x6InputPortTable=wtWebAlarm6x6InputPortTable, wtIpWatcher_24VAlert29=wtIpWatcher_24VAlert29, wtWebAlarm6x6AlarmMailText=wtWebAlarm6x6AlarmMailText, wtWebioEA2x2AlarmEnable=wtWebioEA2x2AlarmEnable, wtWebioEA2x2ERPDeviceLocation=wtWebioEA2x2ERPDeviceLocation, wtIpWatcher_24VAlarmNo=wtIpWatcher_24VAlarmNo, wtWebioEA24oemAlarmMailText=wtWebioEA24oemAlarmMailText, wtWebioEA24oemBinaryTcpServerClientHttpPort=wtWebioEA24oemBinaryTcpServerClientHttpPort, wtWebioEA2x2_24VOutputTable=wtWebioEA2x2_24VOutputTable, wtWebioEA2x2_24VUdpAdminPort=wtWebioEA2x2_24VUdpAdminPort, wtWebioEA2x2AlarmCount=wtWebioEA2x2AlarmCount, wtIpWatcherSnmpSystemTrapEnable=wtIpWatcherSnmpSystemTrapEnable, wtIpWatcherAlarmEnable=wtIpWatcherAlarmEnable, wtIpWatcher_24VSessCntrlConfigPassword=wtIpWatcher_24VSessCntrlConfigPassword, wtWebAlarm6x6StTzStopMin=wtWebAlarm6x6StTzStopMin, wtWebioEA2x2ERP_24VTimeServer1=wtWebioEA2x2ERP_24VTimeServer1, wtWebAlarm6x6AlarmFtpTrapTxEnable=wtWebAlarm6x6AlarmFtpTrapTxEnable, wtWebioEA2x2MfName=wtWebioEA2x2MfName, wtWebioEA24oemTzOffsetMin=wtWebioEA24oemTzOffsetMin, wtWebioEA24oemOutputPortEntry=wtWebioEA24oemOutputPortEntry, wtWebCount6ReportMailText=wtWebCount6ReportMailText, wtWebioEA2x2_24VFTPUserName=wtWebioEA2x2_24VFTPUserName, wtWebAlarm6x6MailAdName=wtWebAlarm6x6MailAdName, wtIpWatcherAlarmFtpTrapTxEnable=wtIpWatcherAlarmFtpTrapTxEnable, wtTrapReceiver2x2ActionOutputTable=wtTrapReceiver2x2ActionOutputTable, wtTrapReceiver2x2AlertDiag=wtTrapReceiver2x2AlertDiag, wtWebioEA2x2_24VMailAuthUser=wtWebioEA2x2_24VMailAuthUser, wtWebioEA2x2BinaryTcpServerApplicationMode=wtWebioEA2x2BinaryTcpServerApplicationMode, wtWebioEA6x6MailAuthUser=wtWebioEA6x6MailAuthUser, wtWebAlarm6x6MfHotline=wtWebAlarm6x6MfHotline, wtIpWatcherAlarmSetPort=wtIpWatcherAlarmSetPort, wtWebioEA2x2_24VSyslogEnable=wtWebioEA2x2_24VSyslogEnable, wtIpWatcher_24VAlarmSnmpTrapReleaseText=wtIpWatcher_24VAlarmSnmpTrapReleaseText, wtIpWatcher_24VHTTP=wtIpWatcher_24VHTTP, wtWebioEA6x6OutputEntry=wtWebioEA6x6OutputEntry, wtWebioEA6x6BinaryTcpServerInputTrigger=wtWebioEA6x6BinaryTcpServerInputTrigger, wtWebCount6UDP=wtWebCount6UDP, wtWebioEA6x6PortLogicOutputInverter=wtWebioEA6x6PortLogicOutputInverter, wtWebioEA12x6RelAlert8=wtWebioEA12x6RelAlert8, wtIpWatcherInOut=wtIpWatcherInOut, wtWebioEA12x6RelBasic=wtWebioEA12x6RelBasic, wtWebioEA12x12BinaryEntry=wtWebioEA12x12BinaryEntry, wtWebioEA2x2ERP_24VAlarmMailText=wtWebioEA2x2ERP_24VAlarmMailText, wtWebioEA6x6StTzStartMonth=wtWebioEA6x6StTzStartMonth, wtIpWatcher_24VAlarmSyslogPort=wtIpWatcher_24VAlarmSyslogPort, wtWebioEA12x6RelERPAlarmSyslogIpAddr=wtWebioEA12x6RelERPAlarmSyslogIpAddr, wtWebioEA12x6RelPortOutputSafetyState=wtWebioEA12x6RelPortOutputSafetyState, wtWebCount6StTzStartMode=wtWebCount6StTzStartMode, wtWebioEA2x2AlarmUdpText=wtWebioEA2x2AlarmUdpText, wtWebioEA2x2Alert2=wtWebioEA2x2Alert2, wtWebioEA2x2ERPInputPortTable=wtWebioEA2x2ERPInputPortTable, wtWebioEA6x6StTzEnable=wtWebioEA6x6StTzEnable, wtWebioEA12x6RelERPDiagErrorMessage=wtWebioEA12x6RelERPDiagErrorMessage, wtWebioEA2x2_24VAlarmSnmpManagerIP=wtWebioEA2x2_24VAlarmSnmpManagerIP, wtWebioEA2x2BinaryTcpServerInputTrigger=wtWebioEA2x2BinaryTcpServerInputTrigger, wtWebioEA2x2ERPAlert1=wtWebioEA2x2ERPAlert1, wtWebioEA2x2ERPAlarmUdpIpAddr=wtWebioEA2x2ERPAlarmUdpIpAddr, wtWebioEA2x2ERP_24VPortLogicInputMask=wtWebioEA2x2ERP_24VPortLogicInputMask, wtWebioEA6x6PortInputBicountInactivTimeout=wtWebioEA6x6PortInputBicountInactivTimeout, wtWebAlarm6x6Alert3=wtWebAlarm6x6Alert3, wtWebioEA6x6Alert15=wtWebioEA6x6Alert15, wtWebioEA2x2MailPop3Server=wtWebioEA2x2MailPop3Server, wtWebCount6FTPOption=wtWebCount6FTPOption, wtWebioEA2x2_24VSafetyTimeout=wtWebioEA2x2_24VSafetyTimeout, wtWebioEA2x2ERPOutputValue=wtWebioEA2x2ERPOutputValue, wtWebioEA2x2ERP_24VGateway=wtWebioEA2x2ERP_24VGateway, wtWebCount6ReportOutputState=wtWebCount6ReportOutputState, wtWebioEA2x2ERPAlarmMailReleaseText=wtWebioEA2x2ERPAlarmMailReleaseText, wtWebCount6DiagErrorMessage=wtWebCount6DiagErrorMessage, wtWebCount6DiagErrorCount=wtWebCount6DiagErrorCount, wtWebCount6StTzStartWday=wtWebCount6StTzStartWday, wtWebioEA2x2UDP=wtWebioEA2x2UDP, wtWebioEA2x2_24VSubnetMask=wtWebioEA2x2_24VSubnetMask, wtWebioEA12x6RelTsSyncTime=wtWebioEA12x6RelTsSyncTime, wtWebioEA12x6RelERPSnmpCommunityStringReadWrite=wtWebioEA12x6RelERPSnmpCommunityStringReadWrite, wtIpWatcherInputPortTable=wtIpWatcherInputPortTable, wtWebioEA24oemStTzStopMin=wtWebioEA24oemStTzStopMin, wtWebCount6StTzOffsetMin=wtWebCount6StTzOffsetMin, wtTrapReceiver2x2SystemTimerPortTable=wtTrapReceiver2x2SystemTimerPortTable, wtWebioEA2x2Alert3=wtWebioEA2x2Alert3, wtWebioEA12x6RelAlarmFtpReleaseText=wtWebioEA12x6RelAlarmFtpReleaseText, wtWebioEA2x2StTzStartMode=wtWebioEA2x2StTzStartMode, wtIpWatcher_24VAlert5=wtIpWatcher_24VAlert5, wtWebioEA12x6RelERPFTP=wtWebioEA12x6RelERPFTP, wtIpWatcherInputState=wtIpWatcherInputState, wtWebCount6SnmpCommunityStringRead=wtWebCount6SnmpCommunityStringRead, wtWebioEA12x6RelBinaryConnectedIpAddr=wtWebioEA12x6RelBinaryConnectedIpAddr, wtWebAlarm6x6PortInputCounterSet=wtWebAlarm6x6PortInputCounterSet, wtWebioEA12x6RelBinaryTcpServerLocalPort=wtWebioEA12x6RelBinaryTcpServerLocalPort, wtWebioEA2x2ERPPortLogicOutputInverter=wtWebioEA2x2ERPPortLogicOutputInverter, wtWebAlarm6x6PortInputName=wtWebAlarm6x6PortInputName, wtWebioEA12x6RelERPWayBackServerControlPort=wtWebioEA12x6RelERPWayBackServerControlPort, wtWebioEA24oemOutputValue=wtWebioEA24oemOutputValue, wtWebioEA12x6RelNetwork=wtWebioEA12x6RelNetwork, wtWebioEA12x12BinaryUdpPeerInputTrigger=wtWebioEA12x12BinaryUdpPeerInputTrigger, wtWebioEA2x2_24VAlert2=wtWebioEA2x2_24VAlert2, wtTrapReceiver2x2StTzStartWday=wtTrapReceiver2x2StTzStartWday, wtWebioEA2x2PortLogicInputInverter=wtWebioEA2x2PortLogicInputInverter, wtIpWatcherFTPAccount=wtIpWatcherFTPAccount)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebAlarm6x6DiagErrorCount=wtWebAlarm6x6DiagErrorCount, wtWebioEA2x2BinaryUdpPeerApplicationMode=wtWebioEA2x2BinaryUdpPeerApplicationMode, wtWebioEA2x2BinaryTcpClientInputTrigger=wtWebioEA2x2BinaryTcpClientInputTrigger, wtWebioEA12x6RelTzOffsetMin=wtWebioEA12x6RelTzOffsetMin, wtIpWatcherClockYear=wtIpWatcherClockYear, wtWebioEA2x2ERP_24VAlert15=wtWebioEA2x2ERP_24VAlert15, wtWebioEA24oemDiagErrorIndex=wtWebioEA24oemDiagErrorIndex, wtWebAlarm6x6AlarmTcpTrapTxEnable=wtWebAlarm6x6AlarmTcpTrapTxEnable, wtWebioEA2x2ERPWayBackEnable=wtWebioEA2x2ERPWayBackEnable, wtWebioEA2x2_24VAlert6=wtWebioEA2x2_24VAlert6, wtWebioEA2x2_24VAlert7=wtWebioEA2x2_24VAlert7, wtIpWatcher_24VInputs=wtIpWatcher_24VInputs, wtWebioEA2x2PortInputBicountPulsePolarity=wtWebioEA2x2PortInputBicountPulsePolarity, wtWebioEA2x2AlertDiag=wtWebioEA2x2AlertDiag, wtWebioEA12x6RelIpAddress=wtWebioEA12x6RelIpAddress, wtWebioEA6x6StTzStopMode=wtWebioEA6x6StTzStopMode, wtWebioEA12x12UdpEnable=wtWebioEA12x12UdpEnable, wtWebioEA12x12AlarmInterval=wtWebioEA12x12AlarmInterval, wtIpWatcherSessCntrlConfigPassword=wtIpWatcherSessCntrlConfigPassword, wtWebCount6ReportTimerCron=wtWebCount6ReportTimerCron, wtWebioEA6x6AlarmTcpPort=wtWebioEA6x6AlarmTcpPort, wtWebioEA12x6RelOutputModeEntry=wtWebioEA12x6RelOutputModeEntry, wtWebioEA2x2ERP_24VBinaryTcpClientServerPassword=wtWebioEA2x2ERP_24VBinaryTcpClientServerPassword, wtIpWatcher_24VInputNo=wtIpWatcher_24VInputNo, wtTrapReceiver2x2OutputEntry=wtTrapReceiver2x2OutputEntry, wtWebioEA24oemInputPortTable=wtWebioEA24oemInputPortTable, wtWebioEA2x2ERPInputs=wtWebioEA2x2ERPInputs, wtWebioEA6x6TsEnable=wtWebioEA6x6TsEnable, wtIpWatcherTzEnable=wtIpWatcherTzEnable, wtWebioEA2x2ERP_24VAlarmMailReleaseSubject=wtWebioEA2x2ERP_24VAlarmMailReleaseSubject, wtIpWatcher_24VAlert16=wtIpWatcher_24VAlert16, wtWebioEA2x2ERPPortLogicInputMask=wtWebioEA2x2ERPPortLogicInputMask, wtIpWatcherSetOutput=wtIpWatcherSetOutput, wtWebioEA2x2ERPPortOutputSafetyState=wtWebioEA2x2ERPPortOutputSafetyState, wtWebioEA2x2ERP_24VFTPAccount=wtWebioEA2x2ERP_24VFTPAccount, wtWebioEA2x2ERP_24VSessCntrlConfigPassword=wtWebioEA2x2ERP_24VSessCntrlConfigPassword, wtWebioEA6x6InputPortTable=wtWebioEA6x6InputPortTable, wtWebioEA12x6RelERPAlarmTimerCron=wtWebioEA12x6RelERPAlarmTimerCron, wtIpWatcher_24VAlert30=wtIpWatcher_24VAlert30, wtWebioEA2x2ERPAlert17=wtWebioEA2x2ERPAlert17, wtWebioEA12x6RelERPTimeServer=wtWebioEA12x6RelERPTimeServer, wtWebioEA24oemPortInputFilter=wtWebioEA24oemPortInputFilter, wtWebAlarm6x6Alert17=wtWebAlarm6x6Alert17, wtWebioEA12x6RelERPSnmpCommunityStringRead=wtWebioEA12x6RelERPSnmpCommunityStringRead, wtWebioEA6x6TimeServer=wtWebioEA6x6TimeServer, wtWebioEA2x2SessCntrlAdminPassword=wtWebioEA2x2SessCntrlAdminPassword, wtWebioEA2x2ERPBinaryUdpPeerApplicationMode=wtWebioEA2x2ERPBinaryUdpPeerApplicationMode, wtWebioEA12x6RelERPAlarmInputTrigger=wtWebioEA12x6RelERPAlarmInputTrigger, wtIpWatcher_24VSessCntrlPassword=wtIpWatcher_24VSessCntrlPassword, wtTrapReceiver2x2StTzOffsetMin=wtTrapReceiver2x2StTzOffsetMin, wtIpWatcher_24VAlert7=wtIpWatcher_24VAlert7, wtWebioEA2x2ERPDevice=wtWebioEA2x2ERPDevice, wtWebioEA2x2ERP_24VSnmpEnable=wtWebioEA2x2ERP_24VSnmpEnable, wtWebAlarm6x6StTzOffsetMin=wtWebAlarm6x6StTzOffsetMin, wtWebAlarm6x6Alert20=wtWebAlarm6x6Alert20, wtIpWatcher_24VPowerSupplyEnable=wtIpWatcher_24VPowerSupplyEnable, wtWebioEA24oemLoadControlEnable=wtWebioEA24oemLoadControlEnable, wtWebioEA12x12PortOutputGroupMode=wtWebioEA12x12PortOutputGroupMode, wtWebioEA12x6RelBinaryModeNo=wtWebioEA12x6RelBinaryModeNo, wtIpWatcherAlarmSyslogTrapTxEnable=wtIpWatcherAlarmSyslogTrapTxEnable, wtWebioEA6x6Basic=wtWebioEA6x6Basic, wtWebCount6SessCntrlConfigMode=wtWebCount6SessCntrlConfigMode, wtWebCount6Alert4=wtWebCount6Alert4, wtWebioEA12x6RelERPBinaryTcpServerClientHttpPort=wtWebioEA12x6RelERPBinaryTcpServerClientHttpPort, wtWebioEA6x6ClockDay=wtWebioEA6x6ClockDay, wtWebioEA6x6BinaryTcpClientInactivity=wtWebioEA6x6BinaryTcpClientInactivity, wtWebioEA2x2AlarmEntry=wtWebioEA2x2AlarmEntry, wtIpWatcherAlert21=wtIpWatcherAlert21, wtWebioEA6x6ClockHrs=wtWebioEA6x6ClockHrs, wtWebCount6InputState=wtWebCount6InputState, wtWebioEA12x12AlarmFtpReleaseText=wtWebioEA12x12AlarmFtpReleaseText, wtWebioEA2x2ERP_24VAlarmUdpReleaseText=wtWebioEA2x2ERP_24VAlarmUdpReleaseText, wtWebioEA24oemSessCntrlConfigPassword=wtWebioEA24oemSessCntrlConfigPassword, wtWebioEA24oemSnmpEnable=wtWebioEA24oemSnmpEnable, wtWebioEA12x12AlarmOutputTrigger=wtWebioEA12x12AlarmOutputTrigger, wtWebioEA24oemIpAddress=wtWebioEA24oemIpAddress, wtIpWatcherClockDay=wtIpWatcherClockDay, wtWebioEA2x2ERPStTzStopHrs=wtWebioEA2x2ERPStTzStopHrs, wtWebioEA2x2Alert22=wtWebioEA2x2Alert22, wtTrapReceiver2x2MfDeviceTyp=wtTrapReceiver2x2MfDeviceTyp, wtWebioEA24oemAlarmTable=wtWebioEA24oemAlarmTable, wtWebioEA6x6OutputPortEntry=wtWebioEA6x6OutputPortEntry, wtIpWatcherAlert14=wtIpWatcherAlert14, wtWebioEA2x2_24VDiagErrorCount=wtWebioEA2x2_24VDiagErrorCount, wtWebioEA24oemAlert11=wtWebioEA24oemAlert11, wtWebioEA12x6RelBinaryUdpPeerInterval=wtWebioEA12x6RelBinaryUdpPeerInterval, wtWebioEA2x2_24VPortLogicFunction=wtWebioEA2x2_24VPortLogicFunction, wtWebAlarm6x6AlarmSnmpTrapTrgClearText=wtWebAlarm6x6AlarmSnmpTrapTrgClearText, wtWebioEA2x2ERPBinaryConnectedPort=wtWebioEA2x2ERPBinaryConnectedPort, wtTrapReceiver2x2MailAuthPassword=wtTrapReceiver2x2MailAuthPassword, wtWebioEA2x2_24VPowerSupplyEnable=wtWebioEA2x2_24VPowerSupplyEnable, wtWebioEA2x2_24VSnmpCommunityStringReadWrite=wtWebioEA2x2_24VSnmpCommunityStringReadWrite, wtTrapReceiver2x2InputState=wtTrapReceiver2x2InputState, wtIpWatcher_24VAlert3=wtIpWatcher_24VAlert3, wtWebioEA12x12Alert21=wtWebioEA12x12Alert21, wtWebioEA12x6RelERPMail=wtWebioEA12x6RelERPMail, wtWebioEA12x12ClockDay=wtWebioEA12x12ClockDay, wtWebioEA24oemStTzStopMonth=wtWebioEA24oemStTzStopMonth, wtWebCount6ReportOutputEntry=wtWebCount6ReportOutputEntry, wtWebioEA12x6RelOutputState=wtWebioEA12x6RelOutputState, wtIpWatcher_24VPortOutputText=wtIpWatcher_24VPortOutputText, wtWebioEA2x2OutputModeTable=wtWebioEA2x2OutputModeTable, wtIpWatcherHTTP=wtIpWatcherHTTP, wtWebioEA2x2ERP_24VAlarmTcpIpAddr=wtWebioEA2x2ERP_24VAlarmTcpIpAddr, wtWebioEA2x2ERPSyslogServerIP=wtWebioEA2x2ERPSyslogServerIP, wtWebioEA24oemAlarmSyslogIpAddr=wtWebioEA24oemAlarmSyslogIpAddr, wtIpWatcher_24VMailAuthentication=wtIpWatcher_24VMailAuthentication, wtWebioEA2x2StTzStartMonth=wtWebioEA2x2StTzStartMonth, wtWebAlarm6x6StTzStopWday=wtWebAlarm6x6StTzStopWday, wtWebioEA12x6RelBinaryUdpPeerLocalPort=wtWebioEA12x6RelBinaryUdpPeerLocalPort, wtIpWatcher_24VDnsServer1=wtIpWatcher_24VDnsServer1, wtIpWatcherPortPulseDuration=wtIpWatcherPortPulseDuration, wtTrapReceiver2x2ButtonPortTable=wtTrapReceiver2x2ButtonPortTable, wtWebAlarm6x6Alert33=wtWebAlarm6x6Alert33, wtWebioEA6x6Startup=wtWebioEA6x6Startup, wtWebAlarm6x6Alert31=wtWebAlarm6x6Alert31, wtWebioEA6x6Network=wtWebioEA6x6Network, wtWebioEA12x12StTzStopMin=wtWebioEA12x12StTzStopMin, wtWebioEA2x2AlarmFtpDataPort=wtWebioEA2x2AlarmFtpDataPort, wtWebioEA2x2ERP=wtWebioEA2x2ERP, wtWebioEA2x2_24VAlarmInputTrigger=wtWebioEA2x2_24VAlarmInputTrigger, wtIpWatcher_24VAlarmName=wtIpWatcher_24VAlarmName, wtWebioEA2x2PortOutputName=wtWebioEA2x2PortOutputName, wtWebioEA2x2_24VInputEntry=wtWebioEA2x2_24VInputEntry, wtWebioEA24oemSnmpCommunityStringRead=wtWebioEA24oemSnmpCommunityStringRead, wtTrapReceiver2x2Alert12=wtTrapReceiver2x2Alert12, wtWebioEA24oemSessCntrlPassword=wtWebioEA24oemSessCntrlPassword, wtWebioEA24oemBinaryTcpServerApplicationMode=wtWebioEA24oemBinaryTcpServerApplicationMode, wtWebioEA2x2ERP_24VMfInternet=wtWebioEA2x2ERP_24VMfInternet, wtWebioEA6x6SessCntrlConfigMode=wtWebioEA6x6SessCntrlConfigMode, wtWebioEA12x6RelClockMin=wtWebioEA12x6RelClockMin, wtIpWatcherAlarmMailAddr=wtIpWatcherAlarmMailAddr, wtWebioEA24oemPortInputText=wtWebioEA24oemPortInputText, wtWebAlarm6x6AlertDiag=wtWebAlarm6x6AlertDiag, wtTrapReceiver2x2StTzStartHrs=wtTrapReceiver2x2StTzStartHrs, wtWebioEA24oemDeviceName=wtWebioEA24oemDeviceName, wtWebioEA12x6RelERPHttpPort=wtWebioEA12x6RelERPHttpPort, wtWebioEA2x2BinaryTcpClientServerIpAddr=wtWebioEA2x2BinaryTcpClientServerIpAddr, wtWebioEA2x2ERPClockMonth=wtWebioEA2x2ERPClockMonth, wtWebioEA12x12Alert9=wtWebioEA12x12Alert9, wtWebAlarm6x6AlarmSyslogTrapTxEnable=wtWebAlarm6x6AlarmSyslogTrapTxEnable, wtWebioEA12x6RelERPAlert12=wtWebioEA12x6RelERPAlert12, wtWebioEA6x6SnmpSystemTrapEnable=wtWebioEA6x6SnmpSystemTrapEnable, wtWebioEA24oemUDP=wtWebioEA24oemUDP, wtIpWatcher_24VText=wtIpWatcher_24VText, wtWebioEA2x2_24VFTPOption=wtWebioEA2x2_24VFTPOption, wtWebioEA12x12DeviceContact=wtWebioEA12x12DeviceContact, wtWebioEA2x2_24VTzOffsetHrs=wtWebioEA2x2_24VTzOffsetHrs, wtWebioEA2x2ERP_24VSubnetMask=wtWebioEA2x2ERP_24VSubnetMask, wtWebioEA12x6RelDnsServer2=wtWebioEA12x6RelDnsServer2, wtWebioEA24oemOutputMode=wtWebioEA24oemOutputMode, wtWebioEA6x6DiagErrorCount=wtWebioEA6x6DiagErrorCount, wtIpWatcher_24VAlarmMailTrapTxEnable=wtIpWatcher_24VAlarmMailTrapTxEnable, wtWebioEA12x6RelERPAlert1=wtWebioEA12x6RelERPAlert1, wtWebAlarm6x6DeviceContact=wtWebAlarm6x6DeviceContact, wtIpWatcher_24VMailPop3Server=wtIpWatcher_24VMailPop3Server, wtWebioEA2x2ERP_24VAlarmSyslogIpAddr=wtWebioEA2x2ERP_24VAlarmSyslogIpAddr, wtWebioEA2x2ERPInputNo=wtWebioEA2x2ERPInputNo, wtWebioEA24oemInputCounterClear=wtWebioEA24oemInputCounterClear, wtWebioEA12x6RelERPWayBackFTPTimeOut=wtWebioEA12x6RelERPWayBackFTPTimeOut, wtTrapReceiver2x2PortInputText=wtTrapReceiver2x2PortInputText, wtWebioEA2x2ERPNetwork=wtWebioEA2x2ERPNetwork, wtWebioEA12x6RelERPBinaryUdpPeerInterval=wtWebioEA12x6RelERPBinaryUdpPeerInterval, wtWebioEA24oemBinaryIfEntry=wtWebioEA24oemBinaryIfEntry, wtWebAlarm6x6AlarmTcpIpAddr=wtWebAlarm6x6AlarmTcpIpAddr, wtWebAlarm6x6Text=wtWebAlarm6x6Text, wtWebio=wtWebio, wtWebAlarm6x6AlarmIfTable=wtWebAlarm6x6AlarmIfTable, wtWebioEA12x12InputCounterClear=wtWebioEA12x12InputCounterClear, wtWebioEA2x2ERPOutputNo=wtWebioEA2x2ERPOutputNo, wtWebioEA12x6RelAlarmUdpReleaseText=wtWebioEA12x6RelAlarmUdpReleaseText, wtWebioEA24oemMfDeviceTyp=wtWebioEA24oemMfDeviceTyp, wtWebioEA12x6RelERPBinary=wtWebioEA12x6RelERPBinary, wtWebioEA2x2ERPAlarmUdpText=wtWebioEA2x2ERPAlarmUdpText, wtWebioEA12x6RelBinaryTcpClientServerHttpPort=wtWebioEA12x6RelBinaryTcpClientServerHttpPort, wtWebioEA12x12Alarm=wtWebioEA12x12Alarm, wtIpWatcherMail=wtIpWatcherMail, wtIpWatcherFTPEnable=wtIpWatcherFTPEnable, wtIpWatcher_24VIpListName=wtIpWatcher_24VIpListName, wtTrapReceiver2x2PortButtonName=wtTrapReceiver2x2PortButtonName, wtWebioEA2x2ERPOutputEntry=wtWebioEA2x2ERPOutputEntry, wtWebioEA12x12Alert15=wtWebioEA12x12Alert15, wtWebioEA6x6StTzStartWday=wtWebioEA6x6StTzStartWday, wtIpWatcher_24VIpListCount=wtIpWatcher_24VIpListCount, wtIpWatcher_24VAlarmIfEntry=wtIpWatcher_24VAlarmIfEntry, wtWebioEA24oemMfAddr=wtWebioEA24oemMfAddr, wtWebAlarm6x6AlarmTcpText=wtWebAlarm6x6AlarmTcpText, wtIpWatcherAlert20=wtIpWatcherAlert20, wtWebioEA12x6RelERPBinaryOperationMode=wtWebioEA12x6RelERPBinaryOperationMode, wtWebioEA2x2ERPDeviceClock=wtWebioEA2x2ERPDeviceClock, wtWebioEA6x6AlarmInputTrigger=wtWebioEA6x6AlarmInputTrigger, wtWebioEA2x2ERP_24VPortPulsePolarity=wtWebioEA2x2ERP_24VPortPulsePolarity, wtWebioEA6x6FTPServerIP=wtWebioEA6x6FTPServerIP, wtWebioEA2x2ERPSessCntrlPassword=wtWebioEA2x2ERPSessCntrlPassword, wtTrapReceiver2x2PortPulseDuration=wtTrapReceiver2x2PortPulseDuration, wtWebioEA2x2ERP_24VAlarmFtpText=wtWebioEA2x2ERP_24VAlarmFtpText, wtWebioEA12x12Alert1=wtWebioEA12x12Alert1, wtWebioEA12x6RelERPPortOutputSafetyState=wtWebioEA12x6RelERPPortOutputSafetyState, wtWebioEA12x6RelAlert12=wtWebioEA12x6RelAlert12, wtWebioEA2x2ERP_24VBinaryUdpPeerApplicationMode=wtWebioEA2x2ERP_24VBinaryUdpPeerApplicationMode, wtWebioEA6x6StTzStopHrs=wtWebioEA6x6StTzStopHrs, wtWebioEA12x12AlarmSystemTrigger=wtWebioEA12x12AlarmSystemTrigger, wtIpWatcher_24VAlert1=wtIpWatcher_24VAlert1, wtWebioEA24oemBinaryModeCount=wtWebioEA24oemBinaryModeCount, wtIpWatcherAlert30=wtIpWatcherAlert30, wtWebioEA12x6RelMfInternet=wtWebioEA12x6RelMfInternet, wtWebioEA2x2_24VAlarmSyslogText=wtWebioEA2x2_24VAlarmSyslogText, wtTrapReceiver2x2=wtTrapReceiver2x2, wtWebioEA12x6RelERPAlert5=wtWebioEA12x6RelERPAlert5, wtWebCount6ClockMin=wtWebCount6ClockMin, wtWebioEA12x6RelPortOutputGroupMode=wtWebioEA12x6RelPortOutputGroupMode, wtWebioEA2x2PortInputText=wtWebioEA2x2PortInputText, wtWebioEA2x2Startup=wtWebioEA2x2Startup, wtTrapReceiver2x2DiagErrorClear=wtTrapReceiver2x2DiagErrorClear, wtWebAlarm6x6Alert34=wtWebAlarm6x6Alert34, wtWebioEA12x6RelERPInputTable=wtWebioEA12x6RelERPInputTable, wtWebioEA12x6RelERPOutputMode=wtWebioEA12x6RelERPOutputMode, wtWebAlarm6x6DeviceClock=wtWebAlarm6x6DeviceClock, wtWebAlarm6x6AlarmOutputState=wtWebAlarm6x6AlarmOutputState, wtWebioEA2x2_24VOutputMode=wtWebioEA2x2_24VOutputMode, wtWebioEA12x12Config=wtWebioEA12x12Config, wtIpWatcherAlert31=wtIpWatcherAlert31, wtWebioEA6x6DeviceLocation=wtWebioEA6x6DeviceLocation, wtWebioEA24oemAlarmNo=wtWebioEA24oemAlarmNo, wtIpWatcherAlarmUdpIpAddr=wtIpWatcherAlarmUdpIpAddr, wtIpWatcher_24VMfName=wtIpWatcher_24VMfName, wtTrapReceiver2x2OutputValue=wtTrapReceiver2x2OutputValue, wtWebioEA2x2ERP_24VStartup=wtWebioEA2x2ERP_24VStartup, wtWebioEA2x2ERP_24VTzOffsetHrs=wtWebioEA2x2ERP_24VTzOffsetHrs, wtWebioEA2x2_24VPortLogicInputMask=wtWebioEA2x2_24VPortLogicInputMask, wtWebioEA24oemBinaryTcpClientServerPort=wtWebioEA24oemBinaryTcpClientServerPort, wtWebioEA2x2Alert6=wtWebioEA2x2Alert6, wtWebioEA6x6OutputState=wtWebioEA6x6OutputState, wtTrapReceiver2x2OutputNo=wtTrapReceiver2x2OutputNo, wtWebCount6TzOffsetHrs=wtWebCount6TzOffsetHrs, wtWebioEA6x6MailReply=wtWebioEA6x6MailReply, wtWebioEA2x2AlarmIfTable=wtWebioEA2x2AlarmIfTable, wtWebCount6ReportFtpDataPort=wtWebCount6ReportFtpDataPort, wtWebioEA12x6RelPortInputName=wtWebioEA12x6RelPortInputName, wtWebioEA2x2_24VAlertDiag=wtWebioEA2x2_24VAlertDiag, wtWebioEA12x6RelERPStTzStopMonth=wtWebioEA12x6RelERPStTzStopMonth, wtIpWatcher_24VAlert31=wtIpWatcher_24VAlert31, wtWebioEA12x6RelERPWayBackFTPPassword=wtWebioEA12x6RelERPWayBackFTPPassword, wtWebioEA24oemStartup=wtWebioEA24oemStartup, wtIpWatcher_24VAlarmMailAddr=wtIpWatcher_24VAlarmMailAddr, wtIpWatcherAlarmMailText=wtIpWatcherAlarmMailText, wtWebioEA2x2_24VFTPPassword=wtWebioEA2x2_24VFTPPassword, wtWebAlarm6x6Alert11=wtWebAlarm6x6Alert11, wtWebioEA6x6SnmpSystemTrapManagerIP=wtWebioEA6x6SnmpSystemTrapManagerIP, wtWebioEA2x2ERP_24VHttpPort=wtWebioEA2x2ERP_24VHttpPort, wtWebioEA2x2SessCntrlPassword=wtWebioEA2x2SessCntrlPassword, wtWebCount6StTzStopMin=wtWebCount6StTzStopMin, wtWebioEA12x6RelERPDnsServer2=wtWebioEA12x6RelERPDnsServer2, wtWebioEA12x12DiagErrorMessage=wtWebioEA12x12DiagErrorMessage)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtIpWatcher_24VIpListIfTable=wtIpWatcher_24VIpListIfTable, wtWebioEA2x2DiagBinaryError=wtWebioEA2x2DiagBinaryError, wtWebioEA12x6RelERPSessCntrlConfigMode=wtWebioEA12x6RelERPSessCntrlConfigMode, wtWebioEA2x2_24VMail=wtWebioEA2x2_24VMail, wtWebioEA12x6RelAlarmTcpIpAddr=wtWebioEA12x6RelAlarmTcpIpAddr, wtWebAlarm6x6Alert16=wtWebAlarm6x6Alert16, wtWebioEA12x6RelInputCounterClear=wtWebioEA12x6RelInputCounterClear, wtWebAlarm6x6MfInternet=wtWebAlarm6x6MfInternet, wtWebioEA2x2ERP_24VPorts=wtWebioEA2x2ERP_24VPorts, wtWebioEA6x6AlarmTimerCron=wtWebioEA6x6AlarmTimerCron, wtWebioEA2x2SnmpCommunityStringReadWrite=wtWebioEA2x2SnmpCommunityStringReadWrite, wtWebioEA12x6RelStTzStartHrs=wtWebioEA12x6RelStTzStartHrs, wtWebioEA2x2ERP_24VSessCntrlConfigMode=wtWebioEA2x2ERP_24VSessCntrlConfigMode, wtWebioEA12x6RelAlarmSyslogText=wtWebioEA12x6RelAlarmSyslogText, wtWebioEA2x2ERP_24VInputValue=wtWebioEA2x2ERP_24VInputValue, wtWebioEA2x2ERPIpAddress=wtWebioEA2x2ERPIpAddress, wtWebioEA12x12InputState=wtWebioEA12x12InputState, wtWebAlarm6x6DeviceText=wtWebAlarm6x6DeviceText, wtWebioEA12x6RelERPSessCntrl=wtWebioEA12x6RelERPSessCntrl, wtWebioEA6x6Mail=wtWebioEA6x6Mail, wtWebioEA6x6TsSyncTime=wtWebioEA6x6TsSyncTime, wtWebioEA2x2_24VFTP=wtWebioEA2x2_24VFTP, wtWebioEA2x2AlarmNo=wtWebioEA2x2AlarmNo, wtTrapReceiver2x2FTPOption=wtTrapReceiver2x2FTPOption, wtWebioEA12x12SyslogServerPort=wtWebioEA12x12SyslogServerPort, wtWebioEA12x6RelERPGetHeaderEnable=wtWebioEA12x6RelERPGetHeaderEnable, wtTrapReceiver2x2InEvInputs=wtTrapReceiver2x2InEvInputs, wtWebioEA12x6RelERPBinaryIfTable=wtWebioEA12x6RelERPBinaryIfTable, wtWebioEA12x12Alert4=wtWebioEA12x12Alert4, wtIpWatcher_24VOutputEntry=wtIpWatcher_24VOutputEntry, wtTrapReceiver2x2Alert10=wtTrapReceiver2x2Alert10, wtWebioEA2x2_24VFTPServerIP=wtWebioEA2x2_24VFTPServerIP, wtWebioEA12x12AlarmTimerCron=wtWebioEA12x12AlarmTimerCron, wtWebioEA12x6RelERPPortInputName=wtWebioEA12x6RelERPPortInputName, wtWebioEA24oemTimeDate=wtWebioEA24oemTimeDate, wtIpWatcher_24VAlarmTcpTrapTxEnable=wtIpWatcher_24VAlarmTcpTrapTxEnable, wtWebAlarm6x6DiagErrorClear=wtWebAlarm6x6DiagErrorClear, wtWebioEA6x6BinaryModeNo=wtWebioEA6x6BinaryModeNo, wtWebioEA2x2ERPMailAuthUser=wtWebioEA2x2ERPMailAuthUser, wtWebioEA6x6FTPUserName=wtWebioEA6x6FTPUserName, wtWebioEA6x6FTPPassword=wtWebioEA6x6FTPPassword, wtWebioEA2x2ERP_24VAlert2=wtWebioEA2x2ERP_24VAlert2, wtTrapReceiver2x2PowerSupplyEnable=wtTrapReceiver2x2PowerSupplyEnable, wtWebioEA12x6RelERPOutputPortTable=wtWebioEA12x6RelERPOutputPortTable, wtWebioEA12x12SyslogEnable=wtWebioEA12x12SyslogEnable, wtWebioEA24oemOutputNo=wtWebioEA24oemOutputNo, wtWebAlarm6x6MailEnable=wtWebAlarm6x6MailEnable, wtWebioEA2x2Alert1=wtWebioEA2x2Alert1, wtWebioEA24oemAlert6=wtWebioEA24oemAlert6, wtIpWatcherDiagErrorMessage=wtIpWatcherDiagErrorMessage, wtWebCount6InOut=wtWebCount6InOut, wtWebioEA24oemMailPop3Server=wtWebioEA24oemMailPop3Server, wtWebCount6ReportUdpPort=wtWebCount6ReportUdpPort, wtIpWatcher_24VAlert33=wtIpWatcher_24VAlert33, wtWebioEA24oemSyslogServerIP=wtWebioEA24oemSyslogServerIP, wtWebioEA2x2ERP_24VStTzStopMonth=wtWebioEA2x2ERP_24VStTzStopMonth, wtWebioEA2x2AlarmOutputTrigger=wtWebioEA2x2AlarmOutputTrigger, wtWebioEA12x6RelERPAlarmTcpIpAddr=wtWebioEA12x6RelERPAlarmTcpIpAddr, wtWebioEA2x2_24VAlarmSyslogPort=wtWebioEA2x2_24VAlarmSyslogPort, wtWebioEA2x2_24VMailAdName=wtWebioEA2x2_24VMailAdName, wtWebioEA6x6AlarmUdpText=wtWebioEA6x6AlarmUdpText, wtIpWatcher_24VMailServer=wtIpWatcher_24VMailServer, wtWebioEA2x2ERPAlarmTcpReleaseText=wtWebioEA2x2ERPAlarmTcpReleaseText, wtWebioEA6x6BinaryUdpPeerApplicationMode=wtWebioEA6x6BinaryUdpPeerApplicationMode, wtWebioEA2x2_24VSnmpEnable=wtWebioEA2x2_24VSnmpEnable, wtWebioEA24oemAlert16=wtWebioEA24oemAlert16, wtWebioEA2x2ERP_24VBinaryTcpServerInputTrigger=wtWebioEA2x2ERP_24VBinaryTcpServerInputTrigger, wtWebioEA6x6Alert10=wtWebioEA6x6Alert10, wtWebioEA2x2ERPDeviceName=wtWebioEA2x2ERPDeviceName, wtWebioEA12x6RelERPBinaryTcpServerLocalPort=wtWebioEA12x6RelERPBinaryTcpServerLocalPort, wtWebCount6ReportUdpText=wtWebCount6ReportUdpText, wtWebAlarm6x6MfName=wtWebAlarm6x6MfName, wtWebioEA6x6PortInputBicountPulsePolarity=wtWebioEA6x6PortInputBicountPulsePolarity, wtWebioEA2x2SnmpCommunityStringRead=wtWebioEA2x2SnmpCommunityStringRead, wtWebioEA12x6RelERPBinaryTcpClientLocalPort=wtWebioEA12x6RelERPBinaryTcpClientLocalPort, wtWebioEA6x6OutputMode=wtWebioEA6x6OutputMode, wtWebioEA12x12DiagErrorIndex=wtWebioEA12x12DiagErrorIndex, wtWebCount6ReportInterval=wtWebCount6ReportInterval, wtWebioEA2x2_24VFTPAccount=wtWebioEA2x2_24VFTPAccount, wtTrapReceiver2x2FTP=wtTrapReceiver2x2FTP, wtIpWatcher_24VAlarmIfTable=wtIpWatcher_24VAlarmIfTable, wtWebioEA24oemAlert3=wtWebioEA24oemAlert3, wtWebioEA2x2MfDeviceTyp=wtWebioEA2x2MfDeviceTyp, wtTrapReceiver2x2StTzStopWday=wtTrapReceiver2x2StTzStopWday, wtWebioEA12x12SnmpCommunityStringRead=wtWebioEA12x12SnmpCommunityStringRead, wtIpWatcher_24VDeviceClock=wtIpWatcher_24VDeviceClock, wtWebioEA2x2_24VAlarmMailSubject=wtWebioEA2x2_24VAlarmMailSubject, wtWebioEA12x12BinaryUdpPeerRemotePort=wtWebioEA12x12BinaryUdpPeerRemotePort, wtWebioEA12x6RelAlert18=wtWebioEA12x6RelAlert18, wtWebioEA2x2ERP_24VAlert21=wtWebioEA2x2ERP_24VAlert21, wtWebAlarm6x6AlarmMailTrapTxEnable=wtWebAlarm6x6AlarmMailTrapTxEnable, wtIpWatcherOutputEntry=wtIpWatcherOutputEntry, wtWebioEA24oemBinaryTcpClientServerPassword=wtWebioEA24oemBinaryTcpClientServerPassword, wtWebioEA12x6RelAlarmSnmpTrapReleaseText=wtWebioEA12x6RelAlarmSnmpTrapReleaseText, wtWebioEA2x2ERPSessCntrlConfigPassword=wtWebioEA2x2ERPSessCntrlConfigPassword, wtWebCount6DnsServer2=wtWebCount6DnsServer2, wtIpWatcher_24VAlert12=wtIpWatcher_24VAlert12, wtWebioEA24oemDiagBinaryError=wtWebioEA24oemDiagBinaryError, wtWebAlarm6x6Alert14=wtWebAlarm6x6Alert14, wtIpWatcher_24VAlertDiag=wtIpWatcher_24VAlertDiag, wtWebioEA2x2_24VOutputState=wtWebioEA2x2_24VOutputState, wtWebioEA24oemTzEnable=wtWebioEA24oemTzEnable, wtWebioEA12x6RelERPAlarmSystemTrigger=wtWebioEA12x6RelERPAlarmSystemTrigger, wtIpWatcherAddConfig=wtIpWatcherAddConfig, wtTrapReceiver2x2MfInternet=wtTrapReceiver2x2MfInternet, wtWebioEA2x2ERP_24VLCShutDownView=wtWebioEA2x2ERP_24VLCShutDownView, wtIpWatcher_24VAlert17=wtIpWatcher_24VAlert17, wtWebioEA2x2InputTable=wtWebioEA2x2InputTable, wtWebioEA6x6BinaryUdpPeerRemotePort=wtWebioEA6x6BinaryUdpPeerRemotePort, wtWebioEA24oemSafetyTimeout=wtWebioEA24oemSafetyTimeout, wtWebioEA2x2ERP_24VBinaryUdpPeerRemotePort=wtWebioEA2x2ERP_24VBinaryUdpPeerRemotePort, wtTrapReceiver2x2SessCntrlConfigPassword=wtTrapReceiver2x2SessCntrlConfigPassword, wtIpWatcher_24VMfInternet=wtIpWatcher_24VMfInternet, wtWebioEA6x6PortLogicInputInverter=wtWebioEA6x6PortLogicInputInverter, wtWebioEA2x2ERP_24VInputPortTable=wtWebioEA2x2ERP_24VInputPortTable, wtWebioEA6x6Diag=wtWebioEA6x6Diag, wtWebioEA2x2ERP_24VUdpEnable=wtWebioEA2x2ERP_24VUdpEnable, wtTrapReceiver2x2SystemTimerPortEntry=wtTrapReceiver2x2SystemTimerPortEntry, wtWebioEA6x6StTzStopWday=wtWebioEA6x6StTzStopWday, wtWebCount6ReportMaxCounterValue=wtWebCount6ReportMaxCounterValue, wtIpWatcher_24VSyslogServerPort=wtIpWatcher_24VSyslogServerPort, wtTrapReceiver2x2MailAuthentication=wtTrapReceiver2x2MailAuthentication, wtWebioEA2x2Syslog=wtWebioEA2x2Syslog, wtWebioEA12x6RelMfOrderNo=wtWebioEA12x6RelMfOrderNo, wtWebioEA6x6MfHotline=wtWebioEA6x6MfHotline, wtWebioEA12x6RelStartup=wtWebioEA12x6RelStartup, wtWebioEA24oemDeviceLocation=wtWebioEA24oemDeviceLocation, wtWebioEA6x6Alert3=wtWebioEA6x6Alert3, wtWebioEA6x6Alert1=wtWebioEA6x6Alert1, wtWebioEA12x6RelERPFTPPassword=wtWebioEA12x6RelERPFTPPassword, wtWebioEA2x2_24VAlert9=wtWebioEA2x2_24VAlert9, wtWebCount6SessCntrlLogout=wtWebCount6SessCntrlLogout, wtWebioEA2x2ERPTzOffsetHrs=wtWebioEA2x2ERPTzOffsetHrs, wtWebioEA24oemFTPEnable=wtWebioEA24oemFTPEnable, wtWebioEA12x6RelAddConfig=wtWebioEA12x6RelAddConfig, wtTrapReceiver2x2ActionSnmpManagerIP=wtTrapReceiver2x2ActionSnmpManagerIP, wtWebioEA2x2ERPBinary=wtWebioEA2x2ERPBinary, wtWebioEA6x6FTP=wtWebioEA6x6FTP, wtWebioEA12x12SyslogSystemMessagesEnable=wtWebioEA12x12SyslogSystemMessagesEnable, wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText=wtWebioEA12x6RelERPAlarmSnmpTrapReleaseText, wtWebioEA2x2ERPStTzStartWday=wtWebioEA2x2ERPStTzStartWday, wtWebioEA2x2ERPMfHotline=wtWebioEA2x2ERPMfHotline, wtWebioEA2x2MailAuthPassword=wtWebioEA2x2MailAuthPassword, wtWebioEA2x2ERPSNMP=wtWebioEA2x2ERPSNMP, wtWebAlarm6x6StTzStopHrs=wtWebAlarm6x6StTzStopHrs, wtWebioEA6x6HttpInputTrigger=wtWebioEA6x6HttpInputTrigger, wtWebioEA2x2ERP_24VOutputModeBit=wtWebioEA2x2ERP_24VOutputModeBit, wtTrapReceiver2x2ClockYear=wtTrapReceiver2x2ClockYear, wtIpWatcherDiagErrorIndex=wtIpWatcherDiagErrorIndex, wtTrapReceiver2x2PortButtonAccess=wtTrapReceiver2x2PortButtonAccess, wtWebAlarm6x6Alert12=wtWebAlarm6x6Alert12, wtTrapReceiver2x2WatchListService=wtTrapReceiver2x2WatchListService, wtWebioEA2x2_24VIpAddress=wtWebioEA2x2_24VIpAddress, wtWebioEA2x2BinaryModeNo=wtWebioEA2x2BinaryModeNo, wtWebioEA12x6RelPortInputFilter=wtWebioEA12x6RelPortInputFilter, wtIpWatcherPortInputText=wtIpWatcherPortInputText, wtWebioEA2x2ERP_24VAlarmTable=wtWebioEA2x2ERP_24VAlarmTable, wtTrapReceiver2x2InputNo=wtTrapReceiver2x2InputNo, wtWebioEA12x6RelSnmpSystemTrapEnable=wtWebioEA12x6RelSnmpSystemTrapEnable, wtTrapReceiver2x2ActionUdpPort=wtTrapReceiver2x2ActionUdpPort, wtTrapReceiver2x2MfAddr=wtTrapReceiver2x2MfAddr, wtWebioEA2x2ERPAlarmMailText=wtWebioEA2x2ERPAlarmMailText, wtWebioEA2x2TimeServer2=wtWebioEA2x2TimeServer2, wtWebioEA12x12AlarmSnmpTrapText=wtWebioEA12x12AlarmSnmpTrapText, wtWebioEA6x6GetHeaderEnable=wtWebioEA6x6GetHeaderEnable, wtWebioEA6x6Alert7=wtWebioEA6x6Alert7, wtWebioEA12x12Alert8=wtWebioEA12x12Alert8, wtWebioEA2x2ERP_24VWayBackEnable=wtWebioEA2x2ERP_24VWayBackEnable, wtWebioEA2x2Alert5=wtWebioEA2x2Alert5, wtWebioEA2x2_24VAlarmIfTable=wtWebioEA2x2_24VAlarmIfTable, wtWebCount6TzEnable=wtWebCount6TzEnable, wtWebioEA2x2PortLogicFunction=wtWebioEA2x2PortLogicFunction, wtWebCount6ReportIfTable=wtWebCount6ReportIfTable, wtWebioEA2x2ERPFTPPassword=wtWebioEA2x2ERPFTPPassword, wtWebioEA2x2ERP_24VMailAuthentication=wtWebioEA2x2ERP_24VMailAuthentication, wtWebioEA2x2SyslogSystemMessagesEnable=wtWebioEA2x2SyslogSystemMessagesEnable, wtWebioEA2x2ERPTimeDate=wtWebioEA2x2ERPTimeDate, wtWebCount6StTzStopWday=wtWebCount6StTzStopWday, wtWebioEA12x6RelERPDiagErrorIndex=wtWebioEA12x6RelERPDiagErrorIndex, wtWebioEA12x6RelERPAlert7=wtWebioEA12x6RelERPAlert7, wtWebioEA12x6RelERPAlert21=wtWebioEA12x6RelERPAlert21, wtWebioEA2x2TzEnable=wtWebioEA2x2TzEnable, wtWebAlarm6x6StTzStartMode=wtWebAlarm6x6StTzStartMode, wtWebioEA2x2ERPTimeServer1=wtWebioEA2x2ERPTimeServer1, wtWebioEA2x2_24VBinaryTcpClientInterval=wtWebioEA2x2_24VBinaryTcpClientInterval, wtWebioEA24oemAlert26=wtWebioEA24oemAlert26, wtWebioEA6x6InOut=wtWebioEA6x6InOut, wtWebioEA2x2ERP_24VTimeServer=wtWebioEA2x2ERP_24VTimeServer, wtWebioEA24oemBinary=wtWebioEA24oemBinary, wtWebAlarm6x6ClockYear=wtWebAlarm6x6ClockYear, wtWebioEA2x2TsEnable=wtWebioEA2x2TsEnable, wtWebCount6ReportCounterClear=wtWebCount6ReportCounterClear, wtTrapReceiver2x2PortOutputName=wtTrapReceiver2x2PortOutputName, wtWebioEA2x2ERPTimeZone=wtWebioEA2x2ERPTimeZone, wtWebioEA24oemMailAdName=wtWebioEA24oemMailAdName, wtWebioEA2x2_24VBasic=wtWebioEA2x2_24VBasic, wtIpWatcher_24VFTPUserName=wtIpWatcher_24VFTPUserName, wtWebioEA2x2_24VTimeServer1=wtWebioEA2x2_24VTimeServer1, wtWebioEA6x6MailAdName=wtWebioEA6x6MailAdName, wtWebioEA12x12=wtWebioEA12x12, wtWebioEA24oemAlarmSnmpTrapText=wtWebioEA24oemAlarmSnmpTrapText, wtWebioEA6x6Binary=wtWebioEA6x6Binary, wtWebioEA2x2ERPClockDay=wtWebioEA2x2ERPClockDay, wtWebioEA12x12OutputTable=wtWebioEA12x12OutputTable, wtTrapReceiver2x2Config=wtTrapReceiver2x2Config, wtWebCount6ReportGlobalEnable=wtWebCount6ReportGlobalEnable, wtWebioEA2x2AlarmSyslogReleaseText=wtWebioEA2x2AlarmSyslogReleaseText, wtIpWatcherInputCounterClear=wtIpWatcherInputCounterClear, wtWebioEA12x12HTTP=wtWebioEA12x12HTTP, wtWebioEA2x2AlarmInterval=wtWebioEA2x2AlarmInterval, wtWebioEA12x6RelERPTimeZone=wtWebioEA12x6RelERPTimeZone, wtWebioEA12x6RelConfig=wtWebioEA12x6RelConfig, wtWebioEA12x6RelPortInputMode=wtWebioEA12x6RelPortInputMode, wtWebCount6ReportEntry=wtWebCount6ReportEntry, wtWebioEA12x6RelERPOutputPortEntry=wtWebioEA12x6RelERPOutputPortEntry, wtWebioEA2x2_24VGateway=wtWebioEA2x2_24VGateway, wtIpWatcher_24VStTzEnable=wtIpWatcher_24VStTzEnable, wtWebAlarm6x6AlarmCounterClear=wtWebAlarm6x6AlarmCounterClear, wtIpWatcherDeviceName=wtIpWatcherDeviceName, wtWebioEA12x6RelERPStTzStartMin=wtWebioEA12x6RelERPStTzStartMin, wtTrapReceiver2x2InOut=wtTrapReceiver2x2InOut, wtWebioEA12x12Alert10=wtWebioEA12x12Alert10, wtIpWatcher_24VPorts=wtIpWatcher_24VPorts, wtWebioEA24oemAlert29=wtWebioEA24oemAlert29, wtWebioEA6x6Alert24=wtWebioEA6x6Alert24, wtIpWatcher_24VSessCntrlConfigMode=wtIpWatcher_24VSessCntrlConfigMode, wtIpWatcher_24VStTzStopMode=wtIpWatcher_24VStTzStopMode, wtWebioEA12x12Diag=wtWebioEA12x12Diag, wtWebioEA24oemAlarmInputTrigger=wtWebioEA24oemAlarmInputTrigger, wtWebioEA2x2ERPAlert24=wtWebioEA2x2ERPAlert24, wtWebioEA2x2ERP_24VTsSyncTime=wtWebioEA2x2ERP_24VTsSyncTime, wtWebioEA12x6RelAlarmTimerCron=wtWebioEA12x6RelAlarmTimerCron, wtIpWatcherMfName=wtIpWatcherMfName, wtTrapReceiver2x2InEvSystemTimer=wtTrapReceiver2x2InEvSystemTimer, wtWebioEA2x2ERP_24VBinaryConnectedIpAddr=wtWebioEA2x2ERP_24VBinaryConnectedIpAddr, wtWebioEA12x12BinaryModeNo=wtWebioEA12x12BinaryModeNo, wtTrapReceiver2x2ActionEnable=wtTrapReceiver2x2ActionEnable, wtWebioEA6x6InputEntry=wtWebioEA6x6InputEntry, wtWebioEA12x6RelTzOffsetHrs=wtWebioEA12x6RelTzOffsetHrs, wtWebioEA12x6RelERPInputCounterClear=wtWebioEA12x6RelERPInputCounterClear, wtWebioEA6x6DiagErrorIndex=wtWebioEA6x6DiagErrorIndex, wtTrapReceiver2x2StTzStartMonth=wtTrapReceiver2x2StTzStartMonth, wtWebCount6Gateway=wtWebCount6Gateway, wtWebioEA2x2_24VAddConfig=wtWebioEA2x2_24VAddConfig, wtWebioEA12x6RelFTPServerIP=wtWebioEA12x6RelFTPServerIP, wtWebAlarm6x6DnsServer2=wtWebAlarm6x6DnsServer2, wtWebioEA2x2ERPAlert10=wtWebioEA2x2ERPAlert10, wtIpWatcherAlert25=wtIpWatcherAlert25, wtWebCount6TimeZone=wtWebCount6TimeZone, wtIpWatcher_24VTzOffsetHrs=wtIpWatcher_24VTzOffsetHrs, wtWebioEA6x6BinaryTable=wtWebioEA6x6BinaryTable, wtTrapReceiver2x2MailPop3Server=wtTrapReceiver2x2MailPop3Server, wtIpWatcher_24VMfHotline=wtIpWatcher_24VMfHotline, wtWebioEA2x2_24VMailAuthPassword=wtWebioEA2x2_24VMailAuthPassword)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA2x2FTPPassword=wtWebioEA2x2FTPPassword, wtWebioEA12x12DeviceText=wtWebioEA12x12DeviceText, wtWebioEA2x2_24VAlarmUdpReleaseText=wtWebioEA2x2_24VAlarmUdpReleaseText, wtWebioEA2x2ERP_24VBinaryTcpClientApplicationMode=wtWebioEA2x2ERP_24VBinaryTcpClientApplicationMode, wtTrapReceiver2x2DnsServer2=wtTrapReceiver2x2DnsServer2, wtWebioEA12x6RelUdpRemotePort=wtWebioEA12x6RelUdpRemotePort, wtWebioEA2x2AlarmMaxCounterValue=wtWebioEA2x2AlarmMaxCounterValue, wtWebioEA12x6RelERPAlarmFtpReleaseText=wtWebioEA12x6RelERPAlarmFtpReleaseText, wtWebioEA6x6Alert8=wtWebioEA6x6Alert8, wtWebioEA2x2ERPBinaryUdpPeerInterval=wtWebioEA2x2ERPBinaryUdpPeerInterval, wtTrapReceiver2x2PortInputName=wtTrapReceiver2x2PortInputName, wtWebioEA12x6RelBinary=wtWebioEA12x6RelBinary, wtTrapReceiver2x2WatchList=wtTrapReceiver2x2WatchList, wtWebioEA2x2_24VInputPortTable=wtWebioEA2x2_24VInputPortTable, wtWebioEA2x2_24VBinaryTcpServerInputTrigger=wtWebioEA2x2_24VBinaryTcpServerInputTrigger, wtWebioEA2x2_24VAlert20=wtWebioEA2x2_24VAlert20, wtWebioEA2x2SyslogEnable=wtWebioEA2x2SyslogEnable, wtTrapReceiver2x2ActionOutputEntry=wtTrapReceiver2x2ActionOutputEntry, wtWebioEA2x2OutputMode=wtWebioEA2x2OutputMode, wtWebioEA24oemInputs=wtWebioEA24oemInputs, wtWebioEA2x2ERPMfDeviceTyp=wtWebioEA2x2ERPMfDeviceTyp, wtIpWatcherAlarmSyslogPort=wtIpWatcherAlarmSyslogPort, wtWebioEA2x2ERPInputCounter=wtWebioEA2x2ERPInputCounter, wtWebioEA2x2_24VPortInputBicountInactivTimeout=wtWebioEA2x2_24VPortInputBicountInactivTimeout, wtWebioEA2x2ERP_24VDnsServer1=wtWebioEA2x2ERP_24VDnsServer1, wtWebioEA2x2_24VBinaryConnectedPort=wtWebioEA2x2_24VBinaryConnectedPort, wtWebioEA2x2ClockMonth=wtWebioEA2x2ClockMonth, wtWebCount6ReportTriggerState=wtWebCount6ReportTriggerState, wtWebioEA12x6RelAlarmUdpIpAddr=wtWebioEA12x6RelAlarmUdpIpAddr, wtWebioEA6x6AlarmNo=wtWebioEA6x6AlarmNo, wtWebioEA24oemAlarmFtpFileName=wtWebioEA24oemAlarmFtpFileName, wtTrapReceiver2x2WatchListSpecificNo=wtTrapReceiver2x2WatchListSpecificNo, wtWebioEA2x2ERP_24VBinaryTcpClientInactivity=wtWebioEA2x2ERP_24VBinaryTcpClientInactivity, wtWebioEA12x6RelInputPortTable=wtWebioEA12x6RelInputPortTable, wtWebCount6SnmpEnable=wtWebCount6SnmpEnable, wtWebioEA12x6RelAlert6=wtWebioEA12x6RelAlert6, wtWebioEA6x6SubnetMask=wtWebioEA6x6SubnetMask, wtWebioEA2x2ERP_24VAlertDiag=wtWebioEA2x2ERP_24VAlertDiag, wtWebioEA24oemSessCntrl=wtWebioEA24oemSessCntrl, wtWebioEA2x2ERPStTzStopWday=wtWebioEA2x2ERPStTzStopWday, wtWebioEA6x6AlarmMailReleaseSubject=wtWebioEA6x6AlarmMailReleaseSubject, wtWebioEA2x2Device=wtWebioEA2x2Device, wtIpWatcher_24VStTzOffsetHrs=wtIpWatcher_24VStTzOffsetHrs, wtWebioEA2x2BinaryTcpClientInactivity=wtWebioEA2x2BinaryTcpClientInactivity, wtWebioEA24oemAlert12=wtWebioEA24oemAlert12, wtWebioEA12x12AlarmTcpReleaseText=wtWebioEA12x12AlarmTcpReleaseText, wtWebAlarm6x6TimeServer=wtWebAlarm6x6TimeServer, wtWebioEA2x2ERPBinaryTcpClientLocalPort=wtWebioEA2x2ERPBinaryTcpClientLocalPort, wtWebioEA2x2ERP_24VAlert4=wtWebioEA2x2ERP_24VAlert4, wtWebioEA2x2ERPBinaryOperationMode=wtWebioEA2x2ERPBinaryOperationMode, wtWebioEA2x2_24VAlarmTimerCron=wtWebioEA2x2_24VAlarmTimerCron, wtWebioEA2x2_24VStTzOffsetHrs=wtWebioEA2x2_24VStTzOffsetHrs, wtWebioEA12x6RelMfName=wtWebioEA12x6RelMfName, wtWebioEA12x12OutputState=wtWebioEA12x12OutputState, wtIpWatcher_24VOutputPortTable=wtIpWatcher_24VOutputPortTable, wtWebioEA2x2_24VAlert3=wtWebioEA2x2_24VAlert3, wtWebioEA2x2ERP_24VUDP=wtWebioEA2x2ERP_24VUDP, wtWebioEA12x6RelERPPortOutputText=wtWebioEA12x6RelERPPortOutputText, wtWebCount6TsSyncTime=wtWebCount6TsSyncTime, wtIpWatcher_24VAlarmSyslogTrgClearText=wtIpWatcher_24VAlarmSyslogTrgClearText, wtWebioEA12x12TsSyncTime=wtWebioEA12x12TsSyncTime, wtTrapReceiver2x2Alert4=wtTrapReceiver2x2Alert4, wtWebioEA6x6MfInternet=wtWebioEA6x6MfInternet, wtWebioEA24oemBinaryTcpClientServerIpAddr=wtWebioEA24oemBinaryTcpClientServerIpAddr, wtIpWatcherTimeDate=wtIpWatcherTimeDate, wtIpWatcher_24VIpListAlias=wtIpWatcher_24VIpListAlias, wtTrapReceiver2x2ActionFtpFileName=wtTrapReceiver2x2ActionFtpFileName, wtWebioEA2x2BinaryTcpClientServerHttpPort=wtWebioEA2x2BinaryTcpClientServerHttpPort, wtIpWatcherMailServer=wtIpWatcherMailServer, wtWebioEA6x6BinaryUdpPeerLocalPort=wtWebioEA6x6BinaryUdpPeerLocalPort, wtWebioEA2x2ERPPortOutputName=wtWebioEA2x2ERPPortOutputName, wtWebAlarm6x6Alert30=wtWebAlarm6x6Alert30, wtWebioEA2x2_24VBinaryTcpClientApplicationMode=wtWebioEA2x2_24VBinaryTcpClientApplicationMode, wtIpWatcher_24VSetOutput=wtIpWatcher_24VSetOutput, wtWebioEA2x2ERPMailAuthPassword=wtWebioEA2x2ERPMailAuthPassword, wtWebioEA12x12Outputs=wtWebioEA12x12Outputs, wtWebioEA2x2_24VAlarmSyslogReleaseText=wtWebioEA2x2_24VAlarmSyslogReleaseText, wtWebioEA12x6RelManufact=wtWebioEA12x6RelManufact, wtWebioEA24oemAlarmUdpIpAddr=wtWebioEA24oemAlarmUdpIpAddr, wtIpWatcherAlarmSyslogReleaseText=wtIpWatcherAlarmSyslogReleaseText, wtWebioEA24oemMailReply=wtWebioEA24oemMailReply, wtWebioEA12x6RelAlarmSyslogPort=wtWebioEA12x6RelAlarmSyslogPort, wtWebioEA12x6RelSubnetMask=wtWebioEA12x6RelSubnetMask, wtWebAlarm6x6StTzStartMin=wtWebAlarm6x6StTzStartMin, wtWebioEA6x6BinaryUdpPeerRemoteIpAddr=wtWebioEA6x6BinaryUdpPeerRemoteIpAddr, wtWebioEA2x2_24VMailEnable=wtWebioEA2x2_24VMailEnable, wtWebioEA2x2_24VAlarmFtpOption=wtWebioEA2x2_24VAlarmFtpOption, wtWebioEA12x6RelERPTzEnable=wtWebioEA12x6RelERPTzEnable, wtWebAlarm6x6Basic=wtWebAlarm6x6Basic, wtWebioEA6x6SetOutput=wtWebioEA6x6SetOutput, wtWebCount6ReportRateOfChange=wtWebCount6ReportRateOfChange, wtWebAlarm6x6Alert5=wtWebAlarm6x6Alert5, wtWebioEA6x6Alert6=wtWebioEA6x6Alert6, wtWebioEA12x6RelERPAlarmSnmpManagerIP=wtWebioEA12x6RelERPAlarmSnmpManagerIP, wtWebioEA2x2SafetyTimeout=wtWebioEA2x2SafetyTimeout, wtWebioEA12x6RelERPConfig=wtWebioEA12x6RelERPConfig, wtWebioEA12x12BinaryTcpServerApplicationMode=wtWebioEA12x12BinaryTcpServerApplicationMode, wtWebioEA2x2MailAdName=wtWebioEA2x2MailAdName, wtTrapReceiver2x2Ports=wtTrapReceiver2x2Ports, wtWebioEA2x2ERP_24VOutputState=wtWebioEA2x2ERP_24VOutputState, wtWebCount6ReportMailSubject=wtWebCount6ReportMailSubject, wtWebioEA2x2ERP_24VMfHotline=wtWebioEA2x2ERP_24VMfHotline, wtWebioEA2x2AlarmSnmpTrapReleaseText=wtWebioEA2x2AlarmSnmpTrapReleaseText, wtWebAlarm6x6AlarmMaxCounterValue=wtWebAlarm6x6AlarmMaxCounterValue, wtWebioEA24oemAlarmTimerCron=wtWebioEA24oemAlarmTimerCron, wtWebioEA12x6RelTzEnable=wtWebioEA12x6RelTzEnable, wtWebioEA12x6RelOutputMode=wtWebioEA12x6RelOutputMode, wtWebioEA2x2ERPHttpPort=wtWebioEA2x2ERPHttpPort, wtWebioEA2x2_24VAlert22=wtWebioEA2x2_24VAlert22, wtWebioEA2x2Alert20=wtWebioEA2x2Alert20, wtWebCount6ReportRateOfChangeWindow=wtWebCount6ReportRateOfChangeWindow, wtWebioEA2x2_24VMailServer=wtWebioEA2x2_24VMailServer, wtWebioEA2x2_24VAlert1=wtWebioEA2x2_24VAlert1, wtWebioEA24oemAlarmOutputTrigger=wtWebioEA24oemAlarmOutputTrigger, wtWebioEA24oemBinaryConnectedPort=wtWebioEA24oemBinaryConnectedPort, wtWebioEA12x12StTzEnable=wtWebioEA12x12StTzEnable, wtWebioEA2x2_24VUdpEnable=wtWebioEA2x2_24VUdpEnable, wtWebCount6Alert1=wtWebCount6Alert1, wtWebioEA2x2DeviceContact=wtWebioEA2x2DeviceContact, wtIpWatcherIpListTable=wtIpWatcherIpListTable, wtWebioEA6x6StTzOffsetMin=wtWebioEA6x6StTzOffsetMin, wtIpWatcherClockMonth=wtIpWatcherClockMonth, wtWebioEA2x2_24VInputState=wtWebioEA2x2_24VInputState, wtIpWatcher_24VAlarmUdpReleaseText=wtIpWatcher_24VAlarmUdpReleaseText, wtWebAlarm6x6AlarmUdpTrgClearText=wtWebAlarm6x6AlarmUdpTrgClearText, wtWebioEA2x2_24VDiagErrorClear=wtWebioEA2x2_24VDiagErrorClear, wtIpWatcher_24VDiagErrorCount=wtIpWatcher_24VDiagErrorCount, wtWebAlarm6x6AlarmTcpReleaseText=wtWebAlarm6x6AlarmTcpReleaseText, wtWebioEA24oemFTPServerIP=wtWebioEA24oemFTPServerIP, wtIpWatcher_24VStTzStopHrs=wtIpWatcher_24VStTzStopHrs, wtWebioEA24oemMailAuthentication=wtWebioEA24oemMailAuthentication, wtWebioEA12x6RelERPSnmpSystemTrapManagerIP=wtWebioEA12x6RelERPSnmpSystemTrapManagerIP, wtWebioEA12x12Device=wtWebioEA12x12Device, wtWebioEA24oemDiagErrorClear=wtWebioEA24oemDiagErrorClear, wtWebCount6Text=wtWebCount6Text, wtWebioEA12x6RelERPAlert11=wtWebioEA12x6RelERPAlert11, wtWebioEA2x2SessCntrlConfigMode=wtWebioEA2x2SessCntrlConfigMode, wtTrapReceiver2x2WatchListEntry=wtTrapReceiver2x2WatchListEntry, wtWebioEA12x6RelERPStTzEnable=wtWebioEA12x6RelERPStTzEnable, wtWebioEA2x2_24VBinaryTcpServerClientHttpPort=wtWebioEA2x2_24VBinaryTcpServerClientHttpPort, wtWebioEA12x6RelAlarmInterval=wtWebioEA12x6RelAlarmInterval, wtWebioEA6x6BinaryTcpClientLocalPort=wtWebioEA6x6BinaryTcpClientLocalPort, wtWebioEA12x6RelStTzStopHrs=wtWebioEA12x6RelStTzStopHrs, wtWebioEA2x2BinaryTcpClientLocalPort=wtWebioEA2x2BinaryTcpClientLocalPort, wtIpWatcherMfInternet=wtIpWatcherMfInternet, wtWebioEA2x2FTPOption=wtWebioEA2x2FTPOption, wtWebAlarm6x6Alert25=wtWebAlarm6x6Alert25, wtIpWatcher_24VDiagErrorIndex=wtIpWatcher_24VDiagErrorIndex, wtTrapReceiver2x2InputPortEntry=wtTrapReceiver2x2InputPortEntry, wtWebioEA2x2ERPAlert14=wtWebioEA2x2ERPAlert14, wtWebioEA24oemPorts=wtWebioEA24oemPorts, wtWebioEA2x2Alert12=wtWebioEA2x2Alert12, wtWebioEA12x12AlarmUdpPort=wtWebioEA12x12AlarmUdpPort, wtIpWatcherOutputValue=wtIpWatcherOutputValue, wtIpWatcherInputs=wtIpWatcherInputs, wtWebCount6SyslogServerPort=wtWebCount6SyslogServerPort, wtWebioEA12x12PortPulseDuration=wtWebioEA12x12PortPulseDuration, wtIpWatcherBasic=wtIpWatcherBasic, wtWebioEA12x12AlarmFtpDataPort=wtWebioEA12x12AlarmFtpDataPort, wtWebioEA2x2AlarmMailSubject=wtWebioEA2x2AlarmMailSubject, wtWebioEA12x6RelERPFTPEnable=wtWebioEA12x6RelERPFTPEnable, wtWebAlarm6x6Outputs=wtWebAlarm6x6Outputs, wtWebioEA2x2ERP_24VBinaryUdpPeerRemoteIpAddr=wtWebioEA2x2ERP_24VBinaryUdpPeerRemoteIpAddr, wtTrapReceiver2x2ClockMonth=wtTrapReceiver2x2ClockMonth, wtWebioEA12x6RelBinaryUdpPeerRemotePort=wtWebioEA12x6RelBinaryUdpPeerRemotePort, wtWebioEA12x6RelERPAlert19=wtWebioEA12x6RelERPAlert19, wtWebioEA6x6SessCntrlPassword=wtWebioEA6x6SessCntrlPassword, wtWebioEA2x2_24VAlarmUdpIpAddr=wtWebioEA2x2_24VAlarmUdpIpAddr, wtWebAlarm6x6AlarmTable=wtWebAlarm6x6AlarmTable, wtWebioEA2x2ERPBinaryTcpClientServerHttpPort=wtWebioEA2x2ERPBinaryTcpClientServerHttpPort, wtWebioEA12x6RelERPStTzStopHrs=wtWebioEA12x6RelERPStTzStopHrs, wtWebioEA12x12AddConfig=wtWebioEA12x12AddConfig, wtWebioEA6x6Outputs=wtWebioEA6x6Outputs, wtIpWatcherIpListAlias=wtIpWatcherIpListAlias, wtWebioEA24oemSnmpCommunityStringReadWrite=wtWebioEA24oemSnmpCommunityStringReadWrite, wtWebioEA2x2ERP_24VClockHrs=wtWebioEA2x2ERP_24VClockHrs, wtWebAlarm6x6Alert15=wtWebAlarm6x6Alert15, wtWebAlarm6x6AlarmSyslogText=wtWebAlarm6x6AlarmSyslogText, wtWebioEA12x12StTzOffsetMin=wtWebioEA12x12StTzOffsetMin, wtWebCount6ReportIfEntry=wtWebCount6ReportIfEntry, wtWebioEA6x6TimeServer1=wtWebioEA6x6TimeServer1, wtTrapReceiver2x2OutputState=wtTrapReceiver2x2OutputState, wtIpWatcher_24VIpListService=wtIpWatcher_24VIpListService, wtWebioEA6x6SessCntrlLogout=wtWebioEA6x6SessCntrlLogout, wtWebAlarm6x6InOut=wtWebAlarm6x6InOut, wtWebioEA12x6RelStTzStopMonth=wtWebioEA12x6RelStTzStopMonth, wtWebioEA6x6BinaryEntry=wtWebioEA6x6BinaryEntry, wtWebioEA24oemBinaryTcpServerLocalPort=wtWebioEA24oemBinaryTcpServerLocalPort, wtWebioEA6x6DnsServer1=wtWebioEA6x6DnsServer1, wtWebioEA2x2_24VBinaryModeNo=wtWebioEA2x2_24VBinaryModeNo, wtWebioEA2x2ERP_24VDiagErrorClear=wtWebioEA2x2ERP_24VDiagErrorClear, wtWebioEA2x2ERP_24VBinaryUdpPeerInputTrigger=wtWebioEA2x2ERP_24VBinaryUdpPeerInputTrigger, wtWebioEA12x6RelERPTsSyncTime=wtWebioEA12x6RelERPTsSyncTime, wtWebioEA2x2DiagErrorMessage=wtWebioEA2x2DiagErrorMessage, wtIpWatcherIpListPort=wtIpWatcherIpListPort, wtWebioEA2x2ERP_24VAlert22=wtWebioEA2x2ERP_24VAlert22, wtWebCount6InputPortEntry=wtWebCount6InputPortEntry, wtWebioEA12x6RelERPStTzOffsetHrs=wtWebioEA12x6RelERPStTzOffsetHrs, wtWebioEA24oemStTzOffsetHrs=wtWebioEA24oemStTzOffsetHrs, wtWebioEA2x2_24VInputNo=wtWebioEA2x2_24VInputNo, wtWebioEA12x12FTPPassword=wtWebioEA12x12FTPPassword, wtWebCount6MfAddr=wtWebCount6MfAddr, wtWebioEA6x6Gateway=wtWebioEA6x6Gateway, wtWebioEA24oemAlert25=wtWebioEA24oemAlert25, wtTrapReceiver2x2ActionSnmpTrapText=wtTrapReceiver2x2ActionSnmpTrapText, wtWebCount6StTzStopMode=wtWebCount6StTzStopMode, wtTrapReceiver2x2ActionOutputState=wtTrapReceiver2x2ActionOutputState, wtWebioEA2x2_24VOutputPortEntry=wtWebioEA2x2_24VOutputPortEntry, wtWebioEA2x2DeviceName=wtWebioEA2x2DeviceName, wtWebioEA2x2ERPBinaryModeCount=wtWebioEA2x2ERPBinaryModeCount, wtIpWatcherAlarmTcpReleaseText=wtIpWatcherAlarmTcpReleaseText, wtWebioEA12x6RelERPStTzStopMode=wtWebioEA12x6RelERPStTzStopMode, wtWebCount6Outputs=wtWebCount6Outputs, wtWebioEA12x6RelERPTimeDate=wtWebioEA12x6RelERPTimeDate, wtWebAlarm6x6UdpEnable=wtWebAlarm6x6UdpEnable, wtWebAlarm6x6SessCntrlConfigMode=wtWebAlarm6x6SessCntrlConfigMode, wtWebioEA24oem=wtWebioEA24oem, wtWebioEA2x2ERPClockYear=wtWebioEA2x2ERPClockYear, wtWebioEA12x6Rel=wtWebioEA12x6Rel, wtTrapReceiver2x2TzEnable=wtTrapReceiver2x2TzEnable, wtWebioEA12x6RelERPAlert15=wtWebioEA12x6RelERPAlert15, wtWebioEA2x2_24VOutputModeBit=wtWebioEA2x2_24VOutputModeBit, wtWebioEA12x6RelSnmpCommunityStringRead=wtWebioEA12x6RelSnmpCommunityStringRead, wtIpWatcher_24VAlert2=wtIpWatcher_24VAlert2, wtWebioEA24oemAlert15=wtWebioEA24oemAlert15, wtWebioEA24oemAlarmUdpText=wtWebioEA24oemAlarmUdpText, wtWebAlarm6x6AlarmMailReleaseSubject=wtWebAlarm6x6AlarmMailReleaseSubject, wtWebioEA12x6RelAlarmSyslogIpAddr=wtWebioEA12x6RelAlarmSyslogIpAddr, wtWebioEA24oemBinaryTcpClientInactivity=wtWebioEA24oemBinaryTcpClientInactivity, wtTrapReceiver2x2PortButtonText=wtTrapReceiver2x2PortButtonText, wtWebioEA12x12LCShutDownView=wtWebioEA12x12LCShutDownView, wtWebioEA12x6RelERPMailReply=wtWebioEA12x6RelERPMailReply, wtWebioEA12x12FTPUserName=wtWebioEA12x12FTPUserName, wtWebAlarm6x6Alert4=wtWebAlarm6x6Alert4, wtWebioEA12x6RelDiagErrorCount=wtWebioEA12x6RelDiagErrorCount, wtWebioEA12x12Alert17=wtWebioEA12x12Alert17, wtWebCount6InputValue=wtWebCount6InputValue, wtWebioEA2x2ERP_24VAlarmTcpReleaseText=wtWebioEA2x2ERP_24VAlarmTcpReleaseText, wtWebioEA12x6RelStTzEnable=wtWebioEA12x6RelStTzEnable, wtWebAlarm6x6InputPortEntry=wtWebAlarm6x6InputPortEntry, wtIpWatcher_24VSnmpSystemTrapManagerIP=wtIpWatcher_24VSnmpSystemTrapManagerIP, wtWebioEA2x2BinaryConnectedIpAddr=wtWebioEA2x2BinaryConnectedIpAddr, wtIpWatcherPortInputFilter=wtIpWatcherPortInputFilter, wtWebioEA12x12Alert18=wtWebioEA12x12Alert18, wtWebCount6UdpAdminPort=wtWebCount6UdpAdminPort, wtWebioEA12x6RelERPSessCntrlAdminPassword=wtWebioEA12x6RelERPSessCntrlAdminPassword, wtTrapReceiver2x2PortPulsePolarity=wtTrapReceiver2x2PortPulsePolarity, wtWebioEA2x2ERPSessCntrlLogout=wtWebioEA2x2ERPSessCntrlLogout, wtWebAlarm6x6PortInputText=wtWebAlarm6x6PortInputText, wtWebioEA6x6HttpPort=wtWebioEA6x6HttpPort, wtWebioEA12x6RelInputs=wtWebioEA12x6RelInputs, wtWebCount6FTPServerIP=wtWebCount6FTPServerIP, wtWebioEA2x2_24VManufact=wtWebioEA2x2_24VManufact, wtWebioEA2x2ERPAlarmFtpReleaseText=wtWebioEA2x2ERPAlarmFtpReleaseText)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA12x12DeviceName=wtWebioEA12x12DeviceName, wtWebioEA6x6BinaryTcpClientServerIpAddr=wtWebioEA6x6BinaryTcpClientServerIpAddr, wtIpWatcherAlarmSnmpManagerIP=wtIpWatcherAlarmSnmpManagerIP, wtWebioEA12x12BinaryUdpPeerInterval=wtWebioEA12x12BinaryUdpPeerInterval, wtWebioEA2x2ERPPortPulsePolarity=wtWebioEA2x2ERPPortPulsePolarity, wtWebioEA12x12IpAddress=wtWebioEA12x12IpAddress, wtWebioEA2x2ERP_24VBinaryTcpClientServerPort=wtWebioEA2x2ERP_24VBinaryTcpClientServerPort, wtWebioEA12x6RelPortOutputName=wtWebioEA12x6RelPortOutputName, wtWebioEA12x6RelSessCntrlConfigMode=wtWebioEA12x6RelSessCntrlConfigMode, wtWebioEA12x12MfDeviceTyp=wtWebioEA12x12MfDeviceTyp, wtTrapReceiver2x2ActionTable=wtTrapReceiver2x2ActionTable, wtWebCount6PortInputPulsePolarity=wtWebCount6PortInputPulsePolarity, wtWebioEA2x2ERPPortInputBicountInactivTimeout=wtWebioEA2x2ERPPortInputBicountInactivTimeout, wtWebioEA2x2_24VBinaryTcpClientLocalPort=wtWebioEA2x2_24VBinaryTcpClientLocalPort, wtWebioEA2x2ERP_24VWayBackFTPPassword=wtWebioEA2x2ERP_24VWayBackFTPPassword, wtWebioEA12x6RelOutputs=wtWebioEA12x6RelOutputs, wtIpWatcherFTPServerControlPort=wtIpWatcherFTPServerControlPort, wtIpWatcherUdpRemotePort=wtIpWatcherUdpRemotePort, wtWebioEA2x2_24VUdpRemotePort=wtWebioEA2x2_24VUdpRemotePort, wtWebioEA2x2ERP_24VBinaryTcpServerApplicationMode=wtWebioEA2x2ERP_24VBinaryTcpServerApplicationMode, wtTrapReceiver2x2SnmpCommunityStringReadWrite=wtTrapReceiver2x2SnmpCommunityStringReadWrite, wtWebioEA12x6RelInputCounter=wtWebioEA12x6RelInputCounter, wtIpWatcherPortInputName=wtIpWatcherPortInputName, wtIpWatcher_24VAlarmOutputState=wtIpWatcher_24VAlarmOutputState, wtWebioEA24oemTimeServer2=wtWebioEA24oemTimeServer2, wtIpWatcherTimeServer1=wtIpWatcherTimeServer1, wtWebioEA24oemAlarmSnmpManagerIP=wtWebioEA24oemAlarmSnmpManagerIP, wtIpWatcher_24VAlarm=wtIpWatcher_24VAlarm, wtWebCount6InputCounter=wtWebCount6InputCounter, wtWebioEA2x2_24VMfDeviceTyp=wtWebioEA2x2_24VMfDeviceTyp, wtIpWatcherStTzEnable=wtIpWatcherStTzEnable, wtTrapReceiver2x2InEvButtons=wtTrapReceiver2x2InEvButtons, wtWebioEA2x2ERPBinaryEntry=wtWebioEA2x2ERPBinaryEntry, wtIpWatcherDeviceLocation=wtIpWatcherDeviceLocation, wtIpWatcher_24VStTzStartHrs=wtIpWatcher_24VStTzStartHrs, wtWebAlarm6x6TimeServer2=wtWebAlarm6x6TimeServer2, wtWebCount6ReportSnmpManagerIP=wtWebCount6ReportSnmpManagerIP, wtIpWatcherAlarmGlobalEnable=wtIpWatcherAlarmGlobalEnable, wtWebioEA12x6RelERPBinaryUdpPeerApplicationMode=wtWebioEA12x6RelERPBinaryUdpPeerApplicationMode, wtWebioEA12x6RelERPMailEnable=wtWebioEA12x6RelERPMailEnable, wtWebioEA2x2ERPFTPAccount=wtWebioEA2x2ERPFTPAccount, wtWebioEA24oemPortInputName=wtWebioEA24oemPortInputName, wtWebAlarm6x6HTTP=wtWebAlarm6x6HTTP, wtIpWatcher_24VStTzOffsetMin=wtIpWatcher_24VStTzOffsetMin, wtWebioEA24oemAlarmMailAddr=wtWebioEA24oemAlarmMailAddr, wtTrapReceiver2x2DiagErrorCount=wtTrapReceiver2x2DiagErrorCount, wtIpWatcher_24VTsEnable=wtIpWatcher_24VTsEnable, wtWebioEA2x2FTPUserName=wtWebioEA2x2FTPUserName, wtWebioEA2x2AlarmSnmpTrapText=wtWebioEA2x2AlarmSnmpTrapText, wtWebioEA12x12AlarmMailAddr=wtWebioEA12x12AlarmMailAddr, wtWebioEA2x2_24VOutputPortTable=wtWebioEA2x2_24VOutputPortTable, wtWebioEA2x2ERP_24VBinaryUdpPeerInterval=wtWebioEA2x2ERP_24VBinaryUdpPeerInterval, wtWebioEA6x6AlarmSyslogPort=wtWebioEA6x6AlarmSyslogPort, wtWebioEA2x2AlarmFtpFileName=wtWebioEA2x2AlarmFtpFileName, wtWebioEA24oemAlarmSyslogText=wtWebioEA24oemAlarmSyslogText, wtWebioEA2x2_24VAlert12=wtWebioEA2x2_24VAlert12, wtWebAlarm6x6SubnetMask=wtWebAlarm6x6SubnetMask, wtIpWatcher_24VOutputTable=wtIpWatcher_24VOutputTable, wtWebioEA12x6RelERPTzOffsetHrs=wtWebioEA12x6RelERPTzOffsetHrs, wtIpWatcherSessCntrlPassword=wtIpWatcherSessCntrlPassword, wtTrapReceiver2x2InputEntry=wtTrapReceiver2x2InputEntry, wtWebioEA2x2ERPPortLogicFunction=wtWebioEA2x2ERPPortLogicFunction, wtWebioEA2x2ERPUdpRemotePort=wtWebioEA2x2ERPUdpRemotePort, wtWebioEA12x6RelERPAlert8=wtWebioEA12x6RelERPAlert8, wtWebioEA2x2ERP_24VFTPEnable=wtWebioEA2x2ERP_24VFTPEnable, wtWebioEA2x2ERP_24VBinaryConnectedPort=wtWebioEA2x2ERP_24VBinaryConnectedPort, wtWebioEA12x12AlarmNo=wtWebioEA12x12AlarmNo, wtWebioEA12x6RelInputValue=wtWebioEA12x6RelInputValue, wtWebioEA2x2ERP_24VStTzOffsetHrs=wtWebioEA2x2ERP_24VStTzOffsetHrs, wtWebioEA12x12Alert7=wtWebioEA12x12Alert7, wtIpWatcher_24VInOut=wtIpWatcher_24VInOut, wtWebioEA2x2ERPAlarmCount=wtWebioEA2x2ERPAlarmCount, wtWebioEA12x12DeviceClock=wtWebioEA12x12DeviceClock, wtWebAlarm6x6DnsServer1=wtWebAlarm6x6DnsServer1, wtIpWatcherAlarmAckPort=wtIpWatcherAlarmAckPort, wtWebioEA12x12BinaryTcpServerClientHttpPort=wtWebioEA12x12BinaryTcpServerClientHttpPort, wtWebioEA2x2_24VPortInputBicountPulsePolarity=wtWebioEA2x2_24VPortInputBicountPulsePolarity, wtWebioEA2x2ERPSyslog=wtWebioEA2x2ERPSyslog, wtWebioEA2x2_24VTimeDate=wtWebioEA2x2_24VTimeDate, wtIpWatcherAlarmNo=wtIpWatcherAlarmNo, wtWebCount6Alert12=wtWebCount6Alert12, wtWebioEA12x6RelERPAlarmTcpText=wtWebioEA12x6RelERPAlarmTcpText, wtWebioEA2x2ERPSnmpCommunityStringReadWrite=wtWebioEA2x2ERPSnmpCommunityStringReadWrite, wtWebioEA12x6RelERPMailAuthPassword=wtWebioEA12x6RelERPMailAuthPassword, wtWebioEA2x2ERPMailAuthentication=wtWebioEA2x2ERPMailAuthentication, wtWebioEA24oemBinaryTcpClientServerHttpPort=wtWebioEA24oemBinaryTcpClientServerHttpPort, wtWebioEA2x2_24VDiagBinaryError=wtWebioEA2x2_24VDiagBinaryError, wtWebioEA2x2_24VPortInputText=wtWebioEA2x2_24VPortInputText, wtWebioEA12x12SetOutput=wtWebioEA12x12SetOutput, wtWebioEA12x12PortInputMode=wtWebioEA12x12PortInputMode, wtWebioEA12x6RelTimeServer2=wtWebioEA12x6RelTimeServer2, wtWebioEA12x6RelGateway=wtWebioEA12x6RelGateway, wtWebioEA2x2ERP_24VOutputEntry=wtWebioEA2x2ERP_24VOutputEntry, wtWebioEA2x2ERPAlert4=wtWebioEA2x2ERPAlert4, wtIpWatcherUdpEnable=wtIpWatcherUdpEnable, wtTrapReceiver2x2IpAddress=wtTrapReceiver2x2IpAddress, wtWebioEA12x6RelERPUdpAdminPort=wtWebioEA12x6RelERPUdpAdminPort, wtWebAlarm6x6Gateway=wtWebAlarm6x6Gateway, wtWebioEA2x2_24VFTPServerControlPort=wtWebioEA2x2_24VFTPServerControlPort, wtTrapReceiver2x2StTzStopMode=wtTrapReceiver2x2StTzStopMode, wtWebCount6MfInternet=wtWebCount6MfInternet, wtIpWatcherAlert16=wtIpWatcherAlert16, wtWebioEA2x2_24VStTzEnable=wtWebioEA2x2_24VStTzEnable, wtWebioEA12x6RelERPBinaryTable=wtWebioEA12x6RelERPBinaryTable, wtWebioEA24oemAlarmFtpText=wtWebioEA24oemAlarmFtpText, wtWebioEA2x2_24VInputCounter=wtWebioEA2x2_24VInputCounter, wtWebioEA12x6RelERPMfAddr=wtWebioEA12x6RelERPMfAddr, wtWebioEA2x2ERPAlert20=wtWebioEA2x2ERPAlert20, wtWebioEA2x2ERP_24VSessCntrl=wtWebioEA2x2ERP_24VSessCntrl, wtWebioEA12x6RelStTzStopWday=wtWebioEA12x6RelStTzStopWday, wtWebioEA24oemDeviceContact=wtWebioEA24oemDeviceContact, wtWebioEA2x2_24VDevice=wtWebioEA2x2_24VDevice, wtWebioEA12x6RelERPPortInputFilter=wtWebioEA12x6RelERPPortInputFilter, wtWebCount6Alert2=wtWebCount6Alert2, wtWebAlarm6x6AlarmSnmpTrapReleaseText=wtWebAlarm6x6AlarmSnmpTrapReleaseText, wtWebioEA12x6RelERPDevice=wtWebioEA12x6RelERPDevice, wtWebioEA24oemMailServer=wtWebioEA24oemMailServer, wtWebioEA12x6RelClockHrs=wtWebioEA12x6RelClockHrs, wtWebAlarm6x6DiagErrorIndex=wtWebAlarm6x6DiagErrorIndex, wtWebioEA6x6PortPulseDuration=wtWebioEA6x6PortPulseDuration, wtIpWatcherMailPop3Server=wtIpWatcherMailPop3Server, wtWebioEA24oemAlarmTcpIpAddr=wtWebioEA24oemAlarmTcpIpAddr, wtIpWatcher_24VAlarmEntry=wtIpWatcher_24VAlarmEntry, wtWebioEA12x6RelFTPUserName=wtWebioEA12x6RelFTPUserName, wtWebioEA2x2ERPAlertDiag=wtWebioEA2x2ERPAlertDiag, wtWebioEA12x6RelAlarmUdpText=wtWebioEA12x6RelAlarmUdpText, wtWebAlarm6x6Alert23=wtWebAlarm6x6Alert23, wtWebioEA2x2_24VPortOutputGroupMode=wtWebioEA2x2_24VPortOutputGroupMode, wtWebioEA2x2ERP_24VDeviceContact=wtWebioEA2x2ERP_24VDeviceContact, wtWebioEA12x12OutputMode=wtWebioEA12x12OutputMode, wtIpWatcherOutputState=wtIpWatcherOutputState, wtWebioEA2x2ERP_24VStTzOffsetMin=wtWebioEA2x2ERP_24VStTzOffsetMin, wtWebioEA12x12SnmpSystemTrapManagerIP=wtWebioEA12x12SnmpSystemTrapManagerIP, wtIpWatcherAlert28=wtIpWatcherAlert28, wtIpWatcherDevice=wtIpWatcherDevice, wtWebioEA2x2_24VTimeServer=wtWebioEA2x2_24VTimeServer, wtWebioEA12x12StTzStartMin=wtWebioEA12x12StTzStartMin, wtWebioEA12x6RelStTzOffsetMin=wtWebioEA12x6RelStTzOffsetMin, wtWebioEA2x2ERP_24VBinaryModeNo=wtWebioEA2x2ERP_24VBinaryModeNo, wtIpWatcher_24VSyslogEnable=wtIpWatcher_24VSyslogEnable, wtWebioEA12x12BinaryModeCount=wtWebioEA12x12BinaryModeCount, wtWebioEA6x6ClockYear=wtWebioEA6x6ClockYear, wtWebioEA12x6RelMailAuthentication=wtWebioEA12x6RelMailAuthentication, wtWebioEA2x2_24VMailAuthentication=wtWebioEA2x2_24VMailAuthentication, wtIpWatcher_24VInputTable=wtIpWatcher_24VInputTable, wtWebioEA2x2_24VAlarmEnable=wtWebioEA2x2_24VAlarmEnable, wtTrapReceiver2x2TzOffsetHrs=wtTrapReceiver2x2TzOffsetHrs, wtWebioEA2x2ERP_24VBinaryOperationMode=wtWebioEA2x2ERP_24VBinaryOperationMode, wtWebCount6StTzEnable=wtWebCount6StTzEnable, wtWebioEA2x2BinaryTcpServerClientHttpPort=wtWebioEA2x2BinaryTcpServerClientHttpPort, wtWebCount6SnmpSystemTrapEnable=wtWebCount6SnmpSystemTrapEnable, wtWebAlarm6x6MailPop3Server=wtWebAlarm6x6MailPop3Server, wtWebioEA2x2ERPTsEnable=wtWebioEA2x2ERPTsEnable, wtWebioEA2x2ERPMailEnable=wtWebioEA2x2ERPMailEnable, wtWebioEA24oemInOut=wtWebioEA24oemInOut, wtWebioEA2x2ERP_24VAlert11=wtWebioEA2x2ERP_24VAlert11, wtWebioEA2x2ERP_24VAlert16=wtWebioEA2x2ERP_24VAlert16, wtTrapReceiver2x2ActionSystemTimerTrigger=wtTrapReceiver2x2ActionSystemTimerTrigger, wtWebioEA2x2ERP_24VSessCntrlPassword=wtWebioEA2x2ERP_24VSessCntrlPassword, wtIpWatcherAlarmUdpTrgClearText=wtIpWatcherAlarmUdpTrgClearText, wtWebioEA2x2ERPSnmpSystemTrapEnable=wtWebioEA2x2ERPSnmpSystemTrapEnable, wtWebioEA2x2FTPEnable=wtWebioEA2x2FTPEnable, wtWebioEA2x2Alert11=wtWebioEA2x2Alert11, wtWebioEA6x6Text=wtWebioEA6x6Text, wtWebioEA2x2ERPAlarmSyslogReleaseText=wtWebioEA2x2ERPAlarmSyslogReleaseText, wtWebioEA2x2ERPAlarmUdpPort=wtWebioEA2x2ERPAlarmUdpPort, wtIpWatcherPortOutputName=wtIpWatcherPortOutputName, wtWebioEA2x2AlarmSyslogPort=wtWebioEA2x2AlarmSyslogPort, wtWebioEA12x12InputValue=wtWebioEA12x12InputValue, wtIpWatcherStTzStopMin=wtIpWatcherStTzStopMin, wtWebioEA12x12InputPortTable=wtWebioEA12x12InputPortTable, wtWebioEA6x6OutputPortTable=wtWebioEA6x6OutputPortTable, wtWebioEA2x2ERPBinaryTcpClientApplicationMode=wtWebioEA2x2ERPBinaryTcpClientApplicationMode, wtWebioEA2x2AlarmMailText=wtWebioEA2x2AlarmMailText, wtIpWatcherAlert35=wtIpWatcherAlert35, wtTrapReceiver2x2StTzOffsetHrs=wtTrapReceiver2x2StTzOffsetHrs, wtWebCount6ReportRateOfChangeMode=wtWebCount6ReportRateOfChangeMode, wtWebAlarm6x6SnmpEnable=wtWebAlarm6x6SnmpEnable, wtWebioEA2x2ERP_24V=wtWebioEA2x2ERP_24V, wtWebioEA24oemPortOutputText=wtWebioEA24oemPortOutputText, wtWebAlarm6x6AlarmMailSubject=wtWebAlarm6x6AlarmMailSubject, wtWebioEA12x6RelERPBinaryTcpServerInputTrigger=wtWebioEA12x6RelERPBinaryTcpServerInputTrigger, wtWebioEA2x2_24VClockMonth=wtWebioEA2x2_24VClockMonth, wtTrapReceiver2x2ClockMin=wtTrapReceiver2x2ClockMin, wtWebioEA2x2ERPFTPServerControlPort=wtWebioEA2x2ERPFTPServerControlPort, wtWebioEA24oemBinaryUdpPeerInterval=wtWebioEA24oemBinaryUdpPeerInterval, wtWebioEA12x6RelERPUdpEnable=wtWebioEA12x6RelERPUdpEnable, wtWebioEA2x2StTzStopWday=wtWebioEA2x2StTzStopWday, wtWebioEA2x2_24VSyslog=wtWebioEA2x2_24VSyslog, wtTrapReceiver2x2Mail=wtTrapReceiver2x2Mail, wtIpWatcherDiag=wtIpWatcherDiag, wtWebioEA12x6RelERPAlarmSyslogText=wtWebioEA12x6RelERPAlarmSyslogText, wtWebioEA12x6RelERPDiagBinaryError=wtWebioEA12x6RelERPDiagBinaryError, wtWebioEA2x2ERP_24VPortInputFilter=wtWebioEA2x2ERP_24VPortInputFilter, wtWebioEA12x12DiagBinaryError=wtWebioEA12x12DiagBinaryError, wtWebioEA24oemAlarmEnable=wtWebioEA24oemAlarmEnable, wtWebioEA12x6RelFTPOption=wtWebioEA12x6RelFTPOption, wtTrapReceiver2x2Device=wtTrapReceiver2x2Device, wtWebioEA6x6PortOutputName=wtWebioEA6x6PortOutputName, wtIpWatcherHttpPort=wtIpWatcherHttpPort, wtIpWatcher_24VDeviceLocation=wtIpWatcher_24VDeviceLocation, wtWebioEA12x12MfAddr=wtWebioEA12x12MfAddr, wtWebioEA24oemBinaryOperationMode=wtWebioEA24oemBinaryOperationMode, wtWebioEA2x2_24VBinaryConnectedIpAddr=wtWebioEA2x2_24VBinaryConnectedIpAddr, wtIpWatcherMailEnable=wtIpWatcherMailEnable, wtWebioEA12x6RelERPManufact=wtWebioEA12x6RelERPManufact, wtWebioEA2x2Alert14=wtWebioEA2x2Alert14, wtWebioEA2x2_24VPortOutputText=wtWebioEA2x2_24VPortOutputText, wtWebioEA2x2Text=wtWebioEA2x2Text, wtWebioEA2x2MailAuthentication=wtWebioEA2x2MailAuthentication, wtWebCount6PortInputText=wtWebCount6PortInputText, wtTrapReceiver2x2Alert11=wtTrapReceiver2x2Alert11, wtIpWatcherUdpAdminPort=wtIpWatcherUdpAdminPort, wtWebioEA2x2ERPMfName=wtWebioEA2x2ERPMfName, wtIpWatcherMailAuthPassword=wtIpWatcherMailAuthPassword, wtIpWatcher_24VAlert19=wtIpWatcher_24VAlert19, wtWebioEA2x2ERPBinaryTcpClientInactivity=wtWebioEA2x2ERPBinaryTcpClientInactivity, wtWebioEA2x2ERPOutputMode=wtWebioEA2x2ERPOutputMode, wtWebioEA12x12GetHeaderEnable=wtWebioEA12x12GetHeaderEnable, wtWebioEA12x6RelSessCntrl=wtWebioEA12x6RelSessCntrl, wtTrapReceiver2x2TimeZone=wtTrapReceiver2x2TimeZone, wtWebioEA2x2AlarmFtpOption=wtWebioEA2x2AlarmFtpOption, wtWebioEA24oemTsEnable=wtWebioEA24oemTsEnable, wtWebioEA24oemAddConfig=wtWebioEA24oemAddConfig, wtWebioEA2x2ERPStTzOffsetMin=wtWebioEA2x2ERPStTzOffsetMin, wtWebioEA2x2_24VAlarmSnmpTrapText=wtWebioEA2x2_24VAlarmSnmpTrapText, wtWebioEA2x2StTzStartHrs=wtWebioEA2x2StTzStartHrs, wtWebioEA12x12BinaryTable=wtWebioEA12x12BinaryTable, wtWebioEA2x2ERPBinaryTcpServerInputTrigger=wtWebioEA2x2ERPBinaryTcpServerInputTrigger, wtWebioEA2x2_24VSnmpSystemTrapEnable=wtWebioEA2x2_24VSnmpSystemTrapEnable, wtWebioEA12x6RelStTzStartMode=wtWebioEA12x6RelStTzStartMode, wtWebioEA12x6RelERPStTzStopWday=wtWebioEA12x6RelERPStTzStopWday, wtWebAlarm6x6StTzStartMonth=wtWebAlarm6x6StTzStartMonth, wtWebioEA2x2ERPDiagErrorMessage=wtWebioEA2x2ERPDiagErrorMessage, wtIpWatcherAlarmSnmpTrapText=wtIpWatcherAlarmSnmpTrapText, wtWebioEA12x12MailAdName=wtWebioEA12x12MailAdName, wtWebioEA24oemDiagErrorCount=wtWebioEA24oemDiagErrorCount, wtWebioEA12x6RelStTzStartWday=wtWebioEA12x6RelStTzStartWday, wtWebAlarm6x6TzOffsetMin=wtWebAlarm6x6TzOffsetMin, wtWebAlarm6x6Alert6=wtWebAlarm6x6Alert6, wtWebioEA12x6RelBinaryEntry=wtWebioEA12x6RelBinaryEntry, wtWebioEA6x6Alert18=wtWebioEA6x6Alert18, wtWebioEA12x6RelMfAddr=wtWebioEA12x6RelMfAddr, wtWebioEA12x6RelERPMfInternet=wtWebioEA12x6RelERPMfInternet, wtWebioEA12x12MailReply=wtWebioEA12x12MailReply, wtWebioEA2x2PortPulsePolarity=wtWebioEA2x2PortPulsePolarity, wtWebioEA24oemInputPortEntry=wtWebioEA24oemInputPortEntry, wtWebioEA24oemDiag=wtWebioEA24oemDiag, wtWebioEA2x2ERP_24VNetwork=wtWebioEA2x2ERP_24VNetwork, wtIpWatcher_24VIpListEnable=wtIpWatcher_24VIpListEnable, wtWebioEA12x6RelERPBasic=wtWebioEA12x6RelERPBasic, wtWebioEA2x2ERPFTPEnable=wtWebioEA2x2ERPFTPEnable, wtWebioEA2x2ERPPortLogicInputInverter=wtWebioEA2x2ERPPortLogicInputInverter, wtWebioEA24oemAlert4=wtWebioEA24oemAlert4)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA6x6PortOutputGroupMode=wtWebioEA6x6PortOutputGroupMode, wtIpWatcher_24VAlarmTriggerState=wtIpWatcher_24VAlarmTriggerState, wtIpWatcherSnmpCommunityStringRead=wtIpWatcherSnmpCommunityStringRead, wtWebioEA6x6Alert17=wtWebioEA6x6Alert17, wtWebioEA6x6AlarmFtpOption=wtWebioEA6x6AlarmFtpOption, wtWebioEA2x2SessCntrl=wtWebioEA2x2SessCntrl, wtWebioEA2x2ERP_24VOutputs=wtWebioEA2x2ERP_24VOutputs, wtWebioEA6x6UdpAdminPort=wtWebioEA6x6UdpAdminPort, wtIpWatcher_24VAlarmMailTrgClearText=wtIpWatcher_24VAlarmMailTrgClearText, wtWebioEA2x2ERPPortInputBicountPulsePolarity=wtWebioEA2x2ERPPortInputBicountPulsePolarity, wtWebioEA12x6RelInputPortEntry=wtWebioEA12x6RelInputPortEntry, wtWebioEA12x6RelPortInputBicountInactivTimeout=wtWebioEA12x6RelPortInputBicountInactivTimeout, wtIpWatcherAlarmAckEnable=wtIpWatcherAlarmAckEnable, wtWebioEA2x2_24VBinaryIfEntry=wtWebioEA2x2_24VBinaryIfEntry, wtIpWatcher_24VIpListEntry=wtIpWatcher_24VIpListEntry, wtIpWatcherInputEntry=wtIpWatcherInputEntry, wtWebioEA12x12Basic=wtWebioEA12x12Basic, wtWebioEA6x6SessCntrlConfigPassword=wtWebioEA6x6SessCntrlConfigPassword, wtWebioEA24oemOutputs=wtWebioEA24oemOutputs, wtTrapReceiver2x2WatchListTable=wtTrapReceiver2x2WatchListTable, wtWebioEA24oemMfHotline=wtWebioEA24oemMfHotline, wtWebioEA2x2ERPPorts=wtWebioEA2x2ERPPorts, wtWebioEA2x2ERP_24VMailAuthPassword=wtWebioEA2x2ERP_24VMailAuthPassword, wtWebioEA2x2ERPAlarmEnable=wtWebioEA2x2ERPAlarmEnable, wtWebAlarm6x6Manufact=wtWebAlarm6x6Manufact, wtWebioEA2x2ERP_24VBinaryTcpClientInterval=wtWebioEA2x2ERP_24VBinaryTcpClientInterval, wtWebioEA2x2ERP_24VAlarmFtpReleaseText=wtWebioEA2x2ERP_24VAlarmFtpReleaseText, wtWebioEA6x6AlarmIfTable=wtWebioEA6x6AlarmIfTable, wtWebioEA6x6OutputModeTable=wtWebioEA6x6OutputModeTable, wtIpWatcher_24VAlert32=wtIpWatcher_24VAlert32, wtWebioEA24oemDeviceText=wtWebioEA24oemDeviceText, wtWebioEA12x6RelBinaryTcpServerApplicationMode=wtWebioEA12x6RelBinaryTcpServerApplicationMode, wtIpWatcherStTzStopHrs=wtIpWatcherStTzStopHrs, wtWebAlarm6x6SessCntrlPassword=wtWebAlarm6x6SessCntrlPassword, wtWebioEA12x12AlarmSnmpManagerIP=wtWebioEA12x12AlarmSnmpManagerIP, wtWebioEA2x2ERP_24VSnmpCommunityStringReadWrite=wtWebioEA2x2ERP_24VSnmpCommunityStringReadWrite, wtIpWatcherSyslogSystemMessagesEnable=wtIpWatcherSyslogSystemMessagesEnable, wtWebAlarm6x6TsSyncTime=wtWebAlarm6x6TsSyncTime, wtIpWatcherAlertDiag=wtIpWatcherAlertDiag, wtWebioEA12x12AlarmFtpOption=wtWebioEA12x12AlarmFtpOption, wtWebioEA2x2ERPPortInputText=wtWebioEA2x2ERPPortInputText, wtWebioEA2x2AlarmSyslogIpAddr=wtWebioEA2x2AlarmSyslogIpAddr, wtIpWatcherAlarmMailTrgClearSubject=wtIpWatcherAlarmMailTrgClearSubject, wtWebioEA12x6RelERPAlert20=wtWebioEA12x6RelERPAlert20, wtWebioEA2x2_24VAlarmOutputTrigger=wtWebioEA2x2_24VAlarmOutputTrigger, wtWebioEA6x6UdpEnable=wtWebioEA6x6UdpEnable, wtWebioEA2x2GetHeaderEnable=wtWebioEA2x2GetHeaderEnable, wtWebioEA2x2PortInputName=wtWebioEA2x2PortInputName, wtWebCount6Alert10=wtWebCount6Alert10, wtWebioEA12x12Alert14=wtWebioEA12x12Alert14, wtIpWatcherAlert13=wtIpWatcherAlert13, wtWebioEA2x2_24VConfig=wtWebioEA2x2_24VConfig, wtIpWatcher_24VAlarmUdpText=wtIpWatcher_24VAlarmUdpText, wtWebioEA12x6RelERPSyslog=wtWebioEA12x6RelERPSyslog, wtWebioEA24oemBinaryUdpPeerInputTrigger=wtWebioEA24oemBinaryUdpPeerInputTrigger, wtIpWatcher_24VAlert6=wtIpWatcher_24VAlert6, wtIpWatcher_24VAlert13=wtIpWatcher_24VAlert13, wtTrapReceiver2x2StTzStopHrs=wtTrapReceiver2x2StTzStopHrs, wtWebioEA12x6RelAlert5=wtWebioEA12x6RelAlert5, wtWebCount6MailEnable=wtWebCount6MailEnable, wtTrapReceiver2x2WatchListIfEntry=wtTrapReceiver2x2WatchListIfEntry, wtIpWatcherSNMP=wtIpWatcherSNMP, wtWebioEA2x2ERPAlert23=wtWebioEA2x2ERPAlert23, wtTrapReceiver2x2FTPServerIP=wtTrapReceiver2x2FTPServerIP, wtWebioEA12x6RelSessCntrlAdminPassword=wtWebioEA12x6RelSessCntrlAdminPassword, wtIpWatcher_24VIpListPort=wtIpWatcher_24VIpListPort, wtWebioEA12x12TimeZone=wtWebioEA12x12TimeZone, wtWebioEA2x2InOut=wtWebioEA2x2InOut, wtWebCount6MfHotline=wtWebCount6MfHotline, wtWebioEA2x2_24VSessCntrlPassword=wtWebioEA2x2_24VSessCntrlPassword, wtWebioEA2x2ERPAlert3=wtWebioEA2x2ERPAlert3, wtWebioEA6x6BinaryTcpServerClientHttpPort=wtWebioEA6x6BinaryTcpServerClientHttpPort, wtWebAlarm6x6OutputNo=wtWebAlarm6x6OutputNo, wtWebioEA2x2InputPortTable=wtWebioEA2x2InputPortTable, wtWebAlarm6x6SyslogSystemMessagesEnable=wtWebAlarm6x6SyslogSystemMessagesEnable, wtWebioEA12x6RelPortLogicInputMask=wtWebioEA12x6RelPortLogicInputMask, wtWebioEA12x6RelERPDeviceLocation=wtWebioEA12x6RelERPDeviceLocation, wtWebioEA2x2ERP_24VSnmpSystemTrapEnable=wtWebioEA2x2ERP_24VSnmpSystemTrapEnable, wtWebAlarm6x6Diag=wtWebAlarm6x6Diag, wtWebioEA2x2ERP_24VAlarmFtpFileName=wtWebioEA2x2ERP_24VAlarmFtpFileName, wtWebioEA2x2_24VAlarmTcpReleaseText=wtWebioEA2x2_24VAlarmTcpReleaseText, wtIpWatcherAlarm=wtIpWatcherAlarm, wtWebioEA2x2_24VPortOutputSafetyState=wtWebioEA2x2_24VPortOutputSafetyState, wtIpWatcher_24VStTzStopMin=wtIpWatcher_24VStTzStopMin, wtIpWatcher_24VFTPServerControlPort=wtIpWatcher_24VFTPServerControlPort, wtWebioEA2x2ERP_24VAlert10=wtWebioEA2x2ERP_24VAlert10, wtIpWatcher_24VAlert20=wtIpWatcher_24VAlert20, wtTrapReceiver2x2SyslogSystemMessagesEnable=wtTrapReceiver2x2SyslogSystemMessagesEnable, wtWebioEA12x6RelTimeZone=wtWebioEA12x6RelTimeZone, wtWebAlarm6x6TimeServer1=wtWebAlarm6x6TimeServer1, wtWebioEA12x6RelERPBinaryTcpClientServerPassword=wtWebioEA12x6RelERPBinaryTcpClientServerPassword, wtWebioEA2x2ERP_24VManufact=wtWebioEA2x2ERP_24VManufact, wtWebAlarm6x6HttpPort=wtWebAlarm6x6HttpPort, wtIpWatcherIpListEnable=wtIpWatcherIpListEnable, wtTrapReceiver2x2ActionNo=wtTrapReceiver2x2ActionNo, wtWebioEA2x2ERPAlarmMailSubject=wtWebioEA2x2ERPAlarmMailSubject, wtWebAlarm6x6OutputValue=wtWebAlarm6x6OutputValue, wtWebioEA24oemAlarmIfEntry=wtWebioEA24oemAlarmIfEntry, wtWebAlarm6x6UdpRemotePort=wtWebAlarm6x6UdpRemotePort, wtIpWatcherAlert8=wtIpWatcherAlert8, wtWebioEA12x12Alert19=wtWebioEA12x12Alert19, wtWebioEA2x2_24VAlarmTcpIpAddr=wtWebioEA2x2_24VAlarmTcpIpAddr, wtWebioEA12x6RelERPPortLogicInputMask=wtWebioEA12x6RelERPPortLogicInputMask, wtWebioEA12x6RelERPAlarmUdpReleaseText=wtWebioEA12x6RelERPAlarmUdpReleaseText, wtWebioEA2x2ERP_24VGetHeaderEnable=wtWebioEA2x2ERP_24VGetHeaderEnable, wtWebioEA12x6RelERPStTzStartWday=wtWebioEA12x6RelERPStTzStartWday, wtIpWatcher_24VDiagBinaryError=wtIpWatcher_24VDiagBinaryError, wtWebioEA6x6BinaryTcpClientInputTrigger=wtWebioEA6x6BinaryTcpClientInputTrigger, wtIpWatcher_24VFTP=wtIpWatcher_24VFTP, wtWebioEA24oemClockMonth=wtWebioEA24oemClockMonth, wtIpWatcher=wtIpWatcher, wtWebioEA2x2ERP_24VFTPPassword=wtWebioEA2x2ERP_24VFTPPassword, wtTrapReceiver2x2TimeDate=wtTrapReceiver2x2TimeDate, wtWebioEA12x12AlarmTcpPort=wtWebioEA12x12AlarmTcpPort, wtWebioEA24oemOutputModeTable=wtWebioEA24oemOutputModeTable, wtWebioEA2x2ERPAlert13=wtWebioEA2x2ERPAlert13, wtWebioEA6x6AlarmUdpReleaseText=wtWebioEA6x6AlarmUdpReleaseText, wtWebCount6MailServer=wtWebCount6MailServer, wtWebioEA2x2DnsServer1=wtWebioEA2x2DnsServer1, wtWebioEA2x2ERP_24VFTPServerControlPort=wtWebioEA2x2ERP_24VFTPServerControlPort, wtWebioEA2x2ERP_24VTsEnable=wtWebioEA2x2ERP_24VTsEnable, wtIpWatcherAlarmTriggerCount=wtIpWatcherAlarmTriggerCount, wtWebioEA6x6MailServer=wtWebioEA6x6MailServer, wtWebioEA2x2ERP_24VHTTP=wtWebioEA2x2ERP_24VHTTP, wtWebAlarm6x6SnmpCommunityStringRead=wtWebAlarm6x6SnmpCommunityStringRead, wtWebAlarm6x6AlarmGlobalEnable=wtWebAlarm6x6AlarmGlobalEnable, wtWebCount6SessCntrlConfigPassword=wtWebCount6SessCntrlConfigPassword, wtWebioEA12x6RelERPAlarmEnable=wtWebioEA12x6RelERPAlarmEnable, wtWebioEA6x6BinaryTcpClientApplicationMode=wtWebioEA6x6BinaryTcpClientApplicationMode, wtWebioEA2x2UdpAdminPort=wtWebioEA2x2UdpAdminPort, wtWebioEA12x12UDP=wtWebioEA12x12UDP, wtWebCount6DeviceText=wtWebCount6DeviceText, wtWebioEA12x6RelERPBinaryTcpClientInactivity=wtWebioEA12x6RelERPBinaryTcpClientInactivity, wtWebioEA2x2ERP_24VAlarm=wtWebioEA2x2ERP_24VAlarm, wtWebioEA2x2ERPWayBackFTPTimeOut=wtWebioEA2x2ERPWayBackFTPTimeOut, wtWebioEA2x2ERP_24VStTzStartMonth=wtWebioEA2x2ERP_24VStTzStartMonth, wtWebioEA2x2ERP_24VBinaryTcpClientServerIpAddr=wtWebioEA2x2ERP_24VBinaryTcpClientServerIpAddr, wtWebioEA2x2ERPUDP=wtWebioEA2x2ERPUDP, wtWebCount6DeviceLocation=wtWebCount6DeviceLocation, wtTrapReceiver2x2SessCntrlConfigMode=wtTrapReceiver2x2SessCntrlConfigMode, wtWebioEA12x6RelERPAlert24=wtWebioEA12x6RelERPAlert24, wtWebioEA12x6RelERPIpAddress=wtWebioEA12x6RelERPIpAddress, wtWebioEA2x2_24VSessCntrlLogout=wtWebioEA2x2_24VSessCntrlLogout, wtIpWatcherSessCntrlLogout=wtIpWatcherSessCntrlLogout, wtWebioEA24oemBinaryTcpClientInterval=wtWebioEA24oemBinaryTcpClientInterval, wtWebioEA6x6TimeDate=wtWebioEA6x6TimeDate, wtWebioEA12x6RelERPInputEntry=wtWebioEA12x6RelERPInputEntry, wtWebCount6SNMP=wtWebCount6SNMP, wtWebioEA12x6RelOutputModeTable=wtWebioEA12x6RelOutputModeTable, wtWebioEA12x6RelAlert11=wtWebioEA12x6RelAlert11, wtWebioEA2x2_24VBinaryUdpPeerRemoteIpAddr=wtWebioEA2x2_24VBinaryUdpPeerRemoteIpAddr, wtWebioEA12x6RelERPAlarmCount=wtWebioEA12x6RelERPAlarmCount, wtWebioEA2x2ERP_24VTimeDate=wtWebioEA2x2ERP_24VTimeDate, wtWebioEA12x6RelStTzOffsetHrs=wtWebioEA12x6RelStTzOffsetHrs, wtWebioEA2x2SyslogServerPort=wtWebioEA2x2SyslogServerPort, wtWebioEA12x12ClockHrs=wtWebioEA12x12ClockHrs, wtWebioEA2x2StTzEnable=wtWebioEA2x2StTzEnable, wtWebioEA24oemMail=wtWebioEA24oemMail, wtWebioEA2x2ERP_24VDeviceName=wtWebioEA2x2ERP_24VDeviceName, wtIpWatcher_24VAlarmAckEnable=wtIpWatcher_24VAlarmAckEnable, wtWebioEA2x2ERPText=wtWebioEA2x2ERPText, wtTrapReceiver2x2Alert5=wtTrapReceiver2x2Alert5, wtWebioEA2x2_24VInOut=wtWebioEA2x2_24VInOut, wtWebioEA12x12BinaryTcpClientLocalPort=wtWebioEA12x12BinaryTcpClientLocalPort, wtWebioEA2x2_24VSNMP=wtWebioEA2x2_24VSNMP, wtWebioEA12x6RelERPMailAdName=wtWebioEA12x6RelERPMailAdName, wtWebCount6DeviceName=wtWebCount6DeviceName, wtWebioEA12x6RelERPDeviceName=wtWebioEA12x6RelERPDeviceName, wtWebioEA12x6RelBinaryConnectedPort=wtWebioEA12x6RelBinaryConnectedPort, wtWebioEA2x2ERPAlert15=wtWebioEA2x2ERPAlert15, wtWebioEA12x6RelERPClockDay=wtWebioEA12x6RelERPClockDay, wtWebioEA2x2ERP_24VOutputTable=wtWebioEA2x2ERP_24VOutputTable, wtWebioEA2x2ERPBinaryTcpClientServerPort=wtWebioEA2x2ERPBinaryTcpClientServerPort, wtWebioEA2x2ERPAlarmTcpPort=wtWebioEA2x2ERPAlarmTcpPort, wtWebioEA6x6ClockMin=wtWebioEA6x6ClockMin, wtWebioEA12x6RelERPFTPServerControlPort=wtWebioEA12x6RelERPFTPServerControlPort, wtWebioEA24oemSyslogSystemMessagesEnable=wtWebioEA24oemSyslogSystemMessagesEnable, wtWebioEA12x6RelStTzStartMin=wtWebioEA12x6RelStTzStartMin, wtWebioEA24oemAlarmFtpOption=wtWebioEA24oemAlarmFtpOption, wtWebioEA2x2ERP_24VHttpInputTrigger=wtWebioEA2x2ERP_24VHttpInputTrigger, wtTrapReceiver2x2InputPortTable=wtTrapReceiver2x2InputPortTable, wtIpWatcherAlarmMailTrapTxEnable=wtIpWatcherAlarmMailTrapTxEnable, wtTrapReceiver2x2Diag=wtTrapReceiver2x2Diag, wtWebioEA2x2_24VAlarmUdpPort=wtWebioEA2x2_24VAlarmUdpPort, wtIpWatcherAlarmIfTable=wtIpWatcherAlarmIfTable, wtWebAlarm6x6MailReply=wtWebAlarm6x6MailReply, wtWebioEA24oemAlert18=wtWebioEA24oemAlert18, wtWebioEA12x6RelERPAddConfig=wtWebioEA12x6RelERPAddConfig, wtTrapReceiver2x2ButtonTable=wtTrapReceiver2x2ButtonTable, wtTrapReceiver2x2StTzStopMonth=wtTrapReceiver2x2StTzStopMonth, wtWebCount6Alert8=wtWebCount6Alert8, wtWebioEA12x12AlarmTable=wtWebioEA12x12AlarmTable, wtWebioEA24oemPortOutputSafetyState=wtWebioEA24oemPortOutputSafetyState, wtIpWatcherOutputs=wtIpWatcherOutputs, wtIpWatcherAlert6=wtIpWatcherAlert6, wtWebioEA12x6RelBinaryModeCount=wtWebioEA12x6RelBinaryModeCount, wtWebioEA24oemAlert21=wtWebioEA24oemAlert21, wtWebioEA2x2ERP_24VDevice=wtWebioEA2x2ERP_24VDevice, wtWebioEA2x2AlarmMailReleaseSubject=wtWebioEA2x2AlarmMailReleaseSubject, wtTrapReceiver2x2Alert3=wtTrapReceiver2x2Alert3, wtWebioEA12x6RelBinaryTcpServerClientHttpPort=wtWebioEA12x6RelBinaryTcpServerClientHttpPort, wtWebioEA6x6TzOffsetMin=wtWebioEA6x6TzOffsetMin, wtWebCount6ClockHrs=wtWebCount6ClockHrs, wtWebioEA24oemOutputPortTable=wtWebioEA24oemOutputPortTable, wtWebioEA12x6RelERPBinaryTcpServerApplicationMode=wtWebioEA12x6RelERPBinaryTcpServerApplicationMode, wtWebAlarm6x6Inputs=wtWebAlarm6x6Inputs, wtWebCount6FTPAccount=wtWebCount6FTPAccount, wtWebioEA12x6RelERPPortOutputName=wtWebioEA12x6RelERPPortOutputName, wtWebioEA2x2OutputValue=wtWebioEA2x2OutputValue, wtWebioEA6x6BinaryIfEntry=wtWebioEA6x6BinaryIfEntry, wtWebioEA2x2ERP_24VAlarmMailReleaseText=wtWebioEA2x2ERP_24VAlarmMailReleaseText, wtWebioEA2x2_24VAlert14=wtWebioEA2x2_24VAlert14, wtWebioEA2x2AlarmSnmpManagerIP=wtWebioEA2x2AlarmSnmpManagerIP, wtWebioEA12x6RelERPAlarmTable=wtWebioEA12x6RelERPAlarmTable, wtWebioEA12x12InputNo=wtWebioEA12x12InputNo, wtWebAlarm6x6Alert22=wtWebAlarm6x6Alert22, wtWebioEA6x6Alert12=wtWebioEA6x6Alert12, wtWebioEA12x6RelERPDiagErrorClear=wtWebioEA12x6RelERPDiagErrorClear, wtWebioEA12x6RelERPOutputEntry=wtWebioEA12x6RelERPOutputEntry, wtWebioEA2x2ERPBinaryUdpPeerInputTrigger=wtWebioEA2x2ERPBinaryUdpPeerInputTrigger, wtWebioEA2x2ERP_24VInputEntry=wtWebioEA2x2ERP_24VInputEntry, wtWebioEA2x2DiagErrorCount=wtWebioEA2x2DiagErrorCount, wtIpWatcherFTPPassword=wtIpWatcherFTPPassword, wtWebioEA12x6RelSyslogServerIP=wtWebioEA12x6RelSyslogServerIP, wtWebioEA6x6UDP=wtWebioEA6x6UDP, wtWebioEA12x12AlarmSnmpTrapReleaseText=wtWebioEA12x12AlarmSnmpTrapReleaseText, wtWebioEA2x2_24VStartup=wtWebioEA2x2_24VStartup, wtWebioEA24oemStTzStopHrs=wtWebioEA24oemStTzStopHrs, wtWebioEA2x2ERP_24VFTPUserName=wtWebioEA2x2ERP_24VFTPUserName, wtWebioEA24oemBinaryIfTable=wtWebioEA24oemBinaryIfTable, wtWebioEA2x2ERP_24VMail=wtWebioEA2x2ERP_24VMail, wtWebioEA6x6DeviceText=wtWebioEA6x6DeviceText, wtWebioEA2x2DnsServer2=wtWebioEA2x2DnsServer2, wtIpWatcherAlert23=wtIpWatcherAlert23, wtIpWatcherAlarmTcpPort=wtIpWatcherAlarmTcpPort, wtWebAlarm6x6AlarmMailTrgClearSubject=wtWebAlarm6x6AlarmMailTrgClearSubject, wtWebioEA2x2ERPPortOutputGroupMode=wtWebioEA2x2ERPPortOutputGroupMode, wtIpWatcherIpAddress=wtIpWatcherIpAddress, wtWebioEA2x2_24VSnmpCommunityStringRead=wtWebioEA2x2_24VSnmpCommunityStringRead, wtTrapReceiver2x2ActionMailSubject=wtTrapReceiver2x2ActionMailSubject, wtWebioEA2x2_24VSnmpSystemTrapManagerIP=wtWebioEA2x2_24VSnmpSystemTrapManagerIP, wtWebioEA12x12LoadControlEnable=wtWebioEA12x12LoadControlEnable, wtWebioEA12x6RelERPPortLogicFunction=wtWebioEA12x6RelERPPortLogicFunction, wtWebioEA2x2ERP_24VPortInputName=wtWebioEA2x2ERP_24VPortInputName, wtWebioEA12x6RelMfDeviceTyp=wtWebioEA12x6RelMfDeviceTyp, wtWebioEA24oemPortLogicInputInverter=wtWebioEA24oemPortLogicInputInverter, wtIpWatcher_24VAlarmMailReleaseText=wtIpWatcher_24VAlarmMailReleaseText, wtWebioEA12x6RelAlert10=wtWebioEA12x6RelAlert10, wtWebioEA2x2ERP_24VInputState=wtWebioEA2x2ERP_24VInputState, wtWebioEA2x2ERPOutputModeEntry=wtWebioEA2x2ERPOutputModeEntry, wtWebioEA2x2ERP_24VFTP=wtWebioEA2x2ERP_24VFTP, wtWebioEA12x6RelAlert1=wtWebioEA12x6RelAlert1, wtWebCount6TimeServer1=wtWebCount6TimeServer1, wtWebCount6DiagErrorClear=wtWebCount6DiagErrorClear)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA6x6Alert21=wtWebioEA6x6Alert21, wtWebioEA2x2ERPAlarmInputTrigger=wtWebioEA2x2ERPAlarmInputTrigger, wtWebAlarm6x6AlarmSnmpTrapTrapTxEnable=wtWebAlarm6x6AlarmSnmpTrapTrapTxEnable, wtWebioEA6x6MfDeviceTyp=wtWebioEA6x6MfDeviceTyp, wtWebioEA2x2ERP_24VInputs=wtWebioEA2x2ERP_24VInputs, wtWebioEA12x6RelERPDiagErrorCount=wtWebioEA12x6RelERPDiagErrorCount, wtIpWatcher_24VStTzStartMin=wtIpWatcher_24VStTzStartMin, wtWebioEA2x2ERPAlert19=wtWebioEA2x2ERPAlert19, wtIpWatcher_24VAlarmSnmpTrapTrgClearText=wtIpWatcher_24VAlarmSnmpTrapTrgClearText, wtIpWatcher_24VAlarmTcpText=wtIpWatcher_24VAlarmTcpText, wtWebCount6DeviceClock=wtWebCount6DeviceClock, wtWebCount6ReportSyslogPort=wtWebCount6ReportSyslogPort, wtWebioEA6x6InputCounterClear=wtWebioEA6x6InputCounterClear, wtWebCount6UdpRemotePort=wtWebCount6UdpRemotePort, wtIpWatcher_24VAlarmSetPort=wtIpWatcher_24VAlarmSetPort, wtWebCount6=wtWebCount6, wtWebAlarm6x6AlarmSyslogIpAddr=wtWebAlarm6x6AlarmSyslogIpAddr, wtWebioEA2x2ERP_24VAlert14=wtWebioEA2x2ERP_24VAlert14, wtTrapReceiver2x2PortButtonEnable=wtTrapReceiver2x2PortButtonEnable, wtWebCount6Manufact=wtWebCount6Manufact, wtWebioEA6x6TimeZone=wtWebioEA6x6TimeZone, wtWebAlarm6x6SessCntrl=wtWebAlarm6x6SessCntrl, wtWebAlarm6x6=wtWebAlarm6x6, wtIpWatcherDnsServer2=wtIpWatcherDnsServer2, wtWebioEA2x2BinaryUdpPeerRemoteIpAddr=wtWebioEA2x2BinaryUdpPeerRemoteIpAddr, wtWebioEA2x2_24VDiagErrorIndex=wtWebioEA2x2_24VDiagErrorIndex, wtWebioEA2x2_24VAlarmMailAddr=wtWebioEA2x2_24VAlarmMailAddr, wtIpWatcherSyslogServerPort=wtIpWatcherSyslogServerPort, wtWebioEA12x6RelERPMailPop3Server=wtWebioEA12x6RelERPMailPop3Server, wtWebioEA2x2ERP_24VPortInputText=wtWebioEA2x2ERP_24VPortInputText, wtWebAlarm6x6StTzStopMode=wtWebAlarm6x6StTzStopMode, wtWebCount6TimeServer=wtWebCount6TimeServer, wtWebioEA12x6RelAlarmMaxCounterValue=wtWebioEA12x6RelAlarmMaxCounterValue, wtWebioEA12x6RelFTPEnable=wtWebioEA12x6RelFTPEnable, wtWebioEA12x6RelERPMailAuthUser=wtWebioEA12x6RelERPMailAuthUser, wtWebioEA24oemTzOffsetHrs=wtWebioEA24oemTzOffsetHrs, wtWebAlarm6x6InputState=wtWebAlarm6x6InputState, wtTrapReceiver2x2SnmpEnable=wtTrapReceiver2x2SnmpEnable, wtWebAlarm6x6SessCntrlLogout=wtWebAlarm6x6SessCntrlLogout, wtTrapReceiver2x2ActionFtpOption=wtTrapReceiver2x2ActionFtpOption, wtWebioEA12x6RelERPBinaryUdpPeerRemotePort=wtWebioEA12x6RelERPBinaryUdpPeerRemotePort, wtWebioEA24oemSetOutput=wtWebioEA24oemSetOutput, wtTrapReceiver2x2WatchListEnable=wtTrapReceiver2x2WatchListEnable, wtWebioEA6x6AlarmEnable=wtWebioEA6x6AlarmEnable, wtWebioEA2x2ERP_24VStTzStartHrs=wtWebioEA2x2ERP_24VStTzStartHrs, wtWebioEA6x6PortInputText=wtWebioEA6x6PortInputText, wtIpWatcherFTPServerIP=wtIpWatcherFTPServerIP, wtIpWatcher_24VInputCounter=wtIpWatcher_24VInputCounter, wtWebioEA2x2OutputModeEntry=wtWebioEA2x2OutputModeEntry, wtWebioEA12x6RelERPAlarmEntry=wtWebioEA12x6RelERPAlarmEntry, wtWebioEA12x6RelTsEnable=wtWebioEA12x6RelTsEnable, wtWebCount6StTzOffsetHrs=wtWebCount6StTzOffsetHrs, wtWebioEA12x6RelERPOutputs=wtWebioEA12x6RelERPOutputs, wtIpWatcher_24VAlert4=wtIpWatcher_24VAlert4, wtIpWatcher_24VAlarmOutputEntry=wtIpWatcher_24VAlarmOutputEntry, wtWebCount6Device=wtWebCount6Device, wtWebioEA12x12SubnetMask=wtWebioEA12x12SubnetMask, wtIpWatcherAlert7=wtIpWatcherAlert7, wtWebioEA12x6RelMailAdName=wtWebioEA12x6RelMailAdName, wtIpWatcherAlarmTable=wtIpWatcherAlarmTable, wtWebioEA2x2ERP_24VSnmpCommunityStringRead=wtWebioEA2x2ERP_24VSnmpCommunityStringRead, wtTrapReceiver2x2Alert9=wtTrapReceiver2x2Alert9, wtWebioEA6x6Alert4=wtWebioEA6x6Alert4, wtWebCount6FTPServerControlPort=wtWebCount6FTPServerControlPort, wtWebioEA2x2_24VAlarmInterval=wtWebioEA2x2_24VAlarmInterval, wtWebioEA2x2PortPulseDuration=wtWebioEA2x2PortPulseDuration, wtWebioEA6x6AlarmMailSubject=wtWebioEA6x6AlarmMailSubject, wtWebioEA2x2_24VStTzStopMode=wtWebioEA2x2_24VStTzStopMode, wtWebioEA6x6MfAddr=wtWebioEA6x6MfAddr, wtWebioEA2x2_24VPortInputName=wtWebioEA2x2_24VPortInputName, wtWebioEA12x12BinaryIfTable=wtWebioEA12x12BinaryIfTable, wtWebioEA12x12SyslogServerIP=wtWebioEA12x12SyslogServerIP, wtWebioEA12x12FTPAccount=wtWebioEA12x12FTPAccount, wtWebioEA24oemAlert2=wtWebioEA24oemAlert2, wtWebioEA2x2SessCntrlConfigPassword=wtWebioEA2x2SessCntrlConfigPassword, wtWebioEA24oemAlert23=wtWebioEA24oemAlert23, wtWebioEA2x2ERPOutputPortEntry=wtWebioEA2x2ERPOutputPortEntry, wtWebioEA12x6RelERPAlert4=wtWebioEA12x6RelERPAlert4, wtIpWatcher_24VTimeServer=wtIpWatcher_24VTimeServer, wtWebioEA2x2_24VAlert15=wtWebioEA2x2_24VAlert15, wtWebioEA12x6RelERPSessCntrlConfigPassword=wtWebioEA12x6RelERPSessCntrlConfigPassword, wtIpWatcher_24VAlarmSyslogText=wtIpWatcher_24VAlarmSyslogText, wtIpWatcher_24VAlert22=wtIpWatcher_24VAlert22, wtWebioEA2x2_24VBinaryTcpServerApplicationMode=wtWebioEA2x2_24VBinaryTcpServerApplicationMode, wtWebioEA2x2StTzStopHrs=wtWebioEA2x2StTzStopHrs, wtWebioEA2x2_24VStTzStartWday=wtWebioEA2x2_24VStTzStartWday, wtWebioEA6x6Syslog=wtWebioEA6x6Syslog, wtWebioEA2x2ERP_24VAlert7=wtWebioEA2x2ERP_24VAlert7, wtIpWatcher_24VAlarmAckPort=wtIpWatcher_24VAlarmAckPort, wtTrapReceiver2x2SnmpCommunityStringRead=wtTrapReceiver2x2SnmpCommunityStringRead, wtWebAlarm6x6MailAuthPassword=wtWebAlarm6x6MailAuthPassword, wtIpWatcherAlert18=wtIpWatcherAlert18, wtIpWatcher_24VAlert26=wtIpWatcher_24VAlert26, wtWebioEA12x6RelDiagErrorClear=wtWebioEA12x6RelDiagErrorClear, wtWebioEA6x6AlarmFtpReleaseText=wtWebioEA6x6AlarmFtpReleaseText, wtWebioEA12x6RelERPBinaryTcpClientInputTrigger=wtWebioEA12x6RelERPBinaryTcpClientInputTrigger, wtWebioEA12x12SnmpSystemTrapEnable=wtWebioEA12x12SnmpSystemTrapEnable, wtWebioEA2x2ERP_24VAlarmFtpOption=wtWebioEA2x2ERP_24VAlarmFtpOption, wtWebAlarm6x6PortPulseDuration=wtWebAlarm6x6PortPulseDuration, wtWebioEA2x2_24VAlert5=wtWebioEA2x2_24VAlert5, wtWebioEA2x2ERPSnmpSystemTrapManagerIP=wtWebioEA2x2ERPSnmpSystemTrapManagerIP, wtWebioEA2x2ERPAlarmTimerCron=wtWebioEA2x2ERPAlarmTimerCron, wtWebAlarm6x6AlarmUdpIpAddr=wtWebAlarm6x6AlarmUdpIpAddr, wtIpWatcherAlarmMailReleaseSubject=wtIpWatcherAlarmMailReleaseSubject, wtWebioEA24oemBinaryTcpServerInputTrigger=wtWebioEA24oemBinaryTcpServerInputTrigger, wtWebioEA2x2ERPBinaryTcpServerLocalPort=wtWebioEA2x2ERPBinaryTcpServerLocalPort, wtWebioEA12x6RelERPInOut=wtWebioEA12x6RelERPInOut, wtWebCount6InputTable=wtWebCount6InputTable, wtWebioEA6x6Alert20=wtWebioEA6x6Alert20, wtWebioEA2x2ERPAlert18=wtWebioEA2x2ERPAlert18, wtIpWatcher_24VAddConfig=wtIpWatcher_24VAddConfig, wtIpWatcher_24VAlarmTcpPort=wtIpWatcher_24VAlarmTcpPort, wtWebioEA6x6InputTable=wtWebioEA6x6InputTable, wtWebioEA2x2ERPBinaryIfEntry=wtWebioEA2x2ERPBinaryIfEntry, wtWebioEA2x2ERP_24VAlarmFtpDataPort=wtWebioEA2x2ERP_24VAlarmFtpDataPort, wtWebioEA12x6RelERPSessCntrlLogout=wtWebioEA12x6RelERPSessCntrlLogout, wtIpWatcherDeviceContact=wtIpWatcherDeviceContact, wtWebioEA12x6RelMailReply=wtWebioEA12x6RelMailReply, wtWebCount6ClockYear=wtWebCount6ClockYear, wtIpWatcher_24VAlert11=wtIpWatcher_24VAlert11, wtWebioEA24oemFTPServerControlPort=wtWebioEA24oemFTPServerControlPort, wtWebAlarm6x6Alert32=wtWebAlarm6x6Alert32, wtWebioEA12x12BinaryTcpServerInputTrigger=wtWebioEA12x12BinaryTcpServerInputTrigger, wtIpWatcherOutputNo=wtIpWatcherOutputNo, wtTrapReceiver2x2SyslogEnable=wtTrapReceiver2x2SyslogEnable, wtWebioEA12x12InputEntry=wtWebioEA12x12InputEntry, wtIpWatcher_24VPortPulsePolarity=wtIpWatcher_24VPortPulsePolarity, wtWebioEA12x6RelAlert22=wtWebioEA12x6RelAlert22, wtWebioEA24oemAlarmTcpText=wtWebioEA24oemAlarmTcpText, wtWebioEA12x12PortPulsePolarity=wtWebioEA12x12PortPulsePolarity, wtWebioEA12x12SessCntrl=wtWebioEA12x12SessCntrl, wtIpWatcher_24VMailEnable=wtIpWatcher_24VMailEnable, wtTrapReceiver2x2ActionTriggerState=wtTrapReceiver2x2ActionTriggerState, wtTrapReceiver2x2SnmpSystemTrapEnable=wtTrapReceiver2x2SnmpSystemTrapEnable, wtWebioEA6x6OutputNo=wtWebioEA6x6OutputNo, wtWebioEA2x2ERPStTzStopMin=wtWebioEA2x2ERPStTzStopMin, wtWebioEA2x2ERP_24VBinaryModeCount=wtWebioEA2x2ERP_24VBinaryModeCount, wtIpWatcher_24VDeviceText=wtIpWatcher_24VDeviceText, wtWebioEA6x6AlarmSyslogReleaseText=wtWebioEA6x6AlarmSyslogReleaseText, wtWebioEA24oemAlert8=wtWebioEA24oemAlert8, wtWebioEA2x2ERP_24VAlarmUdpIpAddr=wtWebioEA2x2ERP_24VAlarmUdpIpAddr, wtWebCount6ReportSystemTrigger=wtWebCount6ReportSystemTrigger, wtWebioEA2x2ERP_24VPortOutputName=wtWebioEA2x2ERP_24VPortOutputName, wtWebioEA24oemInputEntry=wtWebioEA24oemInputEntry, wtWebioEA2x2ERP_24VAlarmInterval=wtWebioEA2x2ERP_24VAlarmInterval, wtComServer=wtComServer, wtWebioEA2x2ERPAlarmEntry=wtWebioEA2x2ERPAlarmEntry, wtWebioEA2x2StTzStopMonth=wtWebioEA2x2StTzStopMonth, wtWebioEA24oemHttpPort=wtWebioEA24oemHttpPort, wtWebioEA2x2Alert19=wtWebioEA2x2Alert19, wtWebioEA12x6RelERPStTzStartMode=wtWebioEA12x6RelERPStTzStartMode, wtIpWatcherTimeServer2=wtIpWatcherTimeServer2, wtWebioEA12x6RelERPBinaryModeNo=wtWebioEA12x6RelERPBinaryModeNo, wtWebioEA12x12LoadControlView=wtWebioEA12x12LoadControlView, wtWebCount6ReportCount=wtWebCount6ReportCount, wtWebioEA2x2OutputTable=wtWebioEA2x2OutputTable, wtWebioEA2x2OutputEntry=wtWebioEA2x2OutputEntry, wtWebioEA24oemBinaryTcpClientInputTrigger=wtWebioEA24oemBinaryTcpClientInputTrigger, wtWebioEA12x6RelERPHTTP=wtWebioEA12x6RelERPHTTP, wtWebioEA24oemAlarmFtpDataPort=wtWebioEA24oemAlarmFtpDataPort, wtWebioEA2x2_24VAlert24=wtWebioEA2x2_24VAlert24, wtWebioEA12x12Startup=wtWebioEA12x12Startup, wtWebioEA2x2ERP_24VWayBackServerControlPort=wtWebioEA2x2ERP_24VWayBackServerControlPort, wtWebAlarm6x6AlarmFtpText=wtWebAlarm6x6AlarmFtpText, wtWebioEA12x12BinaryUdpPeerRemoteIpAddr=wtWebioEA12x12BinaryUdpPeerRemoteIpAddr, wtTrapReceiver2x2Inputs=wtTrapReceiver2x2Inputs, wtIpWatcherIpListService=wtIpWatcherIpListService, wtWebioEA6x6AlarmMailAddr=wtWebioEA6x6AlarmMailAddr, wtWebioEA2x2UdpEnable=wtWebioEA2x2UdpEnable, wtWebAlarm6x6FTPUserName=wtWebAlarm6x6FTPUserName, wtIpWatcherMailAuthentication=wtIpWatcherMailAuthentication, wtWebioEA12x6RelAlert14=wtWebioEA12x6RelAlert14, wtWebioEA12x6RelERPSetOutput=wtWebioEA12x6RelERPSetOutput, wtWebioEA2x2DeviceLocation=wtWebioEA2x2DeviceLocation, wtWebioEA2x2_24VMfInternet=wtWebioEA2x2_24VMfInternet, wtWebioEA12x12Gateway=wtWebioEA12x12Gateway, wtWebioEA6x6DnsServer2=wtWebioEA6x6DnsServer2, wtWebioEA2x2BinaryUdpPeerLocalPort=wtWebioEA2x2BinaryUdpPeerLocalPort, wtWebioEA2x2ERPWayBackFTPPassword=wtWebioEA2x2ERPWayBackFTPPassword, wtWebioEA6x6OutputTable=wtWebioEA6x6OutputTable, wtTrapReceiver2x2DiagErrorIndex=wtTrapReceiver2x2DiagErrorIndex, wtWebioEA2x2_24VSyslogServerPort=wtWebioEA2x2_24VSyslogServerPort, wtWebioEA2x2ERPBinaryModeNo=wtWebioEA2x2ERPBinaryModeNo, wtTrapReceiver2x2DeviceText=wtTrapReceiver2x2DeviceText, wtWebioEA2x2UdpRemotePort=wtWebioEA2x2UdpRemotePort, wtWebioEA12x6RelERPBinaryUdpPeerRemoteIpAddr=wtWebioEA12x6RelERPBinaryUdpPeerRemoteIpAddr, wtIpWatcher_24VInputPortTable=wtIpWatcher_24VInputPortTable, wtWebioEA2x2ERP_24VWayBackFTPTimeOut=wtWebioEA2x2ERP_24VWayBackFTPTimeOut, wtWebAlarm6x6PortInputPulsePolarity=wtWebAlarm6x6PortInputPulsePolarity, wtWebioEA12x6RelERPMailAuthentication=wtWebioEA12x6RelERPMailAuthentication, wtIpWatcher_24VAlarmTcpReleaseText=wtIpWatcher_24VAlarmTcpReleaseText, wtWebioEA12x12AlarmSyslogIpAddr=wtWebioEA12x12AlarmSyslogIpAddr, wtWebioEA12x6RelAlert4=wtWebioEA12x6RelAlert4, wtIpWatcherAlert36=wtIpWatcherAlert36, wtTrapReceiver2x2StTzStopMin=wtTrapReceiver2x2StTzStopMin, wtWebioEA6x6SyslogEnable=wtWebioEA6x6SyslogEnable, wtWebAlarm6x6AlarmInterval=wtWebAlarm6x6AlarmInterval, wtWebioEA12x6RelERPUdpRemotePort=wtWebioEA12x6RelERPUdpRemotePort, wtWebioEA2x2_24VAlarmSyslogIpAddr=wtWebioEA2x2_24VAlarmSyslogIpAddr, wtWebioEA24oemBasic=wtWebioEA24oemBasic, wtIpWatcher_24VAlarmUdpPort=wtIpWatcher_24VAlarmUdpPort, wtWebCount6ReportName=wtWebCount6ReportName, wtWebioEA2x2ERPStTzStopMode=wtWebioEA2x2ERPStTzStopMode, wtWebioEA2x2ERP_24VClockMin=wtWebioEA2x2ERP_24VClockMin, wtIpWatcher_24VAlarmTcpTrgClearText=wtIpWatcher_24VAlarmTcpTrgClearText, wtWebioEA2x2Alert21=wtWebioEA2x2Alert21, wtWebCount6PortInputBicountInactivTimeout=wtWebCount6PortInputBicountInactivTimeout, wtWebioEA2x2ERPAlarmUdpReleaseText=wtWebioEA2x2ERPAlarmUdpReleaseText, wtWebioEA2x2ERP_24VDeviceLocation=wtWebioEA2x2ERP_24VDeviceLocation, wtWebioEA2x2DeviceText=wtWebioEA2x2DeviceText, wtWebioEA6x6Alert9=wtWebioEA6x6Alert9, wtWebioEA6x6AlarmSystemTrigger=wtWebioEA6x6AlarmSystemTrigger, wtWebioEA2x2ERPFTPOption=wtWebioEA2x2ERPFTPOption, wtWebioEA2x2OutputPortEntry=wtWebioEA2x2OutputPortEntry, wtTrapReceiver2x2DiagBinaryError=wtTrapReceiver2x2DiagBinaryError, wtIpWatcherStTzStartWday=wtIpWatcherStTzStartWday, wtWebioEA2x2BinaryModeCount=wtWebioEA2x2BinaryModeCount, wtWebAlarm6x6DiagBinaryError=wtWebAlarm6x6DiagBinaryError, wtWebioEA24oemAlarm=wtWebioEA24oemAlarm, wtWebioEA2x2ERPUdpAdminPort=wtWebioEA2x2ERPUdpAdminPort, wtIpWatcher_24VIpList=wtIpWatcher_24VIpList, wtWebioEA12x12StTzStartHrs=wtWebioEA12x12StTzStartHrs, wtWebioEA12x6RelERPDeviceClock=wtWebioEA12x6RelERPDeviceClock, wtWebioEA12x6RelAlert9=wtWebioEA12x6RelAlert9, wtIpWatcherAlert27=wtIpWatcherAlert27, wtIpWatcherIpList=wtIpWatcherIpList, wtWebioEA24oemPortOutputGroupMode=wtWebioEA24oemPortOutputGroupMode, wtWebioEA2x2ERPSubnetMask=wtWebioEA2x2ERPSubnetMask, wtWebioEA2x2ERP_24VOutputMode=wtWebioEA2x2ERP_24VOutputMode, wtTrapReceiver2x2ActionMailText=wtTrapReceiver2x2ActionMailText, wtWebioEA12x6RelSnmpSystemTrapManagerIP=wtWebioEA12x6RelSnmpSystemTrapManagerIP, wtWebAlarm6x6MailServer=wtWebAlarm6x6MailServer, wtWebioEA2x2ERPAlert22=wtWebioEA2x2ERPAlert22, wtWebAlarm6x6InputCounterClear=wtWebAlarm6x6InputCounterClear, wtWebioEA2x2ERP_24VOutputPortEntry=wtWebioEA2x2ERP_24VOutputPortEntry, wtWebioEA6x6AlarmEntry=wtWebioEA6x6AlarmEntry, wtWebAlarm6x6Alert28=wtWebAlarm6x6Alert28, wtWebioEA12x12FTPOption=wtWebioEA12x12FTPOption, wtWebioEA2x2ERP_24VStTzEnable=wtWebioEA2x2ERP_24VStTzEnable, wtIpWatcher_24VClockYear=wtIpWatcher_24VClockYear, wtWebioEA12x12TzOffsetMin=wtWebioEA12x12TzOffsetMin, wtTrapReceiver2x2ActionTcpText=wtTrapReceiver2x2ActionTcpText, wtWebAlarm6x6AlarmOutputTable=wtWebAlarm6x6AlarmOutputTable, wtIpWatcherAlert1=wtIpWatcherAlert1, wtIpWatcher_24VUdpAdminPort=wtIpWatcher_24VUdpAdminPort, wtWebioEA6x6Manufact=wtWebioEA6x6Manufact, wtWebioEA12x12Ports=wtWebioEA12x12Ports, wtWebioEA12x12AlarmMailReleaseText=wtWebioEA12x12AlarmMailReleaseText, wtWebioEA12x12MailAuthUser=wtWebioEA12x12MailAuthUser, wtWebioEA12x12Text=wtWebioEA12x12Text, wtWebAlarm6x6PortPulsePolarity=wtWebAlarm6x6PortPulsePolarity, wtWebioEA2x2MfHotline=wtWebioEA2x2MfHotline, wtWebioEA2x2_24VMailReply=wtWebioEA2x2_24VMailReply, wtWebioEA2x2_24VAlarmCount=wtWebioEA2x2_24VAlarmCount)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtWebioEA2x2ClockHrs=wtWebioEA2x2ClockHrs, wtTrapReceiver2x2HTTP=wtTrapReceiver2x2HTTP, wtWebCount6SessCntrlPassword=wtWebCount6SessCntrlPassword, wtWebioEA2x2ERP_24VPortInputBicountInactivTimeout=wtWebioEA2x2ERP_24VPortInputBicountInactivTimeout, wtWebioEA24oemOutputTable=wtWebioEA24oemOutputTable, wtWebCount6DiagErrorIndex=wtWebCount6DiagErrorIndex, wtWebioEA12x12Alert11=wtWebioEA12x12Alert11, wtWebioEA2x2_24VAlarmTcpText=wtWebioEA2x2_24VAlarmTcpText, wtIpWatcher_24VMfDeviceTyp=wtIpWatcher_24VMfDeviceTyp, wtIpWatcherUDP=wtIpWatcherUDP, wtWebioEA6x6Alert2=wtWebioEA6x6Alert2, wtIpWatcher_24VSessCntrlLogout=wtIpWatcher_24VSessCntrlLogout, wtWebioEA6x6SyslogServerPort=wtWebioEA6x6SyslogServerPort, wtWebCount6Ports=wtWebCount6Ports, wtWebioEA2x2ERP_24VText=wtWebioEA2x2ERP_24VText, wtWebioEA2x2ERPBinaryTcpClientInputTrigger=wtWebioEA2x2ERPBinaryTcpClientInputTrigger, wtWebioEA12x6RelERPStTzStartHrs=wtWebioEA12x6RelERPStTzStartHrs, wtWebioEA2x2ERPOutputModeTable=wtWebioEA2x2ERPOutputModeTable, wtWebioEA2x2ERP_24VClockYear=wtWebioEA2x2ERP_24VClockYear, wtWebioEA2x2_24VAlarmSnmpTrapReleaseText=wtWebioEA2x2_24VAlarmSnmpTrapReleaseText, wtTrapReceiver2x2UdpEnable=wtTrapReceiver2x2UdpEnable, wtWebioEA24oemAlert20=wtWebioEA24oemAlert20, wtWebioEA12x6RelText=wtWebioEA12x6RelText, wtWebioEA12x12AlarmUdpIpAddr=wtWebioEA12x12AlarmUdpIpAddr, wtWebAlarm6x6MfAddr=wtWebAlarm6x6MfAddr, wtWebioEA6x6BinaryOperationMode=wtWebioEA6x6BinaryOperationMode, wtWebioEA2x2_24VDeviceClock=wtWebioEA2x2_24VDeviceClock, wtWebioEA2x2ERPOutputModeBit=wtWebioEA2x2ERPOutputModeBit, wtIpWatcherInputTable=wtIpWatcherInputTable, wtWebioEA2x2_24VBinaryUdpPeerApplicationMode=wtWebioEA2x2_24VBinaryUdpPeerApplicationMode, wtWebioEA2x2DeviceClock=wtWebioEA2x2DeviceClock, wtWebioEA6x6PortOutputSafetyState=wtWebioEA6x6PortOutputSafetyState, wtIpWatcher_24VDiagErrorClear=wtIpWatcher_24VDiagErrorClear, wtWebioEA2x2DiagErrorIndex=wtWebioEA2x2DiagErrorIndex, wtWebAlarm6x6Alert35=wtWebAlarm6x6Alert35, wtIpWatcher_24VPortOutputName=wtIpWatcher_24VPortOutputName, wtWebioEA2x2TsSyncTime=wtWebioEA2x2TsSyncTime, wtWebioEA6x6HTTP=wtWebioEA6x6HTTP, wtWebioEA2x2_24VSessCntrlAdminPassword=wtWebioEA2x2_24VSessCntrlAdminPassword, wtWebioEA2x2ERP_24VPortLogicOutputInverter=wtWebioEA2x2ERP_24VPortLogicOutputInverter, wtWebioEA2x2ERPBinaryConnectedIpAddr=wtWebioEA2x2ERPBinaryConnectedIpAddr, wtWebioEA2x2=wtWebioEA2x2, wtWebioEA2x2_24VAlarmFtpFileName=wtWebioEA2x2_24VAlarmFtpFileName, wtIpWatcher_24VAlarmFtpReleaseText=wtIpWatcher_24VAlarmFtpReleaseText, wtWebioEA2x2ERP_24VPortOutputGroupMode=wtWebioEA2x2ERP_24VPortOutputGroupMode, wtWebioEA12x12StTzStartMonth=wtWebioEA12x12StTzStartMonth, wtWebioEA2x2_24VSyslogSystemMessagesEnable=wtWebioEA2x2_24VSyslogSystemMessagesEnable, wtWebioEA12x6RelSyslog=wtWebioEA12x6RelSyslog, wtWebioEA12x6RelPortLogicInputInverter=wtWebioEA12x6RelPortLogicInputInverter, wtWebioEA12x12Alert2=wtWebioEA12x12Alert2, wtWebioEA12x6RelERPStartup=wtWebioEA12x6RelERPStartup, wtWebioEA12x6RelPortLogicOutputInverter=wtWebioEA12x6RelPortLogicOutputInverter, wtWebioEA2x2ERPStTzStartMode=wtWebioEA2x2ERPStTzStartMode, wtWebioEA24oemBinaryTable=wtWebioEA24oemBinaryTable, wtWebioEA6x6AlarmSyslogText=wtWebioEA6x6AlarmSyslogText, wtIpWatcherOutputTable=wtIpWatcherOutputTable, wtTrapReceiver2x2ActionTcpPort=wtTrapReceiver2x2ActionTcpPort, wtWebioEA12x6RelBinaryTcpClientInactivity=wtWebioEA12x6RelBinaryTcpClientInactivity, wtIpWatcher_24VInputState=wtIpWatcher_24VInputState, wtIpWatcher_24VDeviceContact=wtIpWatcher_24VDeviceContact, wtIpWatcher_24VFTPPassword=wtIpWatcher_24VFTPPassword, wtTrapReceiver2x2WatchListName=wtTrapReceiver2x2WatchListName, wtWebioEA2x2ERP_24VSessCntrlLogout=wtWebioEA2x2ERP_24VSessCntrlLogout, wtWebCount6ReportTcpIpAddr=wtWebCount6ReportTcpIpAddr, wtWebioEA2x2ERP_24VLoadControlEnable=wtWebioEA2x2ERP_24VLoadControlEnable, wtWebCount6ReportSyslogText=wtWebCount6ReportSyslogText, wtWebioEA24oemBinaryUdpPeerRemotePort=wtWebioEA24oemBinaryUdpPeerRemotePort, wtWebCount6TsEnable=wtWebCount6TsEnable, wtWebioEA2x2ERP_24VAlarmOutputTrigger=wtWebioEA2x2ERP_24VAlarmOutputTrigger, wtWebioEA2x2_24VAlarmEntry=wtWebioEA2x2_24VAlarmEntry, wtWebioEA12x12PortInputText=wtWebioEA12x12PortInputText, wtWebioEA2x2_24VHttpInputTrigger=wtWebioEA2x2_24VHttpInputTrigger, wtWebioEA2x2ERP_24VDnsServer2=wtWebioEA2x2ERP_24VDnsServer2, wtWebioEA12x6RelERPInputs=wtWebioEA12x6RelERPInputs, wtIpWatcherAlarmTcpText=wtIpWatcherAlarmTcpText, wtIpWatcherFTPOption=wtIpWatcherFTPOption, wtWebioEA2x2Binary=wtWebioEA2x2Binary, wtWebioEA12x6RelAlarmFtpOption=wtWebioEA12x6RelAlarmFtpOption, wtWebioEA12x12AlarmSyslogPort=wtWebioEA12x12AlarmSyslogPort, wtWebioEA2x2ERPSessCntrlAdminPassword=wtWebioEA2x2ERPSessCntrlAdminPassword, wtWebioEA12x6RelERPTimeServer1=wtWebioEA12x6RelERPTimeServer1, wtWebioEA24oemAlarmSyslogPort=wtWebioEA24oemAlarmSyslogPort, wtWebioEA12x6RelSessCntrlLogout=wtWebioEA12x6RelSessCntrlLogout, wtWebioEA2x2BinaryOperationMode=wtWebioEA2x2BinaryOperationMode, wtWebioEA12x6RelSNMP=wtWebioEA12x6RelSNMP, wtWebioEA12x6RelERPAlert2=wtWebioEA12x6RelERPAlert2, wtWebAlarm6x6AlarmFtpTrgClearText=wtWebAlarm6x6AlarmFtpTrgClearText, wtWebioEA6x6AlarmMailText=wtWebioEA6x6AlarmMailText, wtWebioEA2x2ERP_24VSyslog=wtWebioEA2x2ERP_24VSyslog, wtWebioEA2x2ERPMailPop3Server=wtWebioEA2x2ERPMailPop3Server, wtWebioEA2x2ERPFTPUserName=wtWebioEA2x2ERPFTPUserName, wtWebioEA24oemBinaryEntry=wtWebioEA24oemBinaryEntry, wtWebioEA12x6RelERPOutputTable=wtWebioEA12x6RelERPOutputTable, wtWebioEA12x12StTzStartMode=wtWebioEA12x12StTzStartMode, wtWebCount6AddConfig=wtWebCount6AddConfig, wtWebioEA6x6BinaryIfTable=wtWebioEA6x6BinaryIfTable, wtIpWatcher_24VAlarmTimerCron=wtIpWatcher_24VAlarmTimerCron, wtIpWatcherAlarmMailReleaseText=wtIpWatcherAlarmMailReleaseText, wtWebioEA6x6PortInputMode=wtWebioEA6x6PortInputMode, wtIpWatcher_24VAlert15=wtIpWatcher_24VAlert15, wtWebioEA2x2_24VHttpPort=wtWebioEA2x2_24VHttpPort, wtWebioEA12x6RelERPAlert23=wtWebioEA12x6RelERPAlert23, wtWebioEA24oemSubnetMask=wtWebioEA24oemSubnetMask, wtIpWatcherAlarmUdpPort=wtIpWatcherAlarmUdpPort, wtWebioEA2x2Alert13=wtWebioEA2x2Alert13, wtWebioEA12x6RelBinaryTcpServerInputTrigger=wtWebioEA12x6RelBinaryTcpServerInputTrigger, wtWebioEA2x2ERPMail=wtWebioEA2x2ERPMail, wtWebAlarm6x6FTPServerIP=wtWebAlarm6x6FTPServerIP, wtWebioEA2x2ERPAlarmSnmpTrapText=wtWebioEA2x2ERPAlarmSnmpTrapText, wtWebioEA24oemSessCntrlAdminPassword=wtWebioEA24oemSessCntrlAdminPassword, wtWebioEA2x2ERPLoadControlView=wtWebioEA2x2ERPLoadControlView, wtWebioEA12x6RelERP=wtWebioEA12x6RelERP, wtWebAlarm6x6AlarmName=wtWebAlarm6x6AlarmName, wtWebioEA24oemSessCntrlLogout=wtWebioEA24oemSessCntrlLogout, wtWebioEA12x12AlarmMailText=wtWebioEA12x12AlarmMailText, wtIpWatcherAlarmOutputEntry=wtIpWatcherAlarmOutputEntry, wtWebioEA6x6FTPAccount=wtWebioEA6x6FTPAccount, wtWebioEA2x2_24VBinaryModeCount=wtWebioEA2x2_24VBinaryModeCount, wtWebioEA12x12SNMP=wtWebioEA12x12SNMP, wtWebAlarm6x6ClockDay=wtWebAlarm6x6ClockDay, wtTrapReceiver2x2SystemTimerTable=wtTrapReceiver2x2SystemTimerTable, wtWebioEA12x12PortInputBicountInactivTimeout=wtWebioEA12x12PortInputBicountInactivTimeout, wtWebCount6ReportOutputTable=wtWebCount6ReportOutputTable, wtIpWatcherAlarmCounterClear=wtIpWatcherAlarmCounterClear, wtWebioEA2x2ERP_24VSafetyTimeout=wtWebioEA2x2ERP_24VSafetyTimeout, wtTrapReceiver2x2ActionSyslogPort=wtTrapReceiver2x2ActionSyslogPort, wtWebioEA12x6RelAlert17=wtWebioEA12x6RelAlert17, wtWebioEA12x6RelHTTP=wtWebioEA12x6RelHTTP, wtIpWatcher_24VSNMP=wtIpWatcher_24VSNMP, wtWebioEA24oemGateway=wtWebioEA24oemGateway, wtTrapReceiver2x2ActionUdpText=wtTrapReceiver2x2ActionUdpText, wtWebioEA6x6StTzStartHrs=wtWebioEA6x6StTzStartHrs, wtWebioEA2x2ERPStartup=wtWebioEA2x2ERPStartup, wtWebioEA2x2_24VOutputEntry=wtWebioEA2x2_24VOutputEntry, wtWebioEA2x2ERPAlarmMailReleaseSubject=wtWebioEA2x2ERPAlarmMailReleaseSubject, wtTrapReceiver2x2FTPAccount=wtTrapReceiver2x2FTPAccount, wtWebioEA12x6RelERPAlert17=wtWebioEA12x6RelERPAlert17, wtWebioEA2x2ERP_24VClockDay=wtWebioEA2x2ERP_24VClockDay, wtWebCount6ReportFtpOption=wtWebCount6ReportFtpOption, wtWebioEA2x2FTPAccount=wtWebioEA2x2FTPAccount, wtWebioEA2x2TimeServer1=wtWebioEA2x2TimeServer1, wtWebAlarm6x6TzEnable=wtWebAlarm6x6TzEnable, wtWebioEA24oemPortPulsePolarity=wtWebioEA24oemPortPulsePolarity, wtWebioEA2x2Network=wtWebioEA2x2Network, wtWebioEA2x2_24VTimeZone=wtWebioEA2x2_24VTimeZone, wtWebioEA2x2ERPFTPServerIP=wtWebioEA2x2ERPFTPServerIP, wtWebioEA2x2TzOffsetMin=wtWebioEA2x2TzOffsetMin, wtWebioEA2x2ERPInputState=wtWebioEA2x2ERPInputState, wtIpWatcherAlert2=wtIpWatcherAlert2, wtWebioEA2x2ERP_24VStTzStartWday=wtWebioEA2x2ERP_24VStTzStartWday, wtWebioEA2x2AlarmTcpPort=wtWebioEA2x2AlarmTcpPort, wtWebioEA2x2ERP_24VAddConfig=wtWebioEA2x2ERP_24VAddConfig, wtWebioEA2x2ERP_24VSyslogServerPort=wtWebioEA2x2ERP_24VSyslogServerPort, wtIpWatcher_24VAlarmFtpTrapTxEnable=wtIpWatcher_24VAlarmFtpTrapTxEnable, wtWebioEA2x2_24VSessCntrlConfigPassword=wtWebioEA2x2_24VSessCntrlConfigPassword, wtWebioEA6x6InputNo=wtWebioEA6x6InputNo, wtIpWatcherSnmpEnable=wtIpWatcherSnmpEnable, wtWebCount6SyslogServerIP=wtWebCount6SyslogServerIP, wtWebioEA6x6StTzStartMode=wtWebioEA6x6StTzStartMode, wtWebioEA6x6DeviceClock=wtWebioEA6x6DeviceClock, wtWebioEA12x6RelERPAlarmMailAddr=wtWebioEA12x6RelERPAlarmMailAddr, wtWebioEA24oemAlert19=wtWebioEA24oemAlert19, wtIpWatcherStTzStartMode=wtIpWatcherStTzStartMode, wtWebioEA6x6SafetyTimeout=wtWebioEA6x6SafetyTimeout, wtWebioEA2x2ERPDnsServer1=wtWebioEA2x2ERPDnsServer1, wtWebioEA12x6RelERPSyslogEnable=wtWebioEA12x6RelERPSyslogEnable, wtWebioEA12x6RelPortInputBicountPulsePolarity=wtWebioEA12x6RelPortInputBicountPulsePolarity, wtWebioEA12x6RelERPBinaryTcpClientServerIpAddr=wtWebioEA12x6RelERPBinaryTcpClientServerIpAddr, wtWebAlarm6x6Alert8=wtWebAlarm6x6Alert8, wtIpWatcher_24VSnmpCommunityStringReadWrite=wtIpWatcher_24VSnmpCommunityStringReadWrite, wtTrapReceiver2x2PrepareOutEvents=wtTrapReceiver2x2PrepareOutEvents, wtIpWatcherMfAddr=wtIpWatcherMfAddr, wtWebioEA12x6RelERPSafetyTimeout=wtWebioEA12x6RelERPSafetyTimeout, wtWebioEA2x2BinaryTcpServerLocalPort=wtWebioEA2x2BinaryTcpServerLocalPort, wtWebioEA12x12PortLogicInputInverter=wtWebioEA12x12PortLogicInputInverter, wtWebioEA12x6RelERPSessCntrlPassword=wtWebioEA12x6RelERPSessCntrlPassword, wtWebioEA12x6RelAlarm=wtWebioEA12x6RelAlarm, wtWebioEA2x2ERPAlarmSnmpManagerIP=wtWebioEA2x2ERPAlarmSnmpManagerIP, wtWebAlarm6x6ClockHrs=wtWebAlarm6x6ClockHrs, wtWebioEA6x6DeviceName=wtWebioEA6x6DeviceName, wtWebioEA12x6RelSetOutput=wtWebioEA12x6RelSetOutput, wtWebioEA6x6AlarmMailReleaseText=wtWebioEA6x6AlarmMailReleaseText, wtWebioEA24oemAlert14=wtWebioEA24oemAlert14, wtWebioEA12x6RelERPClockMonth=wtWebioEA12x6RelERPClockMonth, wtWebioEA2x2ERP_24VStTzStopWday=wtWebioEA2x2ERP_24VStTzStopWday, wtWebioEA2x2ERP_24VAlarmInputTrigger=wtWebioEA2x2ERP_24VAlarmInputTrigger, wtWebioEA2x2_24VAlarmMailText=wtWebioEA2x2_24VAlarmMailText, wtWebioEA2x2ERP_24VPortOutputText=wtWebioEA2x2ERP_24VPortOutputText, wtWebioEA12x6RelAlarmFtpText=wtWebioEA12x6RelAlarmFtpText, wtWebioEA2x2ERP_24VPortLogicFunction=wtWebioEA2x2ERP_24VPortLogicFunction, wtWebioEA12x6RelBinaryUdpPeerRemoteIpAddr=wtWebioEA12x6RelBinaryUdpPeerRemoteIpAddr, wtWebioEA12x12TsEnable=wtWebioEA12x12TsEnable, wtWebioEA6x6StTzStartMin=wtWebioEA6x6StTzStartMin, wtIpWatcherOutputPortTable=wtIpWatcherOutputPortTable, wtIpWatcher_24VSessCntrl=wtIpWatcher_24VSessCntrl, wtWebioEA6x6Config=wtWebioEA6x6Config, wtWebioEA6x6SessCntrl=wtWebioEA6x6SessCntrl, wtWebioEA12x12BinaryTcpClientApplicationMode=wtWebioEA12x12BinaryTcpClientApplicationMode, wtWebioEA24oemBinaryUdpPeerApplicationMode=wtWebioEA24oemBinaryUdpPeerApplicationMode, wtWebioEA2x2LCShutDownView=wtWebioEA2x2LCShutDownView, wtIpWatcher_24VSubnetMask=wtIpWatcher_24VSubnetMask, wtWebioEA2x2Alert24=wtWebioEA2x2Alert24, wtWebCount6Alert11=wtWebCount6Alert11, wtWebioEA2x2_24VSyslogServerIP=wtWebioEA2x2_24VSyslogServerIP, wtIpWatcher_24VClockHrs=wtIpWatcher_24VClockHrs, wtWebioEA24oemAlert13=wtWebioEA24oemAlert13, wtWebioEA12x6RelPortLogicFunction=wtWebioEA12x6RelPortLogicFunction, wtWebioEA6x6Alert13=wtWebioEA6x6Alert13, wtWebioEA12x6RelERPStTzStartMonth=wtWebioEA12x6RelERPStTzStartMonth, wtWebioEA2x2ERP_24VAlert9=wtWebioEA2x2ERP_24VAlert9, wtWebioEA24oemSnmpSystemTrapEnable=wtWebioEA24oemSnmpSystemTrapEnable, wtWebioEA2x2BinaryTcpClientApplicationMode=wtWebioEA2x2BinaryTcpClientApplicationMode, wtWebioEA12x6RelDeviceText=wtWebioEA12x6RelDeviceText, wtTrapReceiver2x2SubnetMask=wtTrapReceiver2x2SubnetMask, wtWebioEA2x2Alert4=wtWebioEA2x2Alert4, wtTrapReceiver2x2Action=wtTrapReceiver2x2Action, wtWebioEA6x6Alert16=wtWebioEA6x6Alert16, wtIpWatcher_24VAlert25=wtIpWatcher_24VAlert25, wtIpWatcherAlarmTcpTrapTxEnable=wtIpWatcherAlarmTcpTrapTxEnable, wtWebioEA2x2AlarmTcpText=wtWebioEA2x2AlarmTcpText, wtWebioEA6x6Alert5=wtWebioEA6x6Alert5, wtTrapReceiver2x2ButtonPortEntry=wtTrapReceiver2x2ButtonPortEntry, wtWebioEA12x6RelTimeDate=wtWebioEA12x6RelTimeDate, wtWebAlarm6x6Alert1=wtWebAlarm6x6Alert1, wtWebCount6SyslogEnable=wtWebCount6SyslogEnable, wtTrapReceiver2x2AddConfig=wtTrapReceiver2x2AddConfig, wtTrapReceiver2x2ClockDay=wtTrapReceiver2x2ClockDay, wtWebioEA12x6RelERPClockMin=wtWebioEA12x6RelERPClockMin, wtIpWatcher_24VTzOffsetMin=wtIpWatcher_24VTzOffsetMin, wtWebioEA2x2ERP_24VMfDeviceTyp=wtWebioEA2x2ERP_24VMfDeviceTyp, wtWebioEA2x2TzOffsetHrs=wtWebioEA2x2TzOffsetHrs, wtWebioEA2x2_24VStTzStartMin=wtWebioEA2x2_24VStTzStartMin, wtWebioEA12x12UdpAdminPort=wtWebioEA12x12UdpAdminPort, wtIpWatcherAlarmCount=wtIpWatcherAlarmCount, wtWebCount6InputEntry=wtWebCount6InputEntry, wtWebioEA12x6RelInputEntry=wtWebioEA12x6RelInputEntry, wtWebAlarm6x6MfDeviceTyp=wtWebAlarm6x6MfDeviceTyp, wtWebioEA2x2_24VPorts=wtWebioEA2x2_24VPorts, wtWebioEA2x2_24VBinary=wtWebioEA2x2_24VBinary, wtWebioEA6x6BinaryConnectedIpAddr=wtWebioEA6x6BinaryConnectedIpAddr, wtWebCount6ReportTable=wtWebCount6ReportTable, wtWebioEA2x2ERPSyslogServerPort=wtWebioEA2x2ERPSyslogServerPort, wtWebioEA12x6RelAlarmSnmpManagerIP=wtWebioEA12x6RelAlarmSnmpManagerIP, wtWebioEA2x2MailAuthUser=wtWebioEA2x2MailAuthUser, wtWebioEA24oemStTzStartMode=wtWebioEA24oemStTzStartMode, wtWebioEA12x6RelAlarmEnable=wtWebioEA12x6RelAlarmEnable, wtWebioEA2x2ERPSetOutput=wtWebioEA2x2ERPSetOutput, wtWebioEA2x2PortInputMode=wtWebioEA2x2PortInputMode, wtWebioEA12x6RelERPPortOutputGroupMode=wtWebioEA12x6RelERPPortOutputGroupMode, wtWebioEA24oemAlert27=wtWebioEA24oemAlert27, wtWebAlarm6x6AlarmMailTrgClearText=wtWebAlarm6x6AlarmMailTrgClearText, wtWebioEA2x2_24VTsEnable=wtWebioEA2x2_24VTsEnable, wtWebioEA24oemStTzStopWday=wtWebioEA24oemStTzStopWday, wtWebioEA2x2ERPInputTable=wtWebioEA2x2ERPInputTable)
mibBuilder.exportSymbols("Webio-Digital-MIB-US", wtIpWatcher_24VAlarmSnmpManagerIP=wtIpWatcher_24VAlarmSnmpManagerIP, wtIpWatcher_24VAlarmGlobalEnable=wtIpWatcher_24VAlarmGlobalEnable, wtWebioEA2x2ERP_24VBinaryUdpPeerLocalPort=wtWebioEA2x2ERP_24VBinaryUdpPeerLocalPort, wtWebioEA12x6RelAlert21=wtWebioEA12x6RelAlert21, wtWebioEA6x6BinaryConnectedPort=wtWebioEA6x6BinaryConnectedPort, wtWebioEA2x2ERPAlert11=wtWebioEA2x2ERPAlert11, wtWebioEA2x2ERP_24VMailAdName=wtWebioEA2x2ERP_24VMailAdName, wtWebioEA2x2ERP_24VOutputValue=wtWebioEA2x2ERP_24VOutputValue, wtIpWatcherAlarmIfEntry=wtIpWatcherAlarmIfEntry, wtWebioEA2x2_24VPortInputFilter=wtWebioEA2x2_24VPortInputFilter, wtTrapReceiver2x2ClockHrs=wtTrapReceiver2x2ClockHrs, wtWebioEA2x2_24VSetOutput=wtWebioEA2x2_24VSetOutput, wtWebioEA2x2MfInternet=wtWebioEA2x2MfInternet, wtWebioEA12x6RelERPAlarmTcpReleaseText=wtWebioEA12x6RelERPAlarmTcpReleaseText, wtWebioEA2x2_24VDiagErrorMessage=wtWebioEA2x2_24VDiagErrorMessage, wtIpWatcher_24VAlert14=wtIpWatcher_24VAlert14, wtWebioEA2x2ERP_24VAlert8=wtWebioEA2x2ERP_24VAlert8, wtWebioEA2x2_24VClockMin=wtWebioEA2x2_24VClockMin, wtWebioEA12x6RelERPPortInputMode=wtWebioEA12x6RelERPPortInputMode, wtIpWatcher_24VAlarmTcpIpAddr=wtIpWatcher_24VAlarmTcpIpAddr, wtWebioEA12x6RelDiagBinaryError=wtWebioEA12x6RelDiagBinaryError, wtWebioEA24oemBinaryUdpPeerRemoteIpAddr=wtWebioEA24oemBinaryUdpPeerRemoteIpAddr, wtWebioEA6x6SNMP=wtWebioEA6x6SNMP, wtWebioEA6x6FTPServerControlPort=wtWebioEA6x6FTPServerControlPort, wtWebioEA6x6SnmpEnable=wtWebioEA6x6SnmpEnable, wtWebioEA12x6RelOutputModeBit=wtWebioEA12x6RelOutputModeBit, wtWebioEA12x6RelAlarmIfTable=wtWebioEA12x6RelAlarmIfTable, wtWebAlarm6x6AlarmSnmpTrapText=wtWebAlarm6x6AlarmSnmpTrapText, wtWebioEA2x2_24VTzOffsetMin=wtWebioEA2x2_24VTzOffsetMin, wtWebioEA2x2ERP_24VAlert20=wtWebioEA2x2ERP_24VAlert20, wtTrapReceiver2x2SessCntrlPassword=wtTrapReceiver2x2SessCntrlPassword, wtIpWatcher_24VMailReply=wtIpWatcher_24VMailReply, wtWebioEA12x6RelERPAlarmMaxCounterValue=wtWebioEA12x6RelERPAlarmMaxCounterValue, wtWebioEA12x6RelBinaryTcpClientApplicationMode=wtWebioEA12x6RelBinaryTcpClientApplicationMode, wtWebioEA2x2_24VAlert17=wtWebioEA2x2_24VAlert17, wtWebioEA6x6AlarmFtpDataPort=wtWebioEA6x6AlarmFtpDataPort, wtWebioEA2x2InputEntry=wtWebioEA2x2InputEntry, wtWebioEA12x6RelPortPulsePolarity=wtWebioEA12x6RelPortPulsePolarity, wtWebioEA12x12BinaryTcpClientServerIpAddr=wtWebioEA12x12BinaryTcpClientServerIpAddr, wtWebioEA12x6RelSafetyTimeout=wtWebioEA12x6RelSafetyTimeout, wtWebioEA2x2_24VAlarm=wtWebioEA2x2_24VAlarm, wtWebioEA12x6RelERPAlarmInterval=wtWebioEA12x6RelERPAlarmInterval, wtWebioEA2x2ERP_24VMfAddr=wtWebioEA2x2ERP_24VMfAddr, wtWebioEA24oemBinaryTcpClientLocalPort=wtWebioEA24oemBinaryTcpClientLocalPort, wtWebioEA24oemAlert22=wtWebioEA24oemAlert22, wtWebioEA2x2_24VOutputs=wtWebioEA2x2_24VOutputs, wtWebioEA24oemAlert32=wtWebioEA24oemAlert32, wtWebioEA2x2ERPAlert9=wtWebioEA2x2ERPAlert9, wtWebioEA6x6BinaryTcpServerLocalPort=wtWebioEA6x6BinaryTcpServerLocalPort, wtWebioEA2x2ERP_24VAlert1=wtWebioEA2x2ERP_24VAlert1, wtIpWatcherAlarmFtpTrgClearText=wtIpWatcherAlarmFtpTrgClearText, wtWebAlarm6x6Config=wtWebAlarm6x6Config, wtWebioEA2x2PortOutputText=wtWebioEA2x2PortOutputText, wtWebioEA12x12BinaryTcpClientInactivity=wtWebioEA12x12BinaryTcpClientInactivity, wtWebioEA24oemLoadControlView=wtWebioEA24oemLoadControlView, wtWebioEA2x2ClockYear=wtWebioEA2x2ClockYear, wtWebioEA24oemFTPAccount=wtWebioEA24oemFTPAccount, wtWebioEA12x6RelERPAlarmSnmpTrapText=wtWebioEA12x6RelERPAlarmSnmpTrapText, wtIpWatcherAlarmFtpReleaseText=wtIpWatcherAlarmFtpReleaseText, wtWebioEA12x6RelERPAlertDiag=wtWebioEA12x6RelERPAlertDiag, wtIpWatcherPorts=wtIpWatcherPorts, wtWebioEA12x6RelDiagErrorMessage=wtWebioEA12x6RelDiagErrorMessage, wtWebioEA2x2AlarmTimerCron=wtWebioEA2x2AlarmTimerCron, wtWebioEA12x6RelPortOutputText=wtWebioEA12x6RelPortOutputText, wtWebioEA2x2_24VAlert18=wtWebioEA2x2_24VAlert18, wtWebioEA12x6RelBinaryIfTable=wtWebioEA12x6RelBinaryIfTable, wtIpWatcherTsEnable=wtIpWatcherTsEnable, wtWebAlarm6x6Mail=wtWebAlarm6x6Mail, wtWebioEA12x12BinaryTcpClientServerPassword=wtWebioEA12x12BinaryTcpClientServerPassword, wtWebioEA6x6SessCntrlAdminPassword=wtWebioEA6x6SessCntrlAdminPassword, wtWebioEA2x2ERPClockMin=wtWebioEA2x2ERPClockMin, wtWebCount6ReportTcpPort=wtWebCount6ReportTcpPort, wtIpWatcherDeviceClock=wtIpWatcherDeviceClock, wtWebAlarm6x6AlarmIfEntry=wtWebAlarm6x6AlarmIfEntry, wtIpWatcherSyslogEnable=wtIpWatcherSyslogEnable, wtWebioEA2x2AlarmMailAddr=wtWebioEA2x2AlarmMailAddr, wtWebAlarm6x6SyslogServerPort=wtWebAlarm6x6SyslogServerPort, wtWebCount6InputPortTable=wtWebCount6InputPortTable, wtWebioEA2x2OutputNo=wtWebioEA2x2OutputNo, wtIpWatcher_24VPortInputFilter=wtIpWatcher_24VPortInputFilter, wtWebioEA24oemFTPPassword=wtWebioEA24oemFTPPassword, wtWebioEA12x6RelAlarmTcpReleaseText=wtWebioEA12x6RelAlarmTcpReleaseText, wtWebioEA12x12Alert16=wtWebioEA12x12Alert16, wtWebCount6ReportTcpText=wtWebCount6ReportTcpText, wtWebioEA2x2Alert10=wtWebioEA2x2Alert10, wtWebioEA2x2_24VAlarmTcpPort=wtWebioEA2x2_24VAlarmTcpPort, wtWebioEA6x6AlarmSyslogIpAddr=wtWebioEA6x6AlarmSyslogIpAddr, wtWebioEA2x2ERPBinaryTable=wtWebioEA2x2ERPBinaryTable, wtWebioEA2x2_24VDnsServer2=wtWebioEA2x2_24VDnsServer2, wtIpWatcherAlarmTcpIpAddr=wtIpWatcherAlarmTcpIpAddr, wtIpWatcherAlarmName=wtIpWatcherAlarmName, wtIpWatcher_24VSyslogSystemMessagesEnable=wtIpWatcher_24VSyslogSystemMessagesEnable, wtWebioEA24oemTimeZone=wtWebioEA24oemTimeZone, wtWebioEA24oemPortLogicFunction=wtWebioEA24oemPortLogicFunction, wtWebioEA12x6RelERPBinaryTcpClientServerHttpPort=wtWebioEA12x6RelERPBinaryTcpClientServerHttpPort, wtIpWatcherAlert12=wtIpWatcherAlert12, wtIpWatcher_24VManufact=wtIpWatcher_24VManufact, wtWebioEA12x6RelDeviceClock=wtWebioEA12x6RelDeviceClock, wtWebioEA6x6AlarmTcpReleaseText=wtWebioEA6x6AlarmTcpReleaseText, wtWebAlarm6x6AlarmSnmpManagerIP=wtWebAlarm6x6AlarmSnmpManagerIP, wtWebioEA2x2ERPGetHeaderEnable=wtWebioEA2x2ERPGetHeaderEnable, wtTrapReceiver2x2SystemTimerEntry=wtTrapReceiver2x2SystemTimerEntry, wtIpWatcher_24VTimeDate=wtIpWatcher_24VTimeDate, wtWebioEA6x6AlarmSnmpTrapReleaseText=wtWebioEA6x6AlarmSnmpTrapReleaseText, wtWebioEA2x2ERP_24VOutputModeEntry=wtWebioEA2x2ERP_24VOutputModeEntry, wtIpWatcher_24VAlarmFtpTrgClearText=wtIpWatcher_24VAlarmFtpTrgClearText, wtWebioEA6x6PortLogicInputMask=wtWebioEA6x6PortLogicInputMask, wtIpWatcherSessCntrl=wtIpWatcherSessCntrl, wtIpWatcher_24VAlarmFtpOption=wtIpWatcher_24VAlarmFtpOption, wtWebioEA2x2ERPStTzOffsetHrs=wtWebioEA2x2ERPStTzOffsetHrs, wtWebioEA12x12InOut=wtWebioEA12x12InOut, wtWebioEA2x2ERPAddConfig=wtWebioEA2x2ERPAddConfig, wtWebioEA2x2ERP_24VBinaryTable=wtWebioEA2x2ERP_24VBinaryTable, wtWebioEA2x2ERPAlarmIfEntry=wtWebioEA2x2ERPAlarmIfEntry, wtWebioEA6x6Ports=wtWebioEA6x6Ports, wtIpWatcher_24VAlarmSyslogTrapTxEnable=wtIpWatcher_24VAlarmSyslogTrapTxEnable, wtWebioEA12x6RelPortInputText=wtWebioEA12x6RelPortInputText, wtWebioEA2x2ERPGateway=wtWebioEA2x2ERPGateway, wtWebioEA12x12StTzStopWday=wtWebioEA12x12StTzStopWday, wtTrapReceiver2x2WatchListIfTable=wtTrapReceiver2x2WatchListIfTable, wtWebCount6ReportNo=wtWebCount6ReportNo, wtWebioEA2x2ERP_24VTimeServer2=wtWebioEA2x2ERP_24VTimeServer2, wtWebioEA12x6RelERPMailServer=wtWebioEA12x6RelERPMailServer, wtWebioEA2x2ERPSessCntrlConfigMode=wtWebioEA2x2ERPSessCntrlConfigMode, wtWebioEA12x6RelERPPortLogicOutputInverter=wtWebioEA12x6RelERPPortLogicOutputInverter, wtWebCount6SyslogSystemMessagesEnable=wtWebCount6SyslogSystemMessagesEnable, wtWebioEA12x12AlarmInputTrigger=wtWebioEA12x12AlarmInputTrigger, wtWebioEA6x6FTPOption=wtWebioEA6x6FTPOption, wtIpWatcherTsSyncTime=wtIpWatcherTsSyncTime, wtWebioEA24oemBinaryModeNo=wtWebioEA24oemBinaryModeNo, wtWebioEA12x12OutputModeEntry=wtWebioEA12x12OutputModeEntry, wtWebioEA2x2ERPBinaryUdpPeerRemoteIpAddr=wtWebioEA2x2ERPBinaryUdpPeerRemoteIpAddr, wtTrapReceiver2x2Alert8=wtTrapReceiver2x2Alert8, wtWebAlarm6x6AddConfig=wtWebAlarm6x6AddConfig, wtWebAlarm6x6InputEntry=wtWebAlarm6x6InputEntry, wtWebioEA2x2ERP_24VWayBack=wtWebioEA2x2ERP_24VWayBack, wtWebCount6FTPEnable=wtWebCount6FTPEnable, wtWebioEA24oemAlert30=wtWebioEA24oemAlert30, wtIpWatcher_24VMfAddr=wtIpWatcher_24VMfAddr, wtWebioEA2x2ERP_24VOutputNo=wtWebioEA2x2ERP_24VOutputNo, wtWebioEA2x2ERPAlarmInterval=wtWebioEA2x2ERPAlarmInterval, wtWebioEA2x2ERPDiagBinaryError=wtWebioEA2x2ERPDiagBinaryError, wtWebioEA12x12SessCntrlAdminPassword=wtWebioEA12x12SessCntrlAdminPassword, wtWebioEA12x12BinaryTcpServerLocalPort=wtWebioEA12x12BinaryTcpServerLocalPort, wtWebAlarm6x6DeviceLocation=wtWebAlarm6x6DeviceLocation, wtIpWatcher_24VAlert28=wtIpWatcher_24VAlert28, wtWebCount6MfDeviceTyp=wtWebCount6MfDeviceTyp, wtWebioEA24oemAlarmSystemTrigger=wtWebioEA24oemAlarmSystemTrigger, wtWebioEA12x6RelERPOutputState=wtWebioEA12x6RelERPOutputState, wtWebioEA12x12BinaryTcpClientServerPort=wtWebioEA12x12BinaryTcpClientServerPort, wtWebAlarm6x6FTPOption=wtWebAlarm6x6FTPOption, wtIpWatcherAlarmUdpReleaseText=wtIpWatcherAlarmUdpReleaseText, wtTrapReceiver2x2ActionIfTable=wtTrapReceiver2x2ActionIfTable, wtWebCount6PortInputName=wtWebCount6PortInputName, wtWebAlarm6x6SNMP=wtWebAlarm6x6SNMP, wtIpWatcher_24VStTzStartMode=wtIpWatcher_24VStTzStartMode, wtTrapReceiver2x2Alert1=wtTrapReceiver2x2Alert1, wtTrapReceiver2x2ActionOutputAction=wtTrapReceiver2x2ActionOutputAction, wtTrapReceiver2x2OutputMode=wtTrapReceiver2x2OutputMode, wtWebioEA2x2_24VStTzStartMode=wtWebioEA2x2_24VStTzStartMode, wtWebioEA24oemPortOutputName=wtWebioEA24oemPortOutputName, wtWebioEA2x2ERP_24VDiag=wtWebioEA2x2ERP_24VDiag, wtWebioEA2x2AlarmUdpPort=wtWebioEA2x2AlarmUdpPort, wtWebioEA6x6FTPEnable=wtWebioEA6x6FTPEnable, wtWebioEA12x6RelAlert20=wtWebioEA12x6RelAlert20, wtWebioEA2x2_24VPortPulsePolarity=wtWebioEA2x2_24VPortPulsePolarity, wtWebioEA12x6RelUdpAdminPort=wtWebioEA12x6RelUdpAdminPort, wtWebCount6SnmpCommunityStringReadWrite=wtWebCount6SnmpCommunityStringReadWrite, wtIpWatcher_24VOutputNo=wtIpWatcher_24VOutputNo, wtWebioEA6x6AlarmUdpIpAddr=wtWebioEA6x6AlarmUdpIpAddr, wtWebioEA6x6DiagBinaryError=wtWebioEA6x6DiagBinaryError, wtTrapReceiver2x2SNMP=wtTrapReceiver2x2SNMP, wtIpWatcherAlarmMailTrgClearText=wtIpWatcherAlarmMailTrgClearText, wtWebCount6DeviceContact=wtWebCount6DeviceContact, wtWebioEA2x2Config=wtWebioEA2x2Config, wtWebioEA2x2ERP_24VAlarmSnmpTrapText=wtWebioEA2x2ERP_24VAlarmSnmpTrapText, wtWebioEA6x6AddConfig=wtWebioEA6x6AddConfig, wtWebioEA2x2StTzStartMin=wtWebioEA2x2StTzStartMin, wtWebioEA12x12MfHotline=wtWebioEA12x12MfHotline, wtWebioEA2x2SnmpEnable=wtWebioEA2x2SnmpEnable, wtWebAlarm6x6OutputEntry=wtWebAlarm6x6OutputEntry, wtWebioEA12x6RelAlarmFtpFileName=wtWebioEA12x6RelAlarmFtpFileName, wtWebioEA24oemMailAuthUser=wtWebioEA24oemMailAuthUser, wtWebioEA2x2ERP_24VAlarmSyslogPort=wtWebioEA2x2ERP_24VAlarmSyslogPort, wtWebCount6Basic=wtWebCount6Basic)
|
raspberry = True
display_device = "/dev/fb1"
mouse_device = "/dev/input/event0"
mouse_driver = "TSLIB"
if raspberry:
mouse_type = "pitft_touchscreen"
touch_xmin = 345
touch_xmax = 3715
touch_ymin = 184
touch_ymax = 3853
else:
mouse_type = "pygame"
if raspberry:
screen_fullscreen = True
else:
screen_fullscreen = False
screen_width = 480
screen_height = 320
loglevel = "DEBUG"
if raspberry:
mpdip = "127.0.0.1"
mpdport = 6600
else:
mpdip = "192.168.1.201"
mpdport = 6600
font = "Comic Sans MS"
font_size = 32
title_text_color = (255, 255, 255)
album_text_color = (255, 255, 255)
artist_text_color = (255, 255, 255)
coverArtSize = 196
|
# Copyright 2017 The Chromium Authors. All rights reserved.
# Use of this source code is governed by a BSD-style license that can be
# found in the LICENSE file.
def CheckChangeOnUpload(*args):
return _CommonChecks(*args)
def CheckChangeOnCommit(*args):
return _CommonChecks(*args)
def _CommonChecks(input_api, output_api):
cwd = input_api.PresubmitLocalPath()
path = input_api.os_path
files = [path.basename(f.LocalPath()) for f in input_api.AffectedFiles()]
tests = []
if 'css_checker.py' in files:
tests.append(path.join(cwd, 'css_checker_test.py'))
utils_changed = 'regex_check.py' in files or 'test_util.py' in files
if utils_changed or any(f for f in files if f.startswith('html_checker')):
tests.append(path.join(cwd, 'html_checker_test.py'))
if utils_changed or any(f for f in files if f.startswith('js_checker')):
tests.append(path.join(cwd, 'js_checker_test.py'))
tests.append(path.join(cwd, 'js_checker_eslint_test.py'))
if utils_changed or any(f for f in files if f.startswith('resource_checker')):
tests.append(path.join(cwd, 'resource_checker_test.py'))
return input_api.canned_checks.RunUnitTests(input_api, output_api, tests)
|
messages = ["<b>Shoulder-arm stretch</b>Time to do Shoulder arm stretch, keep one arm horizontally stretched in front of your chest. Push this arm with your other arm towards you until you feel a mild tension in your shoulder. Hold this position briefly, and repeat the exercise for your other arm. Don't do this more than 40 seconds.",
"<b>Finger stretch</b> Time to do finger stretch, Separate and stretch your fingers until a mild tension is felt, and hold this for 10 seconds. Relax, then bend your fingers at the knuckles, and hold again for 10 seconds. Repeat this exercise once more. Time duration is 40 seconds.",
"<b>Neck tilt stretch</b> Time to do neck tilt streatch, Start with your head in a comfortable straight position. Then, slowly tilt your head to your right shoulder to gently stretch the muscles on the left side of your neck. Hold this position for 5 seconds. Then, tilt your head to the left side to stretch your other side. Do this twice for each side. Time duration is 30 seconds.",
"<b>Backward shoulder stretch</b> Time to do backward shoulder stretch, Interlace your fingers behind your back. Then turn your elbows gently inward, while straightening your arms. Hold this position for 5 to 15 seconds, and repeat this exercise twice. Time duration is 30 seconds.",
"<b>Move the eyes</b> Look at the upper left corner of the outside border of your monitor. Follow the border slowly to the upper right corner. Continue to the next corner, until you got around it two times. Then, reverse the exercise. Total time duration is 32 seconds.",
"<b>Train focusing the eyes</b> Look for the furthest point you can see behind your monitor. Focus your eyes on the remote point. Then focus on your monitor border. Repeat it. If you cannot look very far from your monitor, face another direction with a longer view. Then switch your focus between a distant object and a pen held at the same distance from your eyes as your monitor.",
"<b>Look into the darkness</b> Cover your eyes with your palms in such way that you can still open your eyelids. Now open your eyes and look into the darkness of your palms. This exercise gives better relief to your eyes compared to simply closing them. You can do this for 20 seconds",
"<b>Move the shoulders</b> Spin your right arm slowly round like a plane propeller beside your body. Do this 4 times forwards, 4 times backwards and relax for a few seconds. Repeat with the left arm. You can do this for 30 seconds.",
"<b>Move the shoulders up and down</b> Put your hands on the armrests of your chair when you are sitting down and press your body up until your arms are straight. Try to move your head even further by lowering your shoulders. Slowly move back into your chair.Please do this 30 seconds only.",
"<b>Turn your head</b> Turn your head left and keep it there for 2 seconds. Then turn your head right and keep it there for 2 seconds. You can do this for 2 seconds."
"<b>Relax the eyes</b> Close your eyes and breathe out as long as you can and try to relax. When breathing in, again do it as slowly as possible. Try to count slowly to 8 for each time you breathe in and out. To extra relax your eyes, try closing them in micro pauses too. You can do this for 12 seconds."]
|
myfile=open('country.txt')
print(myfile.read())
myfile.close()
#with open('country.txt',mode='r') as myfile:
# print(myfile.read())
with open('country.txt',mode='a') as f:
print(f.write("'IN':'INDIAN'"))
|
# -*- coding: utf-8 -*-
"""
FIXME
"""
|
class Solution:
def skipAndClose(self, startIndex, step, count):
"""
:type startIndex: int
:type step: int
:type count: int
:rtype: List[int]
"""
inputArray = list(range(1, count+1))
itemLeft = 0
result = []
while(len(inputArray) > 0):
startIndex = step - itemLeft - 1
if startIndex > len(inputArray):
startIndex = startIndex % len(inputArray)
itemLeft = (len(inputArray) - startIndex - 1) % step
result.extend(inputArray[startIndex:: step])
del inputArray[startIndex:: step]
return result
|
L_af = "af" # Afrikaans
L_am = "am" # Amharic
L_ar = "ar" # Arabic
L_az = "az" # Azerbaijani
L_be = "be" # Belarusian
L_bg = "bg" # Bulgarian
L_bn = "bn" # Bengali
L_bs = "bs" # Bosnian
L_ca = "ca" # Catalan
L_ceb = "ceb" # Chechen
L_co = "co" # Corsican
L_cs = "cs" # Czech
L_cy = "cy" # Welsh
L_da = "da" # Danish
L_de = "de" # German
L_el = "el" # Greek
L_en = "en" # English
L_eo = "eo" # Esperanto
L_es = "es" # Spanish
L_et = "et" # Estonian
L_eu = "eu" # Basque
L_fa = "fa" # Persian
L_fi = "fi" # Finnish
L_fr = "fr" # French
L_fy = "fy" # WesternFrisian
L_ga = "ga" # Irish
L_gd = "gd" # Gaelic
L_gl = "gl" # Galician
L_gu = "gu" # Gujarati
L_ha = "ha" # Hausa
L_haw = "haw" # ???
L_hi = "hi" # Hindi
L_hmn = "hmn" # ???
L_hr = "hr" # Croatian
L_ht = "ht" # Haitian
L_hu = "hu" # Hungarian
L_hy = "hy" # Armenian
L_id = "id" # Indonesian
L_ig = "ig" # Igbo
L_is = "is" # Icelandic
L_it = "it" # Italian
L_iw = "iw" # Hebrew
L_ja = "ja" # Japanese
L_jw = "jw" # ???
L_ka = "ka" # Georgian
L_kk = "kk" # Kazakh
L_km = "km" # Central Khmer
L_kn = "kn" # Kannada
L_ko = "ko" # Korean
L_ku = "ku" # Kurdish
L_ky = "ky" # Kirghiz
L_la = "la" # Latin
L_lb = "lb" # Luxembourgish
L_lo = "lo" # Lao
L_lt = "lt" # Lithuanian
L_lv = "lv" # Latvian
L_mg = "mg" # Malagasy
L_mi = "mi" # Maori
L_mk = "mk" # Macedonian
L_ml = "ml" # Malayalam
L_mn = "mn" # Mongolian
L_mr = "mr" # Marathi
L_ms = "ms" # Malay
L_mt = "mt" # Maltese
L_my = "my" # Burmese
L_ne = "ne" # Nepali
L_nl = "nl" # Dutch
L_no = "no" # Norwegian
L_ny = "ny" # Chichewa
L_pa = "pa" # Punjabi
L_pl = "pl" # Polish
L_ps = "ps" # Pashto
L_pt = "pt" # Portuguese
L_ro = "ro" # Romanian
L_ru = "ru" # Russian
L_sd = "sd" # Sindhi
L_si = "si" # Sinhala
L_sk = "sk" # Slovak
L_sl = "sl" # Slovenian
L_sm = "sm" # Samoan
L_sn = "sn" # Shona
L_so = "so" # Somali
L_sq = "sq" # Albanian
L_sr = "sr" # Serbian
L_st = "st" # Southern Sotho
L_su = "su" # Sundanese
L_sv = "sv" # Swedish
L_sw = "sw" # Swahili
L_ta = "ta" # Tamil
L_te = "te" # Telugu
L_tg = "tg" # Tajik
L_th = "th" # Thai
L_tl = "tl" # Tagalog
L_tr = "tr" # Turkish
L_uk = "uk" # Ukrainian
L_ur = "ur" # Urdu
L_uz = "uz" # Uzbek
L_vi = "vi" # Vietnamese
L_xh = "xh" # Xhosa
L_yi = "yi" # Yiddish
L_yo = "yo" # Yoruba
L_zh = "zh" # Chinese
L_zh_CN = "zh_CN" # Chinese
L_zh_TW = "zh_TW" # Chinese
L_zu = "zu" # Zulu
# define a map of languages to their 2-letter codes
langList = {
L_af: "afrikaans",
L_am: "amharic",
L_ar: "arabic",
L_az: "azerbaijani",
L_be: "belarusian",
L_bg: "bulgarian",
L_bn: "bengali",
L_bs: "bosnian",
L_ca: "catalan",
L_ceb: "chechen",
L_co: "corsican",
L_cs: "czech",
L_cy: "welsh",
L_da: "danish",
L_de: "german",
L_el: "greek",
L_en: "english",
L_eo: "esperanto",
L_es: "spanish",
L_et: "estonian",
L_eu: "basque",
L_fa: "persian",
L_fi: "finnish",
L_fr: "french",
L_fy: "westernFrisian",
L_ga: "irish",
L_gd: "gaelic",
L_gl: "galician",
L_gu: "gujarati",
L_ha: "hausa",
L_haw: "haw",
L_hi: "hindi",
L_hmn: "hmn",
L_hr: "croatian",
L_ht: "haitian",
L_hu: "hungarian",
L_hy: "armenian",
L_id: "indonesian",
L_ig: "igbo",
L_is: "icelandic",
L_it: "italian",
L_iw: "hebrew",
L_ja: "japanese",
L_jw: "jw",
L_ka: "georgian",
L_kk: "kazakh",
L_km: "central khmer",
L_kn: "kannada",
L_ko: "korean",
L_ku: "kurdish",
L_ky: "kirghiz",
L_la: "katin",
L_lb: "luxembourgish",
L_lo: "lao",
L_lt: "lithuanian",
L_lv: "latvian",
L_mg: "malagasy",
L_mi: "maori",
L_mk: "macedonian",
L_ml: "malayalam",
L_mn: "mongolian",
L_mr: "marathi",
L_ms: "malay",
L_mt: "maltese",
L_my: "burmese",
L_ne: "nepali",
L_nl: "dutch",
L_no: "norwegian",
L_ny: "chichewa",
L_pa: "punjabi",
L_pl: "polish",
L_ps: "pashto",
L_pt: "portuguese",
L_ro: "romanian",
L_ru: "russian",
L_sd: "sindhi",
L_si: "sinhala",
L_sk: "slovak",
L_sl: "slovenian",
L_sm: "samoan",
L_sn: "shona",
L_so: "somali",
L_sq: "albanian",
L_sr: "serbian",
L_st: "southern sotho",
L_su: "sundanese",
L_sv: "swedish",
L_sw: "swahili",
L_ta: "tamil",
L_te: "telugu",
L_tg: "tajik",
L_th: "thai",
L_tl: "tagalog",
L_tr: "turkish",
L_uk: "ukrainian",
L_ur: "urdu",
L_uz: "uzbek",
L_vi: "vietnamese",
L_xh: "xhosa",
L_yi: "yiddish",
L_yo: "yoruba",
L_zh: "chinese",
L_zh_CN: "chinese_CN",
L_zh_TW: "chinese_TW",
L_zu: "zuZulu",
}
langListR = {v: k.lower() for k, v in langList.items()}
|
alunos = list()
dados = list()
while True:
dados.append(str(input('Nome: ').capitalize().strip()))
dados.append(float(input('Nota 1: ')))
dados.append(float(input('Nota 2: ')))
alunos.append(dados[:])
dados.clear()
ask = str(input('Deseja continuar? [S/N]: ')).upper().strip()
if ask in 'nN':
break
a = 'NOME'
b = 'MÉDIA'
print('='*30)
print(f'N°{a:^20}{b:<20}')
print('-'*30)
for c,v in enumerate(alunos):
print(f'{c} {v[0]:^20} {(v[1]+v[2])/2:<20}')
print('='*30)
while True:
ask = int(input('Mostrar nota de qual aluno?[999 Encerra]: '))
if ask == 999:
break
else:
if ask >= len(alunos):
print('Aluno não existe, digite um válido.')
else:
print(f'As notas de {alunos[ask][0]} são {alunos[ask][1]} e {alunos[ask][2]}')
print('<<= OBRIGADO VOLTE SEMPRE! =>>')
|
km = float(input('Quantos Km percorrido: '))
diaria = int(input('Quantos dias alugado: '))
total = (diaria * 60) + (km * .15)
print(f'Foram percorridos {km}km e {diaria} diarias, total de R${total:.2f}')
|
n = int(input())
phonebook=dict()
for _ in range(n):
q = list(map(str,list(input().split())))
name = q[0]
phone = int(q[1])
phonebook[name]=phone
try:
while True:
query = input()
if query!="":
if query in phonebook:
st = query+'='+str(phonebook[query])
print(st)
else:
print('Not found')
else:
break
except EOFError:
pass
|
#Validación del break
def run():
for i in range(10000):
print(i)
if i == 5678:
break
if __name__ == '__main__':
run()
|
__author__ = 'deadblue'
mime_types = {
'svg': 'image/svg+xml',
'png': 'image/png',
'webp': 'image/webp'
}
|
"""
@Author: huuuuusy
@GitHub: https://github.com/huuuuusy
系统: Ubuntu 18.04
IDE: VS Code 1.36
工具: python == 3.7.3
"""
"""
思路:
利用zip和set函数进行求解
结果:
执行用时 : 84 ms, 在所有 Python3 提交中击败了11.93%的用户
内存消耗 : 13.1 MB, 在所有 Python3 提交中击败了87.27%的用户
"""
class Solution:
def longestCommonPrefix(self, strs):
result = ""
# zip函数将strs中的字符串按照最短的字符串逐字符比较
for string in zip(*strs):
#print(string)
# set函数删除string中相同的元素
set_string = set(string)
#print(set_string)
# 如果删除后的set_string长度为1,说明该元素在所有str中均出现
if len(set_string) == 1:
result += string[0]
else:
break
return result
if __name__ == "__main__":
input_list = ["flower","flow","flight"]
answer = Solution().longestCommonPrefix(input_list)
print(answer)
|
#
# PySNMP MIB module MSSSERVER8260-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/MSSSERVER8260-MIB
# Produced by pysmi-0.3.4 at Wed May 1 14:15:54 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ConstraintsUnion, ConstraintsIntersection, ValueRangeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "ValueRangeConstraint", "SingleValueConstraint")
proElsSubSysEventMsg, = mibBuilder.importSymbols("PROTEON-MIB", "proElsSubSysEventMsg")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
Unsigned32, iso, Counter64, ObjectIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, Bits, IpAddress, ModuleIdentity, Integer32, enterprises, MibIdentifier, NotificationType, NotificationType, TimeTicks, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "Unsigned32", "iso", "Counter64", "ObjectIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "Bits", "IpAddress", "ModuleIdentity", "Integer32", "enterprises", "MibIdentifier", "NotificationType", "NotificationType", "TimeTicks", "Gauge32")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
ibm = MibIdentifier((1, 3, 6, 1, 4, 1, 2))
ibmProd = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6))
nwaysMSS = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 118))
mssServer8260 = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 118, 3))
mss8260Prod = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 1))
mss8260PCAdapter = MibIdentifier((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 2))
mss8260ResetFlag = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("noreset", 1), ("reboot", 2))).clone('noreset')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mss8260ResetFlag.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260ResetFlag.setDescription('The flag that controls the reset process in this blade. This variable shall assume a value of noreset(1) in the absence of a request for a reset from the management application. This variable shall assume a value of reboot(2) if the management application requests that this blade execute a complete hardware reboot which reloads the code load from storage.')
mss8260DRAMinstalled = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mss8260DRAMinstalled.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260DRAMinstalled.setDescription('The total amount of dynamic RAM installed on this blade. The amount is in units of megabytes.')
mss8260NotifyStatus = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2))).clone('enabled')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mss8260NotifyStatus.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260NotifyStatus.setDescription('The status of the trap reporting service in this blade. This variable shall assume a value of enabled(1) if this blade is permitted to send traps. This variable shall assume a value of disabled(2) if this blade is prohibited from sending traps.')
mss8260TempThresholdStatus = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("normal", 1), ("warning", 2), ("shutdown", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mss8260TempThresholdStatus.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260TempThresholdStatus.setDescription('The status of the temperature in this blade. This variable shall assume a value of normal(1) if the temperature is within proper operating range for this blade. This variable shall assume a value of warning(2) if the temperature becomes elevated but this blade can still operate. This variable shall assume a value of shutdown(3) if the temperature is beyond the operating limits of this blade.')
mss8260PCAdapNumSlot = MibScalar((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mss8260PCAdapNumSlot.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260PCAdapNumSlot.setDescription('The number of PC adapter slots available for this blade.')
mss8260PCAdapTable = MibTable((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 2, 2), )
if mibBuilder.loadTexts: mss8260PCAdapTable.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260PCAdapTable.setDescription('A table of PC adapters entries. The number of entries is given by the value of mss8260PCAdapNumSlot.')
mss8260PCAdapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 2, 2, 1), ).setIndexNames((0, "MSSSERVER8260-MIB", "mss8260PCAdapSlotNum"))
if mibBuilder.loadTexts: mss8260PCAdapEntry.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260PCAdapEntry.setDescription('A PC adapter entry containing objects to describe the operational aspects of the PC adapter on this blade.')
mss8260PCAdapSlotNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 2, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mss8260PCAdapSlotNum.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260PCAdapSlotNum.setDescription('The relative slot location at which the adapter is attached to this blade. Slots are numbered from 1 to 2 (bottom to top) when facing this blade. This variable serves as the index for the mss8260PCAdapTable.')
mss8260PCAdapType = MibTableColumn((1, 3, 6, 1, 4, 1, 2, 6, 118, 3, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 1), ("harddrive", 2), ("modem", 3), ("notPresent", 4), ("flashcard", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mss8260PCAdapType.setStatus('mandatory')
if mibBuilder.loadTexts: mss8260PCAdapType.setDescription('The type of PC adapter that is inserted into this slot. The variable shall assume a value of unknown(1) if the adapter in the slot is not supported by this blade. The variable shall assume a value of harddrive(2) if the slot contains a PC disk drive. The variable shall assume a value of modem(3) if the slot contains a PC data/fax/voice modem. The variable shall assume a value of flashcard(5) if the slot contains a PC flash card. This variable shall assume a value of notPresent(4), when a PC card is not plugged into the corrisponding slot. ')
mssServer8260ELSTrapV2 = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 118, 3) + (0,2)).setObjects(("PROTEON-MIB", "proElsSubSysEventMsg"))
if mibBuilder.loadTexts: mssServer8260ELSTrapV2.setDescription('The trap announces an Event Logging System (ELS) event occurred. The variable proElsSubSysEventMsg provides a textual description of the event. The variable is in one of two formats. If ELS timestamping is enabled, the format is hr:min:sec subsys_name.event_num: message_text. An example would be 09:32:56 IP.008: no rte 9.7.1.8 -> 9.7.4.3 dsc. If ELS timestamping is disabled, the format is subsys_name.event_num: message_text. An example would be IP.008: no rte 9.7.1.8 -> 9.7.4.3 dsc.')
mss8260PCAdapTypeChg = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 118, 3) + (0,3)).setObjects(("MSSSERVER8260-MIB", "mss8260PCAdapType"))
if mibBuilder.loadTexts: mss8260PCAdapTypeChg.setDescription('The trap announces a change in the type of PC card. It shall be sent if the value of the mss8260PCAdapType changes and mss8260NotifyStatus has a value of enabled(1).')
mss8260TempThresholdChg = NotificationType((1, 3, 6, 1, 4, 1, 2, 6, 118, 3) + (0,4)).setObjects(("MSSSERVER8260-MIB", "mss8260TempThresholdStatus"))
if mibBuilder.loadTexts: mss8260TempThresholdChg.setDescription('The trap announces a change in the temperature of the blade. It shall be sent if the value of the mss8260TempThreshold changes and mss8260NotifyStatus has a value of enabled(1).')
mibBuilder.exportSymbols("MSSSERVER8260-MIB", mss8260Prod=mss8260Prod, mss8260PCAdapSlotNum=mss8260PCAdapSlotNum, nwaysMSS=nwaysMSS, mss8260NotifyStatus=mss8260NotifyStatus, mss8260TempThresholdStatus=mss8260TempThresholdStatus, mss8260PCAdapTable=mss8260PCAdapTable, mss8260PCAdapEntry=mss8260PCAdapEntry, mss8260PCAdapType=mss8260PCAdapType, mssServer8260ELSTrapV2=mssServer8260ELSTrapV2, mss8260DRAMinstalled=mss8260DRAMinstalled, mss8260PCAdapTypeChg=mss8260PCAdapTypeChg, mss8260TempThresholdChg=mss8260TempThresholdChg, mss8260ResetFlag=mss8260ResetFlag, mss8260PCAdapNumSlot=mss8260PCAdapNumSlot, mssServer8260=mssServer8260, mss8260PCAdapter=mss8260PCAdapter, ibm=ibm, ibmProd=ibmProd)
|
nums = map(float, input().split())
count_values = {}
for num in nums:
if num not in count_values:
count_values[num] = 0
count_values[num] += 1
for key, value in count_values.items():
print(f"{key} - {value} times")
|
algo = input('Digite algo: ')
print('O tipo primitivo deste valor é: {}'.format(type(algo)))
print('Só tem espaços? {}'.format(algo.isspace()))
print('É um número? {}'.format(algo.isnumeric()))
print('É alfabetico? {}'.format(algo.isalpha()))
print('É alfanumerico? {}'.format(algo.isalnum()))
print('Está em maiúsculo? {}'.format(algo.isupper()))
print('Está em minúculo? {}'.format(algo.islower()))
print('Está capitalizada? {}'.format(algo.istitle()))
|
def get_ranges(data):
# create a list of all valid ranges
list_of_ranges = {}
for line in data:
if line == "":
break
l = []
key = line.split(":")[0]
line = line.split()
lower, upper = line[-1].split("-")
l.append((int(lower), int(upper)))
lower, upper = line[-3].split("-")
l.append((int(lower), int(upper)))
list_of_ranges[key] = l
return list_of_ranges
def get_valid_tickets(data, list_of_ranges):
index = 25
valid_tickets = []
while index < len(data):
ticket = [int(val) for val in data[index].split(",")]
valid_val_counter = 0
for val in ticket:
for r in list_of_ranges.values():
if (
r[0][0] <= val
and r[0][1] >= val
or r[1][0] <= val
and r[1][1] >= val
):
valid_val_counter += 1
break
if valid_val_counter == len(ticket):
valid_tickets.append(ticket)
index += 1
return valid_tickets
def main():
data = open("day16/input.txt", "r")
data = [line.strip() for line in data]
list_of_ranges = get_ranges(data)
valid_tickets = get_valid_tickets(data, list_of_ranges)
my_ticket = [int(val) for val in data[22].split(",")]
possible_fields = [set() for _ in my_ticket]
for ticket in valid_tickets:
for i, val in enumerate(ticket):
fields = set()
for item in list_of_ranges:
r = list_of_ranges.get(item)
if (
r[0][0] <= val
and r[0][1] >= val
or r[1][0] <= val
and r[1][1] >= val
):
fields.add(item)
possible_fields[i] = (
possible_fields[i].intersection(fields)
if possible_fields[i]
else fields
)
to_remove = []
field_positions = {}
while True:
if len(field_positions) == 20:
break
for i, curr_set in enumerate(possible_fields):
if len(curr_set) == 1:
field_positions[i] = list(curr_set)[0]
to_remove.append(list(curr_set)[0])
for item in to_remove:
for curr_set in possible_fields:
if item in curr_set:
curr_set.remove(item)
answer = 1
for item in field_positions:
if "departure" in field_positions.get(item):
answer *= my_ticket[field_positions.keys().index(item)]
print(answer)
if __name__ == "__main__":
main()
|
# Copyright 2018 Amazon.com, Inc. or its affiliates. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License").
# You may not use this file except in compliance with the License.
# A copy of the License is located at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# or in the "license" file accompanying this file. This file 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 generate_ros_package_names(name):
# This is ugly but our package lists contain names in different naming conventions, so this is useful for matching them.
names = [name, name.replace('_', '-'), name.replace('-', '_')]
for distro in ['kinetic', 'indigo', ]:
names.extend([name.replace('ros-%s-' % (distro, ), ''), name.replace('ros-%s-' % (distro, ), '').replace('-', '_')])
return set(names)
|
########################
#### Initialisation ####
########################
input_ex1 = []
with open("inputs/day5_1.txt") as inputfile:
for line in inputfile.readlines():
input_ex1.append(int(line.strip()))
########################
#### Part one ####
########################
sample_input = [0,
3,
0,
1,
-3]
input_data = input_ex1[::]
newIndex = 0
steps = 0
while True:
try:
instruction = input_data[newIndex]
input_data[newIndex] += 1
newIndex += instruction
steps += 1
except IndexError:
print("It takes {} steps to escape this list of instructions".format(steps))
break
########################
#### Part two ####
########################
input_data = input_ex1[::]
newIndex = 0
steps = 0
while True:
try:
instruction = input_data[newIndex]
except IndexError:
print("It takes {} steps to escape this list of instructions".format(steps))
break
if instruction >= 3:
input_data[newIndex] -= 1
else:
input_data[newIndex] += 1
newIndex += instruction
steps += 1
|
'''
Probem Task : This program will return number of solutions to quadratic equation.
Problem Link : https://edabit.com/challenge/o2AKq4xy3nfZabKXL
'''
def solutions(a,b,c):
if ((b**2 - 4*a*c) > 0):
return 2
elif ((b**2 - 4*a*c)==0):
return 1
else:
return 0
if __name__ == "__main__":
a = int(input("Enter a\n"))
b = int(input("Enter b\n"))
c = int(input("Enter c\n"))
print(f'{a}x\N{SUPERSCRIPT TWO} + {b}x + {c} = 0 has {solutions(a,b,c)} solutions')
|
"""
For extracting parameters from a dictionary of substance properties.
"""
class MissingParameterError(Exception):
"""Raised when a parameter of a substance is required but not supplied."""
def __init__(self, substance, parameter):
self.substance = substance
self.parameter = parameter
message = "'" + parameter + "' is a required parameter"
super(MissingParameterError, self).__init__(message)
def get_parameter(substance, parameter):
if parameter not in substance:
raise MissingParameterError(substance, parameter)
else:
return substance[parameter]
|
# -*- coding: utf-8 -*-
n = int(input())
p, q, r, s, x, y = map(int, input().split())
i, j = map(int, input().split())
res = 0
for k in range(1, n + 1):
res += ((p * i + q * k) % x) * ((r * k + s * j) % y)
print(res)
|
# encoding: utf-8
# module time
# from (built-in)
# by generator 1.145
"""
This module provides various functions to manipulate time values.
There are two standard representations of time. One is the number
of seconds since the Epoch, in UTC (a.k.a. GMT). It may be an integer
or a floating point number (to represent fractions of seconds).
The Epoch is system-defined; on Unix, it is generally January 1st, 1970.
The actual value can be retrieved by calling gmtime(0).
The other representation is a tuple of 9 integers giving local time.
The tuple items are:
year (including century, e.g. 1998)
month (1-12)
day (1-31)
hours (0-23)
minutes (0-59)
seconds (0-59)
weekday (0-6, Monday is 0)
Julian day (day in the year, 1-366)
DST (Daylight Savings Time) flag (-1, 0 or 1)
If the DST flag is 0, the time is given in the regular time zone;
if it is 1, the time is given in the DST time zone;
if it is -1, mktime() should guess based on the date and time.
Variables:
timezone -- difference in seconds between UTC and local standard time
altzone -- difference in seconds between UTC and local DST time
daylight -- whether local time should reflect DST
tzname -- tuple of (standard time zone name, DST time zone name)
Functions:
time() -- return current time in seconds since the Epoch as a float
clock() -- return CPU time since process start as a float
sleep() -- delay for a number of seconds given as a float
gmtime() -- convert seconds since Epoch to UTC tuple
localtime() -- convert seconds since Epoch to local time tuple
asctime() -- convert time tuple to string
ctime() -- convert time in seconds to string
mktime() -- convert local time tuple to seconds since Epoch
strftime() -- convert time tuple to string according to format specification
strptime() -- parse string to time tuple according to format specification
tzset() -- change the local timezone
"""
# no imports
# Variables with simple values
altzone = -28800
CLOCK_MONOTONIC = 1
CLOCK_MONOTONIC_RAW = 4
CLOCK_PROCESS_CPUTIME_ID = 2
CLOCK_REALTIME = 0
CLOCK_THREAD_CPUTIME_ID = 3
daylight = 0
timezone = -28800
_STRUCT_TM_ITEMS = 11
# functions
def asctime(p_tuple=None): # real signature unknown; restored from __doc__
"""
asctime([tuple]) -> string
Convert a time tuple to a string, e.g. 'Sat Jun 06 16:26:11 1998'.
When the time tuple is not present, current time as returned by localtime()
is used.
"""
return ""
def clock(): # real signature unknown; restored from __doc__
"""
clock() -> floating point number
Return the CPU time or real time since the start of the process or since
the first call to clock(). This has as much precision as the system
records.
"""
return 0.0
def clock_getres(clk_id): # real signature unknown; restored from __doc__
"""
clock_getres(clk_id) -> floating point number
Return the resolution (precision) of the specified clock clk_id.
"""
return 0.0
def clock_gettime(clk_id): # real signature unknown; restored from __doc__
"""
clock_gettime(clk_id) -> floating point number
Return the time of the specified clock clk_id.
"""
return 0.0
def clock_settime(clk_id, time): # real signature unknown; restored from __doc__
"""
clock_settime(clk_id, time)
Set the time of the specified clock clk_id.
"""
pass
def ctime(seconds=None): # known case of time.ctime
"""
ctime(seconds) -> string
Convert a time in seconds since the Epoch to a string in local time.
This is equivalent to asctime(localtime(seconds)). When the time tuple is
not present, current time as returned by localtime() is used.
"""
return ""
def get_clock_info(name): # real signature unknown; restored from __doc__
"""
get_clock_info(name: str) -> dict
Get information of the specified clock.
"""
return {}
def gmtime(seconds=None): # real signature unknown; restored from __doc__
"""
gmtime([seconds]) -> (tm_year, tm_mon, tm_mday, tm_hour, tm_min,
tm_sec, tm_wday, tm_yday, tm_isdst)
Convert seconds since the Epoch to a time tuple expressing UTC (a.k.a.
GMT). When 'seconds' is not passed in, convert the current time instead.
If the platform supports the tm_gmtoff and tm_zone, they are available as
attributes only.
"""
pass
def localtime(seconds=None): # real signature unknown; restored from __doc__
"""
localtime([seconds]) -> (tm_year,tm_mon,tm_mday,tm_hour,tm_min,
tm_sec,tm_wday,tm_yday,tm_isdst)
Convert seconds since the Epoch to a time tuple expressing local time.
When 'seconds' is not passed in, convert the current time instead.
"""
pass
def mktime(p_tuple): # real signature unknown; restored from __doc__
"""
mktime(tuple) -> floating point number
Convert a time tuple in local time to seconds since the Epoch.
Note that mktime(gmtime(0)) will not generally return zero for most
time zones; instead the returned value will either be equal to that
of the timezone or altzone attributes on the time module.
"""
return 0.0
def monotonic(): # real signature unknown; restored from __doc__
"""
monotonic() -> float
Monotonic clock, cannot go backward.
"""
return 0.0
def perf_counter(): # real signature unknown; restored from __doc__
"""
perf_counter() -> float
Performance counter for benchmarking.
"""
return 0.0
def process_time(): # real signature unknown; restored from __doc__
"""
process_time() -> float
Process time for profiling: sum of the kernel and user-space CPU time.
"""
return 0.0
def sleep(seconds): # real signature unknown; restored from __doc__
"""
sleep(seconds)
Delay execution for a given number of seconds. The argument may be
a floating point number for subsecond precision.
"""
pass
def strftime(format, p_tuple=None): # real signature unknown; restored from __doc__
"""
strftime(format[, tuple]) -> string
Convert a time tuple to a string according to a format specification.
See the library reference manual for formatting codes. When the time tuple
is not present, current time as returned by localtime() is used.
Commonly used format codes:
%Y Year with century as a decimal number.
%m Month as a decimal number [01,12].
%d Day of the month as a decimal number [01,31].
%H Hour (24-hour clock) as a decimal number [00,23].
%M Minute as a decimal number [00,59].
%S Second as a decimal number [00,61].
%z Time zone offset from UTC.
%a Locale's abbreviated weekday name.
%A Locale's full weekday name.
%b Locale's abbreviated month name.
%B Locale's full month name.
%c Locale's appropriate date and time representation.
%I Hour (12-hour clock) as a decimal number [01,12].
%p Locale's equivalent of either AM or PM.
Other codes may be available on your platform. See documentation for
the C library strftime function.
"""
return ""
def strptime(string, format): # real signature unknown; restored from __doc__
"""
strptime(string, format) -> struct_time
Parse a string to a time tuple according to a format specification.
See the library reference manual for formatting codes (same as
strftime()).
Commonly used format codes:
%Y Year with century as a decimal number.
%m Month as a decimal number [01,12].
%d Day of the month as a decimal number [01,31].
%H Hour (24-hour clock) as a decimal number [00,23].
%M Minute as a decimal number [00,59].
%S Second as a decimal number [00,61].
%z Time zone offset from UTC.
%a Locale's abbreviated weekday name.
%A Locale's full weekday name.
%b Locale's abbreviated month name.
%B Locale's full month name.
%c Locale's appropriate date and time representation.
%I Hour (12-hour clock) as a decimal number [01,12].
%p Locale's equivalent of either AM or PM.
Other codes may be available on your platform. See documentation for
the C library strftime function.
"""
return struct_time
def time(): # real signature unknown; restored from __doc__
"""
time() -> floating point number
Return the current time in seconds since the Epoch.
Fractions of a second may be present if the system clock provides them.
"""
return 0.0
def tzset(): # real signature unknown; restored from __doc__
"""
tzset()
Initialize, or reinitialize, the local timezone to the value stored in
os.environ['TZ']. The TZ environment variable should be specified in
standard Unix timezone format as documented in the tzset man page
(eg. 'US/Eastern', 'Europe/Amsterdam'). Unknown timezones will silently
fall back to UTC. If the TZ environment variable is not set, the local
timezone is set to the systems best guess of wallclock time.
Changing the TZ environment variable without calling tzset *may* change
the local timezone used by methods such as localtime, but this behaviour
should not be relied on.
"""
pass
# classes
class struct_time(tuple):
"""
The time value as returned by gmtime(), localtime(), and strptime(), and
accepted by asctime(), mktime() and strftime(). May be considered as a
sequence of 9 integers.
Note that several fields' values are not the same as those defined by
the C language standard for struct tm. For example, the value of the
field tm_year is the actual year, not year - 1900. See individual
fields' descriptions for details.
"""
def __init__(self, *args, **kwargs): # real signature unknown
pass
@staticmethod # known case of __new__
def __new__(*args, **kwargs): # real signature unknown
""" Create and return a new object. See help(type) for accurate signature. """
pass
def __reduce__(self, *args, **kwargs): # real signature unknown
pass
def __repr__(self, *args, **kwargs): # real signature unknown
""" Return repr(self). """
pass
tm_gmtoff = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""offset from UTC in seconds"""
tm_hour = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""hours, range [0, 23]"""
tm_isdst = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""1 if summer time is in effect, 0 if not, and -1 if unknown"""
tm_mday = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""day of month, range [1, 31]"""
tm_min = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""minutes, range [0, 59]"""
tm_mon = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""month of year, range [1, 12]"""
tm_sec = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""seconds, range [0, 61])"""
tm_wday = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""day of week, range [0, 6], Monday is 0"""
tm_yday = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""day of year, range [1, 366]"""
tm_year = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""year, for example, 1993"""
tm_zone = property(lambda self: object(), lambda self, v: None, lambda self: None) # default
"""abbreviation of timezone name"""
n_fields = 11
n_sequence_fields = 9
n_unnamed_fields = 0
class __loader__(object):
"""
Meta path import for built-in modules.
All methods are either class or static methods to avoid the need to
instantiate the class.
"""
@classmethod
def create_module(cls, *args, **kwargs): # real signature unknown
""" Create a built-in module """
pass
@classmethod
def exec_module(cls, *args, **kwargs): # real signature unknown
""" Exec a built-in module """
pass
@classmethod
def find_module(cls, *args, **kwargs): # real signature unknown
"""
Find the built-in module.
If 'path' is ever specified then the search is considered a failure.
This method is deprecated. Use find_spec() instead.
"""
pass
@classmethod
def find_spec(cls, *args, **kwargs): # real signature unknown
pass
@classmethod
def get_code(cls, *args, **kwargs): # real signature unknown
""" Return None as built-in modules do not have code objects. """
pass
@classmethod
def get_source(cls, *args, **kwargs): # real signature unknown
""" Return None as built-in modules do not have source code. """
pass
@classmethod
def is_package(cls, *args, **kwargs): # real signature unknown
""" Return False as built-in modules are never packages. """
pass
@classmethod
def load_module(cls, *args, **kwargs): # real signature unknown
"""
Load the specified module into sys.modules and return it.
This method is deprecated. Use loader.exec_module instead.
"""
pass
def module_repr(module): # reliably restored by inspect
"""
Return repr for the module.
The method is deprecated. The import machinery does the job itself.
"""
pass
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)"""
__dict__ = None # (!) real value is ''
# variables with complex values
tzname = (
'CST',
'CST',
)
__spec__ = None # (!) real value is ''
|
#Forma simprificada
'''viajem = float(input('Qual a distancia da sua viajem? '))
print('Você está prestes a começar uma viajem de {}!'.format(viajem))
valor = viajem * 0.45 if viajem >= 200 else viajem * 0.50
print('Sua viajem custará R${}!'.format(valor))'''
viajem = float(input('Qual a distancia da sua viajem? '))
if viajem >= 200:
print('Sua viajem cuatará R${}!'.format(viajem * 0.45))
else:
print('Sua viajem custará R${}!'.format(viajem * 0.50))
|
"""
PyLHC
~~~~~~~~~~~~~~~~
PyLHC is a script collection for the optics measurements and corrections group (OMC) at CERN.
:copyright: pyLHC/OMC-Team working group.
:license: MIT, see the LICENSE.md file for details.
"""
__title__ = "pylhc"
__description__ = "An accelerator physics script collection for the OMC team at CERN."
__url__ = "https://github.com/pylhc/pylhc"
__version__ = "0.3.0"
__author__ = "pylhc"
__author_email__ = "[email protected]"
__license__ = "MIT"
__all__ = [__version__]
|
class Solution(object):
def maximumGap(self, nums):
"""
:type nums: List[int]
:rtype: int
"""
length = len(nums)
if length < 2:
return 0
bound_x = min(nums)
bound_y = max(nums)
bucket_range = max(1, int((bound_y - bound_x - 1) / (length - 1)) + 1)
bucket_len = (bound_y - bound_x) / bucket_range + 1
buckets = [None] * bucket_len
for k in nums:
loc = (k - bound_x) / bucket_range
bucket = buckets[loc]
if bucket is None:
bucket = {'min': k, 'max': k}
buckets[loc] = bucket
else:
bucket['min'] = min(bucket['min'], k)
bucket['max'] = max(bucket['max'], k)
max_gap = 0
for x in range(bucket_len):
if buckets[x] is None:
continue
y = x + 1
while y < bucket_len and buckets[y] is None:
y += 1
if y < bucket_len:
max_gap = max(max_gap, buckets[y]['min'] - buckets[x]['max'])
x = y
return max_gap
|
# 2. define a function called “add” that returns the sum of two numbers
def addi(n1, n2):
sum=n1+n2
print(sum)
return sum
addi(2, 4)
|
duo_prim = {
"NRES": {"NRES", "GRU-CC", "POA", "HMB", "DS-XX"},
"GRU-CC": {"GRU-CC", "POA", "HMB", "DS-XX"},
"HMB": {"HMB", "DS-XX"},
"POA": {"POA"},
"DS-XX": {"DS-XX"},
}
duo_sec = {
"GSO",
"RUO",
"RS-XX",
"NMDS",
"GS-XX",
"NPU",
"PUB",
"COL-XX",
"IRB",
"TS-XX",
"COST",
"DSM",
}
adam_main_mapped_to_duo = {
"NRES": "NRES",
"GRU": "RUO",
"NMDS": "NMDS",
"RS-XX": "RS-XX",
"HMB": "HMB",
"PO": "POA",
"ANS": "ANS",
"GEN": "HMB",
"GSO": "GSO",
"DD": "HMB",
"FB": "HMB",
"DS-XX": "DS-XX",
"AGE": "HMB",
"COP": "GRU-CC",
"GRU": "GRU-CC",
"CC": "GRU-CC",
"PU": "NOT-NPU",
"NP": "HMB",
"DSO": "GRU-CC",
"DS": "GRU-CC",
}
#if I find these, i need the matching duo consent! No matter the main category
adam_sec_mapped_to_duo = {
"GS-XX": "GS-CC",
"NPU": "NPU",
"PU": "NOT-NPU",
"PUB": "PUB",
"COL-XX": "COL-XX",
"IRB": "IRB",
"TS-XX": "TS-XX",
"FEE": "COST",
"DSM": "DSM"
}
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Mon Jun 3 19:19:34 2019
@author: sercangul
"""
N = map(int,input().split())
A = list(map(int, input().strip().split(' ')))
mean = sum(A)/len(A)
i=0
X=0
while i<len(A):
X = X + ((A[i] - mean)**2)
i = i+1
STD = (X/len(A)) ** (0.5)
print(round((STD),1))
|
class Enemy:
def __init__(self, name, health, damage):
self.name = name
self.health = health
self.damage = damage
def isActive(self):
return self.health > 0
class KillerJackal(Enemy):
def __init__(self):
super().__init__(name="Killer-Jackal", health=30, damage=50)
class ForestDog(Enemy):
def __init__(self):
super().__init__(name="ForestDog", health=20, damage=10)
class ForestWolf(Enemy):
def __init__(self):
super().__init__(name="ForestWolf", health=25, damage=15)
class TamrajKilvish(Enemy):
def __init__(self):
super().__init__(name="Tamraj Kilvish", health=100, damage=80)
|
superbowl_wins = [
['1', 'Pittsburgh', '6'],
['2', 'Dallas', '5'],
['3', 'Paris', '16'],
['4', 'Wembo CLub', '25'],
]
for row in superbowl_wins:
print (row[1] + " had " + row[2] + " wins")
print("========================")
for row in superbowl_wins:
for el in row:
print (el)
print('')
|
"""557. Reverse Words in a String III
https://leetcode.com/problems/reverse-words-in-a-string-iii/
Given a string, you need to reverse the order of characters in each word
within a sentence while still preserving whitespace and initial word order.
Example 1:
Input: "Let's take LeetCode contest"
Output: "s'teL ekat edoCteeL tsetnoc"
Note: In the string, each word is separated by single space and there will
not be any extra space in the string.
"""
class Solution:
def reverse_words(self, s: str) -> str:
words = s.split(' ')
new_words = []
for word in words:
new_words.append(word[::-1])
return ' '.join(new_words)
|
class Solution:
def twoSum(self, numbers: List[int], target: int) -> List[int]:
left, right = 0, len(numbers) - 1
while left <= right:
sum = numbers[left] + numbers[right]
if sum == target:
return [left + 1, right + 1]
elif sum < target:
left += 1
else:
right -= 1
|
# int()
# float()
# str()
# bool()
number_input = input("number: ")
print(type(number_input))
number_input = int(number_input)
print(type(number_input))
# Falsy Values
print(bool(0))
print(bool(0.0))
print(bool(''))
print(bool(()))
print(bool([]))
print(bool({}))
print(bool(set()))
print(bool(complex()))
print(bool(range()))
print(bool(False))
print(bool(None))
# Truthy Values
print(bool(1))
print(bool(1.0))
print(bool('a'))
print(bool((1,)))
print(bool([1]))
print(bool({1}))
print(bool(set([1])))
print(bool(complex(1)))
print(bool(range(1)))
print(bool(True))
|
def surrender():
i01.setHandSpeed("left", 1.0, 1.0, 1.0, 1.0, 1.0, 1.0)
i01.setHandSpeed("right", 1.0, 1.0, 1.0, 1.0, 1.0, 1.0)
i01.setArmSpeed("right", 0.75, 0.85, 0.95, 0.85)
i01.setArmSpeed("left", 0.75, 0.85, 0.95, 0.85)
i01.setHeadSpeed(0.65, 0.65)
i01.moveHead(90,90)
i01.moveArm("left",90,139,15,79)
i01.moveArm("right",90,145,37,79)
i01.moveHand("left",50,28,30,10,10,76)
i01.moveHand("right",10,10,10,10,10,139)
|
# coding:utf-8
# 版权信息: All rights Reserved, Designed By XHal.cc
# 代码作者: Hal
# 创建时间: 2021/1/31 17:13
# 文件版本: V1.0.0
# 功能描述: 程序的组织结构 - 计算机的流程控制: 顺序结构
# 顺序结构: 程序从上到下顺序地执行代码,中间没有任何的判断和跳转,直到程序结束
'''把大象装进冰箱,一共分几步'''
print (' -------程序开始------- ')
print (' 1. 把冰箱门打开 ')
print (' 2. 把大象放进去 ')
print (' 3. 把冰箱门关上 ')
print (' -------程序结束------- ')
|
'''
Created on June 5, 2012
@author: Jason Huang
'''
'''
Question 1 / 1.
There are N objects kept in a row. The ith object is at position x_i. You want to partition them into K groups. You want to move all objects belonging to the same group to the same position. Objects in two different groups may be placed at the same position. What is the minimum total amount by which you need to move the objects to accomplish this?
Input:
The first line contains the number of test cases T. T test cases follow. The first line contains N and K. The next line contains N space seperated integers, denoting the original positions x_i of the objects.
Output:
Output T lines, containing the total minimum amount by which the objects should be moved.
Constraints:
1 <= T <= 1000
1 <= K <= N <= 200
0 <= x_i <= 1000
Sample Input:
3
3 3
1 1 3
3 2
1 2 4
4 2
1 2 5 7
Sample Output:
0
1
3
Explanation:
For the first case, there is no need to move any object.
For the second case, group objects 1 and 2 together by moving the first object to position 2.
For the third case, group objects 1 and 2 together by moving the first object to position 2 and group objects 3 and 4 together by moving object 3 to position 7. Thus the answer is 1 + 2 = 3.
'''
if __name__ == '__main__':
T = int(input())
for t in range(T):
N,K = [int(x) for x in input().split(" ")]
arr = [int(x) for x in input().split(" ")]
arr.sort()
spaceArr = []
for i in range(len(arr) - 1):
spaceArr.append((arr[i+1] - arr[i], i))
spaceArr.sort(reverse=True)
splitArr = [spaceArr[i][1] for i in range(K-1)]
splitArr.sort()
start = 0
cost = 0
for end in splitArr:
target = arr[(start + end) // 2]
for i in range(start, end + 1):
cost += (arr[i] - target)
start = end + 1
end = len(arr) - 1
target = arr[(start + end) // 2]
for i in range(start, end + 1):
cost += (arr[i] - target)
print(cost)
|
def tidy_label(data, label):
label = label or [''] * len(data)
label = label[:len(data)]
return ['{:2}'.format(str(i)[:2]) for i in label]
def bar_generate_canvas(y, max_height=None, max_length=None):
height, length = int(max(y)) + 1, y.shape[0]
height = max(height, max_height) if max_height else height
length = max(length, max_length) if max_length else length
canvas = [[0] * height for _ in range(length)]
for i, j in enumerate(y):
j = j * 10
int_part, frac_part = int(j // 10), int(j % 10)
k = -1
for k in range(int_part):
canvas[i][k] = 10
canvas[i][k + 1] = frac_part
return canvas
def bar_change_direction(canvas):
canvas = [i[::-1] for i in canvas]
return canvas
def bar_add_segment(canvas):
canvas_c = list()
height = len(canvas[0])
for i in canvas:
canvas_c.append(i)
canvas_c.append(i)
canvas_c.append([0] * height)
return canvas_c
def bar_rotate(canvas):
return list(zip(*canvas))
def bar(data, label=None, kind='bar', max_height=None, max_length=None):
label = tidy_label(data, label)
canvas = bar_generate_canvas(data, max_height=max_height, max_length=max_length)
if kind == 'bar':
mark = ' ▂▃▃▄▅▅▆▇▇█'
canvas = bar_change_direction(canvas)
canvas = bar_add_segment(canvas)
canvas = bar_rotate(canvas)
res = '\n'.join([''.join([mark[col] for col in row]) for row in canvas])
res = res + '\n' + ' '.join(label) if label else res
elif kind == 'barh':
mark = [' ', '▎ ', '▍ ', '▌ ', '▋ ', '█ ', '█▎', '█▍', '█▌', '█▌', '█▌']
res = '\n'.join([''.join([label[idx_row]] + [mark[col] for col in row]) for idx_row, row in enumerate(canvas)])
else:
raise Exception('kind should be "bar" or "barh"')
return res
|
class URLS():
BASE_URL = "http://automationpractice.com/index.php"
CONTACT_PAGE_URL = 'http://automationpractice.com/index.php?controller=contact'
LOGIN_PAGE_URL = 'http://automationpractice.com/index.php?controller=authentication&back=my-account'
REGISTRATION_PAGE_URL = 'http://automationpractice.com/index.php?controller=authentication&back=my-account#account-creation'
|
#
# PySNMP MIB module APPIAN-STRATUM-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/APPIAN-STRATUM-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:23:58 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)
#
acChassisCurrentTime, acChassisRingId = mibBuilder.importSymbols("APPIAN-CHASSIS-MIB", "acChassisCurrentTime", "acChassisRingId")
acOsap, AcOpStatus, AcNodeId = mibBuilder.importSymbols("APPIAN-SMI-MIB", "acOsap", "AcOpStatus", "AcNodeId")
ObjectIdentifier, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint, ConstraintsUnion, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ConstraintsUnion", "ValueSizeConstraint")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
IpAddress, ModuleIdentity, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType, TimeTicks, Counter64, Gauge32, ObjectIdentity, Counter32, MibIdentifier, Integer32, iso, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "ModuleIdentity", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType", "TimeTicks", "Counter64", "Gauge32", "ObjectIdentity", "Counter32", "MibIdentifier", "Integer32", "iso", "Unsigned32")
TruthValue, DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "TruthValue", "DisplayString", "TextualConvention")
acStratum = ModuleIdentity((1, 3, 6, 1, 4, 1, 2785, 2, 9))
acStratum.setRevisions(('1900-08-22 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: acStratum.setRevisionsDescriptions(('Draft MIB for Engineering use only.',))
if mibBuilder.loadTexts: acStratum.setLastUpdated('0008220000Z')
if mibBuilder.loadTexts: acStratum.setOrganization('Appian Communications, Inc.')
if mibBuilder.loadTexts: acStratum.setContactInfo('Brian Johnson')
if mibBuilder.loadTexts: acStratum.setDescription('Appian Communications Stratum MIB contain the definitions for the configuration and control of Stratum Clock module hardware information and status.')
acStratumTable = MibTable((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1), )
if mibBuilder.loadTexts: acStratumTable.setStatus('current')
if mibBuilder.loadTexts: acStratumTable.setDescription('This table contains two rows for access and control of the Stratum-3 clock modules.')
acStratumEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1), ).setIndexNames((0, "APPIAN-STRATUM-MIB", "acStratumNodeId"))
if mibBuilder.loadTexts: acStratumEntry.setStatus('current')
if mibBuilder.loadTexts: acStratumEntry.setDescription('A row within the Stratum table containing access control and status information relating to the operation of the Stratum-3 clock module.')
acStratumNodeId = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 1), AcNodeId()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: acStratumNodeId.setStatus('current')
if mibBuilder.loadTexts: acStratumNodeId.setDescription("The unique node identification number representing a chassis within a ring of OSAP's.")
acStratumClockSource = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("internal", 1), ("bits", 2), ("line", 3))).clone('internal')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumClockSource.setStatus('current')
if mibBuilder.loadTexts: acStratumClockSource.setDescription('This attribute determines the clock source.')
acStratumOpStatusModuleA = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 3), AcOpStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: acStratumOpStatusModuleA.setStatus('current')
if mibBuilder.loadTexts: acStratumOpStatusModuleA.setDescription('This field indicates the current operational status for the clock card in slot 16, module A . Only the following values are applicable to the module: operational, offline, initializing, selfTesting, upgrading, standby, shuttingDown, failed, and hw not present.')
acStratumOpStatusModuleB = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 4), AcOpStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: acStratumOpStatusModuleB.setStatus('current')
if mibBuilder.loadTexts: acStratumOpStatusModuleB.setDescription('This field indicates the current operational status for the clock card in slot 16, module B . Only the following values are applicable to the module: operational, offline, initializing, selfTesting, upgrading, standby, shuttingDown, failed, and hw not present.')
acStratumAlarmStatusModuleA = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: acStratumAlarmStatusModuleA.setStatus('current')
if mibBuilder.loadTexts: acStratumAlarmStatusModuleA.setDescription('This attribute contains the current status of the clock alarms. The acStratumAlarmStatus is a bit map represented as a sum. Normal may only be set if and only if no other alarms are set. The various bit positions are: 1 normal No alarm present 2 los Loss of Signal 4 lof Loss of Frame ')
acStratumAlarmStatusModuleB = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 6))).setMaxAccess("readonly")
if mibBuilder.loadTexts: acStratumAlarmStatusModuleB.setStatus('current')
if mibBuilder.loadTexts: acStratumAlarmStatusModuleB.setDescription('This attribute contains the current status of the clock alarms. The acStratumAlarmStatus is a bit map represented as a sum. Normal must be set if and oly if no other flash is set. The various bit positions are: 1 normal No alarm present 2 los Loss of Signal 4 lof Loss of Frame ')
acStratumCurrentClockSourceModuleA = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("unknown", 0), ("none", 1), ("bits-a", 2), ("bits-b", 3), ("line-slot1-port1", 4), ("line-slot1-port2", 5), ("line-slot2-port1", 6), ("line-slot2-port2", 7), ("holdover", 8), ("internal", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: acStratumCurrentClockSourceModuleA.setStatus('current')
if mibBuilder.loadTexts: acStratumCurrentClockSourceModuleA.setDescription('This attribute displays the current source that the clock card is selecting.')
acStratumCurrentClockSourceModuleB = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("unknown", 0), ("none", 1), ("bits-a", 2), ("bits-b", 3), ("line-slot1-port1", 4), ("line-slot1-port2", 5), ("line-slot2-port1", 6), ("line-slot2-port2", 7), ("holdover", 8), ("internal", 9)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: acStratumCurrentClockSourceModuleB.setStatus('current')
if mibBuilder.loadTexts: acStratumCurrentClockSourceModuleB.setDescription('This attribute displays the current source that the clock card is selecting.')
acStratumLockoutReference = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumLockoutReference.setStatus('current')
if mibBuilder.loadTexts: acStratumLockoutReference.setDescription('This attribute is a bit mask of clock references that should be locked out from selection for the clock source. None can only be selected when no other lockout references are selected. The various bit positions are: 0 none No clock references are locked out from selection. 1 bits-a BITS source from clock module A is locked out. 2 bits-b BITS source from clock module B is locked out. 4 line-slot1 LINE timing source from SONET slot 1 is locked out. 8 line-slot2 LINE timing source from SONET slot 2 is locked out. 16 holdover-a Holdover from clock module A is locked out. 32 holdover-b Holdover from clock module B is locked out. ')
acStratumManualSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 0), ("bits-a", 1), ("bits-b", 2), ("line-slot1", 3), ("line-slot2", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumManualSwitch.setStatus('current')
if mibBuilder.loadTexts: acStratumManualSwitch.setDescription('This attribute will manually switch the clock references. If the clock reference does not exist, is locked out, or the reference has failed, the switch will not take place.')
acStratumForcedSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 0), ("bits-a", 1), ("bits-b", 2), ("line-slot1", 3), ("line-slot2", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumForcedSwitch.setStatus('current')
if mibBuilder.loadTexts: acStratumForcedSwitch.setDescription('This attribute will force switch the clock references. If the clock reference does not exist or is locked out, the switch will not take place.')
acStratumRevertiveRefSwitchEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 12), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumRevertiveRefSwitchEnabled.setStatus('current')
if mibBuilder.loadTexts: acStratumRevertiveRefSwitchEnabled.setDescription('Setting of this attribute to true(1) will the reference to revert back to the original reference when that reference become ready again.')
acStratumClearAlarms = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 13), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumClearAlarms.setStatus('current')
if mibBuilder.loadTexts: acStratumClearAlarms.setDescription('Setting of this attribute to true(1) will cause the alarm contacts to clear. Reading this attribute will always return false.')
acStratumLineTimingPortSlot1 = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumLineTimingPortSlot1.setStatus('current')
if mibBuilder.loadTexts: acStratumLineTimingPortSlot1.setDescription('When configured for line timing, this value describes which port on the SONET card will be used to drive the line. This value is not applicable when not configured for line timing.')
acStratumLineTimingPortSlot2 = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumLineTimingPortSlot2.setStatus('current')
if mibBuilder.loadTexts: acStratumLineTimingPortSlot2.setDescription('When configured for line timing, this value describes which port on the SONET card will be used to drive the line. This value is not applicable when not configured for line timing.')
acStratumBITSFramingType = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("esf", 1), ("d4", 2))).clone('esf')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: acStratumBITSFramingType.setStatus('current')
if mibBuilder.loadTexts: acStratumBITSFramingType.setDescription('When configured for BITS timing, this value describes the type of framing that will be used on the BITS interface. This value is not applicable when not configured for BITS timing.')
acStratumCurrentClockSourceSystem = MibTableColumn((1, 3, 6, 1, 4, 1, 2785, 2, 9, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("unknown", 0), ("bits-a", 1), ("bits-b", 2), ("line-slot1-port1", 3), ("line-slot1-port2", 4), ("line-slot2-port1", 5), ("line-slot2-port2", 6), ("holdover-clock-a", 7), ("holdover-clock-b", 8), ("internal-clock-a", 9), ("internal-clock-b", 10), ("internal-sonet-slot1", 11), ("internal-sonet-slot2", 12)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: acStratumCurrentClockSourceSystem.setStatus('current')
if mibBuilder.loadTexts: acStratumCurrentClockSourceSystem.setDescription('This attribute displays the current clock source that the system is selecting.')
acStratumTraps = MibIdentifier((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0))
acStratumFailedModuleATrap = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 1)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"))
if mibBuilder.loadTexts: acStratumFailedModuleATrap.setStatus('current')
if mibBuilder.loadTexts: acStratumFailedModuleATrap.setDescription('The stratum clock module failed.')
acStratumFailedModuleBTrap = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 2)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"))
if mibBuilder.loadTexts: acStratumFailedModuleBTrap.setStatus('current')
if mibBuilder.loadTexts: acStratumFailedModuleBTrap.setDescription('The stratum clock module failed.')
acStratumClockFailureModuleATrap = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 3)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"), ("APPIAN-STRATUM-MIB", "acStratumAlarmStatusModuleA"))
if mibBuilder.loadTexts: acStratumClockFailureModuleATrap.setStatus('current')
if mibBuilder.loadTexts: acStratumClockFailureModuleATrap.setDescription('Stratum clock agent has detected a clock timing failure.')
acStratumClockFailureModuleBTrap = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 4)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"), ("APPIAN-STRATUM-MIB", "acStratumAlarmStatusModuleB"))
if mibBuilder.loadTexts: acStratumClockFailureModuleBTrap.setStatus('current')
if mibBuilder.loadTexts: acStratumClockFailureModuleBTrap.setDescription('Stratum clock agent has detected a clock timing failure.')
acStratumRemovalModuleATrap = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 5)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"))
if mibBuilder.loadTexts: acStratumRemovalModuleATrap.setStatus('current')
if mibBuilder.loadTexts: acStratumRemovalModuleATrap.setDescription('The stratum clock module has been removed from the system.')
acStratumRemovalModuleBTrap = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 6)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"))
if mibBuilder.loadTexts: acStratumRemovalModuleBTrap.setStatus('current')
if mibBuilder.loadTexts: acStratumRemovalModuleBTrap.setDescription('The stratum clock module has been removed from the system.')
acStratumInsertedModuleATrap = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 7)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"))
if mibBuilder.loadTexts: acStratumInsertedModuleATrap.setStatus('current')
if mibBuilder.loadTexts: acStratumInsertedModuleATrap.setDescription('A stratum clock module has been inserted into the system.')
acStratumInsertedModuleBTrap = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 8)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"))
if mibBuilder.loadTexts: acStratumInsertedModuleBTrap.setStatus('current')
if mibBuilder.loadTexts: acStratumInsertedModuleBTrap.setDescription('A stratum clock module has been inserted into the system.')
acStratumClockModuleAOk = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 9)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"), ("APPIAN-STRATUM-MIB", "acStratumAlarmStatusModuleA"))
if mibBuilder.loadTexts: acStratumClockModuleAOk.setStatus('current')
if mibBuilder.loadTexts: acStratumClockModuleAOk.setDescription('Stratum clock agent has recovered clock timing.')
acStratumClockModuleBOk = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 10)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"), ("APPIAN-STRATUM-MIB", "acStratumAlarmStatusModuleB"))
if mibBuilder.loadTexts: acStratumClockModuleBOk.setStatus('current')
if mibBuilder.loadTexts: acStratumClockModuleBOk.setDescription('Stratum clock agent has recovered clock timing.')
acStratumSystemClockSourceChange = NotificationType((1, 3, 6, 1, 4, 1, 2785, 2, 9, 0, 11)).setObjects(("APPIAN-CHASSIS-MIB", "acChassisCurrentTime"), ("APPIAN-CHASSIS-MIB", "acChassisRingId"), ("APPIAN-STRATUM-MIB", "acStratumNodeId"), ("APPIAN-STRATUM-MIB", "acStratumCurrentClockSourceSystem"))
if mibBuilder.loadTexts: acStratumSystemClockSourceChange.setStatus('current')
if mibBuilder.loadTexts: acStratumSystemClockSourceChange.setDescription('Stratum clock source has changed to acStratumCurrentClockSourceSystem.')
mibBuilder.exportSymbols("APPIAN-STRATUM-MIB", acStratumClockFailureModuleATrap=acStratumClockFailureModuleATrap, acStratumManualSwitch=acStratumManualSwitch, acStratumClockModuleBOk=acStratumClockModuleBOk, acStratumRemovalModuleBTrap=acStratumRemovalModuleBTrap, acStratumBITSFramingType=acStratumBITSFramingType, acStratumTable=acStratumTable, acStratumRevertiveRefSwitchEnabled=acStratumRevertiveRefSwitchEnabled, acStratumRemovalModuleATrap=acStratumRemovalModuleATrap, acStratumFailedModuleBTrap=acStratumFailedModuleBTrap, acStratumLineTimingPortSlot2=acStratumLineTimingPortSlot2, acStratumInsertedModuleATrap=acStratumInsertedModuleATrap, acStratumFailedModuleATrap=acStratumFailedModuleATrap, acStratumTraps=acStratumTraps, acStratumAlarmStatusModuleA=acStratumAlarmStatusModuleA, acStratumNodeId=acStratumNodeId, acStratumClockModuleAOk=acStratumClockModuleAOk, acStratumOpStatusModuleB=acStratumOpStatusModuleB, acStratumForcedSwitch=acStratumForcedSwitch, acStratumCurrentClockSourceModuleA=acStratumCurrentClockSourceModuleA, acStratumAlarmStatusModuleB=acStratumAlarmStatusModuleB, acStratumCurrentClockSourceSystem=acStratumCurrentClockSourceSystem, acStratumClockSource=acStratumClockSource, acStratumCurrentClockSourceModuleB=acStratumCurrentClockSourceModuleB, PYSNMP_MODULE_ID=acStratum, acStratum=acStratum, acStratumLineTimingPortSlot1=acStratumLineTimingPortSlot1, acStratumSystemClockSourceChange=acStratumSystemClockSourceChange, acStratumEntry=acStratumEntry, acStratumOpStatusModuleA=acStratumOpStatusModuleA, acStratumClearAlarms=acStratumClearAlarms, acStratumLockoutReference=acStratumLockoutReference, acStratumClockFailureModuleBTrap=acStratumClockFailureModuleBTrap, acStratumInsertedModuleBTrap=acStratumInsertedModuleBTrap)
|
class Solution:
def majorityElement(self, nums):
c1, c2, cnt1, cnt2 = 0, 1, 0, 0
for num in nums:
if num == c1:
cnt1 += 1
elif num == c2:
cnt2 += 1
elif not cnt1:
c1, cnt1 = num, 1
elif not cnt2:
c2, cnt2 = num, 1
else:
cnt1 -= 1
cnt2 -= 1
return [c for c in (c1, c2) if nums.count(c) > len(nums) // 3]
|
#!/usr/bin/env python3
""" Field identifying and parsing.
The contents of this module allow the specifcation of formats of arrays
of bytes (similar to the python's struct module), but with more
granularity.
Each field basically has two properties: a name and a size (in bytes).
Each field has basically two methods: pack and unpack.
The unpack method takes a sequence of bytes and unpacks the data into
a list of values. The method returns the unpacked list and any trailing
(packed) data as a tuple.
The pack method takes a sequence of values and packs them into a list of
bytes. The method returns the packed list and any extra values as a
tuple.
"""
#******************************************************************************
LITTLE_ENDIAN = False
BIG_ENDIAN = True
DEFAULT_BYTE_ORDER = LITTLE_ENDIAN
#******************************************************************************
class FieldError(Exception):
pass
#******************************************************************************
class Field:
#--------------------------------------------------------------------------
def __init__(self, name, size):
""" A field has a name and a size. The size is in bytes.
"""
self.name = name
self.size = size
#******************************************************************************
class Bitmask(Field):
""" Naming utility. This is the same as a field, but is implemented for
readability reasons when creating Bitfield objects.
"""
pass
#******************************************************************************
class Int8(Field):
#--------------------------------------------------------------------------
def __init__(self, name):
Field.__init__(self, name, 1)
#--------------------------------------------------------------------------
def unpack(self, bytes):
b = bytes.pop(0)
return [b], bytes
#--------------------------------------------------------------------------
def pack(self, values):
val = values.pop(0)
return [val & 0xFF], values
#******************************************************************************
class Int16(Field):
#--------------------------------------------------------------------------
def __init__(self, name, order=DEFAULT_BYTE_ORDER):
Field.__init__(self, name, 2)
self.order = order
#--------------------------------------------------------------------------
def unpack(self, bytes):
b0 = bytes.pop(0)
b1 = bytes.pop(0)
if self.order == LITTLE_ENDIAN:
val = b0 | (b1 << 8)
else:
val = b1 | (b0 << 8)
return [val], bytes
#--------------------------------------------------------------------------
def pack(self, values):
val = values.pop(0)
if self.order == LITTLE_ENDIAN:
b = [val & 0xFF, (val >> 8) & 0xFF]
else:
b = [(val >> 8) & 0xFF, val & 0xFF]
return b, values
#******************************************************************************
class Int24(Field):
#--------------------------------------------------------------------------
def __init__(self, name, order=DEFAULT_BYTE_ORDER):
Field.__init__(self, name, 3)
self.order = order
#--------------------------------------------------------------------------
def unpack(self, bytes):
b0 = bytes.pop(0)
b1 = bytes.pop(0)
b2 = bytes.pop(0)
if self.order == LITTLE_ENDIAN:
val = b0 | (b1 << 8) | (b2 << 16)
else:
val = b2 | (b1 << 8) | (b0 << 16)
return [val], bytes
#--------------------------------------------------------------------------
def pack(self, values):
val = values.pop(0)
if self.order == LITTLE_ENDIAN:
b = [val & 0xFF, (val >> 8) & 0xFF, (val >> 16) & 0xFF]
else:
b = [(val >> 16) & 0xFF, (val >> 8) & 0xFF, val & 0xFF]
return b, values
#******************************************************************************
class Int32(Field):
#--------------------------------------------------------------------------
def __init__(self, name, order=DEFAULT_BYTE_ORDER):
Field.__init__(self, name, 4)
self.order = order
#--------------------------------------------------------------------------
def unpack(self, bytes):
b0 = bytes.pop(0)
b1 = bytes.pop(0)
b2 = bytes.pop(0)
b3 = bytes.pop(0)
if self.order == LITTLE_ENDIAN:
val = b0 | (b1 << 8) | (b2 << 16) | (b3 << 24)
else:
val = b3 | (b2 << 8) | (b1 << 16) | (b0 << 24)
return [val], bytes
#--------------------------------------------------------------------------
def pack(self, values):
val = values.pop(0)
if self.order == LITTLE_ENDIAN:
b = [val & 0xFF, (val >> 8) & 0xFF, (val >> 16) & 0xFF, (val >> 24) & 0xFF]
else:
b = [(val >> 24) & 0xFF, (val >> 16) & 0xFF, (val >> 8) & 0xFF, val & 0xFF]
return b, values
#******************************************************************************
class FieldList(Field):
""" List of field objects.
This is the heart of how a packed field is formatted. It specifies
the fields as field objects, thus providing them with a name and a
method of packing and unpacking data.
"""
#--------------------------------------------------------------------------
def __init__(self, name, *lst):
""" Name the list of fields and provide a list of field or FieldList
objects that specify the format of the data.
"""
self.name = name
self.size = sum([f.size for f in lst])
self.fields = lst
#--------------------------------------------------------------------------
def names(self):
""" Return a list of the field names. The list is ordered according
to the data order.
"""
name_list = []
for f in self.fields:
if isinstance(f, FieldList):
name_list.extend(f.names())
else:
name_list.append(f.name)
return name_list
#--------------------------------------------------------------------------
def unpack(self, bytes):
""" Similar to the unpack method for the Field object except a series
of Fields and FieldLists can be unpacked.
"""
vals = []
for f in self.fields:
v, bytes = f.unpack(bytes)
vals.extend(v)
return vals, bytes
#--------------------------------------------------------------------------
def pack(self, values):
""" Similar to the pack method for the Field object except a series
of Fields and FieldLists can be packed.
"""
bytes = []
for f in self.fields:
b, values = f.pack(values)
bytes.extend(b)
return bytes, values
#******************************************************************************
class Bitfield(FieldList):
""" Bit-granular FieldList.
This object provides a means of specifying the format of packed
bitfields that are up to 32-bits wide.
The byte-order must be specified when creating a Bitfield object.
"""
#--------------------------------------------------------------------------
width_table = (
0x00000000,
0x00000001, 0x00000003, 0x00000007, 0x0000000F,
0x0000001F, 0x0000003F, 0x0000007F, 0x000000FF,
0x000001FF, 0x000003FF, 0x000007FF, 0x00000FFF,
0x00001FFF, 0x00003FFF, 0x00007FFF, 0x0000FFFF,
0x0001FFFF, 0x0003FFFF, 0x0007FFFF, 0x000FFFFF,
0x001FFFFF, 0x003FFFFF, 0x007FFFFF, 0x00FFFFFF,
0x01FFFFFF, 0x03FFFFFF, 0x07FFFFFF, 0x0FFFFFFF,
0x1FFFFFFF, 0x3FFFFFFF, 0x7FFFFFFF, 0xFFFFFFFF
)
#--------------------------------------------------------------------------
def __init__(self, name, order, *lst):
self.name = name
self.order = order
self.fields = lst
size = (sum([f.size for f in lst]) + 7) / 8
if size == 1:
self.helper = Int8(None)
elif size == 2:
self.helper = Int16(None, order)
elif size == 3:
self.helper = Int24(None, order)
elif size == 4:
self.helper = Int32(None, order)
else:
raise FieldError('Maximum bitfield width of 32 exceeded.')
self.size = self.helper.size
#--------------------------------------------------------------------------
def unpack(self, bytes):
""" Similar to the unpack method for the Field object except a series
of bit-granular Fields and FieldLists can be unpacked.
"""
total, bytes = self.helper.unpack(bytes)
total = total[0]
vals = []
for f in [f.size for f in self.fields]:
vals.append(total & Bitfield.width_table[f])
total >>= f
return vals, bytes
#--------------------------------------------------------------------------
def pack(self, values):
""" Similar to the pack method for the Field object except a series
of bit-granular Fields and FieldLists can be packed.
"""
val = 0
offset = 0
for f in [f.size for f in self.fields]:
val |= (values.pop(0) & Bitfield.width_table[f]) << offset
offset += f
values.insert(0, val)
return self.helper.pack(values)
#******************************************************************************
class Record:
""" Basically a FieldList with data.
A Record looks, for most purposes, like a dictionary object. The format
of the dictionary is specified by the underlying field list and the
content of the dictionary (values) can come from the unpacking of
formatted data or from the setting of values via the dictionary API.
"""
#--------------------------------------------------------------------------
def create(field_list, bytes=None):
""" Create a record by specifying a field list. Optionally provide a
sequence of bytes to unpack as record data. If no bytes or if
insufficent bytes are provided, the data is padded with zeroes to
fill in the missing bytes.
The created record is returned.
This is the method that should be used to create Record objects
as opposed to the normal Record() method.
"""
r = Record(field_list)
if bytes is None:
bytes = [0] * (field_list.size)
else:
bytes.extend([0] * (field_list.size - len(bytes)))
vals, extra = r.unpack(bytes)
return r, extra
create = staticmethod(create)
#--------------------------------------------------------------------------
def __init__(self, field_list):
self.fields = field_list
#--------------------------------------------------------------------------
def unpack(self, bytes):
""" Unpack the sequence of bytes into the underlying dictionary and
keep track of any extra data.
Return the list of values and the extra data as a tuple.
"""
vals, extra = self.fields.unpack(bytes)
self.values = dict(list(zip(self.fields.names(), vals)))
return vals, extra
#--------------------------------------------------------------------------
def pack(self, **values):
""" Pack whatever fields are provided in the keyword arguments (values)
along with whatever data is already present in the record and
return the resulting sequence of bytes (and extra data) as a tuple.
"""
self.set(**values)
return self.fields.pack([self.values[f] for f in self.fields.names()])
#--------------------------------------------------------------------------
def get(self, *names):
""" Return the data that corresponds to the specified field names.
Return the results as a dictionary.
"""
rslt = {}.fromkeys(names, 0)
for n in rslt:
if n in self.values:
rslt[n] = self.values[n]
return rslt
#--------------------------------------------------------------------------
def set(self, **values):
""" Set values for the fields that are specified in the provided
keyword arguments.
"""
for v in values:
if v in self.values:
self.values[v] = values[v]
#--------------------------------------------------------------------------
def __setitem__(self, key, value):
""" Allow dictionary-type write access to the record data.
"""
try:
self.values[key] = value
except KeyError:
pass
#--------------------------------------------------------------------------
def __getitem__(self, key):
""" Allow dictionary-type read access to the record data.
"""
try:
return self.values[key]
except KeyError:
return 0
#--------------------------------------------------------------------------
def __iter__(self):
""" Allow iteration over the record's field names.
"""
return iter(list(self.values.keys()))
|
class Node:
# Each node is a tree
def __init__(self, value):
self.data = value
self.right = None
self.left = None
def insert(self, value):
if self.data:
if value < self.data:
if self.left is None:
self.left = Node(value)
else:
self.left.insert(value)
elif value > self.data:
if self.right is None:
self.right = Node(value)
else:
self.right.insert(value)
else:
self.data = value
def printTree(self):
if self.left:
self.left.printTree()
print(self.data)
if self.right:
self.right.printTree()
# Inorder traversal
# Left -> Root -> Right
def inorderTraversal(self, root):
res = []
if root:
res = self.inorderTraversal(root.left)
res.append(root.data)
res = res + self.inorderTraversal(root.right)
return res
# Preorder traversal
# Root -> Left ->Right
def PreorderTraversal(self, root):
res = []
if root:
res.append(root.data)
res = res + self.PreorderTraversal(root.left)
res = res + self.PreorderTraversal(root.right)
return res
# Postorder traversal
# Left ->Right -> Root
def PostorderTraversal(self, root):
res = []
if root:
res = self.PostorderTraversal(root.left)
res = res + self.PostorderTraversal(root.right)
res.append(root.data)
return res
tree = Node(5)
tree.insert(2)
tree.insert(10)
tree.insert(8)
tree.printTree()
# prints 2 5 8 10
|
'''
Statement
Chess knight can move to a square that is two squares away horizontally and one square vertically, or two squares vertically and one square horizontally. The complete move therefore looks like the letter L. Given two different squares of the chessboard, determine whether a knight can go from the first square to the second one in a single move.
The program receives four numbers from 1 to 8 each specifying the column and the row number, first two - for the first square, and the last two - for the second square. The program should output YES if a knight can go from the first square to the second one in a single move or NO otherwise.
Example input
2
4
3
2
Example output
YES
'''
x1 = int(input())
y1 = int(input())
x2 = int(input())
y2 = int(input())
if abs(x2 - x1) == 2:
if abs(y2 - y1) == 1:
print("YES")
else:
print("NO")
elif abs(y2 - y1) == 2:
if abs(x2 - x1) == 1:
print("YES")
else:
print("NO")
else:
print("NO")
|
# Crie um programa que vai:
# Ler vários números
# E perguntar se o usuário quer continuar a cada repetição
# Crie 3 listas:
# 1 - Receber todos os valores;
# 2 - Receber apenas valores pares;
# 3 - Receber apenas valores ímpares;
# No final mostre o restultado das 3 listas na tela
total_num = []
par = []
impar = []
while True:
num = int ( input ( 'Digite um Número: ' ) )
total_num.append(num)
if num % 2 == 0:
par.append(num)
else:
impar.append(num)
resposta = str ( input ( 'Quer Continuar? [S/N]: ' ) )
if resposta in 'Nn':
break
print('-' * 30)
print(f'Lista Completa: {total_num}')
print(f'Lista de Pares: {par}')
print(f'Lista de Ímpares: {impar}')
|
def strAppend(suffix):
return lambda x : x + suffix
|
numerals = {
"I": 1,
"IV": 4,
"V": 5,
"IX": 9,
"X": 10,
"XL": 40,
"L": 50,
"XC": 90,
"C": 100,
"CD": 400,
"D": 500,
"CM": 900,
"M": 1000
}
def checkio(inp, output=""):
next = max([e for e in numerals if numerals[e]<=inp], key=lambda x: numerals[x])
output = output+next
inp = inp-numerals[next]
if inp <= 0:
return output
else:
return checkio(inp, output=output)
if __name__ == "__main__":
print(checkio(44))
|
root_folder = '/var/www/'
charset = '<meta charset="utf-8">'
def application(env, start_response):
scripts = open(root_folder+'scripts.js', 'r').read()
forms = open(root_folder+'forms.html', 'r').read()
if env['REQUEST_METHOD'] == 'POST':
if env.get('CONTENT_LENGTH'): env_len = int(env.get('CONTENT_LENGTH'))
else: env_len = 0
if env_len > 0: post = env['wsgi.input'].read(env_len).decode('utf-8')
else: post = ""
result = ""
if env['PATH_INFO'] == "/read": result = open(root_folder+'messages','r').read()
if env['PATH_INFO'] == "/add": result = open(root_folder+'messages','a').write(post+'\n')
if env['PATH_INFO'] == "/clear": result = open(root_folder+'messages','w').write('Welcome to chat<br>\n')
start_response('200 OK', [('Content-Type', 'text/html'), ('Content-Length', str(len(result)))])
yield result.encode('utf-8')
else:
if env['PATH_INFO'] == "/favicon.ico":
favicon = open(root_folder+'mesjes.png', 'rb').read()
start_response('200 OK', [('Content-Type','image/png'),('Content-Length', str(len(favicon)))])
yield favicon
else:
html = '<html>\n<head>\n' + charset + '\n' + scripts + '\n</head>\n<body>\n' + forms + '\n</body>\n</html>'
start_response('200 OK', [('Content-Type', 'text/html'), ('Content-Length', str(len(html)))])
yield html.encode('utf-8')
|
class Solution:
def crackSafe(self, n: int, k: int) -> str:
# worst case k ** n
def dfs(cur, seen, total):
if len(seen) == total:
return cur
for i in range(k):
temp = cur[-n + 1: ] + str(i) if n != 1 else str(i)
if temp not in seen:
seen.add(temp)
res = dfs(cur + str(i), seen, total)
if res:
return res
seen.remove(temp)
return dfs("0" * n, set(["0" * n]), k**n)
|
LANGUAGES = ['Auto', 'Afrikaans', 'Albanian', 'Amharic', 'Arabic', 'Armenian', 'Azerbaijani', 'Basque', 'Belarusian', 'Bengali',
'Bosnian', 'Bulgarian', 'Catalan', 'Cebuano', 'Chichewa', 'Chinese (Simplified)', 'Chinese (Traditional)', 'Corsican',
'Croatian', 'Czech', 'Danish', 'Dutch', 'English', 'Esperanto', 'Estonian', 'Filipino', 'Finnish', 'French', 'Frisian',
'Galician', 'Georgian', 'German', 'Greek', 'Gujarati', 'Haitian Creole', 'Hausa', 'Hawaiian', 'Hebrew', 'Hindi','hmong',
'Hungarian', 'Icelandic', 'Igbo', 'Indonesian', 'Irish', 'Italian', 'Japanese', 'Javanese', 'Kannada', 'Kazakh',
'Khmer', 'Korean', 'Kurdish (Kurmanji)', 'Kyrgyz', 'Lao', 'Latin', 'Latvian', 'Lithuanian', 'Luxembourgish', 'Macedonian',
'Malagasy', 'Malay', 'Malayalam', 'Maltese', 'Maori', 'Marathi', 'Mongolian', 'Myanmar (Burmese)', 'Nepali', 'Norwegian',
'Odia', 'Pashto', 'Persian', 'Polish', 'Portuguese', 'Punjabi', 'Romanian', 'Russian', 'Samoan', 'Scots Gaelic','Serbian',
'Sesotho', 'Shona', 'Sindhi', 'Sinhala', 'Slovak', 'Slovenian', 'Somali', 'Spanish', 'Sundanese', 'Swahili', 'Swedish',
'Tajik', 'Tamil', 'Telugu', 'Thai', 'Turkish', 'Turkmen', 'Ukrainian', 'Urdu', 'Uyghur', 'Uzbek', 'Vietnamese', 'Welsh',
'Xhosa', 'Yiddish', 'Yoruba', 'Zulu'
]
|
class Validator(object):
"""
Create the Validator instance to register config. You can either pass a flask application in directly
here to register this extension with the flask app, or call init_app after creating
this object (in a factory pattern).
:param app: A flask application
"""
def __init__(self, app=None):
self.app = app
if app is not None:
self.init_app(app)
def init_app(self, app):
self._set_default_configuration_options(app)
@staticmethod
def _set_default_configuration_options(app):
app.config.setdefault('INVALID_CONTENT_TYPE_ABORT_CODE', 406)
app.config.setdefault('KEY_MISSING_ABORT_CODE', 400)
app.config.setdefault('INVALID_TYPE_ABORT_CODE', 400)
app.config.setdefault('VALIDATION_FAILURE_ABORT_CODE', 400)
app.config.setdefault('VALIDATION_ERROR_ABORT_CODE', 400)
|
# -*- coding: utf-8 -*-
"""
@author: Hareem Akram
"""
# [Reddit credentials]
c_id = 'client id from https://www.reddit.com/prefs/apps'
secret = 'client secret from https://www.reddit.com/prefs/apps'
agent = 'osint project'
usr = 'reddit username'
pwd = 'reddit password'
# [Twitter credentials]
# apply for developer access at Twitter
bearer_token = 'bearer token'
consumer_key = 'consumer key'
consumer_secret = 'consumer secret'
access_token = 'access token'
access_secret = 'access secret'
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.