content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
class ReflectionException(Exception):
pass
class SignatureException(ReflectionException):
pass
class MissingArguments(SignatureException):
pass
class UnknownArguments(SignatureException):
pass
class InvalidKeywordArgument(ReflectionException):
pass
| class Reflectionexception(Exception):
pass
class Signatureexception(ReflectionException):
pass
class Missingarguments(SignatureException):
pass
class Unknownarguments(SignatureException):
pass
class Invalidkeywordargument(ReflectionException):
pass |
class Solution:
def generateParenthesis(self, n: int) -> [str]:
res = []
def dfs(i, j, tmp):
if not (i or j):
res.append(tmp)
return
if i:
dfs(i - 1, j, tmp + '(')
if j > i:
dfs(i, j - 1, tmp + ')')
dfs(n, n, "")
return res
| class Solution:
def generate_parenthesis(self, n: int) -> [str]:
res = []
def dfs(i, j, tmp):
if not (i or j):
res.append(tmp)
return
if i:
dfs(i - 1, j, tmp + '(')
if j > i:
dfs(i, j - 1, tmp + ')')
dfs(n, n, '')
return res |
x = 3
y = 4
def Double(x):
return 2 * x
def Product(x, y):
return x * y
def SayHi():
print("Hello World!!!")
| x = 3
y = 4
def double(x):
return 2 * x
def product(x, y):
return x * y
def say_hi():
print('Hello World!!!') |
def oddsum():
n= int(input("Enter the number of terms:"))
sum=0
for i in range (1, 2*n+1, 2):
sum += i
print("The sum of first", n, "odd terms is:", sum)
def evensum():
n= int(input("Enter the number of terms:"))
sum=0
for i in range (0, 2*n+1, 2):
sum += i
print("The sum of first", n, "even terms is:", sum)
def sumodd(n):
return (n * n)
def sumeven(n):
return (n * (n + 1))
def findSum(num):
sumo = 0
sume = 0
x = 1
cur = 0
ans = 0
while (num > 0):
inc = min(x, num)
num -= inc
if (cur == 0):
ans = ans + sumodd(sumo + inc) - sumodd(sumo)
sumo += inc
else:
ans = ans + sumeven(sume + inc) - sumeven(sume)
sume += inc
x *= 2
cur ^= 1
return ans
n = int(input("Enter number of terms:"))
print("The sum of first n terms is:", findSum(n)) | def oddsum():
n = int(input('Enter the number of terms:'))
sum = 0
for i in range(1, 2 * n + 1, 2):
sum += i
print('The sum of first', n, 'odd terms is:', sum)
def evensum():
n = int(input('Enter the number of terms:'))
sum = 0
for i in range(0, 2 * n + 1, 2):
sum += i
print('The sum of first', n, 'even terms is:', sum)
def sumodd(n):
return n * n
def sumeven(n):
return n * (n + 1)
def find_sum(num):
sumo = 0
sume = 0
x = 1
cur = 0
ans = 0
while num > 0:
inc = min(x, num)
num -= inc
if cur == 0:
ans = ans + sumodd(sumo + inc) - sumodd(sumo)
sumo += inc
else:
ans = ans + sumeven(sume + inc) - sumeven(sume)
sume += inc
x *= 2
cur ^= 1
return ans
n = int(input('Enter number of terms:'))
print('The sum of first n terms is:', find_sum(n)) |
n = int(input())
# Opt1: Without map
scores_str = input().split()
scores = []
for score in scores_str:
scores.append(int(score))
# Opt2: With map
# map is a function that takes another function and a collection
# e.g, list and applies function to all items in collection
# scores = map(int, input().split())
# By default, sort function order from smaller to bigger
# We want bigger to smaller, make reverse flag True
scores.sort(reverse=True)
score_first = scores[0]
# Can have many winners, we want runner-up
for score in scores:
if score != score_first:
print(score)
break
| n = int(input())
scores_str = input().split()
scores = []
for score in scores_str:
scores.append(int(score))
scores.sort(reverse=True)
score_first = scores[0]
for score in scores:
if score != score_first:
print(score)
break |
h, w = map(int, input().split())
grid = [list(input()) for _ in range(h)]
for i in range(h):
for j in range(w):
if grid[i][j] == '#':
if i - 1 >= 0 and grid[i - 1][j] == '#':
continue
if i + 1 <= h - 1 and grid[i + 1][j] == '#':
continue
if j - 1 >= 0 and grid[i][j - 1] == '#':
continue
if j + 1 <= w - 1 and grid[i][j + 1] == '#':
continue
print('No')
exit()
print('Yes')
| (h, w) = map(int, input().split())
grid = [list(input()) for _ in range(h)]
for i in range(h):
for j in range(w):
if grid[i][j] == '#':
if i - 1 >= 0 and grid[i - 1][j] == '#':
continue
if i + 1 <= h - 1 and grid[i + 1][j] == '#':
continue
if j - 1 >= 0 and grid[i][j - 1] == '#':
continue
if j + 1 <= w - 1 and grid[i][j + 1] == '#':
continue
print('No')
exit()
print('Yes') |
def is_a_valid_message(message):
index=0
while index<len(message):
index2=next((i for i,j in enumerate(message[index:]) if not j.isdigit()), 0)+index
if index==index2:
return False
index3=next((i for i,j in enumerate(message[index2:]) if j.isdigit()), len(message)-index2)+index2
if message[index:index2].startswith("0") or index2+int(message[index:index2])!=index3:
return False
index=index3
return True | def is_a_valid_message(message):
index = 0
while index < len(message):
index2 = next((i for (i, j) in enumerate(message[index:]) if not j.isdigit()), 0) + index
if index == index2:
return False
index3 = next((i for (i, j) in enumerate(message[index2:]) if j.isdigit()), len(message) - index2) + index2
if message[index:index2].startswith('0') or index2 + int(message[index:index2]) != index3:
return False
index = index3
return True |
class Token:
def __init__(self, token, value=None):
self.token = token
self.value = value
def __str__(self):
return "{}: {}".format(self.token, self.value)
def __repr__(self):
return "{}({}, value={})".format(self.__class__.__name__, self.token, self.value)
CONCATENATE = "concatenate"
ASTERISK = "ASTERISK"
QUESTION = "QUESTION"
PLUS = "PLUS"
BAR = "BAR"
OPEN_PARENTHESIS = "OPEN_PARENTHESIS"
CLOSE_PARENTHESIS = "CLOSE_PARENTHESIS"
CHARACTER = "CHARACTER"
| class Token:
def __init__(self, token, value=None):
self.token = token
self.value = value
def __str__(self):
return '{}: {}'.format(self.token, self.value)
def __repr__(self):
return '{}({}, value={})'.format(self.__class__.__name__, self.token, self.value)
concatenate = 'concatenate'
asterisk = 'ASTERISK'
question = 'QUESTION'
plus = 'PLUS'
bar = 'BAR'
open_parenthesis = 'OPEN_PARENTHESIS'
close_parenthesis = 'CLOSE_PARENTHESIS'
character = 'CHARACTER' |
def test1():
"""A multi-line
docstring.
"""
def test2():
"""
A multi-line
docstring.
"""
def test2():
""" A single-line docstring."""
"""
A multi-line
docstring.
"""
| def test1():
"""A multi-line
docstring.
"""
def test2():
"""
A multi-line
docstring.
"""
def test2():
""" A single-line docstring."""
'\nA multi-line\ndocstring.\n' |
#week 4 chapter 8 - assignment 8.4
#8.4 Open the file romeo.txt and read it line by line. For each line,
# split the line into a list of words using the split() method.
# The program should build a list of words. For each word on each
# line check to see if the word is already in the list and if not
# append it to the list. When the program completes, sort and print the
# resulting words in alphabetical order.
path = "/home/tbfk/Documents/VSC/Coursera/PythonDataStructures/"
fname = path + "romeo.txt"
fh = open(fname)
lst = list()
for line in fh:
line = line.rstrip()
pieces = line.split()
for word in pieces:
if word in lst: continue
else:
lst.append(word)
lst.sort()
print(lst)
| path = '/home/tbfk/Documents/VSC/Coursera/PythonDataStructures/'
fname = path + 'romeo.txt'
fh = open(fname)
lst = list()
for line in fh:
line = line.rstrip()
pieces = line.split()
for word in pieces:
if word in lst:
continue
else:
lst.append(word)
lst.sort()
print(lst) |
class APIException(Exception):
"""Exception raised when there is an API error."""
default_message = "A server error occurred"
def __init__(self, message=None):
self.message = message or self.default_message
def __str__(self):
return str(self.message)
class PermissionDenied(APIException):
"""Exception raised when a user doesn't have permission to perform this action."""
default_message = "You do not have permission to perform this action"
class LockNotAcquired(Exception):
"""Exception raised when a Lock() is required to run the function."""
default_message = "System lock not acquired"
| class Apiexception(Exception):
"""Exception raised when there is an API error."""
default_message = 'A server error occurred'
def __init__(self, message=None):
self.message = message or self.default_message
def __str__(self):
return str(self.message)
class Permissiondenied(APIException):
"""Exception raised when a user doesn't have permission to perform this action."""
default_message = 'You do not have permission to perform this action'
class Locknotacquired(Exception):
"""Exception raised when a Lock() is required to run the function."""
default_message = 'System lock not acquired' |
# -*- coding: utf-8 -*-
def put_color(string, color):
colors = {
"red": "31",
"green": "32",
"yellow": "33",
"blue": "34",
"pink": "35",
"cyan": "36",
"white": "37",
}
return "\033[40;1;%s;40m%s\033[0m" % (colors[color], string)
| def put_color(string, color):
colors = {'red': '31', 'green': '32', 'yellow': '33', 'blue': '34', 'pink': '35', 'cyan': '36', 'white': '37'}
return '\x1b[40;1;%s;40m%s\x1b[0m' % (colors[color], string) |
class Trie:
WORD_MARK = '*'
ANY_CHAR_MARK = '.'
def __init__(self):
self.trie = {}
def insert(self, word: str) -> None:
trie = self.trie
for ch in word:
trie = trie.setdefault(ch, {})
trie[self.WORD_MARK] = self.WORD_MARK
def search_regex(self, regex: str) -> bool:
pattern_len = len(regex)
prefixes_to_check = [(0, self.trie)]
while prefixes_to_check:
index, curr_trie = prefixes_to_check.pop()
if index == pattern_len:
if self.WORD_MARK in curr_trie:
return True
continue
curr_char = regex[index]
if curr_char == self.ANY_CHAR_MARK:
for next_ch in curr_trie:
if next_ch == self.WORD_MARK:
continue
prefixes_to_check.append((index+1, curr_trie[next_ch]))
if curr_char in curr_trie:
prefixes_to_check.append((index+1, curr_trie[curr_char]))
return False
class WordDictionary:
def __init__(self):
self.trie = Trie()
def addWord(self, word: str) -> None:
self.trie.insert(word)
def search(self, word: str) -> bool:
return self.trie.search_regex(word)
| class Trie:
word_mark = '*'
any_char_mark = '.'
def __init__(self):
self.trie = {}
def insert(self, word: str) -> None:
trie = self.trie
for ch in word:
trie = trie.setdefault(ch, {})
trie[self.WORD_MARK] = self.WORD_MARK
def search_regex(self, regex: str) -> bool:
pattern_len = len(regex)
prefixes_to_check = [(0, self.trie)]
while prefixes_to_check:
(index, curr_trie) = prefixes_to_check.pop()
if index == pattern_len:
if self.WORD_MARK in curr_trie:
return True
continue
curr_char = regex[index]
if curr_char == self.ANY_CHAR_MARK:
for next_ch in curr_trie:
if next_ch == self.WORD_MARK:
continue
prefixes_to_check.append((index + 1, curr_trie[next_ch]))
if curr_char in curr_trie:
prefixes_to_check.append((index + 1, curr_trie[curr_char]))
return False
class Worddictionary:
def __init__(self):
self.trie = trie()
def add_word(self, word: str) -> None:
self.trie.insert(word)
def search(self, word: str) -> bool:
return self.trie.search_regex(word) |
class Solution:
def mincostTickets(self, days: List[int], costs: List[int]) -> int:
dp=[float("inf") for i in range(max(days)+1)]
dp[0]=0
prices={1:costs[0],7:costs[1],30:costs[2]}
for i in range(1,len(dp)):
if i not in days:
dp[i]=dp[i-1]
else:
for price in prices:
val=prices[price]
dp[i]=min(dp[i],dp[max(i-price,0)]+val)
print(dp)
return dp[-1] | class Solution:
def mincost_tickets(self, days: List[int], costs: List[int]) -> int:
dp = [float('inf') for i in range(max(days) + 1)]
dp[0] = 0
prices = {1: costs[0], 7: costs[1], 30: costs[2]}
for i in range(1, len(dp)):
if i not in days:
dp[i] = dp[i - 1]
else:
for price in prices:
val = prices[price]
dp[i] = min(dp[i], dp[max(i - price, 0)] + val)
print(dp)
return dp[-1] |
# https://www.acmicpc.net/problem/9019
def bfs(A, B):
queue = __import__('collections').deque()
queue.append((A, list()))
visited = [False for _ in range(10000)]
visited[A] = True
while queue:
cur, move = queue.popleft()
nxt = (cur * 2) % 10000
if not visited[nxt]:
if nxt == B:
return move + ['D']
visited[nxt] = True
queue.append((nxt, move + ['D']))
nxt = cur - 1 if cur != 0 else 9999
if not visited[nxt]:
if nxt == B:
return move + ['S']
visited[nxt] = True
queue.append((nxt, move + ['S']))
nxt = (cur % 1000) * 10 + cur // 1000
if not visited[nxt]:
if nxt == B:
return move + ['L']
visited[nxt] = True
queue.append((nxt, move + ['L']))
nxt = (cur // 10) + (cur % 10) * 1000
if not visited[nxt]:
if nxt == B:
return move + ['R']
visited[nxt] = True
queue.append((nxt, move + ['R']))
return ''
if __name__ == '__main__':
input = __import__('sys').stdin.readline
T = int(input())
for _ in range(T):
A, B = map(int,input().split())
print(''.join(bfs(A, B))) | def bfs(A, B):
queue = __import__('collections').deque()
queue.append((A, list()))
visited = [False for _ in range(10000)]
visited[A] = True
while queue:
(cur, move) = queue.popleft()
nxt = cur * 2 % 10000
if not visited[nxt]:
if nxt == B:
return move + ['D']
visited[nxt] = True
queue.append((nxt, move + ['D']))
nxt = cur - 1 if cur != 0 else 9999
if not visited[nxt]:
if nxt == B:
return move + ['S']
visited[nxt] = True
queue.append((nxt, move + ['S']))
nxt = cur % 1000 * 10 + cur // 1000
if not visited[nxt]:
if nxt == B:
return move + ['L']
visited[nxt] = True
queue.append((nxt, move + ['L']))
nxt = cur // 10 + cur % 10 * 1000
if not visited[nxt]:
if nxt == B:
return move + ['R']
visited[nxt] = True
queue.append((nxt, move + ['R']))
return ''
if __name__ == '__main__':
input = __import__('sys').stdin.readline
t = int(input())
for _ in range(T):
(a, b) = map(int, input().split())
print(''.join(bfs(A, B))) |
# Values for type component of FCGIHeader
FCGI_BEGIN_REQUEST = 1
FCGI_ABORT_REQUEST = 2
FCGI_END_REQUEST = 3
FCGI_PARAMS = 4
FCGI_STDIN = 5
FCGI_STDOUT = 6
FCGI_STDERR = 7
FCGI_DATA = 8
FCGI_GET_VALUES = 9
FCGI_GET_VALUES_RESULT = 10
FCGI_UNKNOWN_TYPE = 11
# Mask for flags component of FCGIBeginRequestBody
FCGI_KEEP_CONN = 1
# Values for role component of FCGIBeginRequestBody
FCGI_RESPONDER = 1
FCGI_AUTHORIZER = 2
FCGI_FILTER = 3
# Values for protocol_status component of FCGIEndRequestBody
FCGI_REQUEST_COMPLETE = 0
FCGI_CANT_MPX_CONN = 1
FCGI_OVERLOADED = 2
FCGI_UNKNOWN_ROLE = 3
| fcgi_begin_request = 1
fcgi_abort_request = 2
fcgi_end_request = 3
fcgi_params = 4
fcgi_stdin = 5
fcgi_stdout = 6
fcgi_stderr = 7
fcgi_data = 8
fcgi_get_values = 9
fcgi_get_values_result = 10
fcgi_unknown_type = 11
fcgi_keep_conn = 1
fcgi_responder = 1
fcgi_authorizer = 2
fcgi_filter = 3
fcgi_request_complete = 0
fcgi_cant_mpx_conn = 1
fcgi_overloaded = 2
fcgi_unknown_role = 3 |
#----------------------------------------------------------------------------------------------------------
#
# AUTOMATICALLY GENERATED FILE TO BE USED BY W_HOTBOX
#
# NAME: Output: Alpha
# COLOR: #699e69
# TEXTCOLOR: #ffffff
#
#----------------------------------------------------------------------------------------------------------
ns = nuke.selectedNodes()
for n in ns:
n.knob('output1').setValue('alpha')
| ns = nuke.selectedNodes()
for n in ns:
n.knob('output1').setValue('alpha') |
"""Document templates configuration file."""
reports = {}
# Default if no template
reports['NONE'] = (''' ''')
# DSCE - Social enquiry
reports['DSCE'] = ('''
PERSONAL DETAILS
Name of Child: %(name)s
Age: %(age)s
Nationality: %(nationality)s
Religion: %(religion)s
Physical/mental fitness: %(padd_dash)s
Source of information: %(source)s
Education Details:
<line>:
<line>:
<blank>
HOME DETAILS
County: %(child_county)s
Sub-County: %(child_sub_county)s
Ward: %(child_ward)s
Village: %(child_village)s
Area Chief: %(child_chief)s
<blank>
NAME OF PARENTS / GUARDIANS
<parents>
<blank>
SIBLINGS
<siblings>
CASE HISTORY OF THE CHILD
Type of Case: %(padd_dash)s
Needs of the child:%(padd_dash)s
Risk of the Child: %(padd_dash)s
<blank>
FAMILY BACKGROUND
<line>:
<line>:
<line>:
''')
blank_txt = '.' * 20
# DSUM - Summons
reports['DSUM'] = ('''
<line>:
<line>:
<blank>
CHILD(REN)'S WELFARE
<siblings>
You are hereby requested to report to the Sub-County Children's Officer on %(summon_date)s
at %(summon_time)s am/pm to discuss matters pertaining to the child/children named above.
<blank>
Our offices are situated at %(physical_location)s.
<blank>
Name of Office
SUB-COUNTY CHILDREN OFFICER
%(case_geo)s
<blank>
Copy to: Mr/Mrs/Miss
''')
# DCCR - Case conference report
reports['DCCR'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DORD - Court order
reports['DORD'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DFOS - Foster certificate
reports['DFOS'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DHEA - Home environment adjustment report
reports['DHEA'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DADM - Institution admission report
reports['DADM'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DINT - Interview
reports['DINT'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DJPA - Joint Parental responsibility agreement
reports['DJPA'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DMNR - Maintenance reciept
reports['DMNR'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DMED - Medical report
reports['DMED'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DDIS - Plan of disengagement
reports['DDIS'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DITP - Plan of treatment / individual treatment plan
reports['DITP'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DPAR - Post adoption report
reports['DPAR'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DPPR - Post placement report
reports['DPPR'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DREF - Referral letter
# Name Age Sex
reports['DREF'] = ('''
<title>TO OTHER AGENCIES, CHILDREN'S INSTITUTIONS, VCOS
<title>AND ANY OTHER RELEVANT AGENCY OR OFFICE
<blank>
TO:
<line>
FROM:
<blank>
I. PARTICULARS OF THE CHILD(REN)
1:
2:
3:
4:
5:
<blank>
Reasons for Referral
- By Court Order
- Supervision
- Others (specify)
<blank>
Mother:
Father:
<blank>
II. DOCUMENTS ATTACHED
1. Case Record Sheet
2. Social Enquiry Report
3. Court Order
4. Individual Treatment Plan
5. Written Promise
6. Any Other Document e.g. Medical report/Birth certificate
Other Details:
<line>:
<line>:
<blank>
NAME OF REFERRING OFFICER:
SIGNATURE:
<blank>
DATE:
<blank>
''')
# DRNI - Risk and needs assessment report (by institution or Getathuru)
reports['DRNI'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DRNS - Risk and needs assessment report (by SCCO)
reports['DRNS'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DSCH - School report
reports['DSCH'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DTRN - Training report
reports['DTRN'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
# DWPM - Written promise
reports['DWPM'] = ('''
<para><font size=12>
%(padd_dot)s
</font></para>
''')
| """Document templates configuration file."""
reports = {}
reports['NONE'] = ' '
reports['DSCE'] = '\n PERSONAL DETAILS\n Name of Child: %(name)s\n Age: %(age)s\n Nationality: %(nationality)s\n Religion: %(religion)s\n Physical/mental fitness: %(padd_dash)s\n Source of information: %(source)s\n Education Details:\n <line>:\n <line>:\n <blank>\n HOME DETAILS\n County: %(child_county)s\n Sub-County: %(child_sub_county)s\n Ward: %(child_ward)s\n Village: %(child_village)s\n Area Chief: %(child_chief)s\n <blank>\n NAME OF PARENTS / GUARDIANS\n <parents>\n <blank>\n SIBLINGS\n <siblings>\n CASE HISTORY OF THE CHILD\n Type of Case: %(padd_dash)s\n Needs of the child:%(padd_dash)s\n Risk of the Child: %(padd_dash)s\n <blank>\n FAMILY BACKGROUND\n <line>:\n <line>:\n <line>:\n '
blank_txt = '.' * 20
reports['DSUM'] = "\n <line>:\n <line>:\n <blank>\n CHILD(REN)'S WELFARE\n <siblings>\n You are hereby requested to report to the Sub-County Children's Officer on %(summon_date)s\n at %(summon_time)s am/pm to discuss matters pertaining to the child/children named above.\n <blank>\n Our offices are situated at %(physical_location)s.\n <blank>\n Name of Office\n SUB-COUNTY CHILDREN OFFICER\n %(case_geo)s\n <blank>\n Copy to: Mr/Mrs/Miss\n "
reports['DCCR'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DORD'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DFOS'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DHEA'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DADM'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DINT'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DJPA'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DMNR'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DMED'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DDIS'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DITP'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DPAR'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DPPR'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DREF'] = "\n <title>TO OTHER AGENCIES, CHILDREN'S INSTITUTIONS, VCOS\n <title>AND ANY OTHER RELEVANT AGENCY OR OFFICE\n <blank>\n TO:\n <line>\n FROM:\n <blank>\n I. PARTICULARS OF THE CHILD(REN)\n 1:\n 2:\n 3:\n 4:\n 5:\n <blank>\n Reasons for Referral\n - By Court Order\n - Supervision\n - Others (specify)\n <blank>\n Mother:\n Father:\n <blank>\n II. DOCUMENTS ATTACHED\n 1. Case Record Sheet\n 2. Social Enquiry Report\n 3. Court Order\n 4. Individual Treatment Plan\n 5. Written Promise\n 6. Any Other Document e.g. Medical report/Birth certificate\n Other Details:\n <line>:\n <line>:\n <blank>\n NAME OF REFERRING OFFICER:\n SIGNATURE:\n <blank>\n DATE:\n <blank>\n "
reports['DRNI'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DRNS'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DSCH'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DTRN'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n '
reports['DWPM'] = '\n <para><font size=12>\n %(padd_dot)s\n </font></para>\n ' |
class Solution:
def maxConsecutive(self, bottom: int, top: int, special: List[int]) -> int:
special.sort()
max_count = max(special[0] - bottom, top - special[-1])
for i in range(len(special) - 1):
max_count = max(max_count, special[i+1] - special[i] - 1)
return max_count | class Solution:
def max_consecutive(self, bottom: int, top: int, special: List[int]) -> int:
special.sort()
max_count = max(special[0] - bottom, top - special[-1])
for i in range(len(special) - 1):
max_count = max(max_count, special[i + 1] - special[i] - 1)
return max_count |
r = int(input("Enter range: "))
print(f"\nThe first {r} Fibonacci numbers are:\n")
n1 = n2 =1
print(n1)
print(n2)
for i in range(r-2):
n3 = n1+n2
print(n3)
n1 = n2
n2 = n3
| r = int(input('Enter range: '))
print(f'\nThe first {r} Fibonacci numbers are:\n')
n1 = n2 = 1
print(n1)
print(n2)
for i in range(r - 2):
n3 = n1 + n2
print(n3)
n1 = n2
n2 = n3 |
# Base Parameters
assets = asset_list('FX')
# Trading Parameters
horizon = 'H1'
pair = 0
# Mass Imports
my_data = mass_import(pair, horizon)
# Indicator Parameters
lookback = 60
def ma(Data, lookback, close, where):
Data = adder(Data, 1)
for i in range(len(Data)):
try:
Data[i, where] = (Data[i - lookback + 1:i + 1, close].mean())
except IndexError:
pass
# Cleaning
Data = jump(Data, lookback)
return Data
def vertical_horizontal_indicator(Data, lookback, what, where):
Data = adder(Data, 4)
for i in range(len(Data)):
Data[i, where] = Data[i, what] - Data[i - 1, what]
Data = jump(Data, 1)
Data[:, where] = abs(Data[:, where])
for i in range(len(Data)):
Data[i, where + 1] = Data[i - lookback + 1:i + 1, where].sum()
for i in range(len(Data)):
try:
Data[i, where + 2] = max(Data[i - lookback + 1:i + 1, what]) - min(Data[i - lookback + 1:i + 1, what])
except ValueError:
pass
Data = jump(Data, lookback)
Data[:, where + 3] = Data[:, where + 2] / Data[:, where + 1]
Data = deleter(Data, where, 3)
return Data
my_data = vertical_horizontal_indicator(my_data, lookback, 3, 4)
my_data = ma(my_data, 60, 4, 5)
indicator_plot_double(my_data, 0, 1, 2, 3, 4, window = 250)
plt.plot(my_data[-250:, 5], color = 'orange')
| assets = asset_list('FX')
horizon = 'H1'
pair = 0
my_data = mass_import(pair, horizon)
lookback = 60
def ma(Data, lookback, close, where):
data = adder(Data, 1)
for i in range(len(Data)):
try:
Data[i, where] = Data[i - lookback + 1:i + 1, close].mean()
except IndexError:
pass
data = jump(Data, lookback)
return Data
def vertical_horizontal_indicator(Data, lookback, what, where):
data = adder(Data, 4)
for i in range(len(Data)):
Data[i, where] = Data[i, what] - Data[i - 1, what]
data = jump(Data, 1)
Data[:, where] = abs(Data[:, where])
for i in range(len(Data)):
Data[i, where + 1] = Data[i - lookback + 1:i + 1, where].sum()
for i in range(len(Data)):
try:
Data[i, where + 2] = max(Data[i - lookback + 1:i + 1, what]) - min(Data[i - lookback + 1:i + 1, what])
except ValueError:
pass
data = jump(Data, lookback)
Data[:, where + 3] = Data[:, where + 2] / Data[:, where + 1]
data = deleter(Data, where, 3)
return Data
my_data = vertical_horizontal_indicator(my_data, lookback, 3, 4)
my_data = ma(my_data, 60, 4, 5)
indicator_plot_double(my_data, 0, 1, 2, 3, 4, window=250)
plt.plot(my_data[-250:, 5], color='orange') |
#
# exceptions.py
#
# (c) 2017 by Andreas Kraft
# License: BSD 3-Clause License. See the LICENSE file for further details.
#
# This module defines the exceptions used in various modules.
#
"""
This sub-module defines the exceptions used in the onem2mlib module.
"""
class OneM2MLibError(Exception):
"""
Base class for exceptions in this module.
"""
pass
class CSEOperationError(OneM2MLibError):
"""
Exception raised for errors when invoking operations on the CSE.
"""
def __init__(self, message):
self.message = message
""" Explanation of the error. """
class AuthenticationError(OneM2MLibError):
"""
Exception raised for errors regarding authorization.
"""
def __init__(self, message):
self.message = message
""" Explanation of the error. """
class ParameterError(OneM2MLibError):
"""
Exception raised for errors in paramterization of resource classes.
"""
def __init__(self, message):
self.message = message
""" Explanation of the error. """
class NotSupportedError(OneM2MLibError):
"""
Exception raised when accessing/modifying not supported features of a resource.
"""
def __init__(self, message):
self.message = message
""" Explanation of the error. """
class EncodingError(OneM2MLibError):
"""
Exception raised when receiving a wrong encoding.
"""
def __init__(self, message):
self.message = message
""" Explanation of the error. """
class ConfigurationError(OneM2MLibError):
"""
Exception raised when encountering a missing or wrong configuration, e.g. of one
if the library's components.
"""
def __init__(self, message):
self.message = message
""" Explanation of the error. """
| """
This sub-module defines the exceptions used in the onem2mlib module.
"""
class Onem2Mliberror(Exception):
"""
Base class for exceptions in this module.
"""
pass
class Cseoperationerror(OneM2MLibError):
"""
Exception raised for errors when invoking operations on the CSE.
"""
def __init__(self, message):
self.message = message
' Explanation of the error. '
class Authenticationerror(OneM2MLibError):
"""
Exception raised for errors regarding authorization.
"""
def __init__(self, message):
self.message = message
' Explanation of the error. '
class Parametererror(OneM2MLibError):
"""
Exception raised for errors in paramterization of resource classes.
"""
def __init__(self, message):
self.message = message
' Explanation of the error. '
class Notsupportederror(OneM2MLibError):
"""
Exception raised when accessing/modifying not supported features of a resource.
"""
def __init__(self, message):
self.message = message
' Explanation of the error. '
class Encodingerror(OneM2MLibError):
"""
Exception raised when receiving a wrong encoding.
"""
def __init__(self, message):
self.message = message
' Explanation of the error. '
class Configurationerror(OneM2MLibError):
"""
Exception raised when encountering a missing or wrong configuration, e.g. of one
if the library's components.
"""
def __init__(self, message):
self.message = message
' Explanation of the error. ' |
def more(message):
answer = input(message)
while not (answer=="y" or answer=="n"):
answer = input(message)
return answer=="y" | def more(message):
answer = input(message)
while not (answer == 'y' or answer == 'n'):
answer = input(message)
return answer == 'y' |
def get_input() -> list:
with open(f"{__file__.rstrip('code.py')}input.txt") as f:
return [l.strip().replace(" = ", " ").replace("mem[", "").replace("]", "") for l in f.readlines()]
def parse_input(lines: list) -> list:
instructions = []
for line in lines:
if line.startswith('mask'):
instructions.append([line.split()[1], []])
continue
instructions[-1][1].append([int(i) for i in line.split()])
return instructions
def part1(instructions: list) -> int:
results = dict()
for instr in instructions:
mask_and = int(instr[0].replace("X", "1"), 2)
mask_or = int(instr[0].replace("X", "0"), 2)
for mem in instr[1]:
results[mem[0]] = (mem[1] | mask_or) & mask_and
return sum(results.values())
def part2(instructions: list) -> int:
results = dict()
for instr in instructions:
mask_or = int(instr[0].replace("X", "0"), 2)
for mem in instr[1]:
addrs = [mem[0] | mask_or]
idxs = [i for i, val in enumerate(
reversed(instr[0])) if val == "X"]
for idx in idxs:
tmp = [addr | (1 << idx) for addr in addrs]
tmp += [addr & ~(1 << idx) for addr in addrs]
addrs = tmp
for addr in addrs:
results[addr] = mem[1]
return sum(results.values())
def main():
file_input = parse_input(get_input())
print(f"Part 1: {part1(file_input)}")
print(f"Part 2: {part2(file_input)}")
if __name__ == "__main__":
main()
| def get_input() -> list:
with open(f"{__file__.rstrip('code.py')}input.txt") as f:
return [l.strip().replace(' = ', ' ').replace('mem[', '').replace(']', '') for l in f.readlines()]
def parse_input(lines: list) -> list:
instructions = []
for line in lines:
if line.startswith('mask'):
instructions.append([line.split()[1], []])
continue
instructions[-1][1].append([int(i) for i in line.split()])
return instructions
def part1(instructions: list) -> int:
results = dict()
for instr in instructions:
mask_and = int(instr[0].replace('X', '1'), 2)
mask_or = int(instr[0].replace('X', '0'), 2)
for mem in instr[1]:
results[mem[0]] = (mem[1] | mask_or) & mask_and
return sum(results.values())
def part2(instructions: list) -> int:
results = dict()
for instr in instructions:
mask_or = int(instr[0].replace('X', '0'), 2)
for mem in instr[1]:
addrs = [mem[0] | mask_or]
idxs = [i for (i, val) in enumerate(reversed(instr[0])) if val == 'X']
for idx in idxs:
tmp = [addr | 1 << idx for addr in addrs]
tmp += [addr & ~(1 << idx) for addr in addrs]
addrs = tmp
for addr in addrs:
results[addr] = mem[1]
return sum(results.values())
def main():
file_input = parse_input(get_input())
print(f'Part 1: {part1(file_input)}')
print(f'Part 2: {part2(file_input)}')
if __name__ == '__main__':
main() |
# python2 ((((((((
# noinspection PyUnusedLocal
# friend_name = unicode string
def hello(friend_name):
return u"Hello, " + friend_name + u"!"
| def hello(friend_name):
return u'Hello, ' + friend_name + u'!' |
def test_time_traveling(w3):
current_block_time = w3.eth.get_block("pending")['timestamp']
time_travel_to = current_block_time + 12345
w3.testing.timeTravel(time_travel_to)
latest_block_time = w3.eth.get_block("pending")['timestamp']
assert latest_block_time >= time_travel_to
| def test_time_traveling(w3):
current_block_time = w3.eth.get_block('pending')['timestamp']
time_travel_to = current_block_time + 12345
w3.testing.timeTravel(time_travel_to)
latest_block_time = w3.eth.get_block('pending')['timestamp']
assert latest_block_time >= time_travel_to |
BASE_RATE = 59.94
# FEE RATES
PREV_POLICY_CANCELLED_FEE_AMT = 0.50
STATE_FEE_AMT = 0.25
MILES_0_100_FEE_AMT = 0.50
MILES_101_200_FEE_AMT = 0.40
MILES_201_500_FEE_AMT = 0.35
# DISCOUNT RATES
NO_PREV_POLICY_CANCELLED_DIS_AMT = 0.10
PROPERTY_OWNER_DIS_AMT = 0.20
STATES_WITH_VOLCANOES = [
'AK',
'AZ',
'CA',
'CO',
'HI',
'ID',
'NV',
'NY',
'OR',
'UT',
'WA',
'WY',
]
STATES_WITH_VOLCANOES_TUPLE = [
('Alaska', 'AK'),
('Arizona', 'AZ'),
('California', 'CA'),
('Colorado', 'CO'),
('Hawaii', 'HI'),
('Idaho', 'ID'),
('Nevada', 'NV'),
('New Mexico', 'NY'),
('Oregon', 'OR'),
('Utah', 'UT'),
('Washington', 'WA'),
('Wyoming', 'WY'),
]
STATE_CODES = ["AL", "AK", "AZ", "AR", "CA", "CO", "CT", "DE", "FL", "GA",
"HI", "ID", "IL", "IN", "IA", "KS", "KY", "LA", "ME", "MD",
"MA", "MI", "MN", "MS", "MO", "MT", "NE", "NV", "NH", "NJ",
"NM", "NY", "NC", "ND", "OH", "OK", "OR", "PA", "RI", "SC",
"SD", "TN", "TX", "UT", "VT", "VA", "WA", "WV", "WI", "WY"]
| base_rate = 59.94
prev_policy_cancelled_fee_amt = 0.5
state_fee_amt = 0.25
miles_0_100_fee_amt = 0.5
miles_101_200_fee_amt = 0.4
miles_201_500_fee_amt = 0.35
no_prev_policy_cancelled_dis_amt = 0.1
property_owner_dis_amt = 0.2
states_with_volcanoes = ['AK', 'AZ', 'CA', 'CO', 'HI', 'ID', 'NV', 'NY', 'OR', 'UT', 'WA', 'WY']
states_with_volcanoes_tuple = [('Alaska', 'AK'), ('Arizona', 'AZ'), ('California', 'CA'), ('Colorado', 'CO'), ('Hawaii', 'HI'), ('Idaho', 'ID'), ('Nevada', 'NV'), ('New Mexico', 'NY'), ('Oregon', 'OR'), ('Utah', 'UT'), ('Washington', 'WA'), ('Wyoming', 'WY')]
state_codes = ['AL', 'AK', 'AZ', 'AR', 'CA', 'CO', 'CT', 'DE', 'FL', 'GA', 'HI', 'ID', 'IL', 'IN', 'IA', 'KS', 'KY', 'LA', 'ME', 'MD', 'MA', 'MI', 'MN', 'MS', 'MO', 'MT', 'NE', 'NV', 'NH', 'NJ', 'NM', 'NY', 'NC', 'ND', 'OH', 'OK', 'OR', 'PA', 'RI', 'SC', 'SD', 'TN', 'TX', 'UT', 'VT', 'VA', 'WA', 'WV', 'WI', 'WY'] |
class Solution:
def kthFactor(self, n: int, k: int) -> int:
factors = [i for i in range(1, n + 1) if n % i == 0]
print(factors)
if k <= len(factors):
return factors[k - 1]
return -1
| class Solution:
def kth_factor(self, n: int, k: int) -> int:
factors = [i for i in range(1, n + 1) if n % i == 0]
print(factors)
if k <= len(factors):
return factors[k - 1]
return -1 |
"""
Lecture 4
"""
#my_tuple = 'a','b','c','d','e'
#print(my_tuple)
#print(my_tuple[1]) # using index numbers to find the letters we want
#print(my_tuple[0:3]) # using slicing to find multiple letters at once
#print(my_tuple[:])
#my_2nd_tuple = ('a','b','c','d','e') #as long as you have he commas, it is a tuple.
#print(my_2nd_tuple)
#test = ('a',)
#print(type(test,))
#my_car = {
#'color':'red',
#'maker':'toyota',
#'year':2015
#}
#print(my_car)
#print(my_car['year'])
#print(my_car['color'])
#print(my_car.items())
#print(my_car.keys())
#print(my_car.values())
#print(my_car.get('year'))
#my_car['model']='corolla'
#print(my_car)
#my_car['year']='2020'
#print(my_car)
#print(len(my_car))
#print('color' in my_car) | """
Lecture 4
""" |
# -*- coding: utf-8 -*-
"""
neutrino_api
This file was automatically generated for NeutrinoAPI by APIMATIC v2.0 ( https://apimatic.io ).
"""
class UserAgentInfoResponse(object):
"""Implementation of the 'User Agent Info Response' model.
TODO: type model description here.
Attributes:
mobile_screen_width (int): The estimated mobile device screen width in
CSS 'px'
mobile_brand (string): The mobile device brand
mobile_model (string): The mobile device model
producer (string): The producer or manufacturer of the user agent
browser_name (string): The browser software name
mobile_screen_height (int): The estimated mobile device screen height
in CSS 'px'
is_mobile (bool): True if this is a mobile user agent
mtype (string): The user agent type, possible values are: <ul>
<li>desktop-browser</li> <li>mobile-browser</li>
<li>email-client</li> <li>feed-reader</li>
<li>software-library</li> <li>media-player (includes smart
TVs)</li> <li>robot</li> <li>unknown</li> </ul>
version (string): The browser software version
operating_system (string): The full operating system name which may
include the major version number or code name
mobile_browser (string): The mobile device browser name (this is
usually the same as the browser name)
is_android (bool): True if this is an Android based mobile user agent
is_ios (bool): True if this is an iOS based mobile user agent
operating_system_family (string): The operating system family name,
this is the OS name without any version information
operating_system_version (string): The operating system version number
(if detectable)
engine (string): The browser engine name
engine_version (string): The browser engine version (if detectable)
"""
# Create a mapping from Model property names to API property names
_names = {
"mobile_screen_width":'mobileScreenWidth',
"mobile_brand":'mobileBrand',
"mobile_model":'mobileModel',
"producer":'producer',
"browser_name":'browserName',
"mobile_screen_height":'mobileScreenHeight',
"is_mobile":'isMobile',
"mtype":'type',
"version":'version',
"operating_system":'operatingSystem',
"mobile_browser":'mobileBrowser',
"is_android":'isAndroid',
"is_ios":'isIos',
"operating_system_family":'operatingSystemFamily',
"operating_system_version":'operatingSystemVersion',
"engine":'engine',
"engine_version":'engineVersion'
}
def __init__(self,
mobile_screen_width=None,
mobile_brand=None,
mobile_model=None,
producer=None,
browser_name=None,
mobile_screen_height=None,
is_mobile=None,
mtype=None,
version=None,
operating_system=None,
mobile_browser=None,
is_android=None,
is_ios=None,
operating_system_family=None,
operating_system_version=None,
engine=None,
engine_version=None):
"""Constructor for the UserAgentInfoResponse class"""
# Initialize members of the class
self.mobile_screen_width = mobile_screen_width
self.mobile_brand = mobile_brand
self.mobile_model = mobile_model
self.producer = producer
self.browser_name = browser_name
self.mobile_screen_height = mobile_screen_height
self.is_mobile = is_mobile
self.mtype = mtype
self.version = version
self.operating_system = operating_system
self.mobile_browser = mobile_browser
self.is_android = is_android
self.is_ios = is_ios
self.operating_system_family = operating_system_family
self.operating_system_version = operating_system_version
self.engine = engine
self.engine_version = engine_version
@classmethod
def from_dictionary(cls,
dictionary):
"""Creates an instance of this model from a dictionary
Args:
dictionary (dictionary): A dictionary representation of the object as
obtained from the deserialization of the server's response. The keys
MUST match property names in the API description.
Returns:
object: An instance of this structure class.
"""
if dictionary is None:
return None
# Extract variables from the dictionary
mobile_screen_width = dictionary.get('mobileScreenWidth')
mobile_brand = dictionary.get('mobileBrand')
mobile_model = dictionary.get('mobileModel')
producer = dictionary.get('producer')
browser_name = dictionary.get('browserName')
mobile_screen_height = dictionary.get('mobileScreenHeight')
is_mobile = dictionary.get('isMobile')
mtype = dictionary.get('type')
version = dictionary.get('version')
operating_system = dictionary.get('operatingSystem')
mobile_browser = dictionary.get('mobileBrowser')
is_android = dictionary.get('isAndroid')
is_ios = dictionary.get('isIos')
operating_system_family = dictionary.get('operatingSystemFamily')
operating_system_version = dictionary.get('operatingSystemVersion')
engine = dictionary.get('engine')
engine_version = dictionary.get('engineVersion')
# Return an object of this model
return cls(mobile_screen_width,
mobile_brand,
mobile_model,
producer,
browser_name,
mobile_screen_height,
is_mobile,
mtype,
version,
operating_system,
mobile_browser,
is_android,
is_ios,
operating_system_family,
operating_system_version,
engine,
engine_version)
| """
neutrino_api
This file was automatically generated for NeutrinoAPI by APIMATIC v2.0 ( https://apimatic.io ).
"""
class Useragentinforesponse(object):
"""Implementation of the 'User Agent Info Response' model.
TODO: type model description here.
Attributes:
mobile_screen_width (int): The estimated mobile device screen width in
CSS 'px'
mobile_brand (string): The mobile device brand
mobile_model (string): The mobile device model
producer (string): The producer or manufacturer of the user agent
browser_name (string): The browser software name
mobile_screen_height (int): The estimated mobile device screen height
in CSS 'px'
is_mobile (bool): True if this is a mobile user agent
mtype (string): The user agent type, possible values are: <ul>
<li>desktop-browser</li> <li>mobile-browser</li>
<li>email-client</li> <li>feed-reader</li>
<li>software-library</li> <li>media-player (includes smart
TVs)</li> <li>robot</li> <li>unknown</li> </ul>
version (string): The browser software version
operating_system (string): The full operating system name which may
include the major version number or code name
mobile_browser (string): The mobile device browser name (this is
usually the same as the browser name)
is_android (bool): True if this is an Android based mobile user agent
is_ios (bool): True if this is an iOS based mobile user agent
operating_system_family (string): The operating system family name,
this is the OS name without any version information
operating_system_version (string): The operating system version number
(if detectable)
engine (string): The browser engine name
engine_version (string): The browser engine version (if detectable)
"""
_names = {'mobile_screen_width': 'mobileScreenWidth', 'mobile_brand': 'mobileBrand', 'mobile_model': 'mobileModel', 'producer': 'producer', 'browser_name': 'browserName', 'mobile_screen_height': 'mobileScreenHeight', 'is_mobile': 'isMobile', 'mtype': 'type', 'version': 'version', 'operating_system': 'operatingSystem', 'mobile_browser': 'mobileBrowser', 'is_android': 'isAndroid', 'is_ios': 'isIos', 'operating_system_family': 'operatingSystemFamily', 'operating_system_version': 'operatingSystemVersion', 'engine': 'engine', 'engine_version': 'engineVersion'}
def __init__(self, mobile_screen_width=None, mobile_brand=None, mobile_model=None, producer=None, browser_name=None, mobile_screen_height=None, is_mobile=None, mtype=None, version=None, operating_system=None, mobile_browser=None, is_android=None, is_ios=None, operating_system_family=None, operating_system_version=None, engine=None, engine_version=None):
"""Constructor for the UserAgentInfoResponse class"""
self.mobile_screen_width = mobile_screen_width
self.mobile_brand = mobile_brand
self.mobile_model = mobile_model
self.producer = producer
self.browser_name = browser_name
self.mobile_screen_height = mobile_screen_height
self.is_mobile = is_mobile
self.mtype = mtype
self.version = version
self.operating_system = operating_system
self.mobile_browser = mobile_browser
self.is_android = is_android
self.is_ios = is_ios
self.operating_system_family = operating_system_family
self.operating_system_version = operating_system_version
self.engine = engine
self.engine_version = engine_version
@classmethod
def from_dictionary(cls, dictionary):
"""Creates an instance of this model from a dictionary
Args:
dictionary (dictionary): A dictionary representation of the object as
obtained from the deserialization of the server's response. The keys
MUST match property names in the API description.
Returns:
object: An instance of this structure class.
"""
if dictionary is None:
return None
mobile_screen_width = dictionary.get('mobileScreenWidth')
mobile_brand = dictionary.get('mobileBrand')
mobile_model = dictionary.get('mobileModel')
producer = dictionary.get('producer')
browser_name = dictionary.get('browserName')
mobile_screen_height = dictionary.get('mobileScreenHeight')
is_mobile = dictionary.get('isMobile')
mtype = dictionary.get('type')
version = dictionary.get('version')
operating_system = dictionary.get('operatingSystem')
mobile_browser = dictionary.get('mobileBrowser')
is_android = dictionary.get('isAndroid')
is_ios = dictionary.get('isIos')
operating_system_family = dictionary.get('operatingSystemFamily')
operating_system_version = dictionary.get('operatingSystemVersion')
engine = dictionary.get('engine')
engine_version = dictionary.get('engineVersion')
return cls(mobile_screen_width, mobile_brand, mobile_model, producer, browser_name, mobile_screen_height, is_mobile, mtype, version, operating_system, mobile_browser, is_android, is_ios, operating_system_family, operating_system_version, engine, engine_version) |
prefix = "http://watch.peoplepower21.org"
member_index = prefix + "/New/search.php"
member_report = prefix +"/New/cm_info.php?member_seq=%s"
bill_index = prefix + "/New/monitor_voteresult.php"
bill_index_per_page = prefix + "/New/monitor_voteresult.php?page=%d"
bill_vote = prefix + "/New/c_monitor_voteresult_detail.php?mbill=%d"
popong_prefix = "http://ko.pokr.kr"
popong_person = popong_prefix + "/person/"
popong_api = "http://api.popong.com/v0.2/"
popong_api_person = popong_api + "person/%s?api_key=test"
| prefix = 'http://watch.peoplepower21.org'
member_index = prefix + '/New/search.php'
member_report = prefix + '/New/cm_info.php?member_seq=%s'
bill_index = prefix + '/New/monitor_voteresult.php'
bill_index_per_page = prefix + '/New/monitor_voteresult.php?page=%d'
bill_vote = prefix + '/New/c_monitor_voteresult_detail.php?mbill=%d'
popong_prefix = 'http://ko.pokr.kr'
popong_person = popong_prefix + '/person/'
popong_api = 'http://api.popong.com/v0.2/'
popong_api_person = popong_api + 'person/%s?api_key=test' |
class Timeframe:
def __init__(self, pd_start_date, pd_end_date, pd_interval):
if pd_end_date < pd_start_date:
raise ValueError('Timeframe: end date is smaller then start date')
if pd_interval.value <= 0:
raise ValueError('Timeframe: timedelta needs to be positive')
self._pd_interval = pd_interval
self._pd_start_date = pd_start_date
self._pd_current_date = pd_start_date
self._pd_end_date = pd_end_date
def add_timedelta(self):
self._pd_current_date += self._pd_interval
def date(self):
if self.finished():
return self._pd_end_date
return self._pd_current_date
def add_timedelta_until(self, date):
while self._pd_current_date + self._pd_interval < date:
self.add_timedelta()
def start_date(self):
return self._pd_start_date
def end_date(self):
return self._pd_end_date
def finished(self):
return self._pd_current_date > self._pd_end_date
| class Timeframe:
def __init__(self, pd_start_date, pd_end_date, pd_interval):
if pd_end_date < pd_start_date:
raise value_error('Timeframe: end date is smaller then start date')
if pd_interval.value <= 0:
raise value_error('Timeframe: timedelta needs to be positive')
self._pd_interval = pd_interval
self._pd_start_date = pd_start_date
self._pd_current_date = pd_start_date
self._pd_end_date = pd_end_date
def add_timedelta(self):
self._pd_current_date += self._pd_interval
def date(self):
if self.finished():
return self._pd_end_date
return self._pd_current_date
def add_timedelta_until(self, date):
while self._pd_current_date + self._pd_interval < date:
self.add_timedelta()
def start_date(self):
return self._pd_start_date
def end_date(self):
return self._pd_end_date
def finished(self):
return self._pd_current_date > self._pd_end_date |
# Python program for implementation of Level Order Traversal
# Structure of a node
class Node:
def __init__(self ,key):
self.data = key
self.left = None
self.right = None
# print level order traversal
def printLevelOrder(root):
if root is None:
return
# create an empty node_queue for Level order Traversal
node_queue = []
node_queue.append(root)
#print Front of the queue and pop it from the queue
while(len(node_queue) > 0):
print (node_queue[0].data)
node = node_queue.pop(0)
# Enqueue left child
if node.left is not None:
node_queue.append(node.left)
# Enqueue right child
if node.right is not None:
node_queue.append(node.right)
root = Node(1)
root.left = Node(2)
root.right = Node(3)
root.left.left = Node(4)
root.left.right = Node(5)
print ("Binary tree's level order traversal is :")
printLevelOrder(root)
| class Node:
def __init__(self, key):
self.data = key
self.left = None
self.right = None
def print_level_order(root):
if root is None:
return
node_queue = []
node_queue.append(root)
while len(node_queue) > 0:
print(node_queue[0].data)
node = node_queue.pop(0)
if node.left is not None:
node_queue.append(node.left)
if node.right is not None:
node_queue.append(node.right)
root = node(1)
root.left = node(2)
root.right = node(3)
root.left.left = node(4)
root.left.right = node(5)
print("Binary tree's level order traversal is :")
print_level_order(root) |
"""Base configuration"""
DEBUG = False
TESTING = False
SECRET_KEY = b''
EXCHANGE_SECRET_KEY = b''
SQLALCHEMY_TRACK_MODIFICATIONS = False
SQLALCHEMY_DATABASE_URI = ''
"""flask_mail configuration"""
MAIL_SERVER = ''
MAIL_PORT = 465
MAIL_USE_SSL = True
MAIL_USE_TLS = False
MAIL_USERNAME = ''
MAIL_PASSWORD = ''
# """Exchanges urls"""
BINANCE = 'https://api.binance.com'
BYBIT = 'https://api.bybit.com'
| """Base configuration"""
debug = False
testing = False
secret_key = b''
exchange_secret_key = b''
sqlalchemy_track_modifications = False
sqlalchemy_database_uri = ''
'flask_mail configuration'
mail_server = ''
mail_port = 465
mail_use_ssl = True
mail_use_tls = False
mail_username = ''
mail_password = ''
binance = 'https://api.binance.com'
bybit = 'https://api.bybit.com' |
"""
PlotPlayer Helpers Subpackage contains various generic miscellaneous modules and methods to
ease development.
Public Modules:
* file_helper - Contains methods for interacting with the local file system
* ui_helper - Contains methods for providing generic UI elements & dialogs
"""
| """
PlotPlayer Helpers Subpackage contains various generic miscellaneous modules and methods to
ease development.
Public Modules:
* file_helper - Contains methods for interacting with the local file system
* ui_helper - Contains methods for providing generic UI elements & dialogs
""" |
def get_formated_name (first_name, last_name):
full_name = first_name + " "+last_name
return full_name.title()
musician = get_formated_name('jimi', 'hendrix')
print(musician) | def get_formated_name(first_name, last_name):
full_name = first_name + ' ' + last_name
return full_name.title()
musician = get_formated_name('jimi', 'hendrix')
print(musician) |
class GenericPlugin(object):
ID = None
NAME = None
DEPENDENCIES = []
def __init__(self, app, view):
self._app = app
self._view = view
@classmethod
def id(cls):
return cls.ID
@classmethod
def name(cls):
return cls.NAME
@classmethod
def dependencies(cls):
return cls.DEPENDENCIES
@property
def app(self):
return self._app
@property
def view(self):
return self._view
def init(self, fields):
raise NotImplementedError("Every plugin is required to ovveride the method init()")
def shutdown(self, fields):
# by default, this method does not do anything
return
| class Genericplugin(object):
id = None
name = None
dependencies = []
def __init__(self, app, view):
self._app = app
self._view = view
@classmethod
def id(cls):
return cls.ID
@classmethod
def name(cls):
return cls.NAME
@classmethod
def dependencies(cls):
return cls.DEPENDENCIES
@property
def app(self):
return self._app
@property
def view(self):
return self._view
def init(self, fields):
raise not_implemented_error('Every plugin is required to ovveride the method init()')
def shutdown(self, fields):
return |
def isValidChessBoard(board):
"""Validate counts and location of pieces on board"""
# Define pieces and colors
pieces = ['king', 'queen', 'rook', 'knight', 'bishop', 'pawn']
colors = ['b', 'w']
# Set of all chess pieces
all_pieces = set(color + piece for piece in pieces for color in colors)
# Define valid range for count of chess pieces by type (low, high) tuples
valid_counts = {'king': (1, 1),
'queen': (0, 1),
'rook': (0, 2),
'bishop': (0, 2),
'knight': (0, 2),
'pawn': (0, 8)}
# Get count of pieces on the board
piece_cnt = {}
for v in board.values():
if v in all_pieces:
piece_cnt.setdefault(v, 0)
piece_cnt[v] += 1
# Check if there are a valid number of pieces
for piece in all_pieces:
cnt = piece_cnt.get(piece, 0)
lo, hi = valid_counts[piece[1:]]
if not lo <= cnt <= hi: # Count needs to be between lo and hi
if lo != hi:
print(f"There should between {lo} and {hi} {piece} but there are {cnt}")
else:
print(f"There should be {lo} {piece} but there are {cnt})")
return False
# Check if locations are valid
for location in board.keys():
row = int(location[:1])
column = location[1:]
if not ((1 <= row <= 8) and ('a' <= column <= "h")):
print(f"Invaid to have {board[location]} at postion {location}")
return False
# Check if all pieces have valid names
for loc, piece in board.items():
if piece:
if not piece in all_pieces:
print(f"{piece} is not a valid chess piece at postion {loc}")
return False
return True
board = {'1a': 'bking','2a': 'bqueen','3a': 'brook','4a': 'brook',
'5a': 'bknight','6a': 'bknight','7a':'bbishop','8a': 'bbishop',
'1b': 'bpawn','2b': 'bpawn','3b': 'bpawn','4b':'bpawn',
'5b': 'bpawn','6b': 'bpawn','7b': 'bpawn','8b': 'bpawn',
'1c': 'wking','2c': 'wqueen','3c': 'wrook','4c': 'wrook',
'5c': 'wbishop','6c': 'wbishop','7c': 'wknight','8c':'wknight',
'1e': 'wpawn','2e': 'wpawn','3e': 'wpawn','4e': 'wpawn',
'5e': 'wpawn','6e': 'wpawn','7e': 'wpawn','8e': 'wpawn',
'1f': '','2f': '','3f': '','4f': '','5f': '','6f': '','7f': '','8f': '',
'1g': '','2g': '','3g': '','4g': '','5g': '','6g': '','7g': '','8g': '',
'1h': '','2h': '','3h': '','4h': '','5h': '','6h': '','7h': '','8h': '',}
print(isValidChessBoard(board)) | def is_valid_chess_board(board):
"""Validate counts and location of pieces on board"""
pieces = ['king', 'queen', 'rook', 'knight', 'bishop', 'pawn']
colors = ['b', 'w']
all_pieces = set((color + piece for piece in pieces for color in colors))
valid_counts = {'king': (1, 1), 'queen': (0, 1), 'rook': (0, 2), 'bishop': (0, 2), 'knight': (0, 2), 'pawn': (0, 8)}
piece_cnt = {}
for v in board.values():
if v in all_pieces:
piece_cnt.setdefault(v, 0)
piece_cnt[v] += 1
for piece in all_pieces:
cnt = piece_cnt.get(piece, 0)
(lo, hi) = valid_counts[piece[1:]]
if not lo <= cnt <= hi:
if lo != hi:
print(f'There should between {lo} and {hi} {piece} but there are {cnt}')
else:
print(f'There should be {lo} {piece} but there are {cnt})')
return False
for location in board.keys():
row = int(location[:1])
column = location[1:]
if not (1 <= row <= 8 and 'a' <= column <= 'h'):
print(f'Invaid to have {board[location]} at postion {location}')
return False
for (loc, piece) in board.items():
if piece:
if not piece in all_pieces:
print(f'{piece} is not a valid chess piece at postion {loc}')
return False
return True
board = {'1a': 'bking', '2a': 'bqueen', '3a': 'brook', '4a': 'brook', '5a': 'bknight', '6a': 'bknight', '7a': 'bbishop', '8a': 'bbishop', '1b': 'bpawn', '2b': 'bpawn', '3b': 'bpawn', '4b': 'bpawn', '5b': 'bpawn', '6b': 'bpawn', '7b': 'bpawn', '8b': 'bpawn', '1c': 'wking', '2c': 'wqueen', '3c': 'wrook', '4c': 'wrook', '5c': 'wbishop', '6c': 'wbishop', '7c': 'wknight', '8c': 'wknight', '1e': 'wpawn', '2e': 'wpawn', '3e': 'wpawn', '4e': 'wpawn', '5e': 'wpawn', '6e': 'wpawn', '7e': 'wpawn', '8e': 'wpawn', '1f': '', '2f': '', '3f': '', '4f': '', '5f': '', '6f': '', '7f': '', '8f': '', '1g': '', '2g': '', '3g': '', '4g': '', '5g': '', '6g': '', '7g': '', '8g': '', '1h': '', '2h': '', '3h': '', '4h': '', '5h': '', '6h': '', '7h': '', '8h': ''}
print(is_valid_chess_board(board)) |
def cache(func, **kwargs):
attribute = '_{}'.format(func.__name__)
@property
def decorator(self):
if not hasattr(self, attribute):
setattr(self, attribute, func(self))
return getattr(self, attribute)
return decorator
| def cache(func, **kwargs):
attribute = '_{}'.format(func.__name__)
@property
def decorator(self):
if not hasattr(self, attribute):
setattr(self, attribute, func(self))
return getattr(self, attribute)
return decorator |
# Third edit: done at github.com.
# First edit.
# Ask the user for a word. Add .lower() to the input return so it's easier to compare the letters. This method removes case sensitivity.
word = input("Enter a word: ").lower()
# Ask the user for a letter. Add .lower() to the input return so it's easier to compare the letters. This method removes case sensitivity.
letter = input("Enter a letter: ").lower()
# Use the keyword 'in' to determine if the letter is in the word.
# Tell the user if the letter is in the word. Display the letter in uppercase.
# When letter is in word.
if letter in word:
# count the occurances of the letter in the word
letter_count = word.count(letter)
# Set value of the message.
message = f'The word "{word}" contains the letter "{letter}" {letter_count} times.'
# When letter is not in word.
else:
# Set value of message.
message = f'The letter "{letter}" is not in the word {word}.'
# Print the message which was set in the 'if' or 'else' block.
print(message)
| word = input('Enter a word: ').lower()
letter = input('Enter a letter: ').lower()
if letter in word:
letter_count = word.count(letter)
message = f'The word "{word}" contains the letter "{letter}" {letter_count} times.'
else:
message = f'The letter "{letter}" is not in the word {word}.'
print(message) |
_base_ = [
'../_base_/default.py',
'../_base_/logs/tensorboard_logger.py',
'../_base_/optimizers/sgd.py',
'../_base_/runners/epoch_runner_cancel.py',
'../_base_/schedules/plateau.py',
]
optimizer = dict(
lr=0.001,
momentum=0.9,
weight_decay=0.0001,
)
lr_config = dict(min_lr=1e-06)
evaluation = dict(
interval=1,
metric=['mIoU', 'mDice'],
)
# parameter manager
params_config = dict(
type='FreezeLayers',
by_epoch=True,
iters=40,
open_layers=[r'\w*[.]?backbone\.aggregator\.', r'\w*[.]?neck\.',
r'\w*[.]?decode_head\.', r'\w*[.]?auxiliary_head\.']
)
custom_hooks = [
dict(type='LazyEarlyStoppingHook',
patience=5,
iteration_patience=1000,
metric='mIoU',
interval=1,
priority=75,
start=1
),
]
| _base_ = ['../_base_/default.py', '../_base_/logs/tensorboard_logger.py', '../_base_/optimizers/sgd.py', '../_base_/runners/epoch_runner_cancel.py', '../_base_/schedules/plateau.py']
optimizer = dict(lr=0.001, momentum=0.9, weight_decay=0.0001)
lr_config = dict(min_lr=1e-06)
evaluation = dict(interval=1, metric=['mIoU', 'mDice'])
params_config = dict(type='FreezeLayers', by_epoch=True, iters=40, open_layers=['\\w*[.]?backbone\\.aggregator\\.', '\\w*[.]?neck\\.', '\\w*[.]?decode_head\\.', '\\w*[.]?auxiliary_head\\.'])
custom_hooks = [dict(type='LazyEarlyStoppingHook', patience=5, iteration_patience=1000, metric='mIoU', interval=1, priority=75, start=1)] |
def reverseMapping(mapping):
result = {}
for i, segmentString in enumerate(mapping):
result["".join(sorted(segmentString))]=i
#print(result)
return result
def decode(p1):
digitString = [0, 0, 0, 0, 0, 0, 0, 0, 0, 0]
sixSegment = []
fiveSegment = []
for digit in p1:
dg = len(digit)
if dg == 2:
digitString[1] = digit
elif dg == 3:
digitString[7] = digit
elif dg == 4:
digitString[4] = digit
elif dg == 5:
fiveSegment.append(digit)
elif dg == 6:
sixSegment.append(digit)
elif dg == 7:
digitString[8] = digit
#find the two common segments in 7 and 1
cs = ""
for c in digitString[1]:
if c in digitString[7]:
cs+=c
#use right vertical segments to find 3 in 5 segment digits
remainingFiveSegment = []
for option in fiveSegment:
if cs[0] in option and cs[1] in option:
digitString[3] = option
else:
remainingFiveSegment.append(option)
#find middle segment by looking for common segment between 3 and 4
middleSegment=""
for c in digitString[3]:
if c in digitString[4] and c not in cs:
middleSegment=c
#use middleSegment to extract the 0; then use the right vertical segments to distinguish 9 and 6
for option in sixSegment:
if middleSegment not in option:
digitString[0]=option
elif cs[0] in option and cs[1] in option:
digitString[9]=option
else:
digitString[6]=option
#find right lower segment
lowerRight=""
for c in digitString[6]:
if c in cs:
lowerRight=c
#if lower right segment present in fiveSegment digit, it must be 5
for option in remainingFiveSegment:
if lowerRight in option:
digitString[5]=option
else:
digitString[2]=option
return reverseMapping(digitString)
if __name__ == '__main__':
with open("input.txt", 'r') as f:
data = f.readlines()
p1Values=[]
p2Values=[]
for line in data:
p1, p2 = line.rstrip().split('|')
mapping = decode(p1.strip().split())
digits = p2.strip().split()
value=0
for i,digit in enumerate(reversed(digits)):
number = mapping["".join(sorted(digit))]
value += pow(10,i)*number
if len(digit) in [2,3,4,7]:
p1Values.append(number)
p2Values.append(value)
print("p1:",len(p1Values))
print("p2:",sum(p2Values))
| def reverse_mapping(mapping):
result = {}
for (i, segment_string) in enumerate(mapping):
result[''.join(sorted(segmentString))] = i
return result
def decode(p1):
digit_string = [0, 0, 0, 0, 0, 0, 0, 0, 0, 0]
six_segment = []
five_segment = []
for digit in p1:
dg = len(digit)
if dg == 2:
digitString[1] = digit
elif dg == 3:
digitString[7] = digit
elif dg == 4:
digitString[4] = digit
elif dg == 5:
fiveSegment.append(digit)
elif dg == 6:
sixSegment.append(digit)
elif dg == 7:
digitString[8] = digit
cs = ''
for c in digitString[1]:
if c in digitString[7]:
cs += c
remaining_five_segment = []
for option in fiveSegment:
if cs[0] in option and cs[1] in option:
digitString[3] = option
else:
remainingFiveSegment.append(option)
middle_segment = ''
for c in digitString[3]:
if c in digitString[4] and c not in cs:
middle_segment = c
for option in sixSegment:
if middleSegment not in option:
digitString[0] = option
elif cs[0] in option and cs[1] in option:
digitString[9] = option
else:
digitString[6] = option
lower_right = ''
for c in digitString[6]:
if c in cs:
lower_right = c
for option in remainingFiveSegment:
if lowerRight in option:
digitString[5] = option
else:
digitString[2] = option
return reverse_mapping(digitString)
if __name__ == '__main__':
with open('input.txt', 'r') as f:
data = f.readlines()
p1_values = []
p2_values = []
for line in data:
(p1, p2) = line.rstrip().split('|')
mapping = decode(p1.strip().split())
digits = p2.strip().split()
value = 0
for (i, digit) in enumerate(reversed(digits)):
number = mapping[''.join(sorted(digit))]
value += pow(10, i) * number
if len(digit) in [2, 3, 4, 7]:
p1Values.append(number)
p2Values.append(value)
print('p1:', len(p1Values))
print('p2:', sum(p2Values)) |
__version_info__ = (1, 0, 0, '')
# Dot-connect all but the last. Last is dash-connected if not None.
__version__ = '.'.join(str(i) for i in __version_info__[:-1])
if __version_info__[-1] is not None:
__version__ += ('-%s' % (__version_info__[-1],))
# context processor to add version to the template environment
def version_context(request):
return {'SW_VERSION': __version__}
| __version_info__ = (1, 0, 0, '')
__version__ = '.'.join((str(i) for i in __version_info__[:-1]))
if __version_info__[-1] is not None:
__version__ += '-%s' % (__version_info__[-1],)
def version_context(request):
return {'SW_VERSION': __version__} |
# Copyright (c) Dietmar Wolz.
#
# This source code is licensed under the MIT license found in the
# LICENSE file in the root directory.
__version__ = '0.1.3'
__all__ = [
'rayretry',
'multiretry',
]
| __version__ = '0.1.3'
__all__ = ['rayretry', 'multiretry'] |
a = []
print(type(a))
#help(a)
#print(dir(a))
#print(type(type(a)))
| a = []
print(type(a)) |
'''
Write a Binary Search Tree(BST) class. The class should have a "value" property set to be an integer, as well as "left" and "right" properties, both of which should point to either the None(null) value or to another BST. A node is said to be a BST node
if and only if it satisfies the BST property: its value is strictly greater than the values of every node to its left; its value is less than or equal to the values of every node to its right; and both of its children nodes are either BST nodes themselves or None(null) values. The BST class should support insertion, searching, and removal of values. The removal method should only remove the first instance of the target value.
Input: 10
/ \
5 15
/ \ / \
2 5 13 22
/ \
1 14
Output (after inserting 12):
10
/ \
5 15
/ \ / \
2 5 13 22
/ / \
1 12 14
Output (after removing 10):
12
/ \
5 15
/ \ / \
2 5 13 22
/ \
1 14
Output (searching for 15): True
'''
class BST:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
# average: O(log(n)) time | O(1) space
# worst: O(n) time | O(1) space
def insert(self, value):
current = self
while True:
if value < current.value:
if current.left is None:
current.left = BST(value)
break
else:
current = current.left
else:
if current.right is None:
current.right = BST(value)
break
else:
current = current.right
return self
# average: O(log(n)) time | O(1) space
# worst: O(n) time | O(1) space
def contains(self, value):
current = self
while current is not None:
if value < current.value:
current = current.left
elif value > current.value:
current = current.right
else:
return True
return False
# average: O(log(n)) time | O(1) space
# worst: O(n) time | O(1) space
def remove(self, value, parent=None):
current = self
while current is not None:
if value < current.value:
parent = current
current = current.left
elif value > current.value:
parent = current
current = current.right
else:
if current.left is not None and current.right is not None:
current.value = current.right.getMinValue()
# current.value = smallest value of right subtree
current.right.remove(current.value, current)
elif parent is None: # if node to remove is root
if current.left is not None: # one left child
current.value = current.left.value
current.right = current.left.right
current.left = current.left.left # order of assignment matters
elif current.right is not None: # one right child
current.value = current.right.value
current.left = current.right.left
current.right = current.right.right
else: # no child
current.value = None
elif parent.left == current:
parent.left = current.left if current.left is not None else current.right
elif parent.right == current:
parent.right = current.left if current.left is not None else current.right
break
return self
def getMinValue(self):
current = self
while current .left is not None:
current = current.left
return current.value
| """
Write a Binary Search Tree(BST) class. The class should have a "value" property set to be an integer, as well as "left" and "right" properties, both of which should point to either the None(null) value or to another BST. A node is said to be a BST node
if and only if it satisfies the BST property: its value is strictly greater than the values of every node to its left; its value is less than or equal to the values of every node to its right; and both of its children nodes are either BST nodes themselves or None(null) values. The BST class should support insertion, searching, and removal of values. The removal method should only remove the first instance of the target value.
Input: 10
/ 5 15
/ \\ / 2 5 13 22
/ 1 14
Output (after inserting 12):
10
/ 5 15
/ \\ / 2 5 13 22
/ / 1 12 14
Output (after removing 10):
12
/ 5 15
/ \\ / 2 5 13 22
/ 1 14
Output (searching for 15): True
"""
class Bst:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
def insert(self, value):
current = self
while True:
if value < current.value:
if current.left is None:
current.left = bst(value)
break
else:
current = current.left
elif current.right is None:
current.right = bst(value)
break
else:
current = current.right
return self
def contains(self, value):
current = self
while current is not None:
if value < current.value:
current = current.left
elif value > current.value:
current = current.right
else:
return True
return False
def remove(self, value, parent=None):
current = self
while current is not None:
if value < current.value:
parent = current
current = current.left
elif value > current.value:
parent = current
current = current.right
else:
if current.left is not None and current.right is not None:
current.value = current.right.getMinValue()
current.right.remove(current.value, current)
elif parent is None:
if current.left is not None:
current.value = current.left.value
current.right = current.left.right
current.left = current.left.left
elif current.right is not None:
current.value = current.right.value
current.left = current.right.left
current.right = current.right.right
else:
current.value = None
elif parent.left == current:
parent.left = current.left if current.left is not None else current.right
elif parent.right == current:
parent.right = current.left if current.left is not None else current.right
break
return self
def get_min_value(self):
current = self
while current.left is not None:
current = current.left
return current.value |
#! /usr/bin/env python2
# Helpers
def download_file(url):
print("Downloading %s" % url)
local_filename = url.split('/')[-1]
# NOTE the stream=True parameter
r = requests.get(url, stream=True)
with open(local_filename, 'wb') as f:
for chunk in r.iter_content(chunk_size=1024):
if chunk: # filter out keep-alive new chunks
f.write(chunk)
#f.flush() commented by recommendation from J.F.Sebastian
return local_filename
| def download_file(url):
print('Downloading %s' % url)
local_filename = url.split('/')[-1]
r = requests.get(url, stream=True)
with open(local_filename, 'wb') as f:
for chunk in r.iter_content(chunk_size=1024):
if chunk:
f.write(chunk)
return local_filename |
class Solution(object):
def getSum(self, num1, num2):
"""
:type a: int
:type b: int
:rtype: int
"""
ans = 0
mask = 0x01
carry = 0
for i in xrange(0, 32):
a = num1 & mask
b = num2 & mask
c = carry
carry = 0
if a ^ b != 0:
if c == 1:
carry = 1
else:
ans |= mask
else:
if a & mask > 0:
carry = 1
if c == 1:
ans |= mask
mask = mask << 1
if ans > 0x7fffffff:
return ans - 0xffffffff -1
return ans
| class Solution(object):
def get_sum(self, num1, num2):
"""
:type a: int
:type b: int
:rtype: int
"""
ans = 0
mask = 1
carry = 0
for i in xrange(0, 32):
a = num1 & mask
b = num2 & mask
c = carry
carry = 0
if a ^ b != 0:
if c == 1:
carry = 1
else:
ans |= mask
else:
if a & mask > 0:
carry = 1
if c == 1:
ans |= mask
mask = mask << 1
if ans > 2147483647:
return ans - 4294967295 - 1
return ans |
'''
import datetime
from django.contrib.auth.models import User
from django.core.mail import send_mail
from tasks.models import Task, Report
from datetime import timedelta, datetime, timezone
from celery.decorators import periodic_task
from celery import Celery
from config.celery_app import app
@periodic_task(run_every=timedelta(hours=1))
def send_reports():
#reports that were not sent in 1 day
get_unsent_reports = Report.objects.filter(last_report__lte = (datetime.now(timezone.utc) - timedelta(days=1)))
completed = []
stat_choices = [
["Pending", "PENDING"],
["In Progress", "IN_PROGRESS"],
["Completed", "COMPLETED"],
["Cancelled", "CANCELLED"]
]
for report in get_unsent_reports:
base_qs = Task.objects.filter(user=report.user, deleted = False).order_by('priority')
email_content = f'Hey there {report.user.username}\nHere is your daily task summary:\n\n'
for status in stat_choices:
stat_name = status[0]
stat_id = status[1]
stat_qs = base_qs.filter(status = stat_id)
stat_count = stat_qs.count()
status.append(stat_count)
email_content += f"{stat_count} {stat_name} Tasks:\n"
for q in stat_qs:
email_content+= f" -> {q.title} ({q.priority}): \n | {q.description} \n | Created on {q.created_date} \n \n"
send_mail(f"You have {stat_choices[0][2]} pending and {stat_choices[1][2]} in progress tasks", email_content, "tasks@task_manager.org", [report.user.email])
completed.append(report.user.username)
report.last_report = datetime.now(timezone.utc).replace(hour=report.timing)
report.save()
print(f"Completed Processing User {report.user.id}")
return completed
''' | """
import datetime
from django.contrib.auth.models import User
from django.core.mail import send_mail
from tasks.models import Task, Report
from datetime import timedelta, datetime, timezone
from celery.decorators import periodic_task
from celery import Celery
from config.celery_app import app
@periodic_task(run_every=timedelta(hours=1))
def send_reports():
#reports that were not sent in 1 day
get_unsent_reports = Report.objects.filter(last_report__lte = (datetime.now(timezone.utc) - timedelta(days=1)))
completed = []
stat_choices = [
["Pending", "PENDING"],
["In Progress", "IN_PROGRESS"],
["Completed", "COMPLETED"],
["Cancelled", "CANCELLED"]
]
for report in get_unsent_reports:
base_qs = Task.objects.filter(user=report.user, deleted = False).order_by('priority')
email_content = f'Hey there {report.user.username}
Here is your daily task summary:
'
for status in stat_choices:
stat_name = status[0]
stat_id = status[1]
stat_qs = base_qs.filter(status = stat_id)
stat_count = stat_qs.count()
status.append(stat_count)
email_content += f"{stat_count} {stat_name} Tasks:
"
for q in stat_qs:
email_content+= f" -> {q.title} ({q.priority}):
| {q.description}
| Created on {q.created_date}
"
send_mail(f"You have {stat_choices[0][2]} pending and {stat_choices[1][2]} in progress tasks", email_content, "tasks@task_manager.org", [report.user.email])
completed.append(report.user.username)
report.last_report = datetime.now(timezone.utc).replace(hour=report.timing)
report.save()
print(f"Completed Processing User {report.user.id}")
return completed
""" |
# Databricks notebook source
NRJXFYCZXPAPWUSDVWBQT
YVDWRTQLOHHPYZUHJGTDMDYEZPHURUPFXD
GMJLOPGLOTLZANILIDMCJSONOTNIZDYVSV
HBUSZUHKJSRCMJQSJKGFSQAYLKPJUVKGUY
FMJLCEHCNOQLGHLULYDPRUZUKMTWRBTLRASSIVMJ
VJGQUSEDKRWDPXYLJMEEAMLNVBGMBVKRIYPGRJCKYKZX
BLTCKGNOICKASIVEPWO
RUJYBXAOS
WGKYLEKOZP
EKBYFUATSAEHQVRGCOHWHQVRMTEPOYLWLMCVGHYHALUQKXHPLGIARGZHFLGMJFKWCGKXQIOSPLSMBDHFYLVVFYBRLYQUBGLVXQQTMRGIZCAWNJSLQPQKAKYCZBYLLFDCZM
CVGJCSSDGNZTDARSAETZGLZHHZGUFCIQGZENA
QNHXIRWOMJYSLYWIXNRPFWYNEOHRQDFGOESONE
FGZIGMCRTTEWWLK
EMRBRKIUMWL
OORTKEVXXJP
ZLKGQICRVJ
HAHKWEQBEBSKHZWSQVBZJEOALEXGODVCZXBRVFKILIWKCVDKVMTQGWWKDZYQYNAOCKAOUKGCWIZMGTOZGRTXJW
JPIFKFODLIGGCL
TXNOPVXUOBSKQGILEANJKGYZISITLFGIDVSQUJL
UNBYQUVMLZXTSUDFYPECWHDHZMFSZMVBKFJEWSPGPDONZMLGPHZWLAGZWSQURO
GROWXFOOAPAGYILEAHNRCOGIJGMBMJQZHBVVYYNKCHDZMZZ
ARZFNKHNVFFOSKTGQDMXOBKOAHQAOBIHWWVXLFJMOHYGMHWOT
# COMMAND ----------
SSBTLAJODTNLEQAPQQKUPPHTVDUUBBGXBXEEZDYEKHKH
# COMMAND ----------
FGXUTGZWOORVTNSYFHVUGJZH
# COMMAND ----------
OYARLDTTGRXNYURYGDQLQYEWIO
YADKKSFOIFEDBPKDWKH
ANTEHCMQSYGWETQBKRREMPYSADGHOOPYPUPCOOSCOPQJJINTLFZ
LCVMNADVBHNICVMWTLLIUSFDXLXUNNRNRTZFTJVMDKQBJ
FFCSQODVVALOXJINYJVWUQKISDTPQUTTIJTBKYHAXJ
IDHGGQSAWMPBJPBAJPRMCQRDJVCJSHXPSXTHMDUMTBHYUIKLQZVAQRTUBPCKPEJVGGTXGNLA
YIJOOUTBLXNANDVCVSQJGZZKKQKWAKSHTHBIDM
# COMMAND ----------
CHDAOCMYMJWXAZF
PJBLTGRZGVCBBACGBCGUFLHAWAQYTUKNOT
CNLKDEPFDMSWOBRLCUKTXZ
FYJRGPPJLAHMBUIO
# COMMAND ----------
ZWRZGXWLTAPFOLKAOIZTADGPYQKPCSUMQVDWQ
MEFNRUEFRDJBAWSJEYLGNVMHYLKBURQYEVORT
GBKPVPODGQXXFOQNESANFYGXPVFMPMBEFAOOG
FDOWWRRPQLXDYUKBAFKBGLYDJHUHZGYAKC
OZRCBRGBEOALNWAZRLPICGXTJMVBSXNQNXQEZHKRFNUNH
UHNIEONJIEGOCEUJIIQYGYDXDNHYHAHKVAKQIQKBNQDL
HZIHUKMFMYBYKPOTZ
DUZJATPJSFTOZOJMFOPZSIDMXKOKZRETBGUMNOGBB
XLFTQSCUYYWUASTFVQYNTIOLBXWXARWWDZIMLJIUAQT
UUZKRFUXRJKKQLOPXFBVZQGWGMGYKHEKNBPVMFESGLRMVSSKBGH
CQJUDRYDSAWDRXLEXAEVVWAUHRSRMDHNZXRMHAAADUTDZHRCPDUNL
VEVTROHIVYWADTLOWSVNLFCEDQMYTINWEMTJMFINBLEXLKCEVQVNUYRKPDHDY
MPUKGKAXWWDBQMIPCJMUPPRNIOLJUEWRSRKBAFAWSPGYOECMEDG
OCJGIRZQLHYXSLOZNIGDIDXPJNDHDNTKDTUXSLFSKPPADZRDXLZJRID
WVMXPHSTJUIVLBSNSGMWOTHLUSWCCTKONNAAHIHLZXLUKJXGC
KLBOZMOREYLHTENHQYUZBWGXOEGPBDRZCJQUZURRUEHLFCMBPJYKWAPVYNMFU
WQVYSPHCPGGPPXWEPIZXNLWKKIUZFXCAGCCTPXLHABA
KGLAVVVYULRPYTICJUBTAWDJINQKVKNKXBASDPQQXLAZM
FWLAZEGRIQIKAXSSQTULV
UEVRIUNMLVZKUZRSCJCIGGGTORSCXGXLOLEMFKWJOTZWJSQ
VOVWJLTLGHKZKHFHWNYMBEZENDAKRIOGUFEYNNSJJBYYBLHAHWQ
AEIMSBAUCSOVNJIHSZSGQAQDSZSJFZFMDEKAAFOXTKELVSZFE
WNKGOKHZKYCEZNHTPXIEXJGCKQNRKQZWCBREWFUUNLHWVHHLUBYUGILCOJZOIDAWC
GJOVDWANJBL
XZKBYXFZJJVMHJRIDVLDEVSFVINZZMYTBNUODKZKAIRLDNNYXPL
VTNTKBMJSYMETSMPWZCQXQKOZCVLEYY
OHNSUIOUAIXQACGGJTTBEVXZQSJQTVMKMUACG
LWZZWIENQDURTVVQ
DKNYRONVYNAMHCOBIJERPQGSUUROWZMTNHBVYWMYVFYIEA
SYEJXMMMWNVBRNMAQOJIZTCGZTSNPKCJYOVZDFRHYWEJPVMGRKRIRGEMC
CHUFXGNLGSZAQQGGEWMBVIYQAFEMWPVLTBQXGWSQLSKTWKGGXPFRIGLDVVUISXGNR
WESKAVZAVMLFMJKHGEMLUMZXQXATXTOJJKQJMOVTMVLXIUVPHAEGYCWDCONHAFGYBRQNQC
TIHFWFIMORZVQGZGMQEBQRAUIQFQJTRRDZBMMRMJHXWMXNJUOXJWNBQIUDUBRUA
PTBRGEBDYWEEOMJYNDVRDGFNQTABIVYJBDXJNFFHYLTZTWYHAYDQIDPATJR
IIPHICBTJOBLMQMWVTIKJRMVJIKZEGMRRIAQURBAPDNEKRNLKLKLKVEGXZSCZREUNURKQNZIFRZBVZAKWK
CEPWNJWAVXFUDNXHLYFLUABCGEZRLGZKDRNLQMTIDMYDOLBHQVCXOMYOPOBCBPWQHSUDF
UPQQKUSTSCWMIITMRWLZKPETENLMGDWOPIDBICQMWNOXXYVMHKQSSSP
HMDGBTETVTLOZDOWAVSHUNRBDMUQJBYOVCLSQCWJBN
MENDNTEFIEZTCPFYDUDBBMNLBPAEISLIBDAZSK
OTLQDNXKPQYVGGOUSKKNKWPJBMUFJNGMMIXULBOEBSIXDMIVSENJONXPTRNIVTHVEK
SBUDDRHVYFNSDJLXDCKYKUNPSWIXFGPKAQSMXLETFBXWBXYLTVEFCAHUMALV
KAFWHGOVFSIMUSTZKHPRKMPSVUXGEIXWQRICAUTAYN
ERVQQDYNXVWIKKYMRHCLZHBQAOYDDMJPMECJEKTZWYJIACFODT
RFLNHFYMDNMENMMBTAOLSUCGQQDARGXACXGYPGNRAXLOELDBESYPYHH
ALKSHHRRIKCHHSWMXVBPEASEAWLWNXGXSPBGLOZQUAWEXCOJ
TFIJCGINPWIWUVNNRDTINBDVBHAPKWBNPQPYHEYOAUJA
BWMHTVBWCNGPMJHMYNOHTV
YOVECYNQMYHGVBGYOECWJTRWCHMNZFTVTXPTMNYLICXTX
OSGCDJZMIOGVIYWNUZDXLJHGQWTODDTIZVOX
LDTWTOIYVJYDMZEAPOIAUTMSBLBKOECHFDVFYWKTLPYOCMRLELVETEENEEVSBGOTVEVELKCCCPWTYQOYEENNJWFYLRXIZMFZLTLHUKGMTKXVQCCVK
NJDUSWXERWTMZOZPJSBYHFG
BMUQIJUOKGCCSWOKHADLIEFJAVIRRUCQAXUQHFGDMTXLIG
PTXITEUWAFUMBAKMASSFJQBGOYZDCKFGZKCRT
IRSCODUXRKLOIPFFGGKPQOTGFYTKALFFZQDJQZHBTWPOMBEAQFYSGKRKEALALMYLKNENNUWZCVHZJHWVXDHSGSLVVBZRLLSZIVFNOSJKIILLFOSIF
BQUIHTUCVWAZDJLJESVUHK
FLLLDYHEBXXTOARHWRZDJFFBPPTDPLLYZUAGYDCMITKXCZPU
YUJEWEYXXLMIFROUKGDPOVFEBGLHWRSWLIPY
JKXFALVQLMWSZPQJLBJJYUFQYRFYAGDILSILWPJEPWJKKBKMCWIDGTAKNNZYIMVFVLQKBDQWZLTUSBLVBCDJEMHAVZBAVRMGCZXTUXCZAFHHGRIYR
KHRIRKATXRKAANTACIUCVOTVHLLFJFYSUQTGANLXCBWMOITHNIDKBVDBPXIAVJROJUTHTFCZOSIGVZEFUQQQTBMXZLSNWABJLCDMWIRVBTAXISVEAZSHQLWEUZPCXOOINKECIZXTGEAWLQHMDGUWADLORGUHRCVOCUXPOGDIDPXVDJVPIIMQZTQXXNXUBJQICTJHHRZDET
FXRRDXJJJZNWZZHKELLZYENYSFJNJGSKDAUOP
LXJWTKMMDZBPXWRFJVNVKPVWEMXGPUZBGAYYGLXXDKUTJDMPKBIHENTRRMVUHKHYIENJBSCZWHUKXPUYVENFFEYQVHBHZQJAPAGLTBJFPFZDKFSETXAYXWVPUKJEOOILCYIKPQCEETDGFOOR
XBTMOSLOSQJUYJPMMZIPXSCLKFCGACJYCEWIHVHHYNMITKKTWUJTZBDOICCIDZYCF
FNEAJUNFPEXEA
MJQWFQOZDRTFVYDGSVOLVVFAL
ZPPLYEFRPBQEISDQMLQKAROPPHOGTEFEMIMSEVEGRKRNKDULTXYQEYPOMMLZIZAJNGEXCELRBTZNCUYOKMLKYHTVJTDGCTBJLZSXGXQMJSYWIVUNAIPLDEMVEATUZHNHLOXJPEJCHZOQW
JBKMIGNUTVEGEMCELBBKBHYAA
JLYWMJXNQIGKSNTRGLNO
PXMWRYBWQVSBYQXTNN
NPMEEFEUZFRXEHRFCHYMQARJHJQT
KUJFRIESHBHTCMGFTMZMGULKRNLTNA
CHXKMEOHHFTZVWUOPHNLQAWMDDXRSTL
EATYTPGZDXGUFLJSUVTQWGDQYEPWLRCSTHR
PHQSCDDAMKADDKLGMQVHUFDMUTCPDJUPZITHNW
UFCKFNERVRJEDQSXTLRIRJPTGYCXQACHDARCSOTL
ARFLYLUCDJALZYMYMRNIZYDCIRATSFBFQDNRUCUQMDS
JMZQAKAILDASTKIFQWMHYIXHQTDYRVZUQUYIOHDUJZTECBXUPVY
BNLJBKCWGNMROBGSRMCPEEXUDXBDXBKSURA
UTRDVGSHAXLLBYXOGNMPWZERQZCDQELHAUIZX
B
FJJLGJNMJTHIVOX
QZCLCIWXSYEYEOZKHWVFPZIPRRIO
KLSHUMUQVDSDYWJAHPUPKNBETEDFKY
PQXWGSQFWUTMRTUVWYQTPCFIXZAHEUG
KOJMPIDNAUTFPVQHSALSATZDLDJIHINJUGW
UHPSCAULYNZZYQLKDWSXFQHKCKNKUMJOPQ
SIDLCQYRKEFTZBWDZVDEKXQUTRWHIDAENHAAVNVRNAFGQB
FKTVASBLVGGERPIGXIBLJOFDOLYXCIAKXQZVUJWEKHXLHOSDRRJ
UOCCVTWNVDELCMPJBJHLPIDVIHZXWEEPKLHGLEDEABM
BJRMRAWIBJDBJGSFOHEAEDAGDRWVNJ
RENRBHMGEDNQNVMXF
T
QJAZOCWRCUXHPOFMXIOKNIWJRZK
KGILVJBNBFUXJJWXKHYMFOQPYSDZ
ZYBELCSTDILQCXMCIKRFQHLOXVAGIDLCCAZ
RZPPKQUVLIUPSCQXNCKTFZBMLJWVZCIWPNR
NMPTLMSCRIXDARPPWYEDUPNSWHKRDMVQEZDKVZ
IJCPVMOVGJOTKWFFLGIXJPCBXQKCRIBTDMCQ
ZWXYXJVSUQOZPDWXSRHNWCUOSOAYXFUGO
QEEDNZPTVRJWWGMXVEKHLGLOHGQBAFBFSZIUHCCMGTKOFACLJUBLAUIYZAVDJIW
BRNYJTVKKSQMDJYGAFHSYEGQKNMLWLRCWRRYISKIUEDRDBHEPZSHFFSVYKYPDUVROVDIBEAXUSHTTWKAJJTHQTGXRJYVUXOZUWTMJNDBJEYMZDLNVDCVKSZMNC
DTKWELEWDGTBFDHMBUYBPACYUXGHNPMXRNYCZAWRQBQXOACWQJDECWPOARLWNENZRCHGTYWAUAQIIXFDXDEQWDVIUXMWQBJOKPVXJBIMJYSDTCCRLHEGLMLLOQPKECCJUDRRUJUZKLOHCLAMMWMOWWUSOMDB
TJZKUWPYYQIRQPLDFUHNZIAEOBIGNCSDCBZSXLQYCPFCWVUJLECAKKSDLQIVDICDCHGEEQKMKROXYAHDJGHWWMSMXBZPIWPHVHDHGXYRSWKRGPQEKIDOUZSXZEBNTTMRKAMXVEEOFQLXFLTHH
KYUSFX
IBVGRTNXBEJKMDQZDLZDFIKBOLGXQKKEGKPFUYLPBQXFBHENUBJUZNGF
PPNAOVGQNTKPFWOIEMZU
# COMMAND ----------
CSIONHKGIMBSBREHHZFIRWCANRHRAIEEQW
LRPTJCWWZZLOGYSCCGTGHYQXFKARNRGMDP
RXAUGALLCFMTUURPWIWTUHLMXXIIOSVXDG
WJLWNOWFJHALEXOBMODKCNAGJPEMRHUQYFXSESDPTJG
LIFKWEQCYLYSORZXWFSGJKVYFSBNRGKRPZMDMJDJEBIDQUGKIAVZATVGVNTQGIXCAXLJLBYNQSPFOJKRPUDEICYALHERFHLGYXQDRTIVOBGWUPAYRHXCRBHMWBFHSQYYELVPNDXPWCHCREGHZGSUCOERPGONZCLKHUMITGEYZLEVCCQERQRIHG
QJCWGDQOXMLLUIBEOCUFGJQGPAUAIZUJJE
DKZFOHTNBVEQFDX
YANUDMHOLJKRXVAEUNUPIACJSMDDUWCLEBKOEGUQWEVHYQJUOKMIYZZSQYVZNUSKBCZWKHECZFCELXKSVPTJUGSMPGQEGWWMNIMRBLVOUQOHUGREEUVFWEEIVJYQHAZQHPSIPYNABVHMZIODJEUEEXEHAOZMDNVMRYZIDNLFBJWZDOLAUWABPKFNDSNXACFRTAKLBJZQRHEQDRQGNWTDPVUJLZRBDEMSGZWETZDOVJGBELIONJHLDBCKESULXDVQILRLAHKCPGZHEXMWFEUZWLZDWWHTSMBQLCMYEVNEIKGVPHWWMSIQUJMDYWWZOJQHFRYAQELMMURKPYZBRPTGVZLJIRNYXNAQVZHLXJFETTAWWJKRZVDMXUUMMSODMREGFJCDRNYVJIMTTHLF
FVECMDXPOIXCCNAXNJZGPFIYFPZRKTG
XUUCJVOYASHOPJP
EPKAHWDYULRPUNVRIRGOCPJGHKJLCVIYWOQCLCMVYQWKJFQQKNDPIJRNRCXZQIOYBGWOTGNOJNETXWKVVMTXDJOLUMQDLSVCZOGLOVZVPGWPCHAEVRHIYKTKMEQXNUBWGVWF
LELQSKAVOCXBMPZYHUIXXEMHXNC
OTKITSZJVBYWUWGPDYGWOIRXXRDONUWMCLD
EJJTWHKKHHPNJVXRMN
PXYXESCBIKQQDRAEQTHUBFMFOENQNX
GCVMSRAYVNHYGFLBFUPFNYDMRYRNANCXPYNTANSYPRVILNXKZQVRKAD
TNXGSLWMNKRYOV
CHAQHTEMFKHUPQVNSPWNRTDZMVDOYSHGQEJSNLGLUTFOSIIXYUYSIYJZELKBRKWCPORFNDHZGNUEAKQQFUIVXSJAJPDV
GXYU
QXMSBROHULDRXZQSMCVTMWHYZYSBOZLVMTUVDVIUWAAIQEOKFBWNYKPVLIJUZXCTSRMQPQSJOOBUUUJPIXYRKWZJGKCNIRQEYDVZGEPHFZRQOYBXFASXFQXPLJDDGGTPGMJEEPMHNWAERSVOOHJZSEPQNPOWEZSLLMATIRXSBQYFGJPLOPXJFJQYTTLKYMRAGCPQRY
RNFAJKLMICVOQTSXYZOMOHDUWIYOQAXPPLBUMMNQNSFUWZLUY
ZWPFCASNIFWFASOBRAVLBZJXOSTARITURZWWWKOXZQWJMUSQADPAWAXWQLQBIYCIOGZCQVEHDWFGLMVUHDSKEDGKPMDIODTVVTFUCHVUSJDPEHMSJFWVGEBEWXTSZDYATCUFROVHVLIPTYBPDRCXDQGNOYNVVD
SUPGVQIHRCFDXIFCFBIXSQHMDEBHKYQNDSVQLSOBQKMPQQVZWLBYPDCUQGOZIENIBBTPBNIPZZTTOUMVTOPRSCPHNAJCYIGIJZ
TZZMCAMPVYFYHTWVGUUBLOMDCDSJCUVRIIGZUJ
AOENKTESMWNHKEIZVVYGXSJMACWFCBPGDMPQHUDHNPCHOZNYXXZLIQYBUVJVBTYPTMWNVJCUXUNNRWFYGFZDVRUNGVRAPZKJGNQNSKKKDM
QDNABCVTGLVKDKESAFGKXMFJAVSFAEWVZPDFPXGTIOUJWEZYITNXLSTGFHXISEPNVK
# COMMAND ----------
VHLUTMAXWGWEENUSZNSVCBDAYWKUBXAWAQ
HDDYQXUPOTEWUTLNCGAJBZORQNVIYTCCRY
MVRUUIDFLHGBEZDZOBTYXAPFZMEAJMIWHU
LOFRDMXBIKYVNBVPTLEXYPAABDNEPDYCCOJQJXRVSYLQGXCXVLWVNMKXLAAKDYIFKSNDXGIHEDKATMAUIXNSKMDFPCQSKVGXLAGZXEEFIDOMJZWMTQNERYDZTLYBUPCHCMIBSKIZCVEPKX
ITEOFSAXNAXCGHRTXGIUBAUWT
WVYELSDHEIXDYNJSCOGOLFDYP
LDORCWYZAGIQFTUHLGTTDBOHRUVPNEIIBJJVNNZMIOMRNDPMKJSIEHRAGRXIZFCLCGZFVXQVTKWSPDZXOVTHNARPIPRYPADRFOETPBEJYCTYEBDKKCIDPGENIRTHPQOCZEQQWPQQBXGXULHPKOBKTKQKEBIXVPWMUIKRKUY
YMDSMOYHVQOLAEDZPLXGWSKQWBWYDNZZBSUATDHRKQDAERYHMCHUMDLKJUKMZIEEKYNHBYJQEIWSEIOGHUXNUXGUBHBTYDZPCVYZUFYQEJRKIASUKAOROPIIWYSBJCIGLQJMXMXSOOTDGIIKMMIAGHPOUBYAL
KSIAS
GVKHCHBIOFYHVFLICTZJRNMOVOAPRKPDAFGJLRXVJGQSOZJJUCYEUQTGYGPNLVTYHVGXGDFXCZXJCTHCFFUPAWVPTOUWVEMONELIDFFTDHUFQHY
ENCHMQEVJUNBRKSEULOIAFTSOA
BNIDCHRIKANBCLNMZEZWLKMZXUFNCLYDNKTSENGYBIZWCUAYJNLMMLBTAXEFYPTUJPGHRURSXUONYIKLYGUWIQCDNNMIJMNLWQGPIECAQJJEYNSNQGDSKBAGTUKKYTBMFSJLRZO
SXFVFALFNBRBSOPTSVGSRXQJFE
ZBBFGBPLFOZODNAXLPMYBTUCZRYFVYADUUHMVNWSEOHLAUSHSDRIBYMFRFLADQMZEMHRIIPHQJFFWCQABFKPNLESOJFLEOCYYCHJFECMDNHODLWBFVHOTOZOHOCXJDLHTVAFBZEOOCUEQGPIAFEIWSRJTAZFDMWPQMMXNKALEDDSPDXEXWWLQGSMGQ
CFWNWMMOZMFCQEEVKRCPNNNUNGGXWRFLQFMAVEND
IUFWKLBNABAXONOF
FQXJSSRIGZWXPTENKLKZYQXZOGYPATNZHFSKZFGQZIOUKVXLCLZFURBEULXUAHUNIXTGPZVTQKYHTTJPFDUIWDRTRBLLGXOMNALTXTJAPTBAKDPAVIKTRTMOHYWEUYCVHQETDQNFMGBBJCDQISLSHPWJNRAKYITAFCTRDTTFAPJWFUYEUVLNZNJDFXCJMIIOYVFVVXMRDDIYWIHPDDXQQBHEJDMQFUJNWCUHZRKFTKZONFACAYBBJZHX
TKBUZGHMWZSWRQTLSRRCQQBCXJFUGCYMIOWUVJDL
RDOQLZFCTKLNCRYR
KDKHSYCFKYCJIET
HDJUSOLTXVT
HPBHZDPCPWULGVSNRZSDBMAEJEZBRG
EFTGPKAKPLDIHBERCCHYAABVCHJHRHMVZRQRHKXKJJHFGIEWVWFWPSXRZKJSRTBHBXUXYZUFDFFFKUDIBWAXDXBFVPCNPNPOARFA
# COMMAND ----------
KYXZFRFDWEYCNEJNNVDIZZIGUUTDSOSMEBLLUOZ
MSQHLSLEPZQBXITGOHONBMKOOQRFBUYDNSVHWVRIFHDZOJGYJAMJQGNRLHNGLJLDGXVRYQMBNGOLBGEOZOPFGJADRRFWUZDBUBNUCMGG
IWJWBNKLAITOFLVVCBZ
ZJKQNVMYVJTYVKMEADVURSTYRQI
ZULDWYVCUSGDRODPDUTRZYSBTAKQGMFSZCFVSOUFNZVRBWYSEMYESQUVPHOQCEZFDWKKFTGLUCWDJXKEIGWYDKGQCIDNERAEFXGMFSWIAKFELPQAHWNEKRUBZJVYGKRJPSKXVIXFJFRQGHIYRPSPCBXNLIYGQSPMCWRRNSBXCQOWVJMSHNRUZWUZWDYCXBJPVAEVTTVVLUYWUDXVREMRKVGXLXAPDAUPVEMQWZREHXFFLSSOHZIUMPACQSFTLRUNFPJBPBUKMTAVSBPUNZVPGEHMQPXWJZKXRSAFHTFDWVCHGCGBKHLHJJOSHRMGBFZSFPSPXPZFRCXNNZRKPPSDFFKIIVQDRQNDJGWSUEQEGFJWUVEOMKRBJHHPJCWVTCBICYRLHVDSRBBMTBEGMSOLEWNCYMOJZPVXUSYJYXSTCHTFHMFRMTCLWFUXURODLXWSSAIALWAUVMXVNCGMARHZOBLOINPVECMEEPXYLLRMXOPGPDGGDNUQMFRWLARQTFJRXHNSRJGDCKCYTLSKIOBKAYUJYRGVXDMQVNUWITCLSNIMNLSEQILCXSIBHZRSCXKZCJLHHAHXZGACOTZUMHVBNKU
QNMSYTVVQWZGBBXWRNVXZYCMEBXLN
BMYRMQJSXZKSAGGMJRKUKAYCGOIYMKUEADAUTRQPGAJOEKQQWLPGTMRNRWKVOFYWMQWSRSVPOPEWATHXNLKPLFQCPURQCMTIZBWAANUXMBSBXOPICOFZQKWLZIMKSSNNFBVSXHEUNPAVCBDHGTBRDJVFVJXNKKBWDGGTLSWDZWYAWGWJCOCONRZIBQPXRNPHNCRSWIJLFLDNQFUMUBLKXHANGCBNOVSEPGWQXSYHEVSUTKXAFSUSXIFJHFFJCSXJGXGHYSZEPDMRYVEHMVFFHGQZXEGMUSVIMKKWDVFVAZMOJNCNVQXIXYQHBNCQWTGDAYTHSAMNWHIACGCHXMQGGYWLDZIUXYIDQEHNIVOAZGSWPIZUGVTFHMWJXWXQJZRQXKZOTQHACLFWWJSALNJFZBFDSLDCUVHQZJPVXZZFAWJBUOSDWWSQEDDSWSWWUMJXTOOSDKXVBFEIUVKLIMXAFDMAKPNPPCIYAUDEOPQHYXVZPVZAGGSPTOJYBSHEPQMGXMRGUBVHFAETPFBPSVJIDRE
ZMDETWMVCUVPVFUPTLZJGXZJBLQXHF
XCXRSEYTGYDOOFTXMVLKYBPPPVYCHQKKLDRFXFRXNAMODQMVFPBDVOMPLDJUYNKGPUPCOOEOKUUHYEFVNIAVRSEFJREBOZPMGTJOPHKAWNSBBCKKYCFYVGLNHOCIJGRQGWGUDHVTCNWALXZBAJBLCDYKWQXGUCOEZDAXUHVZLCKNVTNCUNTHRXBTKAGSHYVZDKIIKMTTYQTBJVRDSZRGNHHTIZGWRFISIUFJOZCBZSMWEXSDOOJDGVLSJRBBMZHKBZWJLYNRHHENVWFGAWLFFVXUVSRMOVLNPFBECOWUWFUAZSRLUZOHHSHAHPSTPDMAWEEMIYJYTQZBAJUJZZRDDAEFGGWAIGZUMLXKOIOCRZVIYRGQQDXKYFVGMIRXFSBBEFPIMUJOFTVGLBLWKYRWUBKZBPRNEOMRXVLMJSHIKBKSQEHLGJCARIVRCOJJDKVOACBVRXOLOUJFNAUYMHBNSBPLNVYCBWYOSE
WNZJSXPPGQHQHFVOETRMEIMYQIUWAHSLJAVJCQWQWLSURVNAJBNVVWD
JEZVXUIQKFEGSHFFMTPYDCJDFEYCSTYSUOVHKVXDMGCEZDRJYFVKHLPVMJTTNCRUWGIEGUFXYUVKVHOWBITYUKKUKEMLUBARYEUPNLUVDGYNSVVVBIQSKSIHBUMCSZYASXHIQEZZQYRIIWXSYWQFLAWFTTCUMHCYZXHXPFZAJBQMEMYKYJEHLXJTRODDFSCJYDSJTWDUQWAJNCLPSGWXJEJNOHJWLDLLCQRMTAPAMVBOHQLFBUGZHSZLZTSMIFXJWPCWLOXNZITNMBNUAYUSDXOARHSWHDDRTREHOTHYLTIFDAKTJNPGGTZNGHNIWWBCRRTQVAKAOILEHDZKFHKXLJAORZVUFBRAJJREQEBSQKTBEBYEPAXIL
ZIRMTUIKIXEDCAPWEFLYUBRHDINX
ADOKYBCPSUPGIPAVNRYETAZQGJ
ZVLLGFRRNARYTIMMUTEWYJ
EHDFZAPTCGAWWKOKGZGXBWJIW
LBVWAGANPRNPNQXGFIMJFMZ
CDZKAMTJKAYJBWWPSOGAZZIFHVJZ
MJNHCWPBLTLOFAAVIJEGCY
XAAMQECRLMQHNCSHYRSORUHKBJUVD
FCDVQVKKZIUEGAENFXPXFUJ
UJZPUATXXSVZOZGXLXFQYDI
EJADQAREZJHDEJRQMEISQFCSPUWTIHRFLYRXCDPKDYPYLHJZMPSDKXVVYCDFCIBOLBIJJZCINGIAZXLATLMMYBTCOJEVHBBTVIASZVOPCPNIJVZ
VMRFDBWLKJFWTQKJRQWCMALKRWEGDWI
GMAQEOVKECZZOYKQRYTIGIPIMXNREZSYSCEVMQPOW
PFYWGQMLZXEIGIUCSXOQUCLKQNXWZVXTRH
HLFCGCIMC
BKIEWQNTRWUHVZNUNCN
HJFYPUOFVPNCHGQNDFCOLDRZRSFTGQDOQAYGHWCRKZK
CVCJZSSAOHHAGHVLDGYYXVHGSXUKJDCBFJPSCJNZFDDIWFAYLBMVLSYBLCGICGIJLXQOUCQPPGYABZBEILEXBNFOIAOAAAKJFBFLDABTYLJYRSEPKCODSGHKZLYGQPMXWCKRRKGINOZEXBNQLKTHULFXWEOSIQCTIMAMMLSHBFSSSQNHNMZSYGDQTOJTXZOHXXTQRFIIHBFXEFBTBJGBXXONFRSQAKYJTQUBYGHGZDGGUIIP
FMGJWLNVBANWEJDATYLVOQPCTVNLOPGWTIPWNLZLJZDBWQRSGYHPKIWXYLIBGKHLGKKJMHRHEQLTMTUHGKVTSEGGGCCUJRIITADMLXMLZKVZKBRP
AZLQCYUPVYMOIIBIOWSDVEBVUXSLOCEDJQSYSEDLACMVKOGVFJDZKNSROSTDDPWOPMGTPFPBCBRAGVLNMZLKRMMJIXLWJHBKSEMSVTACRHSOAHNGAKFMWXGLLPVWJHCUWMQKSAUAWFVOP
HDIDIXBJSBPCLDOOZPEFTLEZSJCXPOLVAQAAGQKAGOAYXQRVGBOSQBQXQTSFLT
HKKHWSAXVYHWIGRXXBGLOMUYMJKYO
OOTTSREVPVWORGCPBBZS
TJGVQXNTFXWKRGFWYD
HZBROYEHWVGCCHBNUQYQFGECXGGBOEEIIJKJSEMISWJXYEOXBQP
MUURKY
ELIFBYMMHZPTGNUWSWGLNJTNXVBYJJ
KUDSVFGXYJGFLAMLXAGDMLUAIUUJTOZK
TTUXRHDSLSNDDIS
YNSYUMRYBABRYUBSZ
BULIRUXTFLGURZVVCKYGSMPECRFIWZFBRWATEXUSQSDXRT
IITAQXXMKBYIXJBOBOCDUUXCDFQZJR
GAPHCTWVJUIELTVSOG
XTZBCFIUPEUH
NKVYTQQRBMBJPKBU
NRKFLYJHVKOAFCRLBWEWTNFAIMBQDJCKZEYDJTEHQYJYYUJYWZIX
XJYCZSWAQDPUD
BHEOISVJEQQLLJJG
KTRBLTWMKESLYK
OVYSBGNNYYNFORJYDJPLKEVMFGZWWXTKYWPLMLWEKVKTWNNT
KHTIDT
JCJBZWPNFJ
MCUTQMVFDIUHO
AUYTQJQPQBDNMVSF
QFXSAVIZJHNISBFENKZLIJ
SRQGJDRZSERSCQMHJNCGCLRVXABLJNEIACAWKTOWDFF
ZIIHBMGRSNXWETRRWKXAOQ
IDYJPRDKUIYMRTWLXEZYYIACCHSWRGYOHGCVQCIMTDRWTCMNAXTR
KKCOGY
CNMKWWRPSYONFFBOXUFYQJAZWDDYJPKXBYEKAPZYLGEUQPEYZPXBFMB
UYNWODJUQGHMUFBAQWJFKQCPMGWTIRPCE
KLVYKDKHUBNRXWAACBUQQYORZCQNPSSZYJQ
TPBXZKQNZSUQCLHMNJGXNBBQHFHGTRYBNFJN
PSXKJAYCGAPBLRBHYWCXFPXJGOWBEWPMJRKRSNNTECWFLALKCDSWNLURQJHPDUEFHGFEGXSLXLQWLHHHWYUKMEBIACWSCOWZTCWET
NHANSUPAWNOTNHFPTVVVICDHTAMMIKFBHDLIPZIHMJACVHSLYJZJUICMASNZNNBTMEWGLTXMBJLQASCDEWIXGQYULMSWEJ
# COMMAND ----------
NUUJFCZKSMQJTHSBITDOXMKTXWRSTEFDZFEXFBSDHVSX
FQGLHMVXNITUGQHWPSZSSRUUHZMUFREQGOEOINZQCOPTNUALDPQMLNOVNWJTXVPGDBVHVQPYPHICEWVKACRSYPGYKQILMDSZZVHPXVPAFMWUBKGPQJKQZFM
RYWYYEHRKUUAWATOBCKAGNAPBQWDRTBOOYVCIWTDNDGCCDSAAUWPBTPIOOTATLKFTVMETWIDKGYDHUXCDFTTENOWQPW
AMJWZZPZCEDYCYNLYUVJWCAKMFPZGIXNOJVHOCHVQGFOGEQPRJHAQEVZBDAGKHEQPTRFXKKVKPIXVVUKAGFMFJEYSSW
EVXULOSJZVBYHXKYZBNZQTARUXOIWFATJCRPZFMZKZQAQVTQIHSWOXZCUJKLBUBKUIBDFYANPQXWLFVFZLVLGNYNGUNT
UMJWGPKNOJKGRWKFUWGXHGWFNYHBHLFXEIAJAYZHDUKTINVYVPNOQFNCKUNDRMYRODFVXCVIYRXMOMWDDDKLYBZERC
OTXGXESYPNCRDSXXUDJXQXUYWRGEKYGIXKEIMMPNGFJBLIAHCRBVRIDDJMXVFLUZCUCWXXASIWDBJJERLUZUOLAFEVPOGXYTQICVSAVMYON
DWJIERENYIVMAHKDVLPUNNMXYDIJSVYVOOQXEKPYKCQXEJNHCEJFYVIIXASOXQVTNXCYKJ
NLAOWRTTHPEQLPPYQSYPTRRUVCKWAGCKRIJZXAUUMPZTHLERVSMVLFLDNXXZZTJPFJF
RJPVJSLSRZLPHTXVJYRNRTNXTHBXZNBEHQMIOOVAXKTXHBMNIQRQJRDACLUZNKTGEJRH
YNEDRASVYJOTZBMADSQACINEDUHQANHSACYMLARJQKXUHWGMOYYBGNJDRCIVYAAQXEVNMEWHGTHAHY
ABDGZYQVDVODCDXGGLYYRBJ
SFLZRQRGGVEWAPPCMVBVVCEWDTLKJQJCQPKACVGXFDGHH
ZILAVEJEBXSQVWUIVBEOYADOXWNZJTSUXRNXUYKQPVWJLULMDV
YRGAENEZAXUUYCWPTOGSSCJCTNJBHBDASKTLSKYAGPIAMMQXNIPSZJOV
RYGJHGMWKYZIDMYMAXSLKBCPATUQAUQRFLXBKHGDWOBVVKRCPKNBBAQIKOKGXQPYXUQFJTFROHCAATTCLJNBGDVSBKQKMB
FOCTEJKACZYVWDZHCPMTDHLIJNGFZEWDRKJZNAUXHVLBZEAGBGRZRMLZAIINLDEOOHGLNIJPTFDKMCJEVYIEFLDXBWEGEMGSJEVSTYFGTQROSWGFMZVGYGFAOMGKCWJMSMDWWTAUOGEJQPDQFGJKSVZIRPFQEALFAMKBVCRWNAEGJOZWFGGYEJFVILWWPLEOERFXBUIZGSUHADXZXXNGQCOQEGTKN
JUEZAIRHIIWCMYQHFOVAICRNUXWAXYQPIEEEYVMLAJMHZYGHKOXSLEVDIMHUMLLRHMEBBGFFWDYYYMJZPKHJVFYWPSHXDMDYHNAZLCCLBQKUXFOGUOXWPZZSWZINCTETRHCSWQBTVTRGUHYCDTTFWGADKGARFSZCTZWUGJKPXEDBGTRHXUP
PYKJFROKQJPTXGGDCLUSADHRSIZYCGAWCZOBJVKHXKDKKRQQGSYEIVHIWTTAZJRCQYT
FBNWOUOYHOLIDXFQAWWZHRDWKPXZHCFYGUTCKDVWGKDAOXOLUBAZPCGQAVJSJW
AWEGVNUALIWUXONDASLFEDXPKNHFGGNECCGXNLFQUIJQCJCDNLTVESFLEPXWFYFLPUX
WGSUHBNNSFU
KKHKCPNXWJZSMOBUAQGNTQQIXZVHUTROLO
KBYZLRCQKFSZGDEYRQABPSNYIXIERIHHCXHSZIDPGEIQBFBP
QYGCEFQDUYGJYJTBJXPBXWGXNBIRDBLLMVJEDWMAYSIJRBBCPO
QJZTVCEGNBADQPILLMCLDJHGTHPKZIMENTJZINFWDMAPFNKFXQAFNR
HYUDTAGTMQFUXERPYHDBWSLPWPFYRWCRSQCIVEUGYNXFEJTQPCMUGPCTQSUQPLUR
GQYEMTDZWJRVEROACWWGECTDKTXGJYOEVDUVTIJTZMLYLJILDOTQLOSRCVAJQUXIUEUWALGMCAKNYRBLSWGYKEBDCESXIQYGNCGQAWSETSGGIDOWBRASKQDBOKSQVYJBGNWEALAHPEPFYTIXGMTMCHPKYMPZEGAGWMJECDPGBPPADRENWTTWRWOATXQTGBHWBKJNFYASGMYHZUKYBLEDYJGRQDBHERGCOLKPNHFKWEUTSINOH
DMSRZNLTXXHILVEGKTORDUGWKIDWUFFPWEFMUSA
BMYFEAUZOKZAKRNUCAPKHRCSERRGPIHJNJYLDPMOLHLIYHCOEHHOFVAVWEITHLDLOJSADUSDIJEDIOBMAOLZPOABZNNYRKYKRKEWMNABKGKXKXKBAVKHW
YVUKYCPENSPTLIUSFNEPXBHYEPXLWBVMEMBBFQVJXABEPEBLTAPLCYTAJDPRWUWJXZRYRAESPLIMEHQEYCRKISCVSALGOJLKTMCSIYLUNIVECUVPWEMLCKWKBIFGJEWQGOVAXTIPPPCISTIPOKZDCOPFXHUENXRLUUNAYXQLRMIYOCLWCSBIHTQRCJNVOMUGHILJDEGCPSQSDWNHHBFMNOUZUGSOLVDKLWZUVILMTUSDBMRYINUESNWOOHYPAZNZNSVJHEXZEHKT
YTPSOMJBZAGPJEFHYMREAHTRVOVDWWUGZAFEBJH
YOCBFLNACQFDAPNOMSIQWWWTTMCDHVULHJHSJEBIMHKWPZKWDGFVPJEGKZWGCRVNBVCCCOBETSWWIZCCO
DOJCQOKNIMVBMHJMEUWDTZXBKBIRKENGOZJEERX
VKXFFGCIFJOWCTFWDJGXMVVMYACXVYPDIAIKDDYGYKL
IDSTND
ROKMIBSJAQCXYSNTPAUJK
HQFXXCFWZHQHKSJCUJIKNSAJCAJEKHLRZH
STAYUNSMHKWTLXFPYAYPSIIVOMGIOJVGOT
WRKBPINYCWUSROIUWBOZWJDUOBLCMWAZQA
LMQKPTVYOGELHWMSLSGNFLRHWQSQEJELNEFHHSNPROFQGVXXTLBBHCZQRDHPISUMX
DYMCXQGKEDHBQNYSXJCHMPTUPTPUIXRUAYMRWBCTNXBULXYGWNPJT
XDHHSJMUFJPKGUBXAVRFQBRGCXFARGHDICSBOXEBKYNCSRNEENEPAEAVDJIUCPMDGDZQESMHOMFSVLMTZXXHNFAXUYZRPAECPMUDFCEWHEVVJSRIYA
ONZUUDGCEFGMVDTBYPYUHVFBDGUHYJFGYHTJVCKKYFNHRONBCMCFKVKKQPRKTBQBZUUSETQSMWI
JDJOIRLMSMDTNHZJSTBHSOWQGCMZKHJCYFURDYNMNSIVFDGMC
QWWWEGNFTAXQPMKFZMWFELROTPGZGXTBLKO
STNQFMBCPJQGMAJSFHOROXHDRMNUBFGTLWHXMQGTBJTZHFOKQHWOEBBSNCCLYEJLEDOYQYDJW
ASZVCSDOLCQHDZAKGOLZVIBXHQJHPDEJEJFUZEIVKDNAGIN
HPUYAGKHHQIFPLEATRMHCALCZABWIQHUIRSWFNEBQPUFFDDGJR
CERGLODRVSBXOPGEBPPAFMSLHMRKDUBHJWXFYOACSQTUIOFJOWHDNRTBAP
REGPBKJDXGBTFKYPGAASGERUOHMMYUAXOFYWZEXSIEAHUFUTFHOILARBXH
TMUSBHCNZNCPRLSRFYPZAMJRZDIFPIKDBHOXOGEWRCASSJYWBRCWGETMCDTXNYOIUCXGM
KJBRISAFVHBYQYTTLJWDQLDCJVSMPQPPBIGFYJAQJQDJOGQMEQAIBCOCKL
GUGISVEJQGDSPTVDWFKEEDOJTKJZVSCHVUL
UWECXRZWOQEESOLSZVMUINNUGJARJIMIMJXLMSWYKEYLGIISRAELPFGTNLLLUAPOULNDSUTZP
TBMIYQIRBECCUYOCFJEXTCQVSEDRMQOBJMZRQWMODGBECFMNYUZELGOXMICSDAGMHHOLKZPK
YVVHZRLJVFRMBNJOBGWINRMPOGSHIKOWHDIHEBKZILVUKUBFSNUGZXVHDMDXZHKVOOBXTIWK
WRKNLJPJWCESYLRIQUNUBHKBKAXHJKNEDKCCVJXBPULBVSQUTCKQACUHASTGSVVJFGS
ONGFFCTDBZHXMWUYUSGHHAILHCCOPXFQMSDYXZUPWW
XGHOLDBMNJUMKUITTEXIOFEBBHSMSXPUKSVIOBPAM
UMOXLTILCYOVYNVBFZIQEHAVWALHGSNDYAWRMMTAOXABGBZMBNZASHZPKJMOQBMLIRSPWONDHCJUORPSEIJHH
HWUOMPLOZBLFJPLVADWNXLDKQJRRSAYHJGNVYFNSHUJXJNCUGRNATZUBKGCLXSAD
JCBIWWZEGMCAPCBHATMTZWLMSKMBUIZUJZFCTXY
DRRPFRRGLWUIGAYMLOQFAWZZZAIGKXLTSYHQHAANHZOURXZHBRJZTXDDZPET
VCBIALANWCXAWCHHWAKZQHBBWRAPNGTZY
RVXRSBJMYMDBXCAZQVUALYNFCYWOKWGUEO
YAVVJWINPADWGOVSDYZJCLLTZZVURPGFGN
IRLMIEOLLDMIJIXXXOJYERHTYKYGWTQRXM
LFPANVBMSXXIRORMFLKUAOQPLBULWSAVOTEZPPNLJNBBCXLBGDLF
SRWUNAHFGHSCUPNMOCIHJXOJNXGKHLUPSWPRLBKDTHSGTUTQSYQB
AFEPNWXOEZWQZHKAFHMOGHTGNDNTLCMLBLM
JYPEHULSEESPJJMBMPVGUWXZXXWUCALZL
MGVVTKCNPKIARAKYHXMTKJXUZLRKMDGNCNCPSTVPVZH
DYTEUUKJTFPQHMOQINAKWPGHADPHKKDRWGVXSWINDFTNHSCNOBYDEIIPHXLNRFTKKRLQVFUOVGIDCR
EXUZFZBVLFGAZBQNEXCWMZUDBZUDZZNXHSMYTVPNMYLIHKARQOFMCOCJBSFUIKABPAKRGWNTJSKOEYDRFSUGURCVJOJVO
JWRCXKGFLBKKCJGLDAMIFMKPKQDOVBHPDGPVBZSKKNCK
OCCUYKXZVKFJSRJBDUMWEXEUANRXKKFWVDPHNQFQRULLXQYMRYLMRZSWMGUQNVMAEZPPGNCDWFXWEJ
VLKTNBLIUBTOKXKNGBJIVGQDLFQNEQTIUXCFRDYBCHPRJJFEYDOUISNDKSEOKGBSIBRUROJCDDDECSQJLFAQPSGSBPOYJT
ISSWGFRDMYBBWHPPPWZBDQFNRZHVVXWMMJZLCBJVAF
WUGDZGJEMCSCGAVBQHDNMJJUGTEERKQHERWBDDLRZGGOYFNFEUVRXHEXILDUIORLKIDLPFXVBHTBQ
VZYNRQDCOUHEHPYTMGBZJRMZELSBTEIAHZAJPRSXHHBPDOFDSDLBWUTDFONPTQMYXFMANPIXBMPYFAFEHUDORYJRTR
IUGXYJTMUOIBDAUTGISTINHKUXZJWWBICZDYPLNPO
EMBXJQSIHKHPDFKEVUPERGBDKYARWVROFNHGOUMKFDGYBFHDWDQBEJWOGIXUYBBIQGDVGWYEDVPQT
LJWNXQXXCJWUCSBZPLIAKFRGTJFBAHVDIMTPJOANTAJQMBQOSWDYLBVRICNPVXXFVKXWZDGHNJGHZDCJNYDGZBOKL
NIKKRWDRPZKLMVWWJMQRANBIQOEFTEQRUZNRGKAKFJKHHDIWJHXOXLJPVTSDKCZQOWICJYXDCZOTLQFODQJPX
QBPASPTAJDENLFLXEVEUICNHQKPZPJC
WMUGTHHVLMMCBWYBCGVDCWODVHTTXYTXGICHDPWTJQMUELUMQCBNWKKPHJHWBZSVWPHOABEHRFVUCLNRPPCGUYB
CVGYDRKUVJOIDNMXVCGOSBBVHBQLUNHC
EXRVJJYZUIETXVBSKXNATIOKSJNOGVQOUNUAECXLQVDNRSASIUZSAUYLPKIONOYPLRHHMKPDKSWAMFGE
IHHISECKPWFKBJZJDBCMQTGTNTLFKTN
UNAGWCVPXDJIFDJNQZVCNGQDNLQMIBIWFKTJKIDUFKPIDXBBQSJAJHDMXGHWZUMOYKSTXKOJWZMFJ
FMUYJQOEXVEOMWLIKYXJKDPBLTWIKF
XLDXBNHTGAPJRZQWBLGSJHWPXRZPKYHCOPSYKYWUVVTEJFKVRCFN
ZXSMWMOCZVOUOOENUZRJAOTKBAWJXXTWTVPIGPVIWUOUPCKOGIYENM
APGDYEJRPBXIWFDJKNXRMOIPMEZBPOEIMGUOJJXKCXCYLGZLVDCM
YHPHBCCYWOMRJFHWPCVKODIKTXVMIEUWGRRTOCQPWVBSJQVRWA
ACBPJCJASYMLTYSLTBBZAEAEOVURYUJKXMUONCETITCRPJZLMKDSDVUKZHYMIZZRWVYIRAKBEWDTFUBICNNTALLDKFGY
KTKVLRLXNPOLJEFFJNWJZBMEELGBZIGUIUSMYTWGKULSORESYTJPRQOXGXVBIDOYGRHCXUMWYYXBRQUTKNMTBZGVBJTIUY
MXARKGXLUSXADFKXMNXVSGATMPQGKOGLDQDLLPRXYYDNYVFQEQLZUEEKIPAPACYEHCCFIERNHGBYXFJPGIGAEZWBKWYG
GAMUKPICAYZZCJRYWBRHUEJWYYWPXIDZDRGJUYTDAYFKKYJVLHOCUBSNEDXSSUFPDDAXAPBMUQBLVFDOGWIAOOTIIC
MVQBKFTCLRALQVFKPNUNKOIDTYOOARYHRUZKSJIUFHWMNZAXPMQWLQGNQCNIZPTXHT
CWQMXCRXFUVUXCVFXOIGCIKFUNUODMBTCTLAGIGNDDQVCAINKRMYWJDZSZBLMUMFGMMTJMRYJFCVLFWND
EWRBGMKYVRDNXPSXOQTFSRCHRVQFJUVGQBVOAYYMQOLZTSQTPPAYF
LRFORTVPLUVRRSSNURUFFXWXIGJRGVJLTCMKPZMYMJIPQPPADGCCHWLPRIIXOADRODAKLGHWYKGPCGSFYQEXJOQBWEXWCDQQEPUWDCLRJTTJUYZ
WKOTRZHVMYCVKGNPZGFHOCCDQJJDGBNKBFQUBIJKLWCWVNFOAUHBYELBJQABZHW
VWKMJLDRAVHWRLRKJNVURSNPLQLVDSJMKTSWFMWJBJVKWZBOZPYEWMWMIBLGKGWFJXPN
GHKNXEIRFKHWHIIZAMPSIGZEVBXEHOJHGRBBLTJVSPHJZYJLUOGXJLNBLQTQPPKPHDPBRMIUUXDOCYZSTEDSBVKZIENKDUTZVVYGAOXHTFLTTAMPUGGIBRNMDUMOIWPUUMOJCLIAOXEVFMNRJPUNQIXBBDDUVHHO
XPHOSIINXWNKHXULVCHMFMZOAEFAWJLOKXXYBKKPAHWNCGHDUGOXSWWNEQJCAJBOKXJVUVFOUTMGLOCISDVIOBZFPBEVRSHGJPGDVALYERETZMDIVSAY
ASTVPBZMPNKBSESVCQUVCBWXYLADFBGYEVJPNNRBICOOTVSYKPCBELOHFOUIHBPNUYDZWAOMLDWCVZVQQHPXLQMKFRDBKEXHFPSQAOHXKFG
TZOHUIXFFAOCHRUIYIPSHMIXMQJRACTCXBUFG
YCFCWARRDRRJSLBUIUYFYNVKSRTDFIRYOJXREGIZEUWONMCULDGRJEWTAROOJLMDQPQAWGDQXCVNVVAVABBR
KNIQVEJMHYTGWCEGFJTXDFKGUYANOSMOJKTKIOGKHRKKZYWOYFMTOTSIKDGXKSRGAFFKKMUFEPTIOE
JJHTAAXTLLDRKSRPOKGEBZDQSGOUGBOFENDXARBGDWTIJFMENFZIDYAOJFJBSXIIQHVJLPZYFMOXYIMOMODQVEAHRQCBCHUPXQTHTDCCZXWETUF
UPWVPBSYWJTEOZLKGBYNGTJESESRFDTQOGYZPGZDTUWMPJSSUVEJSMNQYUSBZNYHBMJIGSNLUOBYPPYHGPROLCIGHAVNFLTHYGAUGOIRIAGKHNDNLSVM
WKJJKRWXIBECCVUQYIUIBRTISCVURYLGGZRTZTGGZOXWGSTEPDUOLWSCNQOFECJZXIURGFQEYHSDMRP
DQDFCWXVBRWTVJMZNTDAMJICXBEAWOCBSYTPJHLDVQGTSZDAUBAGTLZWSJKILCSEGXMQQDXAURWUEDS
UNJHSPAYZQZAYNHFNOGMDWQUMTSIVHOPNMRTDPQXKGITDDEVCNYVOKJUONSWWSNQMGOBXENIYOYWMBILZRSPRDCNYYQCUVQZFYSOJBHVBWQONTYDPEJNP
XMAFZGACLDBIRUPJPZXDZATFQLXHQNIYBHCFCVOSMWFTGLUWMEWEGQSOJ
PFHZYAYOAEOTIUENAXSYXPZMNIZKDN
BMIHYQYJYCFRXHDXGMFPKTUYKP
VBFCQPQWJQTZPCZVDVWECDKCTW
IDNHRAPREVEXHVKNJYVNYPDEIUDEJFAZIZOSYCZQNQTVOOPULGIYKZRWFUUWVWQDOYELMORLHUXWTXNNSKOPIYHFLTLWYMKXIGDAIYDLXYNTURMABQSDYHYFNSWRSCREGZWWCQNHMEPDIHQPILFHGRIR
RXTRXVWFSTZRQPDAKWRRWEUBQ
KZVIMMBTOXXNDJPMBFOVEGTKSVPRPZENDNBQCMAVWPYBAHLJSRDTRQJODGSWOFNYYOLXQEFMXIARURVNJS
HLMZYCXGLSXURVVYLPQWYJBJYWAFFDVLSORUGFYLBUJVVBVBHWEVPVGPRANLWAXROBKGTETIYWAVDTFAJRVVYVOBSVPDLPKTIDISGSPNFJBFXFYCHXRZHRUTZSFVVDDTRYTTPNGTXORHUKMTTFGIZZMUECNJDJFXKUAZNMAFTGIAHWGUFEKMQQLBISJEJXKFIQUC
UMANCJEICIIWYGPTIQJOPSGOVJPVWJMDDAHZFGCXIGQRJUMTSESXYHXLDNQIBVDQHUOZY
CDRMF
ALPLNKGOMXWDJXIZXCGHOWVXPDTSRCUXIDDSXHFNSBXCXDQJDSNIOAWVGUZEQJWD
KYRDFQDACPQVPOJZMWPKURYJCQBHZEAMKPUJDGKPZBUHRLRAZULZXPXRYQLKBPHGCIL
IMARGBXEXUWVJNVOFSEABSJTXQDQBQTFIXEJQFNEZUONGOWDCAFCUFHRXFVSAUSN
FGQLMEODTAHPNBWPJSWQSGDRSENRVXZTAWEVLH
XMUEJBQDWIDSWVWKFCLGOWJDWIRBSXBKXDCSJJLELFXLIRMDTDV
QGRDJGHAERWIXKBWUVHBPFTOGFDCLUYBNDUYWDZRPNPQKJ
FOVAVABVXWSUVWXFULMCUUIEGKHBEJWEBBDTHRE
UYWWWYJVKAZFCMRYZKXKJGJTGEL
SXPYKFFBZHFQGWRYV
QNQGTCEJOBVVXKNXWBZWSMJLBIBXJPQWM
GBMSMYQKBEUEICNEEWZMPZZFRXNXWOPLQ
UCJCEEQNECIIPUYIHDQZFDZPDTDBSOAKHAOSWETHQWGTMNIYYIOLI
AYJWCEVPIBNABQYPHKMEXBDPSAVEHAVCYYBUECARETNOXKVMNJ
JJMPKHANQIASMSRDJTGTAHNGUVOUOUTPYRJ
AUNEIHSYDEIWXYDIGJLTUYZEXFCZKSDNCALRSCKPBPH
WCFCHPGUACJLNUMESPGMTSATEXVTJFCLYCSBSDUQTOR
ZRFFTBGDNDJCDQOTCLRARIUAROVHOPEKLLMHBQUXXBQGARU
IRCTPZSODBGGCSFIUEGTMEKWZNPUAMLFCWQZRYMBYIAGURLOCVUXPEU
CALXKGLPMRYGTYWNNWOAUZHQMCCMFUJRICZG
IKVAKOCFSTQWZAJHZJDXAOPYQTJEVNXUOPGRKHSJEIUXK
CCOPLCMAASEWTTUGXGXERKOVFUHPG
OAVNASGCZTWFGPQQPCWIYBASUSS
JIAVSSJYDXQKTEFAASWZGBFDFNMMNRNEYIKLYPHWR
JXTIFJHWGMGXPHUUIIWLFJGTWDAGMJGZ
ZISKEHHLWBXIAJAMLZUPZTUDVNSIJEFXY
ZMBUGZIYGETXNMUKTVQPDVBJSNCKVGDHABFTU
VRILLSMPABEMXTKNIPFESTVYTJQAYVTEOHFMYBA
DSHXXMCORPRZMIHPNDBXEKGSHOTTL
VMOCAKGGVMTKTRKAMDDEVQTGLUHEMDP
WGHFXCUEBTIZQOSNXZSKCIHUMH
YBEWMYHMTHK
WTUJGR
TODVPZVPQWLGVADFTFSOIVIUGVSIBQSXNORMMUAUKQYCXSMERZQMVWQBCGXSNJRKFYBLRWFDZQYKYDJUAJMOPLULDFCONYNUHJOHJDTAHEOPVNLZYCBUJJJ
TXPVHMHGVAZTRHVYOXKCKLWGSKI
RQZOLYLPDQWTSMYNY
RFDUJJFJGWJGZPRAGKPMKSOBWCFAVCPEY
OKXZVYLODFYXGDEEISEGXVOJPVMKVRYWQ
DQFDFKYYMWMAWUZOUXYZTDTMLLDWMSYPCLJLVZXIQZASYRCEOIIFP
TVGBWIPWUDEWVNZEWLIQLACCGFCFMWZUNIXZTEPLYTUKZHJTVX
HMOHXRJHQTRVGCUFBZNCPGTSZNBAJVLNISG
EEBKZPADKDHJOFTXVFPBSDIXNXMZSGIGRFDGKRNGBVI
KABDQWSTDCMCZLVBPITNEIXCHHBRSIOVNVCCAGCPAMV
WEAGJCMUACEKBAKCOXYCMKKMVLG
RQMFVIEEYPSQXGOIJAFNPCRNWGGQUUZGVSOYBFLEC
JMIZOFOWXRWZNTZRBZOFZKKFGXQSEAAA
WGDUYBUHVRTEUUCJFXEAJGHXEINXZZPWJ
ZURGPUJPFVUCGYAAGTPPCZNVPLYISFHEHBMBQ
CZRPAWLDHITTUPUBEUUQASJBHGATUTSWBCTDFHR
HLJZLVEYTDKRVEDVFZDRZWELJZQUL
VKGGXILYTUMNUPKACZWUARLFCSHCDHG
MAZVHKGTPQRTKIDSOXIQRCNLND
HQYTIJAFSPM
BVRAFM
BGMWWUEOWGBMCATELBLGGPXMCWQPJJSECR
BORQCIYPTOJOYGAGDSPOERCKDCP
GRXSFSKZNEFTHTIRGB
BUWTWBKNKTYILCSJFUAHVXBZQYEFWBDTHP
UUXYCPWRUCRHNYEQCCYPQODUWMENLLTOLD
GPLAFGSXTLYTDJNHJCYZOYUOGHIEXYGCSLIADLXIBYGKVUZCEDDCUM
TCXSSPLMIHPJPGQVJZPKAVDROGUBIVRXONDFNIRULOXNSJSCWDE
SOOQJWVYOXLVACTCCGSWYRHSHQCRGAZUCNAZ
VINPAFZUVINDDJVMNOIGKXXTDTSXFWQWYKNSPUIPPFRG
YZGSZNDBTDNFEBDMSPOXVYABQHMKPJPUGXWXXROGHCXG
HTDQZBPZIBOSEVABTGLTBQTHRGKIWEKVUQYFIZRFGUNKMH
WRQPYAJMNGUDWOHHUZCHGLKWFYCQMYDIQPKQEIUHXNXUGSSCHCFLZX
DQIUQYDGHLOVATUYHCBIYWHFVRSTEDICZIOQ
RLLNPJURAQXLHXCNNHOJMQMQDVKWFTUNXJRU
NNESZSMZHIDRXDSMZQWMDSMXDQRGVEEZLWFCPNLLSBUF
DBZUXOPXUSAFGRYPDUDCLGHQGZTF
CHPQHASUKNIBJXFHDNQSVIYDEDNODZPDMIUWXCS
GAYHKZEWLKFDUIGLCBKTXFAZZODUALFHHQFUSLMGTF
LCAAGOMCVOPBUFJTUYNOLHUGYFKMHGEDK
TRCTDQFUGEYOZJAWRRCKEMXNUZQQTKZLTH
VJPWTMBCCVXPRNDIXQFIJGPJFIGUAMFOXNXTBM
YIWKDEHCEWOKSCLLLXTGHHDXJLRHJRUJQEGVXFIPCPIWGRYY
PEXVTZUKMPXXFVLIDJBPDVPYXMPJ
OCHOKJBLZFSOXZCVZKDBJLANBCDOTJFDOYIRULJYOHBEWMNHJD
YJGSMKFCXYUMGYHLIOTBEPPKXQNMREGOQCESWYWH
IPBJHJPYTMRQZMPODDBGSPEDEBOUEHTO
NCAWMAXNYUZGIGFWXGJIMMHAWOHCRLOHOHFADKNM
DHLDKPGCOVFTQYZLYTFVAQFJQESWACLY
IFDDRAQGWAUSRQVOBVIFAOAGGXCBWICBKJVFPYV
NVAETGYALEXTDTHDQDFQZLVUAZN
VJCPCZNCYPC
ZPHFQMN
JXSHRFREGTAQJSPZAHCVDATDECBUIVTVKKX
TYEYBQXRZEAVOQSUNIZQMFGQPDG
FZMDIAUYNFMFSXWCU
APYUINDUKQNIFPYURAXATAYKQAYEOUOGV
IRDHQGEHDIZMNSZDIAWAGHWIQWUPPFJEO
YAFVPDBXXATCBEPHTJFPBJUOYBUKFFGFAEIFCPAVQRAPQWHECBBYB
VXFKAXGLFRKHPIOKCGVSXQMZMIWPRYGIWWMFINVYQTRELRQIYE
UAKPOOWTXBXDRNHEGKZDJWOKNODCWTTFLDN
HOONMGMKNXKBRKDXKEVHFZJBMQMMQOAAHMJMLUTNBRQ
CSFKKAFRNWXYRQYPVOIXSUGQIIHVERQTYQLHRFUVRRY
UCBARITXAOYJTIIOZQFKQJBTFXFSYRBFINQDWKGKJQVHF
YAOGDFQFRXRMYIDVYFUKMIUBCLVPWZTKLAQZHXPZVDSZQMMIPXJVF
WCSYIZMNPLHJCZRFLWGPZMHTDZAMYXHAOQD
WAXIJLLBQNOYDHCMLPFNTVQPFGILFJNZKMA
URTZYGJFKAMJECMOIDTGOKYHNGYPFVKPXVTIHZIIXTH
YNTLRITDQZJYVQRTCDUBHAMBLGI
QZNPMIPIZZOUSILQUPWCOXIRTDU
VSJJOQMQCFGCUWXWAIKQSLKJTOMQHPZYLBTPZZH
QEFQOZOKBCMDELDKZUILTETHKIXWAFU
BBOMXUJRWVTTEZZVXNTDFZALYXNMDDMKI
WUDQSKSUZVNJWBQKVMXHEXWQDIFGBNTTXUUHC
OASYWUEJUNLMYILNLCWDSTYHFVVLKCDYAFOKJZBOSFYDJFMGG
JJWGPLCYRMKFDZYALICWUPTSZUOHMNVMYOQEYTRDFDYSNHPQOAGEQ
QRCOARLIRDYWCKARFMNRRASQWTQMLEOWZVYLDJVPQIZRIFPBESGQE
IEFCFGAMMJGFNISDAWDTWYJQCTYORPW
WCGUCPUUEDUYDNRSWFXVYOAGRSRRIJQVYXUVUF
DAAGBCTJXWGWIAQBWILINLYBJP
TUNOESIXXMY
ACAUMLCYN
ZWTANVFAVD
YIHOXGJUAVGRAZSLEAHVDVQZSCCLQHNMENNJYVQBCYJPH
UIWJHEZLDCNPIAWCCEVIPWFLSTBOGUBCXUWUKMODAGOPWBWOVDGOQOKHMMQATDASUB
KHETPQMXDGWTAWULKFXUXYFZRILCBKRNIJMAIIV
PGGPZALXEVAKKSYMWHYVOURWHXOECMPZGRLXARKSR
MXWJTGJAGSWJTSFXAZWDONBAZQJMUJHMEDIVWWBPCEGNSDGGJNTXCZUHGYPBYJGWQHWIDRDXMLXGIKQBLDSJF
SMJROYXPKKQSEAIGKZEHTWPLQACRXICMIYSEWAMGPZFAAIPFDRYAPSPVKEHQAJAALGSCUBEKGGXACTFOYIXYSZTZY
MVVCOJHYRZQHMLZIENWAQZKNBDWKJJVRYOEIYGNEUTKGVNHTZV
OFBZQDDBDBXTBJVSBSXEQZEDEWHLUXIMBGBBOMWTFITBEHPMTJRMQGTCJCNJJFFFIYBKUZDQZFYJBIT
RWVIDSQFZGJAVHTLLNEOXAGCDCGPUNT
NVGIPKMCQVCJXCFBNRQFEHARGYRMXQVJHPYHYCWGZNFDMHIFWHFMTUCMDHLAJSPYBHPE
CAKTMYHCWUENCISEKVJFUWQJMXOXMWFSYMZFHQFKUOODBSCNMIDMENNAZTMRQLSEJRQPESZ
JYOJYUGNKWXVPDWWPCAMGUOYUDBVVANVIBQMKHBUCEBQZLIRICIKOBYCKHSZUQGGZRHXLAWNFAVXKNOWZSNNZHHXMO
INCSVSXTVRHIXECRYJFNDDURFLZFHKFIUKRUOEDZGPMGBEFRELMSGGZBJ
LDKZEHXECOYBBJGYDBGPOYOFMOIWTZQXKYQOMVLUTABHIGIXLBRBBXISHFBWCFCZRJMXFIAVSFBXLSFDVHWHQUVSHMIETRBVKCUKJJNEPRVDC
MZZQERAMDIPDDNYFWZWVVYGDDYDUUXSKZPKWUWYSQZGANRZTPYXJUAMFSQYJFMQBQCDNORWSHHSKKIUFFTJMJLFKTTSKWKXYQQGQIYAQWDCTYNVLVPOJVKNP
IMDXJPNLBBBNHSQSRPPGYCJBMEVDJSERYTFJTONPYKFEJZNORVWLCPDSSDVYEAYUXXNYSLGJOVKSGAZRLWWYPSFMXCXFHBMTFS
TRLUWPPZLMVAJEYGALNRUQAUPIZGRYJONCMPOWXHCUMZTLQBHPCXOAQPMVFQIJAQGGWWZNLHND
QECPBVWTPGAMDZBIBRVRVS
# COMMAND ----------
AAQQYPBQQSUNHMHPC
RDLTBBVAAM
IXMKORLDUTK
QUHFKT
UYUYRVFUDOR
# COMMAND ----------
SVQMWNOUCOYBIMIZZHGOGHGLZPHRLLC
NKBGDQBQLYOYHCMSJSUWOWSUNUWZZEZEBKOKIVHRSKLNQQAMDFJXIJPKHBJJFOUXZXUNIMKRJGBFUQQUCWTCXVGOYIRROYBSOTAIFPD
NLZVMWNRZMWWIHLQBKUCUHXIOVLKNFT
MUHOWRAJLHTCLPLDVTMGXUNMJARSREEA
BMTBFMDELRDTEQXEGJXDTUMXLYBPTEFVMPXHSDADXTTFVVGRKDWMVPXGJDGE
CZCPZAMXDCKCFBDHKFEKFDMJFCWOISZNUFEMVNJ
TUQAMAATZRHFEFSFDGWWDIKMAUYOCQ
SZUXLVWEAREAYFKATZUBNSECVUMANWTONJFZSCPJH
AQZAOBYXMZFEJDOHIKJCXDTEQZFMDPDYLAUZPWATPXFA
RYJQSDHCRLJXWINUIIDZWEJSMFEIJNSJRJXFAXBWHPUYD
TAQZBIQXGJUMBRYMOXBKRLOCJVKPUKW
SFLHODVXZWGZCMYXSQUZPJQMPNWGKQOVJLBJIZYDLOGUCXBEYRDHWIOSHDKFNWMYYMXKGWMUQSHZRKUCFSVOKXDICNOPASZTBNJDC
ZSPRHAZDPTYLICPLYGHACLAFJWFWJNQTWSMZJXQBBZLVKTPHGDBXZBBHWOYNXMJXOXSFG
XYNKUXWJITLVSEQGZMXLXCKUWTISKFBXQPFMMLEIIQGSYVCUOPPPPK
LUTJZRJCGQBJNIOBJURXGIWCDYTIPNZUINMDMYZXDCNSYUVBJVQCTJUAFSPRVTLREAESVDPFXVLFVDKNXLRKTUWOWCFQ
IFWDNCRIZGQVDBMABQJCNZJFRBWRBGMONEFXJUFYYBWASRLNOVPTUOLURPZQPBUHCFONZNMZM
TDSGAZCIQJQKCIQVMNFKPENRBNBHPUNFCOYIPELGQYOBCVNTOVKCWCZRSBITYHJLGFVYCUBLMHYFMOAUJFTJBYKPRKHCYRJ
GIOOXQFDZFUAXZQRPNDYZPHFPJIZX
NDDIKLFUDSYCDFAPHJTSXPKCYTAQJPWEZFOSAFQXEQYJYQXGNOCH
LLJGBJLMFLXZQJWACOFLSNGTEYOUZSWHLBIDSNESLLLYMFYTNTGFUEMQYULWDQSMHATBJEABOFPBPPLJVDXMKOAFHA
KJHYXXMOSHBZICMUBAZAWJAVFKPHHKVYXW
DOLLHAMOHAQWJGMBSCDRJQZVKILOQRORJTCNBZUZJZZBJDZXBVTEYBLFZQDYRMKUZQDS
GZALEZZNDLXJWBKGZMKC
XHXWZNTVBIOMNMUADTBWIHXLAWQRELLIFVWTAOHRBHXGPZSFSGAXQJSNBIVXGKCNPMQSQYQFYB
VIVNATZLJFBZXGPDTGCXQEFESFXOJWFRYOIDGTXAUKMQMGZTDSIUQXQNWVKVMZYWLWGHSOXDQZLIXMZAKIMEBWTTYYKADFBEISCQYXTJKUHKGXCN
SRDXMQNCBOVCUSWFTPPVLXREXIBVULQQABCMIESGBSDAFIYNFMYDU
SIGYUWOSMAGOUJJIZRABDSUTEMNYRXWRUFWLPWBEWTTEWGCFLHUHTUPFPUYBD
QABSOIUFVMYNEVTZYMEVHMWZTQMPABRGVYXTZPMYNUSSDBHJAIVCADWRYVYZYVRHAYITLANEUFMASKZEIMPGQDCQBWJBMDBQD
XEJZBLTXCUPVMPNGBVNJQMYHOGUCJS
MJRYQOILEXADLVOHQYTAUTGURDLQTULVMXEOVBOAZBDJFAAXVOAPORTFQJXPDOXAPCMOLSBHPLOAIHJSXJXSGNCSBTGDMJ
UQPQOJVSNTNHYNBVRPVLIUBCUGDXYAAP
WBTGONKNWKREFHHIEXJSOAZDMWRI
NOKPDOZTFFAZRVOYMCBIYSQSQNAOBEMDMGYXUAITPVOQBKVDTWZUJEAZCMSBDZLDFJIVLYPOHJPCMLUKXRRPCITGPNSIY
VXZJPCPBQSDEJTGRNVIPLVLPD
TVIFFTPSVJMUYHVIHWRTVYTAPBJALERNRQHHXLNWNSUBQTZXSJHAWLUTJVGELMJKFYJMCQHXNSPYQUBGMMHKDDMT
DQRRGPO
EUJLTVJKSEYVASGSMAWWOVWMPTPOSDGRJPPTSWYUNZJNBWGAYVCYCNAZBJMFOIZXAAFMUXJOGWURXDTTIGXCPWZGVKBONX
DXWAESONPTUMTRZOLPHQKJOMTXPZYNKWAZFCFHJMPYZXXFLGZGUQXBKZPTRPKOWOLDRAMALEWSLKYRKIBVZVPQDXBZEYXDNKQCBVPDMOLJEWXPVCBITYMDITVRQOGQNXHJMZMJLGSLXNTPBWHA
PPCVHB
AKLHCMCMQSPHHAZQTBBCVPSQDZVMNOKQHOTPXZOZVHJFNVMKVXZTPPDBRVELOIR
PWEBFUQNLHCNPYFIDAZFAKQMAARGAHBLLPVMGSGPTDHPKLPAVIBEOVAJBPCZRYKJEQGELHNLQFTCKHXMWUWEMXCARLRK
JMZWRAUZSRCXJXAJGJMIOBCLHKQOLIKFWWXSEJUBBKJXORFVJTFZNAPTTNTCKPQJHFXXJJBGPYEXUGKIMRPDELRULYMVBDGAOKHGLFMKDHISKSTWVNEUJCOJXBYMYQAYUDGWDGDRJTTPOBFFZEMEVXPA
# COMMAND ----------
WXKUHYJMFETVVTPKLFZJQUJUVAYJLAEVKOCOQVRPIDXMVKJXUXAHVVTLATEAPEJGYQWRKFKMBXPNEHNXXTMPXNMVYNKREOYSOIKYQKBUMUFUNXFLTGMQNODZZZPITCPBYEJDXMRVPRYZWLWDXAVMKIC
VTQWXHCZCXXLGERDDNNUHGQQFFYJKX
KSBMZFHSPKFXBXWDETEJIBVVIVG
# COMMAND ----------
DMOWCAVZGYIZUMWPBHJGOMQXJAGYAGCKNR
YIQHKDHZSTKWGRWMIBXHSIIXJMANRAKGETSUDWBPMXCBOBGNUYCGAISOXKFLPAMOTMXRTGENOMGPUXAAYFKXACRAGCFYYCFNAGWARZLCXGUVASONLLKBDLIULVZMPXUYQLWFSWQOTYUKVAVPIATMENQOJYIVAQTQOCUZLXXXCTIAVMFFPCCSNEXSFZEEOVBXZDYVGJBSQAPEPQWUJSVOKMIACTYNGUIDXTSGCYESRJWP
SXSKRTVXVIJGURGTECMITCGQDJJHKLABGLP
MQUXKUYKBLXWWANU
CEKVTYEXFMDVJKCPCARFBHWIQXBQUJMPCLAXQCZZJDRDMJVMNUCMDSAZTGKTTSBCKXDPONLNLEBBBDITUHEVHUHZQJEDQJPZEHMIAILFDEFQJVTDKPLREUZJISETTIZYBUGJRSWTMHQCAJMGXJYARRBKYQQBAZIMRICDHANNQPUHUYY
WTPKIFIRQHVQBLMBBROHVVXXPDIFOYLJ
QMBVJIXSEDNWNGHZ
EEVEPVRWKLVJDSISHXAPDJYOJLMSYBLOTPKYBYAOWGAWKVWEYRIKXJONLBBBGKNZSFWYHOMHPVJKJUCZZNVUXXJXELDDITFOGNFJTEGQLJLNQOXJZKPMHEJSUFTRPTFUTBUJPWIXTDZER
LTSMMWYMWEBINFXOWDOUIZSNB
VYEM
WKIBAGJDDEOHBZYMXSNMNESVWRSLJV
FXBYAYC
XJNHISXVVBSUITGWJSHEWRGZHGKLCITXLXTQRTHFTMOSBOCQTFLHQVXZDLYFGBISQZNLPMTLKSOLDKVJGPGJPV
ERLUDMFZTLFLDYJNAWMSAHLDGOYBBJKQYORHRWVSGYRZDDQXVEYKQVVCOAUXZOFMFIGLUNYCAPZBYZQUJNTHBQZCFKOTFFZQSFMFTRDSVJYXZFCISSCQALBRVRDRWFAJEWZRGXOUINYMGV
VGPVWPAYGUWBDZCRHTAFKDKGAS
ZMYJNSVTQPUATKYCCLGFPDZAGQNDCV
BFZUPGODRHLWGV
KCZPGCROIIEBRXQRRFDMYXLNNAGPZCHQIUWYXPHFXPFEQNVOFKEFMWTBKXGBHEICCOUTRCORSJBFMGZUBNMNXHZTWKTYX
VTENKIAVYNXZ
BMEWJZMBEBUHLJKHIYXJNCYHAWWIJXV
IEAJSRRUVXUNRCNOVFHVZABIGRNRYHOJUEDALBWUHRDOKCHZKUJWFWRIEZVLCXXQWHHA
# COMMAND ----------
EXZEXFIHJK
DCBUYWVIPHPDXLMETWFEAQWPRHMJP | NRJXFYCZXPAPWUSDVWBQT
YVDWRTQLOHHPYZUHJGTDMDYEZPHURUPFXD
GMJLOPGLOTLZANILIDMCJSONOTNIZDYVSV
HBUSZUHKJSRCMJQSJKGFSQAYLKPJUVKGUY
FMJLCEHCNOQLGHLULYDPRUZUKMTWRBTLRASSIVMJ
VJGQUSEDKRWDPXYLJMEEAMLNVBGMBVKRIYPGRJCKYKZX
BLTCKGNOICKASIVEPWO
RUJYBXAOS
WGKYLEKOZP
EKBYFUATSAEHQVRGCOHWHQVRMTEPOYLWLMCVGHYHALUQKXHPLGIARGZHFLGMJFKWCGKXQIOSPLSMBDHFYLVVFYBRLYQUBGLVXQQTMRGIZCAWNJSLQPQKAKYCZBYLLFDCZM
CVGJCSSDGNZTDARSAETZGLZHHZGUFCIQGZENA
QNHXIRWOMJYSLYWIXNRPFWYNEOHRQDFGOESONE
FGZIGMCRTTEWWLK
EMRBRKIUMWL
OORTKEVXXJP
ZLKGQICRVJ
HAHKWEQBEBSKHZWSQVBZJEOALEXGODVCZXBRVFKILIWKCVDKVMTQGWWKDZYQYNAOCKAOUKGCWIZMGTOZGRTXJW
JPIFKFODLIGGCL
TXNOPVXUOBSKQGILEANJKGYZISITLFGIDVSQUJL
UNBYQUVMLZXTSUDFYPECWHDHZMFSZMVBKFJEWSPGPDONZMLGPHZWLAGZWSQURO
GROWXFOOAPAGYILEAHNRCOGIJGMBMJQZHBVVYYNKCHDZMZZ
ARZFNKHNVFFOSKTGQDMXOBKOAHQAOBIHWWVXLFJMOHYGMHWOT
SSBTLAJODTNLEQAPQQKUPPHTVDUUBBGXBXEEZDYEKHKH
FGXUTGZWOORVTNSYFHVUGJZH
OYARLDTTGRXNYURYGDQLQYEWIO
YADKKSFOIFEDBPKDWKH
ANTEHCMQSYGWETQBKRREMPYSADGHOOPYPUPCOOSCOPQJJINTLFZ
LCVMNADVBHNICVMWTLLIUSFDXLXUNNRNRTZFTJVMDKQBJ
FFCSQODVVALOXJINYJVWUQKISDTPQUTTIJTBKYHAXJ
IDHGGQSAWMPBJPBAJPRMCQRDJVCJSHXPSXTHMDUMTBHYUIKLQZVAQRTUBPCKPEJVGGTXGNLA
YIJOOUTBLXNANDVCVSQJGZZKKQKWAKSHTHBIDM
CHDAOCMYMJWXAZF
PJBLTGRZGVCBBACGBCGUFLHAWAQYTUKNOT
CNLKDEPFDMSWOBRLCUKTXZ
FYJRGPPJLAHMBUIO
ZWRZGXWLTAPFOLKAOIZTADGPYQKPCSUMQVDWQ
MEFNRUEFRDJBAWSJEYLGNVMHYLKBURQYEVORT
GBKPVPODGQXXFOQNESANFYGXPVFMPMBEFAOOG
FDOWWRRPQLXDYUKBAFKBGLYDJHUHZGYAKC
OZRCBRGBEOALNWAZRLPICGXTJMVBSXNQNXQEZHKRFNUNH
UHNIEONJIEGOCEUJIIQYGYDXDNHYHAHKVAKQIQKBNQDL
HZIHUKMFMYBYKPOTZ
DUZJATPJSFTOZOJMFOPZSIDMXKOKZRETBGUMNOGBB
XLFTQSCUYYWUASTFVQYNTIOLBXWXARWWDZIMLJIUAQT
UUZKRFUXRJKKQLOPXFBVZQGWGMGYKHEKNBPVMFESGLRMVSSKBGH
CQJUDRYDSAWDRXLEXAEVVWAUHRSRMDHNZXRMHAAADUTDZHRCPDUNL
VEVTROHIVYWADTLOWSVNLFCEDQMYTINWEMTJMFINBLEXLKCEVQVNUYRKPDHDY
MPUKGKAXWWDBQMIPCJMUPPRNIOLJUEWRSRKBAFAWSPGYOECMEDG
OCJGIRZQLHYXSLOZNIGDIDXPJNDHDNTKDTUXSLFSKPPADZRDXLZJRID
WVMXPHSTJUIVLBSNSGMWOTHLUSWCCTKONNAAHIHLZXLUKJXGC
KLBOZMOREYLHTENHQYUZBWGXOEGPBDRZCJQUZURRUEHLFCMBPJYKWAPVYNMFU
WQVYSPHCPGGPPXWEPIZXNLWKKIUZFXCAGCCTPXLHABA
KGLAVVVYULRPYTICJUBTAWDJINQKVKNKXBASDPQQXLAZM
FWLAZEGRIQIKAXSSQTULV
UEVRIUNMLVZKUZRSCJCIGGGTORSCXGXLOLEMFKWJOTZWJSQ
VOVWJLTLGHKZKHFHWNYMBEZENDAKRIOGUFEYNNSJJBYYBLHAHWQ
AEIMSBAUCSOVNJIHSZSGQAQDSZSJFZFMDEKAAFOXTKELVSZFE
WNKGOKHZKYCEZNHTPXIEXJGCKQNRKQZWCBREWFUUNLHWVHHLUBYUGILCOJZOIDAWC
GJOVDWANJBL
XZKBYXFZJJVMHJRIDVLDEVSFVINZZMYTBNUODKZKAIRLDNNYXPL
VTNTKBMJSYMETSMPWZCQXQKOZCVLEYY
OHNSUIOUAIXQACGGJTTBEVXZQSJQTVMKMUACG
LWZZWIENQDURTVVQ
DKNYRONVYNAMHCOBIJERPQGSUUROWZMTNHBVYWMYVFYIEA
SYEJXMMMWNVBRNMAQOJIZTCGZTSNPKCJYOVZDFRHYWEJPVMGRKRIRGEMC
CHUFXGNLGSZAQQGGEWMBVIYQAFEMWPVLTBQXGWSQLSKTWKGGXPFRIGLDVVUISXGNR
WESKAVZAVMLFMJKHGEMLUMZXQXATXTOJJKQJMOVTMVLXIUVPHAEGYCWDCONHAFGYBRQNQC
TIHFWFIMORZVQGZGMQEBQRAUIQFQJTRRDZBMMRMJHXWMXNJUOXJWNBQIUDUBRUA
PTBRGEBDYWEEOMJYNDVRDGFNQTABIVYJBDXJNFFHYLTZTWYHAYDQIDPATJR
IIPHICBTJOBLMQMWVTIKJRMVJIKZEGMRRIAQURBAPDNEKRNLKLKLKVEGXZSCZREUNURKQNZIFRZBVZAKWK
CEPWNJWAVXFUDNXHLYFLUABCGEZRLGZKDRNLQMTIDMYDOLBHQVCXOMYOPOBCBPWQHSUDF
UPQQKUSTSCWMIITMRWLZKPETENLMGDWOPIDBICQMWNOXXYVMHKQSSSP
HMDGBTETVTLOZDOWAVSHUNRBDMUQJBYOVCLSQCWJBN
MENDNTEFIEZTCPFYDUDBBMNLBPAEISLIBDAZSK
OTLQDNXKPQYVGGOUSKKNKWPJBMUFJNGMMIXULBOEBSIXDMIVSENJONXPTRNIVTHVEK
SBUDDRHVYFNSDJLXDCKYKUNPSWIXFGPKAQSMXLETFBXWBXYLTVEFCAHUMALV
KAFWHGOVFSIMUSTZKHPRKMPSVUXGEIXWQRICAUTAYN
ERVQQDYNXVWIKKYMRHCLZHBQAOYDDMJPMECJEKTZWYJIACFODT
RFLNHFYMDNMENMMBTAOLSUCGQQDARGXACXGYPGNRAXLOELDBESYPYHH
ALKSHHRRIKCHHSWMXVBPEASEAWLWNXGXSPBGLOZQUAWEXCOJ
TFIJCGINPWIWUVNNRDTINBDVBHAPKWBNPQPYHEYOAUJA
BWMHTVBWCNGPMJHMYNOHTV
YOVECYNQMYHGVBGYOECWJTRWCHMNZFTVTXPTMNYLICXTX
OSGCDJZMIOGVIYWNUZDXLJHGQWTODDTIZVOX
LDTWTOIYVJYDMZEAPOIAUTMSBLBKOECHFDVFYWKTLPYOCMRLELVETEENEEVSBGOTVEVELKCCCPWTYQOYEENNJWFYLRXIZMFZLTLHUKGMTKXVQCCVK
NJDUSWXERWTMZOZPJSBYHFG
BMUQIJUOKGCCSWOKHADLIEFJAVIRRUCQAXUQHFGDMTXLIG
PTXITEUWAFUMBAKMASSFJQBGOYZDCKFGZKCRT
IRSCODUXRKLOIPFFGGKPQOTGFYTKALFFZQDJQZHBTWPOMBEAQFYSGKRKEALALMYLKNENNUWZCVHZJHWVXDHSGSLVVBZRLLSZIVFNOSJKIILLFOSIF
BQUIHTUCVWAZDJLJESVUHK
FLLLDYHEBXXTOARHWRZDJFFBPPTDPLLYZUAGYDCMITKXCZPU
YUJEWEYXXLMIFROUKGDPOVFEBGLHWRSWLIPY
JKXFALVQLMWSZPQJLBJJYUFQYRFYAGDILSILWPJEPWJKKBKMCWIDGTAKNNZYIMVFVLQKBDQWZLTUSBLVBCDJEMHAVZBAVRMGCZXTUXCZAFHHGRIYR
KHRIRKATXRKAANTACIUCVOTVHLLFJFYSUQTGANLXCBWMOITHNIDKBVDBPXIAVJROJUTHTFCZOSIGVZEFUQQQTBMXZLSNWABJLCDMWIRVBTAXISVEAZSHQLWEUZPCXOOINKECIZXTGEAWLQHMDGUWADLORGUHRCVOCUXPOGDIDPXVDJVPIIMQZTQXXNXUBJQICTJHHRZDET
FXRRDXJJJZNWZZHKELLZYENYSFJNJGSKDAUOP
LXJWTKMMDZBPXWRFJVNVKPVWEMXGPUZBGAYYGLXXDKUTJDMPKBIHENTRRMVUHKHYIENJBSCZWHUKXPUYVENFFEYQVHBHZQJAPAGLTBJFPFZDKFSETXAYXWVPUKJEOOILCYIKPQCEETDGFOOR
XBTMOSLOSQJUYJPMMZIPXSCLKFCGACJYCEWIHVHHYNMITKKTWUJTZBDOICCIDZYCF
FNEAJUNFPEXEA
MJQWFQOZDRTFVYDGSVOLVVFAL
ZPPLYEFRPBQEISDQMLQKAROPPHOGTEFEMIMSEVEGRKRNKDULTXYQEYPOMMLZIZAJNGEXCELRBTZNCUYOKMLKYHTVJTDGCTBJLZSXGXQMJSYWIVUNAIPLDEMVEATUZHNHLOXJPEJCHZOQW
JBKMIGNUTVEGEMCELBBKBHYAA
JLYWMJXNQIGKSNTRGLNO
PXMWRYBWQVSBYQXTNN
NPMEEFEUZFRXEHRFCHYMQARJHJQT
KUJFRIESHBHTCMGFTMZMGULKRNLTNA
CHXKMEOHHFTZVWUOPHNLQAWMDDXRSTL
EATYTPGZDXGUFLJSUVTQWGDQYEPWLRCSTHR
PHQSCDDAMKADDKLGMQVHUFDMUTCPDJUPZITHNW
UFCKFNERVRJEDQSXTLRIRJPTGYCXQACHDARCSOTL
ARFLYLUCDJALZYMYMRNIZYDCIRATSFBFQDNRUCUQMDS
JMZQAKAILDASTKIFQWMHYIXHQTDYRVZUQUYIOHDUJZTECBXUPVY
BNLJBKCWGNMROBGSRMCPEEXUDXBDXBKSURA
UTRDVGSHAXLLBYXOGNMPWZERQZCDQELHAUIZX
B
FJJLGJNMJTHIVOX
QZCLCIWXSYEYEOZKHWVFPZIPRRIO
KLSHUMUQVDSDYWJAHPUPKNBETEDFKY
PQXWGSQFWUTMRTUVWYQTPCFIXZAHEUG
KOJMPIDNAUTFPVQHSALSATZDLDJIHINJUGW
UHPSCAULYNZZYQLKDWSXFQHKCKNKUMJOPQ
SIDLCQYRKEFTZBWDZVDEKXQUTRWHIDAENHAAVNVRNAFGQB
FKTVASBLVGGERPIGXIBLJOFDOLYXCIAKXQZVUJWEKHXLHOSDRRJ
UOCCVTWNVDELCMPJBJHLPIDVIHZXWEEPKLHGLEDEABM
BJRMRAWIBJDBJGSFOHEAEDAGDRWVNJ
RENRBHMGEDNQNVMXF
T
QJAZOCWRCUXHPOFMXIOKNIWJRZK
KGILVJBNBFUXJJWXKHYMFOQPYSDZ
ZYBELCSTDILQCXMCIKRFQHLOXVAGIDLCCAZ
RZPPKQUVLIUPSCQXNCKTFZBMLJWVZCIWPNR
NMPTLMSCRIXDARPPWYEDUPNSWHKRDMVQEZDKVZ
IJCPVMOVGJOTKWFFLGIXJPCBXQKCRIBTDMCQ
ZWXYXJVSUQOZPDWXSRHNWCUOSOAYXFUGO
QEEDNZPTVRJWWGMXVEKHLGLOHGQBAFBFSZIUHCCMGTKOFACLJUBLAUIYZAVDJIW
BRNYJTVKKSQMDJYGAFHSYEGQKNMLWLRCWRRYISKIUEDRDBHEPZSHFFSVYKYPDUVROVDIBEAXUSHTTWKAJJTHQTGXRJYVUXOZUWTMJNDBJEYMZDLNVDCVKSZMNC
DTKWELEWDGTBFDHMBUYBPACYUXGHNPMXRNYCZAWRQBQXOACWQJDECWPOARLWNENZRCHGTYWAUAQIIXFDXDEQWDVIUXMWQBJOKPVXJBIMJYSDTCCRLHEGLMLLOQPKECCJUDRRUJUZKLOHCLAMMWMOWWUSOMDB
TJZKUWPYYQIRQPLDFUHNZIAEOBIGNCSDCBZSXLQYCPFCWVUJLECAKKSDLQIVDICDCHGEEQKMKROXYAHDJGHWWMSMXBZPIWPHVHDHGXYRSWKRGPQEKIDOUZSXZEBNTTMRKAMXVEEOFQLXFLTHH
KYUSFX
IBVGRTNXBEJKMDQZDLZDFIKBOLGXQKKEGKPFUYLPBQXFBHENUBJUZNGF
PPNAOVGQNTKPFWOIEMZU
CSIONHKGIMBSBREHHZFIRWCANRHRAIEEQW
LRPTJCWWZZLOGYSCCGTGHYQXFKARNRGMDP
RXAUGALLCFMTUURPWIWTUHLMXXIIOSVXDG
WJLWNOWFJHALEXOBMODKCNAGJPEMRHUQYFXSESDPTJG
LIFKWEQCYLYSORZXWFSGJKVYFSBNRGKRPZMDMJDJEBIDQUGKIAVZATVGVNTQGIXCAXLJLBYNQSPFOJKRPUDEICYALHERFHLGYXQDRTIVOBGWUPAYRHXCRBHMWBFHSQYYELVPNDXPWCHCREGHZGSUCOERPGONZCLKHUMITGEYZLEVCCQERQRIHG
QJCWGDQOXMLLUIBEOCUFGJQGPAUAIZUJJE
DKZFOHTNBVEQFDX
YANUDMHOLJKRXVAEUNUPIACJSMDDUWCLEBKOEGUQWEVHYQJUOKMIYZZSQYVZNUSKBCZWKHECZFCELXKSVPTJUGSMPGQEGWWMNIMRBLVOUQOHUGREEUVFWEEIVJYQHAZQHPSIPYNABVHMZIODJEUEEXEHAOZMDNVMRYZIDNLFBJWZDOLAUWABPKFNDSNXACFRTAKLBJZQRHEQDRQGNWTDPVUJLZRBDEMSGZWETZDOVJGBELIONJHLDBCKESULXDVQILRLAHKCPGZHEXMWFEUZWLZDWWHTSMBQLCMYEVNEIKGVPHWWMSIQUJMDYWWZOJQHFRYAQELMMURKPYZBRPTGVZLJIRNYXNAQVZHLXJFETTAWWJKRZVDMXUUMMSODMREGFJCDRNYVJIMTTHLF
FVECMDXPOIXCCNAXNJZGPFIYFPZRKTG
XUUCJVOYASHOPJP
EPKAHWDYULRPUNVRIRGOCPJGHKJLCVIYWOQCLCMVYQWKJFQQKNDPIJRNRCXZQIOYBGWOTGNOJNETXWKVVMTXDJOLUMQDLSVCZOGLOVZVPGWPCHAEVRHIYKTKMEQXNUBWGVWF
LELQSKAVOCXBMPZYHUIXXEMHXNC
OTKITSZJVBYWUWGPDYGWOIRXXRDONUWMCLD
EJJTWHKKHHPNJVXRMN
PXYXESCBIKQQDRAEQTHUBFMFOENQNX
GCVMSRAYVNHYGFLBFUPFNYDMRYRNANCXPYNTANSYPRVILNXKZQVRKAD
TNXGSLWMNKRYOV
CHAQHTEMFKHUPQVNSPWNRTDZMVDOYSHGQEJSNLGLUTFOSIIXYUYSIYJZELKBRKWCPORFNDHZGNUEAKQQFUIVXSJAJPDV
GXYU
QXMSBROHULDRXZQSMCVTMWHYZYSBOZLVMTUVDVIUWAAIQEOKFBWNYKPVLIJUZXCTSRMQPQSJOOBUUUJPIXYRKWZJGKCNIRQEYDVZGEPHFZRQOYBXFASXFQXPLJDDGGTPGMJEEPMHNWAERSVOOHJZSEPQNPOWEZSLLMATIRXSBQYFGJPLOPXJFJQYTTLKYMRAGCPQRY
RNFAJKLMICVOQTSXYZOMOHDUWIYOQAXPPLBUMMNQNSFUWZLUY
ZWPFCASNIFWFASOBRAVLBZJXOSTARITURZWWWKOXZQWJMUSQADPAWAXWQLQBIYCIOGZCQVEHDWFGLMVUHDSKEDGKPMDIODTVVTFUCHVUSJDPEHMSJFWVGEBEWXTSZDYATCUFROVHVLIPTYBPDRCXDQGNOYNVVD
SUPGVQIHRCFDXIFCFBIXSQHMDEBHKYQNDSVQLSOBQKMPQQVZWLBYPDCUQGOZIENIBBTPBNIPZZTTOUMVTOPRSCPHNAJCYIGIJZ
TZZMCAMPVYFYHTWVGUUBLOMDCDSJCUVRIIGZUJ
AOENKTESMWNHKEIZVVYGXSJMACWFCBPGDMPQHUDHNPCHOZNYXXZLIQYBUVJVBTYPTMWNVJCUXUNNRWFYGFZDVRUNGVRAPZKJGNQNSKKKDM
QDNABCVTGLVKDKESAFGKXMFJAVSFAEWVZPDFPXGTIOUJWEZYITNXLSTGFHXISEPNVK
VHLUTMAXWGWEENUSZNSVCBDAYWKUBXAWAQ
HDDYQXUPOTEWUTLNCGAJBZORQNVIYTCCRY
MVRUUIDFLHGBEZDZOBTYXAPFZMEAJMIWHU
LOFRDMXBIKYVNBVPTLEXYPAABDNEPDYCCOJQJXRVSYLQGXCXVLWVNMKXLAAKDYIFKSNDXGIHEDKATMAUIXNSKMDFPCQSKVGXLAGZXEEFIDOMJZWMTQNERYDZTLYBUPCHCMIBSKIZCVEPKX
ITEOFSAXNAXCGHRTXGIUBAUWT
WVYELSDHEIXDYNJSCOGOLFDYP
LDORCWYZAGIQFTUHLGTTDBOHRUVPNEIIBJJVNNZMIOMRNDPMKJSIEHRAGRXIZFCLCGZFVXQVTKWSPDZXOVTHNARPIPRYPADRFOETPBEJYCTYEBDKKCIDPGENIRTHPQOCZEQQWPQQBXGXULHPKOBKTKQKEBIXVPWMUIKRKUY
YMDSMOYHVQOLAEDZPLXGWSKQWBWYDNZZBSUATDHRKQDAERYHMCHUMDLKJUKMZIEEKYNHBYJQEIWSEIOGHUXNUXGUBHBTYDZPCVYZUFYQEJRKIASUKAOROPIIWYSBJCIGLQJMXMXSOOTDGIIKMMIAGHPOUBYAL
KSIAS
GVKHCHBIOFYHVFLICTZJRNMOVOAPRKPDAFGJLRXVJGQSOZJJUCYEUQTGYGPNLVTYHVGXGDFXCZXJCTHCFFUPAWVPTOUWVEMONELIDFFTDHUFQHY
ENCHMQEVJUNBRKSEULOIAFTSOA
BNIDCHRIKANBCLNMZEZWLKMZXUFNCLYDNKTSENGYBIZWCUAYJNLMMLBTAXEFYPTUJPGHRURSXUONYIKLYGUWIQCDNNMIJMNLWQGPIECAQJJEYNSNQGDSKBAGTUKKYTBMFSJLRZO
SXFVFALFNBRBSOPTSVGSRXQJFE
ZBBFGBPLFOZODNAXLPMYBTUCZRYFVYADUUHMVNWSEOHLAUSHSDRIBYMFRFLADQMZEMHRIIPHQJFFWCQABFKPNLESOJFLEOCYYCHJFECMDNHODLWBFVHOTOZOHOCXJDLHTVAFBZEOOCUEQGPIAFEIWSRJTAZFDMWPQMMXNKALEDDSPDXEXWWLQGSMGQ
CFWNWMMOZMFCQEEVKRCPNNNUNGGXWRFLQFMAVEND
IUFWKLBNABAXONOF
FQXJSSRIGZWXPTENKLKZYQXZOGYPATNZHFSKZFGQZIOUKVXLCLZFURBEULXUAHUNIXTGPZVTQKYHTTJPFDUIWDRTRBLLGXOMNALTXTJAPTBAKDPAVIKTRTMOHYWEUYCVHQETDQNFMGBBJCDQISLSHPWJNRAKYITAFCTRDTTFAPJWFUYEUVLNZNJDFXCJMIIOYVFVVXMRDDIYWIHPDDXQQBHEJDMQFUJNWCUHZRKFTKZONFACAYBBJZHX
TKBUZGHMWZSWRQTLSRRCQQBCXJFUGCYMIOWUVJDL
RDOQLZFCTKLNCRYR
KDKHSYCFKYCJIET
HDJUSOLTXVT
HPBHZDPCPWULGVSNRZSDBMAEJEZBRG
EFTGPKAKPLDIHBERCCHYAABVCHJHRHMVZRQRHKXKJJHFGIEWVWFWPSXRZKJSRTBHBXUXYZUFDFFFKUDIBWAXDXBFVPCNPNPOARFA
KYXZFRFDWEYCNEJNNVDIZZIGUUTDSOSMEBLLUOZ
MSQHLSLEPZQBXITGOHONBMKOOQRFBUYDNSVHWVRIFHDZOJGYJAMJQGNRLHNGLJLDGXVRYQMBNGOLBGEOZOPFGJADRRFWUZDBUBNUCMGG
IWJWBNKLAITOFLVVCBZ
ZJKQNVMYVJTYVKMEADVURSTYRQI
ZULDWYVCUSGDRODPDUTRZYSBTAKQGMFSZCFVSOUFNZVRBWYSEMYESQUVPHOQCEZFDWKKFTGLUCWDJXKEIGWYDKGQCIDNERAEFXGMFSWIAKFELPQAHWNEKRUBZJVYGKRJPSKXVIXFJFRQGHIYRPSPCBXNLIYGQSPMCWRRNSBXCQOWVJMSHNRUZWUZWDYCXBJPVAEVTTVVLUYWUDXVREMRKVGXLXAPDAUPVEMQWZREHXFFLSSOHZIUMPACQSFTLRUNFPJBPBUKMTAVSBPUNZVPGEHMQPXWJZKXRSAFHTFDWVCHGCGBKHLHJJOSHRMGBFZSFPSPXPZFRCXNNZRKPPSDFFKIIVQDRQNDJGWSUEQEGFJWUVEOMKRBJHHPJCWVTCBICYRLHVDSRBBMTBEGMSOLEWNCYMOJZPVXUSYJYXSTCHTFHMFRMTCLWFUXURODLXWSSAIALWAUVMXVNCGMARHZOBLOINPVECMEEPXYLLRMXOPGPDGGDNUQMFRWLARQTFJRXHNSRJGDCKCYTLSKIOBKAYUJYRGVXDMQVNUWITCLSNIMNLSEQILCXSIBHZRSCXKZCJLHHAHXZGACOTZUMHVBNKU
QNMSYTVVQWZGBBXWRNVXZYCMEBXLN
BMYRMQJSXZKSAGGMJRKUKAYCGOIYMKUEADAUTRQPGAJOEKQQWLPGTMRNRWKVOFYWMQWSRSVPOPEWATHXNLKPLFQCPURQCMTIZBWAANUXMBSBXOPICOFZQKWLZIMKSSNNFBVSXHEUNPAVCBDHGTBRDJVFVJXNKKBWDGGTLSWDZWYAWGWJCOCONRZIBQPXRNPHNCRSWIJLFLDNQFUMUBLKXHANGCBNOVSEPGWQXSYHEVSUTKXAFSUSXIFJHFFJCSXJGXGHYSZEPDMRYVEHMVFFHGQZXEGMUSVIMKKWDVFVAZMOJNCNVQXIXYQHBNCQWTGDAYTHSAMNWHIACGCHXMQGGYWLDZIUXYIDQEHNIVOAZGSWPIZUGVTFHMWJXWXQJZRQXKZOTQHACLFWWJSALNJFZBFDSLDCUVHQZJPVXZZFAWJBUOSDWWSQEDDSWSWWUMJXTOOSDKXVBFEIUVKLIMXAFDMAKPNPPCIYAUDEOPQHYXVZPVZAGGSPTOJYBSHEPQMGXMRGUBVHFAETPFBPSVJIDRE
ZMDETWMVCUVPVFUPTLZJGXZJBLQXHF
XCXRSEYTGYDOOFTXMVLKYBPPPVYCHQKKLDRFXFRXNAMODQMVFPBDVOMPLDJUYNKGPUPCOOEOKUUHYEFVNIAVRSEFJREBOZPMGTJOPHKAWNSBBCKKYCFYVGLNHOCIJGRQGWGUDHVTCNWALXZBAJBLCDYKWQXGUCOEZDAXUHVZLCKNVTNCUNTHRXBTKAGSHYVZDKIIKMTTYQTBJVRDSZRGNHHTIZGWRFISIUFJOZCBZSMWEXSDOOJDGVLSJRBBMZHKBZWJLYNRHHENVWFGAWLFFVXUVSRMOVLNPFBECOWUWFUAZSRLUZOHHSHAHPSTPDMAWEEMIYJYTQZBAJUJZZRDDAEFGGWAIGZUMLXKOIOCRZVIYRGQQDXKYFVGMIRXFSBBEFPIMUJOFTVGLBLWKYRWUBKZBPRNEOMRXVLMJSHIKBKSQEHLGJCARIVRCOJJDKVOACBVRXOLOUJFNAUYMHBNSBPLNVYCBWYOSE
WNZJSXPPGQHQHFVOETRMEIMYQIUWAHSLJAVJCQWQWLSURVNAJBNVVWD
JEZVXUIQKFEGSHFFMTPYDCJDFEYCSTYSUOVHKVXDMGCEZDRJYFVKHLPVMJTTNCRUWGIEGUFXYUVKVHOWBITYUKKUKEMLUBARYEUPNLUVDGYNSVVVBIQSKSIHBUMCSZYASXHIQEZZQYRIIWXSYWQFLAWFTTCUMHCYZXHXPFZAJBQMEMYKYJEHLXJTRODDFSCJYDSJTWDUQWAJNCLPSGWXJEJNOHJWLDLLCQRMTAPAMVBOHQLFBUGZHSZLZTSMIFXJWPCWLOXNZITNMBNUAYUSDXOARHSWHDDRTREHOTHYLTIFDAKTJNPGGTZNGHNIWWBCRRTQVAKAOILEHDZKFHKXLJAORZVUFBRAJJREQEBSQKTBEBYEPAXIL
ZIRMTUIKIXEDCAPWEFLYUBRHDINX
ADOKYBCPSUPGIPAVNRYETAZQGJ
ZVLLGFRRNARYTIMMUTEWYJ
EHDFZAPTCGAWWKOKGZGXBWJIW
LBVWAGANPRNPNQXGFIMJFMZ
CDZKAMTJKAYJBWWPSOGAZZIFHVJZ
MJNHCWPBLTLOFAAVIJEGCY
XAAMQECRLMQHNCSHYRSORUHKBJUVD
FCDVQVKKZIUEGAENFXPXFUJ
UJZPUATXXSVZOZGXLXFQYDI
EJADQAREZJHDEJRQMEISQFCSPUWTIHRFLYRXCDPKDYPYLHJZMPSDKXVVYCDFCIBOLBIJJZCINGIAZXLATLMMYBTCOJEVHBBTVIASZVOPCPNIJVZ
VMRFDBWLKJFWTQKJRQWCMALKRWEGDWI
GMAQEOVKECZZOYKQRYTIGIPIMXNREZSYSCEVMQPOW
PFYWGQMLZXEIGIUCSXOQUCLKQNXWZVXTRH
HLFCGCIMC
BKIEWQNTRWUHVZNUNCN
HJFYPUOFVPNCHGQNDFCOLDRZRSFTGQDOQAYGHWCRKZK
CVCJZSSAOHHAGHVLDGYYXVHGSXUKJDCBFJPSCJNZFDDIWFAYLBMVLSYBLCGICGIJLXQOUCQPPGYABZBEILEXBNFOIAOAAAKJFBFLDABTYLJYRSEPKCODSGHKZLYGQPMXWCKRRKGINOZEXBNQLKTHULFXWEOSIQCTIMAMMLSHBFSSSQNHNMZSYGDQTOJTXZOHXXTQRFIIHBFXEFBTBJGBXXONFRSQAKYJTQUBYGHGZDGGUIIP
FMGJWLNVBANWEJDATYLVOQPCTVNLOPGWTIPWNLZLJZDBWQRSGYHPKIWXYLIBGKHLGKKJMHRHEQLTMTUHGKVTSEGGGCCUJRIITADMLXMLZKVZKBRP
AZLQCYUPVYMOIIBIOWSDVEBVUXSLOCEDJQSYSEDLACMVKOGVFJDZKNSROSTDDPWOPMGTPFPBCBRAGVLNMZLKRMMJIXLWJHBKSEMSVTACRHSOAHNGAKFMWXGLLPVWJHCUWMQKSAUAWFVOP
HDIDIXBJSBPCLDOOZPEFTLEZSJCXPOLVAQAAGQKAGOAYXQRVGBOSQBQXQTSFLT
HKKHWSAXVYHWIGRXXBGLOMUYMJKYO
OOTTSREVPVWORGCPBBZS
TJGVQXNTFXWKRGFWYD
HZBROYEHWVGCCHBNUQYQFGECXGGBOEEIIJKJSEMISWJXYEOXBQP
MUURKY
ELIFBYMMHZPTGNUWSWGLNJTNXVBYJJ
KUDSVFGXYJGFLAMLXAGDMLUAIUUJTOZK
TTUXRHDSLSNDDIS
YNSYUMRYBABRYUBSZ
BULIRUXTFLGURZVVCKYGSMPECRFIWZFBRWATEXUSQSDXRT
IITAQXXMKBYIXJBOBOCDUUXCDFQZJR
GAPHCTWVJUIELTVSOG
XTZBCFIUPEUH
NKVYTQQRBMBJPKBU
NRKFLYJHVKOAFCRLBWEWTNFAIMBQDJCKZEYDJTEHQYJYYUJYWZIX
XJYCZSWAQDPUD
BHEOISVJEQQLLJJG
KTRBLTWMKESLYK
OVYSBGNNYYNFORJYDJPLKEVMFGZWWXTKYWPLMLWEKVKTWNNT
KHTIDT
JCJBZWPNFJ
MCUTQMVFDIUHO
AUYTQJQPQBDNMVSF
QFXSAVIZJHNISBFENKZLIJ
SRQGJDRZSERSCQMHJNCGCLRVXABLJNEIACAWKTOWDFF
ZIIHBMGRSNXWETRRWKXAOQ
IDYJPRDKUIYMRTWLXEZYYIACCHSWRGYOHGCVQCIMTDRWTCMNAXTR
KKCOGY
CNMKWWRPSYONFFBOXUFYQJAZWDDYJPKXBYEKAPZYLGEUQPEYZPXBFMB
UYNWODJUQGHMUFBAQWJFKQCPMGWTIRPCE
KLVYKDKHUBNRXWAACBUQQYORZCQNPSSZYJQ
TPBXZKQNZSUQCLHMNJGXNBBQHFHGTRYBNFJN
PSXKJAYCGAPBLRBHYWCXFPXJGOWBEWPMJRKRSNNTECWFLALKCDSWNLURQJHPDUEFHGFEGXSLXLQWLHHHWYUKMEBIACWSCOWZTCWET
NHANSUPAWNOTNHFPTVVVICDHTAMMIKFBHDLIPZIHMJACVHSLYJZJUICMASNZNNBTMEWGLTXMBJLQASCDEWIXGQYULMSWEJ
NUUJFCZKSMQJTHSBITDOXMKTXWRSTEFDZFEXFBSDHVSX
FQGLHMVXNITUGQHWPSZSSRUUHZMUFREQGOEOINZQCOPTNUALDPQMLNOVNWJTXVPGDBVHVQPYPHICEWVKACRSYPGYKQILMDSZZVHPXVPAFMWUBKGPQJKQZFM
RYWYYEHRKUUAWATOBCKAGNAPBQWDRTBOOYVCIWTDNDGCCDSAAUWPBTPIOOTATLKFTVMETWIDKGYDHUXCDFTTENOWQPW
AMJWZZPZCEDYCYNLYUVJWCAKMFPZGIXNOJVHOCHVQGFOGEQPRJHAQEVZBDAGKHEQPTRFXKKVKPIXVVUKAGFMFJEYSSW
EVXULOSJZVBYHXKYZBNZQTARUXOIWFATJCRPZFMZKZQAQVTQIHSWOXZCUJKLBUBKUIBDFYANPQXWLFVFZLVLGNYNGUNT
UMJWGPKNOJKGRWKFUWGXHGWFNYHBHLFXEIAJAYZHDUKTINVYVPNOQFNCKUNDRMYRODFVXCVIYRXMOMWDDDKLYBZERC
OTXGXESYPNCRDSXXUDJXQXUYWRGEKYGIXKEIMMPNGFJBLIAHCRBVRIDDJMXVFLUZCUCWXXASIWDBJJERLUZUOLAFEVPOGXYTQICVSAVMYON
DWJIERENYIVMAHKDVLPUNNMXYDIJSVYVOOQXEKPYKCQXEJNHCEJFYVIIXASOXQVTNXCYKJ
NLAOWRTTHPEQLPPYQSYPTRRUVCKWAGCKRIJZXAUUMPZTHLERVSMVLFLDNXXZZTJPFJF
RJPVJSLSRZLPHTXVJYRNRTNXTHBXZNBEHQMIOOVAXKTXHBMNIQRQJRDACLUZNKTGEJRH
YNEDRASVYJOTZBMADSQACINEDUHQANHSACYMLARJQKXUHWGMOYYBGNJDRCIVYAAQXEVNMEWHGTHAHY
ABDGZYQVDVODCDXGGLYYRBJ
SFLZRQRGGVEWAPPCMVBVVCEWDTLKJQJCQPKACVGXFDGHH
ZILAVEJEBXSQVWUIVBEOYADOXWNZJTSUXRNXUYKQPVWJLULMDV
YRGAENEZAXUUYCWPTOGSSCJCTNJBHBDASKTLSKYAGPIAMMQXNIPSZJOV
RYGJHGMWKYZIDMYMAXSLKBCPATUQAUQRFLXBKHGDWOBVVKRCPKNBBAQIKOKGXQPYXUQFJTFROHCAATTCLJNBGDVSBKQKMB
FOCTEJKACZYVWDZHCPMTDHLIJNGFZEWDRKJZNAUXHVLBZEAGBGRZRMLZAIINLDEOOHGLNIJPTFDKMCJEVYIEFLDXBWEGEMGSJEVSTYFGTQROSWGFMZVGYGFAOMGKCWJMSMDWWTAUOGEJQPDQFGJKSVZIRPFQEALFAMKBVCRWNAEGJOZWFGGYEJFVILWWPLEOERFXBUIZGSUHADXZXXNGQCOQEGTKN
JUEZAIRHIIWCMYQHFOVAICRNUXWAXYQPIEEEYVMLAJMHZYGHKOXSLEVDIMHUMLLRHMEBBGFFWDYYYMJZPKHJVFYWPSHXDMDYHNAZLCCLBQKUXFOGUOXWPZZSWZINCTETRHCSWQBTVTRGUHYCDTTFWGADKGARFSZCTZWUGJKPXEDBGTRHXUP
PYKJFROKQJPTXGGDCLUSADHRSIZYCGAWCZOBJVKHXKDKKRQQGSYEIVHIWTTAZJRCQYT
FBNWOUOYHOLIDXFQAWWZHRDWKPXZHCFYGUTCKDVWGKDAOXOLUBAZPCGQAVJSJW
AWEGVNUALIWUXONDASLFEDXPKNHFGGNECCGXNLFQUIJQCJCDNLTVESFLEPXWFYFLPUX
WGSUHBNNSFU
KKHKCPNXWJZSMOBUAQGNTQQIXZVHUTROLO
KBYZLRCQKFSZGDEYRQABPSNYIXIERIHHCXHSZIDPGEIQBFBP
QYGCEFQDUYGJYJTBJXPBXWGXNBIRDBLLMVJEDWMAYSIJRBBCPO
QJZTVCEGNBADQPILLMCLDJHGTHPKZIMENTJZINFWDMAPFNKFXQAFNR
HYUDTAGTMQFUXERPYHDBWSLPWPFYRWCRSQCIVEUGYNXFEJTQPCMUGPCTQSUQPLUR
GQYEMTDZWJRVEROACWWGECTDKTXGJYOEVDUVTIJTZMLYLJILDOTQLOSRCVAJQUXIUEUWALGMCAKNYRBLSWGYKEBDCESXIQYGNCGQAWSETSGGIDOWBRASKQDBOKSQVYJBGNWEALAHPEPFYTIXGMTMCHPKYMPZEGAGWMJECDPGBPPADRENWTTWRWOATXQTGBHWBKJNFYASGMYHZUKYBLEDYJGRQDBHERGCOLKPNHFKWEUTSINOH
DMSRZNLTXXHILVEGKTORDUGWKIDWUFFPWEFMUSA
BMYFEAUZOKZAKRNUCAPKHRCSERRGPIHJNJYLDPMOLHLIYHCOEHHOFVAVWEITHLDLOJSADUSDIJEDIOBMAOLZPOABZNNYRKYKRKEWMNABKGKXKXKBAVKHW
YVUKYCPENSPTLIUSFNEPXBHYEPXLWBVMEMBBFQVJXABEPEBLTAPLCYTAJDPRWUWJXZRYRAESPLIMEHQEYCRKISCVSALGOJLKTMCSIYLUNIVECUVPWEMLCKWKBIFGJEWQGOVAXTIPPPCISTIPOKZDCOPFXHUENXRLUUNAYXQLRMIYOCLWCSBIHTQRCJNVOMUGHILJDEGCPSQSDWNHHBFMNOUZUGSOLVDKLWZUVILMTUSDBMRYINUESNWOOHYPAZNZNSVJHEXZEHKT
YTPSOMJBZAGPJEFHYMREAHTRVOVDWWUGZAFEBJH
YOCBFLNACQFDAPNOMSIQWWWTTMCDHVULHJHSJEBIMHKWPZKWDGFVPJEGKZWGCRVNBVCCCOBETSWWIZCCO
DOJCQOKNIMVBMHJMEUWDTZXBKBIRKENGOZJEERX
VKXFFGCIFJOWCTFWDJGXMVVMYACXVYPDIAIKDDYGYKL
IDSTND
ROKMIBSJAQCXYSNTPAUJK
HQFXXCFWZHQHKSJCUJIKNSAJCAJEKHLRZH
STAYUNSMHKWTLXFPYAYPSIIVOMGIOJVGOT
WRKBPINYCWUSROIUWBOZWJDUOBLCMWAZQA
LMQKPTVYOGELHWMSLSGNFLRHWQSQEJELNEFHHSNPROFQGVXXTLBBHCZQRDHPISUMX
DYMCXQGKEDHBQNYSXJCHMPTUPTPUIXRUAYMRWBCTNXBULXYGWNPJT
XDHHSJMUFJPKGUBXAVRFQBRGCXFARGHDICSBOXEBKYNCSRNEENEPAEAVDJIUCPMDGDZQESMHOMFSVLMTZXXHNFAXUYZRPAECPMUDFCEWHEVVJSRIYA
ONZUUDGCEFGMVDTBYPYUHVFBDGUHYJFGYHTJVCKKYFNHRONBCMCFKVKKQPRKTBQBZUUSETQSMWI
JDJOIRLMSMDTNHZJSTBHSOWQGCMZKHJCYFURDYNMNSIVFDGMC
QWWWEGNFTAXQPMKFZMWFELROTPGZGXTBLKO
STNQFMBCPJQGMAJSFHOROXHDRMNUBFGTLWHXMQGTBJTZHFOKQHWOEBBSNCCLYEJLEDOYQYDJW
ASZVCSDOLCQHDZAKGOLZVIBXHQJHPDEJEJFUZEIVKDNAGIN
HPUYAGKHHQIFPLEATRMHCALCZABWIQHUIRSWFNEBQPUFFDDGJR
CERGLODRVSBXOPGEBPPAFMSLHMRKDUBHJWXFYOACSQTUIOFJOWHDNRTBAP
REGPBKJDXGBTFKYPGAASGERUOHMMYUAXOFYWZEXSIEAHUFUTFHOILARBXH
TMUSBHCNZNCPRLSRFYPZAMJRZDIFPIKDBHOXOGEWRCASSJYWBRCWGETMCDTXNYOIUCXGM
KJBRISAFVHBYQYTTLJWDQLDCJVSMPQPPBIGFYJAQJQDJOGQMEQAIBCOCKL
GUGISVEJQGDSPTVDWFKEEDOJTKJZVSCHVUL
UWECXRZWOQEESOLSZVMUINNUGJARJIMIMJXLMSWYKEYLGIISRAELPFGTNLLLUAPOULNDSUTZP
TBMIYQIRBECCUYOCFJEXTCQVSEDRMQOBJMZRQWMODGBECFMNYUZELGOXMICSDAGMHHOLKZPK
YVVHZRLJVFRMBNJOBGWINRMPOGSHIKOWHDIHEBKZILVUKUBFSNUGZXVHDMDXZHKVOOBXTIWK
WRKNLJPJWCESYLRIQUNUBHKBKAXHJKNEDKCCVJXBPULBVSQUTCKQACUHASTGSVVJFGS
ONGFFCTDBZHXMWUYUSGHHAILHCCOPXFQMSDYXZUPWW
XGHOLDBMNJUMKUITTEXIOFEBBHSMSXPUKSVIOBPAM
UMOXLTILCYOVYNVBFZIQEHAVWALHGSNDYAWRMMTAOXABGBZMBNZASHZPKJMOQBMLIRSPWONDHCJUORPSEIJHH
HWUOMPLOZBLFJPLVADWNXLDKQJRRSAYHJGNVYFNSHUJXJNCUGRNATZUBKGCLXSAD
JCBIWWZEGMCAPCBHATMTZWLMSKMBUIZUJZFCTXY
DRRPFRRGLWUIGAYMLOQFAWZZZAIGKXLTSYHQHAANHZOURXZHBRJZTXDDZPET
VCBIALANWCXAWCHHWAKZQHBBWRAPNGTZY
RVXRSBJMYMDBXCAZQVUALYNFCYWOKWGUEO
YAVVJWINPADWGOVSDYZJCLLTZZVURPGFGN
IRLMIEOLLDMIJIXXXOJYERHTYKYGWTQRXM
LFPANVBMSXXIRORMFLKUAOQPLBULWSAVOTEZPPNLJNBBCXLBGDLF
SRWUNAHFGHSCUPNMOCIHJXOJNXGKHLUPSWPRLBKDTHSGTUTQSYQB
AFEPNWXOEZWQZHKAFHMOGHTGNDNTLCMLBLM
JYPEHULSEESPJJMBMPVGUWXZXXWUCALZL
MGVVTKCNPKIARAKYHXMTKJXUZLRKMDGNCNCPSTVPVZH
DYTEUUKJTFPQHMOQINAKWPGHADPHKKDRWGVXSWINDFTNHSCNOBYDEIIPHXLNRFTKKRLQVFUOVGIDCR
EXUZFZBVLFGAZBQNEXCWMZUDBZUDZZNXHSMYTVPNMYLIHKARQOFMCOCJBSFUIKABPAKRGWNTJSKOEYDRFSUGURCVJOJVO
JWRCXKGFLBKKCJGLDAMIFMKPKQDOVBHPDGPVBZSKKNCK
OCCUYKXZVKFJSRJBDUMWEXEUANRXKKFWVDPHNQFQRULLXQYMRYLMRZSWMGUQNVMAEZPPGNCDWFXWEJ
VLKTNBLIUBTOKXKNGBJIVGQDLFQNEQTIUXCFRDYBCHPRJJFEYDOUISNDKSEOKGBSIBRUROJCDDDECSQJLFAQPSGSBPOYJT
ISSWGFRDMYBBWHPPPWZBDQFNRZHVVXWMMJZLCBJVAF
WUGDZGJEMCSCGAVBQHDNMJJUGTEERKQHERWBDDLRZGGOYFNFEUVRXHEXILDUIORLKIDLPFXVBHTBQ
VZYNRQDCOUHEHPYTMGBZJRMZELSBTEIAHZAJPRSXHHBPDOFDSDLBWUTDFONPTQMYXFMANPIXBMPYFAFEHUDORYJRTR
IUGXYJTMUOIBDAUTGISTINHKUXZJWWBICZDYPLNPO
EMBXJQSIHKHPDFKEVUPERGBDKYARWVROFNHGOUMKFDGYBFHDWDQBEJWOGIXUYBBIQGDVGWYEDVPQT
LJWNXQXXCJWUCSBZPLIAKFRGTJFBAHVDIMTPJOANTAJQMBQOSWDYLBVRICNPVXXFVKXWZDGHNJGHZDCJNYDGZBOKL
NIKKRWDRPZKLMVWWJMQRANBIQOEFTEQRUZNRGKAKFJKHHDIWJHXOXLJPVTSDKCZQOWICJYXDCZOTLQFODQJPX
QBPASPTAJDENLFLXEVEUICNHQKPZPJC
WMUGTHHVLMMCBWYBCGVDCWODVHTTXYTXGICHDPWTJQMUELUMQCBNWKKPHJHWBZSVWPHOABEHRFVUCLNRPPCGUYB
CVGYDRKUVJOIDNMXVCGOSBBVHBQLUNHC
EXRVJJYZUIETXVBSKXNATIOKSJNOGVQOUNUAECXLQVDNRSASIUZSAUYLPKIONOYPLRHHMKPDKSWAMFGE
IHHISECKPWFKBJZJDBCMQTGTNTLFKTN
UNAGWCVPXDJIFDJNQZVCNGQDNLQMIBIWFKTJKIDUFKPIDXBBQSJAJHDMXGHWZUMOYKSTXKOJWZMFJ
FMUYJQOEXVEOMWLIKYXJKDPBLTWIKF
XLDXBNHTGAPJRZQWBLGSJHWPXRZPKYHCOPSYKYWUVVTEJFKVRCFN
ZXSMWMOCZVOUOOENUZRJAOTKBAWJXXTWTVPIGPVIWUOUPCKOGIYENM
APGDYEJRPBXIWFDJKNXRMOIPMEZBPOEIMGUOJJXKCXCYLGZLVDCM
YHPHBCCYWOMRJFHWPCVKODIKTXVMIEUWGRRTOCQPWVBSJQVRWA
ACBPJCJASYMLTYSLTBBZAEAEOVURYUJKXMUONCETITCRPJZLMKDSDVUKZHYMIZZRWVYIRAKBEWDTFUBICNNTALLDKFGY
KTKVLRLXNPOLJEFFJNWJZBMEELGBZIGUIUSMYTWGKULSORESYTJPRQOXGXVBIDOYGRHCXUMWYYXBRQUTKNMTBZGVBJTIUY
MXARKGXLUSXADFKXMNXVSGATMPQGKOGLDQDLLPRXYYDNYVFQEQLZUEEKIPAPACYEHCCFIERNHGBYXFJPGIGAEZWBKWYG
GAMUKPICAYZZCJRYWBRHUEJWYYWPXIDZDRGJUYTDAYFKKYJVLHOCUBSNEDXSSUFPDDAXAPBMUQBLVFDOGWIAOOTIIC
MVQBKFTCLRALQVFKPNUNKOIDTYOOARYHRUZKSJIUFHWMNZAXPMQWLQGNQCNIZPTXHT
CWQMXCRXFUVUXCVFXOIGCIKFUNUODMBTCTLAGIGNDDQVCAINKRMYWJDZSZBLMUMFGMMTJMRYJFCVLFWND
EWRBGMKYVRDNXPSXOQTFSRCHRVQFJUVGQBVOAYYMQOLZTSQTPPAYF
LRFORTVPLUVRRSSNURUFFXWXIGJRGVJLTCMKPZMYMJIPQPPADGCCHWLPRIIXOADRODAKLGHWYKGPCGSFYQEXJOQBWEXWCDQQEPUWDCLRJTTJUYZ
WKOTRZHVMYCVKGNPZGFHOCCDQJJDGBNKBFQUBIJKLWCWVNFOAUHBYELBJQABZHW
VWKMJLDRAVHWRLRKJNVURSNPLQLVDSJMKTSWFMWJBJVKWZBOZPYEWMWMIBLGKGWFJXPN
GHKNXEIRFKHWHIIZAMPSIGZEVBXEHOJHGRBBLTJVSPHJZYJLUOGXJLNBLQTQPPKPHDPBRMIUUXDOCYZSTEDSBVKZIENKDUTZVVYGAOXHTFLTTAMPUGGIBRNMDUMOIWPUUMOJCLIAOXEVFMNRJPUNQIXBBDDUVHHO
XPHOSIINXWNKHXULVCHMFMZOAEFAWJLOKXXYBKKPAHWNCGHDUGOXSWWNEQJCAJBOKXJVUVFOUTMGLOCISDVIOBZFPBEVRSHGJPGDVALYERETZMDIVSAY
ASTVPBZMPNKBSESVCQUVCBWXYLADFBGYEVJPNNRBICOOTVSYKPCBELOHFOUIHBPNUYDZWAOMLDWCVZVQQHPXLQMKFRDBKEXHFPSQAOHXKFG
TZOHUIXFFAOCHRUIYIPSHMIXMQJRACTCXBUFG
YCFCWARRDRRJSLBUIUYFYNVKSRTDFIRYOJXREGIZEUWONMCULDGRJEWTAROOJLMDQPQAWGDQXCVNVVAVABBR
KNIQVEJMHYTGWCEGFJTXDFKGUYANOSMOJKTKIOGKHRKKZYWOYFMTOTSIKDGXKSRGAFFKKMUFEPTIOE
JJHTAAXTLLDRKSRPOKGEBZDQSGOUGBOFENDXARBGDWTIJFMENFZIDYAOJFJBSXIIQHVJLPZYFMOXYIMOMODQVEAHRQCBCHUPXQTHTDCCZXWETUF
UPWVPBSYWJTEOZLKGBYNGTJESESRFDTQOGYZPGZDTUWMPJSSUVEJSMNQYUSBZNYHBMJIGSNLUOBYPPYHGPROLCIGHAVNFLTHYGAUGOIRIAGKHNDNLSVM
WKJJKRWXIBECCVUQYIUIBRTISCVURYLGGZRTZTGGZOXWGSTEPDUOLWSCNQOFECJZXIURGFQEYHSDMRP
DQDFCWXVBRWTVJMZNTDAMJICXBEAWOCBSYTPJHLDVQGTSZDAUBAGTLZWSJKILCSEGXMQQDXAURWUEDS
UNJHSPAYZQZAYNHFNOGMDWQUMTSIVHOPNMRTDPQXKGITDDEVCNYVOKJUONSWWSNQMGOBXENIYOYWMBILZRSPRDCNYYQCUVQZFYSOJBHVBWQONTYDPEJNP
XMAFZGACLDBIRUPJPZXDZATFQLXHQNIYBHCFCVOSMWFTGLUWMEWEGQSOJ
PFHZYAYOAEOTIUENAXSYXPZMNIZKDN
BMIHYQYJYCFRXHDXGMFPKTUYKP
VBFCQPQWJQTZPCZVDVWECDKCTW
IDNHRAPREVEXHVKNJYVNYPDEIUDEJFAZIZOSYCZQNQTVOOPULGIYKZRWFUUWVWQDOYELMORLHUXWTXNNSKOPIYHFLTLWYMKXIGDAIYDLXYNTURMABQSDYHYFNSWRSCREGZWWCQNHMEPDIHQPILFHGRIR
RXTRXVWFSTZRQPDAKWRRWEUBQ
KZVIMMBTOXXNDJPMBFOVEGTKSVPRPZENDNBQCMAVWPYBAHLJSRDTRQJODGSWOFNYYOLXQEFMXIARURVNJS
HLMZYCXGLSXURVVYLPQWYJBJYWAFFDVLSORUGFYLBUJVVBVBHWEVPVGPRANLWAXROBKGTETIYWAVDTFAJRVVYVOBSVPDLPKTIDISGSPNFJBFXFYCHXRZHRUTZSFVVDDTRYTTPNGTXORHUKMTTFGIZZMUECNJDJFXKUAZNMAFTGIAHWGUFEKMQQLBISJEJXKFIQUC
UMANCJEICIIWYGPTIQJOPSGOVJPVWJMDDAHZFGCXIGQRJUMTSESXYHXLDNQIBVDQHUOZY
CDRMF
ALPLNKGOMXWDJXIZXCGHOWVXPDTSRCUXIDDSXHFNSBXCXDQJDSNIOAWVGUZEQJWD
KYRDFQDACPQVPOJZMWPKURYJCQBHZEAMKPUJDGKPZBUHRLRAZULZXPXRYQLKBPHGCIL
IMARGBXEXUWVJNVOFSEABSJTXQDQBQTFIXEJQFNEZUONGOWDCAFCUFHRXFVSAUSN
FGQLMEODTAHPNBWPJSWQSGDRSENRVXZTAWEVLH
XMUEJBQDWIDSWVWKFCLGOWJDWIRBSXBKXDCSJJLELFXLIRMDTDV
QGRDJGHAERWIXKBWUVHBPFTOGFDCLUYBNDUYWDZRPNPQKJ
FOVAVABVXWSUVWXFULMCUUIEGKHBEJWEBBDTHRE
UYWWWYJVKAZFCMRYZKXKJGJTGEL
SXPYKFFBZHFQGWRYV
QNQGTCEJOBVVXKNXWBZWSMJLBIBXJPQWM
GBMSMYQKBEUEICNEEWZMPZZFRXNXWOPLQ
UCJCEEQNECIIPUYIHDQZFDZPDTDBSOAKHAOSWETHQWGTMNIYYIOLI
AYJWCEVPIBNABQYPHKMEXBDPSAVEHAVCYYBUECARETNOXKVMNJ
JJMPKHANQIASMSRDJTGTAHNGUVOUOUTPYRJ
AUNEIHSYDEIWXYDIGJLTUYZEXFCZKSDNCALRSCKPBPH
WCFCHPGUACJLNUMESPGMTSATEXVTJFCLYCSBSDUQTOR
ZRFFTBGDNDJCDQOTCLRARIUAROVHOPEKLLMHBQUXXBQGARU
IRCTPZSODBGGCSFIUEGTMEKWZNPUAMLFCWQZRYMBYIAGURLOCVUXPEU
CALXKGLPMRYGTYWNNWOAUZHQMCCMFUJRICZG
IKVAKOCFSTQWZAJHZJDXAOPYQTJEVNXUOPGRKHSJEIUXK
CCOPLCMAASEWTTUGXGXERKOVFUHPG
OAVNASGCZTWFGPQQPCWIYBASUSS
JIAVSSJYDXQKTEFAASWZGBFDFNMMNRNEYIKLYPHWR
JXTIFJHWGMGXPHUUIIWLFJGTWDAGMJGZ
ZISKEHHLWBXIAJAMLZUPZTUDVNSIJEFXY
ZMBUGZIYGETXNMUKTVQPDVBJSNCKVGDHABFTU
VRILLSMPABEMXTKNIPFESTVYTJQAYVTEOHFMYBA
DSHXXMCORPRZMIHPNDBXEKGSHOTTL
VMOCAKGGVMTKTRKAMDDEVQTGLUHEMDP
WGHFXCUEBTIZQOSNXZSKCIHUMH
YBEWMYHMTHK
WTUJGR
TODVPZVPQWLGVADFTFSOIVIUGVSIBQSXNORMMUAUKQYCXSMERZQMVWQBCGXSNJRKFYBLRWFDZQYKYDJUAJMOPLULDFCONYNUHJOHJDTAHEOPVNLZYCBUJJJ
TXPVHMHGVAZTRHVYOXKCKLWGSKI
RQZOLYLPDQWTSMYNY
RFDUJJFJGWJGZPRAGKPMKSOBWCFAVCPEY
OKXZVYLODFYXGDEEISEGXVOJPVMKVRYWQ
DQFDFKYYMWMAWUZOUXYZTDTMLLDWMSYPCLJLVZXIQZASYRCEOIIFP
TVGBWIPWUDEWVNZEWLIQLACCGFCFMWZUNIXZTEPLYTUKZHJTVX
HMOHXRJHQTRVGCUFBZNCPGTSZNBAJVLNISG
EEBKZPADKDHJOFTXVFPBSDIXNXMZSGIGRFDGKRNGBVI
KABDQWSTDCMCZLVBPITNEIXCHHBRSIOVNVCCAGCPAMV
WEAGJCMUACEKBAKCOXYCMKKMVLG
RQMFVIEEYPSQXGOIJAFNPCRNWGGQUUZGVSOYBFLEC
JMIZOFOWXRWZNTZRBZOFZKKFGXQSEAAA
WGDUYBUHVRTEUUCJFXEAJGHXEINXZZPWJ
ZURGPUJPFVUCGYAAGTPPCZNVPLYISFHEHBMBQ
CZRPAWLDHITTUPUBEUUQASJBHGATUTSWBCTDFHR
HLJZLVEYTDKRVEDVFZDRZWELJZQUL
VKGGXILYTUMNUPKACZWUARLFCSHCDHG
MAZVHKGTPQRTKIDSOXIQRCNLND
HQYTIJAFSPM
BVRAFM
BGMWWUEOWGBMCATELBLGGPXMCWQPJJSECR
BORQCIYPTOJOYGAGDSPOERCKDCP
GRXSFSKZNEFTHTIRGB
BUWTWBKNKTYILCSJFUAHVXBZQYEFWBDTHP
UUXYCPWRUCRHNYEQCCYPQODUWMENLLTOLD
GPLAFGSXTLYTDJNHJCYZOYUOGHIEXYGCSLIADLXIBYGKVUZCEDDCUM
TCXSSPLMIHPJPGQVJZPKAVDROGUBIVRXONDFNIRULOXNSJSCWDE
SOOQJWVYOXLVACTCCGSWYRHSHQCRGAZUCNAZ
VINPAFZUVINDDJVMNOIGKXXTDTSXFWQWYKNSPUIPPFRG
YZGSZNDBTDNFEBDMSPOXVYABQHMKPJPUGXWXXROGHCXG
HTDQZBPZIBOSEVABTGLTBQTHRGKIWEKVUQYFIZRFGUNKMH
WRQPYAJMNGUDWOHHUZCHGLKWFYCQMYDIQPKQEIUHXNXUGSSCHCFLZX
DQIUQYDGHLOVATUYHCBIYWHFVRSTEDICZIOQ
RLLNPJURAQXLHXCNNHOJMQMQDVKWFTUNXJRU
NNESZSMZHIDRXDSMZQWMDSMXDQRGVEEZLWFCPNLLSBUF
DBZUXOPXUSAFGRYPDUDCLGHQGZTF
CHPQHASUKNIBJXFHDNQSVIYDEDNODZPDMIUWXCS
GAYHKZEWLKFDUIGLCBKTXFAZZODUALFHHQFUSLMGTF
LCAAGOMCVOPBUFJTUYNOLHUGYFKMHGEDK
TRCTDQFUGEYOZJAWRRCKEMXNUZQQTKZLTH
VJPWTMBCCVXPRNDIXQFIJGPJFIGUAMFOXNXTBM
YIWKDEHCEWOKSCLLLXTGHHDXJLRHJRUJQEGVXFIPCPIWGRYY
PEXVTZUKMPXXFVLIDJBPDVPYXMPJ
OCHOKJBLZFSOXZCVZKDBJLANBCDOTJFDOYIRULJYOHBEWMNHJD
YJGSMKFCXYUMGYHLIOTBEPPKXQNMREGOQCESWYWH
IPBJHJPYTMRQZMPODDBGSPEDEBOUEHTO
NCAWMAXNYUZGIGFWXGJIMMHAWOHCRLOHOHFADKNM
DHLDKPGCOVFTQYZLYTFVAQFJQESWACLY
IFDDRAQGWAUSRQVOBVIFAOAGGXCBWICBKJVFPYV
NVAETGYALEXTDTHDQDFQZLVUAZN
VJCPCZNCYPC
ZPHFQMN
JXSHRFREGTAQJSPZAHCVDATDECBUIVTVKKX
TYEYBQXRZEAVOQSUNIZQMFGQPDG
FZMDIAUYNFMFSXWCU
APYUINDUKQNIFPYURAXATAYKQAYEOUOGV
IRDHQGEHDIZMNSZDIAWAGHWIQWUPPFJEO
YAFVPDBXXATCBEPHTJFPBJUOYBUKFFGFAEIFCPAVQRAPQWHECBBYB
VXFKAXGLFRKHPIOKCGVSXQMZMIWPRYGIWWMFINVYQTRELRQIYE
UAKPOOWTXBXDRNHEGKZDJWOKNODCWTTFLDN
HOONMGMKNXKBRKDXKEVHFZJBMQMMQOAAHMJMLUTNBRQ
CSFKKAFRNWXYRQYPVOIXSUGQIIHVERQTYQLHRFUVRRY
UCBARITXAOYJTIIOZQFKQJBTFXFSYRBFINQDWKGKJQVHF
YAOGDFQFRXRMYIDVYFUKMIUBCLVPWZTKLAQZHXPZVDSZQMMIPXJVF
WCSYIZMNPLHJCZRFLWGPZMHTDZAMYXHAOQD
WAXIJLLBQNOYDHCMLPFNTVQPFGILFJNZKMA
URTZYGJFKAMJECMOIDTGOKYHNGYPFVKPXVTIHZIIXTH
YNTLRITDQZJYVQRTCDUBHAMBLGI
QZNPMIPIZZOUSILQUPWCOXIRTDU
VSJJOQMQCFGCUWXWAIKQSLKJTOMQHPZYLBTPZZH
QEFQOZOKBCMDELDKZUILTETHKIXWAFU
BBOMXUJRWVTTEZZVXNTDFZALYXNMDDMKI
WUDQSKSUZVNJWBQKVMXHEXWQDIFGBNTTXUUHC
OASYWUEJUNLMYILNLCWDSTYHFVVLKCDYAFOKJZBOSFYDJFMGG
JJWGPLCYRMKFDZYALICWUPTSZUOHMNVMYOQEYTRDFDYSNHPQOAGEQ
QRCOARLIRDYWCKARFMNRRASQWTQMLEOWZVYLDJVPQIZRIFPBESGQE
IEFCFGAMMJGFNISDAWDTWYJQCTYORPW
WCGUCPUUEDUYDNRSWFXVYOAGRSRRIJQVYXUVUF
DAAGBCTJXWGWIAQBWILINLYBJP
TUNOESIXXMY
ACAUMLCYN
ZWTANVFAVD
YIHOXGJUAVGRAZSLEAHVDVQZSCCLQHNMENNJYVQBCYJPH
UIWJHEZLDCNPIAWCCEVIPWFLSTBOGUBCXUWUKMODAGOPWBWOVDGOQOKHMMQATDASUB
KHETPQMXDGWTAWULKFXUXYFZRILCBKRNIJMAIIV
PGGPZALXEVAKKSYMWHYVOURWHXOECMPZGRLXARKSR
MXWJTGJAGSWJTSFXAZWDONBAZQJMUJHMEDIVWWBPCEGNSDGGJNTXCZUHGYPBYJGWQHWIDRDXMLXGIKQBLDSJF
SMJROYXPKKQSEAIGKZEHTWPLQACRXICMIYSEWAMGPZFAAIPFDRYAPSPVKEHQAJAALGSCUBEKGGXACTFOYIXYSZTZY
MVVCOJHYRZQHMLZIENWAQZKNBDWKJJVRYOEIYGNEUTKGVNHTZV
OFBZQDDBDBXTBJVSBSXEQZEDEWHLUXIMBGBBOMWTFITBEHPMTJRMQGTCJCNJJFFFIYBKUZDQZFYJBIT
RWVIDSQFZGJAVHTLLNEOXAGCDCGPUNT
NVGIPKMCQVCJXCFBNRQFEHARGYRMXQVJHPYHYCWGZNFDMHIFWHFMTUCMDHLAJSPYBHPE
CAKTMYHCWUENCISEKVJFUWQJMXOXMWFSYMZFHQFKUOODBSCNMIDMENNAZTMRQLSEJRQPESZ
JYOJYUGNKWXVPDWWPCAMGUOYUDBVVANVIBQMKHBUCEBQZLIRICIKOBYCKHSZUQGGZRHXLAWNFAVXKNOWZSNNZHHXMO
INCSVSXTVRHIXECRYJFNDDURFLZFHKFIUKRUOEDZGPMGBEFRELMSGGZBJ
LDKZEHXECOYBBJGYDBGPOYOFMOIWTZQXKYQOMVLUTABHIGIXLBRBBXISHFBWCFCZRJMXFIAVSFBXLSFDVHWHQUVSHMIETRBVKCUKJJNEPRVDC
MZZQERAMDIPDDNYFWZWVVYGDDYDUUXSKZPKWUWYSQZGANRZTPYXJUAMFSQYJFMQBQCDNORWSHHSKKIUFFTJMJLFKTTSKWKXYQQGQIYAQWDCTYNVLVPOJVKNP
IMDXJPNLBBBNHSQSRPPGYCJBMEVDJSERYTFJTONPYKFEJZNORVWLCPDSSDVYEAYUXXNYSLGJOVKSGAZRLWWYPSFMXCXFHBMTFS
TRLUWPPZLMVAJEYGALNRUQAUPIZGRYJONCMPOWXHCUMZTLQBHPCXOAQPMVFQIJAQGGWWZNLHND
QECPBVWTPGAMDZBIBRVRVS
AAQQYPBQQSUNHMHPC
RDLTBBVAAM
IXMKORLDUTK
QUHFKT
UYUYRVFUDOR
SVQMWNOUCOYBIMIZZHGOGHGLZPHRLLC
NKBGDQBQLYOYHCMSJSUWOWSUNUWZZEZEBKOKIVHRSKLNQQAMDFJXIJPKHBJJFOUXZXUNIMKRJGBFUQQUCWTCXVGOYIRROYBSOTAIFPD
NLZVMWNRZMWWIHLQBKUCUHXIOVLKNFT
MUHOWRAJLHTCLPLDVTMGXUNMJARSREEA
BMTBFMDELRDTEQXEGJXDTUMXLYBPTEFVMPXHSDADXTTFVVGRKDWMVPXGJDGE
CZCPZAMXDCKCFBDHKFEKFDMJFCWOISZNUFEMVNJ
TUQAMAATZRHFEFSFDGWWDIKMAUYOCQ
SZUXLVWEAREAYFKATZUBNSECVUMANWTONJFZSCPJH
AQZAOBYXMZFEJDOHIKJCXDTEQZFMDPDYLAUZPWATPXFA
RYJQSDHCRLJXWINUIIDZWEJSMFEIJNSJRJXFAXBWHPUYD
TAQZBIQXGJUMBRYMOXBKRLOCJVKPUKW
SFLHODVXZWGZCMYXSQUZPJQMPNWGKQOVJLBJIZYDLOGUCXBEYRDHWIOSHDKFNWMYYMXKGWMUQSHZRKUCFSVOKXDICNOPASZTBNJDC
ZSPRHAZDPTYLICPLYGHACLAFJWFWJNQTWSMZJXQBBZLVKTPHGDBXZBBHWOYNXMJXOXSFG
XYNKUXWJITLVSEQGZMXLXCKUWTISKFBXQPFMMLEIIQGSYVCUOPPPPK
LUTJZRJCGQBJNIOBJURXGIWCDYTIPNZUINMDMYZXDCNSYUVBJVQCTJUAFSPRVTLREAESVDPFXVLFVDKNXLRKTUWOWCFQ
IFWDNCRIZGQVDBMABQJCNZJFRBWRBGMONEFXJUFYYBWASRLNOVPTUOLURPZQPBUHCFONZNMZM
TDSGAZCIQJQKCIQVMNFKPENRBNBHPUNFCOYIPELGQYOBCVNTOVKCWCZRSBITYHJLGFVYCUBLMHYFMOAUJFTJBYKPRKHCYRJ
GIOOXQFDZFUAXZQRPNDYZPHFPJIZX
NDDIKLFUDSYCDFAPHJTSXPKCYTAQJPWEZFOSAFQXEQYJYQXGNOCH
LLJGBJLMFLXZQJWACOFLSNGTEYOUZSWHLBIDSNESLLLYMFYTNTGFUEMQYULWDQSMHATBJEABOFPBPPLJVDXMKOAFHA
KJHYXXMOSHBZICMUBAZAWJAVFKPHHKVYXW
DOLLHAMOHAQWJGMBSCDRJQZVKILOQRORJTCNBZUZJZZBJDZXBVTEYBLFZQDYRMKUZQDS
GZALEZZNDLXJWBKGZMKC
XHXWZNTVBIOMNMUADTBWIHXLAWQRELLIFVWTAOHRBHXGPZSFSGAXQJSNBIVXGKCNPMQSQYQFYB
VIVNATZLJFBZXGPDTGCXQEFESFXOJWFRYOIDGTXAUKMQMGZTDSIUQXQNWVKVMZYWLWGHSOXDQZLIXMZAKIMEBWTTYYKADFBEISCQYXTJKUHKGXCN
SRDXMQNCBOVCUSWFTPPVLXREXIBVULQQABCMIESGBSDAFIYNFMYDU
SIGYUWOSMAGOUJJIZRABDSUTEMNYRXWRUFWLPWBEWTTEWGCFLHUHTUPFPUYBD
QABSOIUFVMYNEVTZYMEVHMWZTQMPABRGVYXTZPMYNUSSDBHJAIVCADWRYVYZYVRHAYITLANEUFMASKZEIMPGQDCQBWJBMDBQD
XEJZBLTXCUPVMPNGBVNJQMYHOGUCJS
MJRYQOILEXADLVOHQYTAUTGURDLQTULVMXEOVBOAZBDJFAAXVOAPORTFQJXPDOXAPCMOLSBHPLOAIHJSXJXSGNCSBTGDMJ
UQPQOJVSNTNHYNBVRPVLIUBCUGDXYAAP
WBTGONKNWKREFHHIEXJSOAZDMWRI
NOKPDOZTFFAZRVOYMCBIYSQSQNAOBEMDMGYXUAITPVOQBKVDTWZUJEAZCMSBDZLDFJIVLYPOHJPCMLUKXRRPCITGPNSIY
VXZJPCPBQSDEJTGRNVIPLVLPD
TVIFFTPSVJMUYHVIHWRTVYTAPBJALERNRQHHXLNWNSUBQTZXSJHAWLUTJVGELMJKFYJMCQHXNSPYQUBGMMHKDDMT
DQRRGPO
EUJLTVJKSEYVASGSMAWWOVWMPTPOSDGRJPPTSWYUNZJNBWGAYVCYCNAZBJMFOIZXAAFMUXJOGWURXDTTIGXCPWZGVKBONX
DXWAESONPTUMTRZOLPHQKJOMTXPZYNKWAZFCFHJMPYZXXFLGZGUQXBKZPTRPKOWOLDRAMALEWSLKYRKIBVZVPQDXBZEYXDNKQCBVPDMOLJEWXPVCBITYMDITVRQOGQNXHJMZMJLGSLXNTPBWHA
PPCVHB
AKLHCMCMQSPHHAZQTBBCVPSQDZVMNOKQHOTPXZOZVHJFNVMKVXZTPPDBRVELOIR
PWEBFUQNLHCNPYFIDAZFAKQMAARGAHBLLPVMGSGPTDHPKLPAVIBEOVAJBPCZRYKJEQGELHNLQFTCKHXMWUWEMXCARLRK
JMZWRAUZSRCXJXAJGJMIOBCLHKQOLIKFWWXSEJUBBKJXORFVJTFZNAPTTNTCKPQJHFXXJJBGPYEXUGKIMRPDELRULYMVBDGAOKHGLFMKDHISKSTWVNEUJCOJXBYMYQAYUDGWDGDRJTTPOBFFZEMEVXPA
WXKUHYJMFETVVTPKLFZJQUJUVAYJLAEVKOCOQVRPIDXMVKJXUXAHVVTLATEAPEJGYQWRKFKMBXPNEHNXXTMPXNMVYNKREOYSOIKYQKBUMUFUNXFLTGMQNODZZZPITCPBYEJDXMRVPRYZWLWDXAVMKIC
VTQWXHCZCXXLGERDDNNUHGQQFFYJKX
KSBMZFHSPKFXBXWDETEJIBVVIVG
DMOWCAVZGYIZUMWPBHJGOMQXJAGYAGCKNR
YIQHKDHZSTKWGRWMIBXHSIIXJMANRAKGETSUDWBPMXCBOBGNUYCGAISOXKFLPAMOTMXRTGENOMGPUXAAYFKXACRAGCFYYCFNAGWARZLCXGUVASONLLKBDLIULVZMPXUYQLWFSWQOTYUKVAVPIATMENQOJYIVAQTQOCUZLXXXCTIAVMFFPCCSNEXSFZEEOVBXZDYVGJBSQAPEPQWUJSVOKMIACTYNGUIDXTSGCYESRJWP
SXSKRTVXVIJGURGTECMITCGQDJJHKLABGLP
MQUXKUYKBLXWWANU
CEKVTYEXFMDVJKCPCARFBHWIQXBQUJMPCLAXQCZZJDRDMJVMNUCMDSAZTGKTTSBCKXDPONLNLEBBBDITUHEVHUHZQJEDQJPZEHMIAILFDEFQJVTDKPLREUZJISETTIZYBUGJRSWTMHQCAJMGXJYARRBKYQQBAZIMRICDHANNQPUHUYY
WTPKIFIRQHVQBLMBBROHVVXXPDIFOYLJ
QMBVJIXSEDNWNGHZ
EEVEPVRWKLVJDSISHXAPDJYOJLMSYBLOTPKYBYAOWGAWKVWEYRIKXJONLBBBGKNZSFWYHOMHPVJKJUCZZNVUXXJXELDDITFOGNFJTEGQLJLNQOXJZKPMHEJSUFTRPTFUTBUJPWIXTDZER
LTSMMWYMWEBINFXOWDOUIZSNB
VYEM
WKIBAGJDDEOHBZYMXSNMNESVWRSLJV
FXBYAYC
XJNHISXVVBSUITGWJSHEWRGZHGKLCITXLXTQRTHFTMOSBOCQTFLHQVXZDLYFGBISQZNLPMTLKSOLDKVJGPGJPV
ERLUDMFZTLFLDYJNAWMSAHLDGOYBBJKQYORHRWVSGYRZDDQXVEYKQVVCOAUXZOFMFIGLUNYCAPZBYZQUJNTHBQZCFKOTFFZQSFMFTRDSVJYXZFCISSCQALBRVRDRWFAJEWZRGXOUINYMGV
VGPVWPAYGUWBDZCRHTAFKDKGAS
ZMYJNSVTQPUATKYCCLGFPDZAGQNDCV
BFZUPGODRHLWGV
KCZPGCROIIEBRXQRRFDMYXLNNAGPZCHQIUWYXPHFXPFEQNVOFKEFMWTBKXGBHEICCOUTRCORSJBFMGZUBNMNXHZTWKTYX
VTENKIAVYNXZ
BMEWJZMBEBUHLJKHIYXJNCYHAWWIJXV
IEAJSRRUVXUNRCNOVFHVZABIGRNRYHOJUEDALBWUHRDOKCHZKUJWFWRIEZVLCXXQWHHA
EXZEXFIHJK
DCBUYWVIPHPDXLMETWFEAQWPRHMJP |
class RedisSet:
def __init__(self, redis, key, converter, content=None):
self.key_ = key
self.redis_ = redis
self.converter_ = converter
if content:
self.reset(content)
def __len__(self):
return self.redis_.scard(self.key_)
def __call__(self):
return {
self.converter_.to_value(v)
for v in self.redis_.smembers(self.key_)
}
def __repr__(self):
return str(self())
def __str__(self):
return str(self())
def __contains__(self, key):
return self.redis_.sismember(self.key_,
self.converter_.from_value(key))
def __delitem__(self, key):
self.redis_.srem(self.key_, self.converter_.from_value(key))
def reset(self, value_list=None):
self.redis_.delete(self.key_)
if value_list:
self.redis_.sadd(self.key_,
*[self.converter_.from_value(v) for v in value_list])
def add(self, value):
self.redis_.sadd(self.key_, self.converter_.from_value(value))
def pop(self):
return self.converter_.to_value(self.redis_.spop(self.key_))
| class Redisset:
def __init__(self, redis, key, converter, content=None):
self.key_ = key
self.redis_ = redis
self.converter_ = converter
if content:
self.reset(content)
def __len__(self):
return self.redis_.scard(self.key_)
def __call__(self):
return {self.converter_.to_value(v) for v in self.redis_.smembers(self.key_)}
def __repr__(self):
return str(self())
def __str__(self):
return str(self())
def __contains__(self, key):
return self.redis_.sismember(self.key_, self.converter_.from_value(key))
def __delitem__(self, key):
self.redis_.srem(self.key_, self.converter_.from_value(key))
def reset(self, value_list=None):
self.redis_.delete(self.key_)
if value_list:
self.redis_.sadd(self.key_, *[self.converter_.from_value(v) for v in value_list])
def add(self, value):
self.redis_.sadd(self.key_, self.converter_.from_value(value))
def pop(self):
return self.converter_.to_value(self.redis_.spop(self.key_)) |
class Node:
def __init__(self, data):
self.data = data
self.next = None
class LinkedList:
def __init__(self):
self.head = None
def pairwiseSwap(self):
temp = self.head
if temp is None:
return
while temp is not None and temp.next is not None:
if temp.data == temp.next.data:
temp = temp.next.next
else:
temp.data, temp.next.data = temp.next.data, temp.data
temp = temp.next.next
def push(self, new_data):
new_node = Node(new_data)
new_node.next = self.head
self.head = new_node
def printList(self):
temp = self.head
while temp:
print(temp.data)
temp = temp.next
if __name__ == "__main__":
"""
from timeit import timeit
llist = LinkedList()
llist.push(5)
llist.push(4)
llist.push(3)
llist.push(2)
llist.push(1)
llist.pairwiseSwap()
print(timeit(lambda: llist.printList(), number=10000)) # 0.27164168400122435
"""
| class Node:
def __init__(self, data):
self.data = data
self.next = None
class Linkedlist:
def __init__(self):
self.head = None
def pairwise_swap(self):
temp = self.head
if temp is None:
return
while temp is not None and temp.next is not None:
if temp.data == temp.next.data:
temp = temp.next.next
else:
(temp.data, temp.next.data) = (temp.next.data, temp.data)
temp = temp.next.next
def push(self, new_data):
new_node = node(new_data)
new_node.next = self.head
self.head = new_node
def print_list(self):
temp = self.head
while temp:
print(temp.data)
temp = temp.next
if __name__ == '__main__':
'\n from timeit import timeit\n llist = LinkedList()\n llist.push(5)\n llist.push(4)\n llist.push(3)\n llist.push(2)\n llist.push(1)\n llist.pairwiseSwap()\n print(timeit(lambda: llist.printList(), number=10000)) # 0.27164168400122435\n ' |
# Copyright (c) 2013, Anders S. Christensen
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without modification,
# are permitted provided that the following conditions are met:
#
# * Redistributions of source code must retain the above copyright notice, this
# list of conditions and the following disclaimer.
#
# * Redistributions in binary form must reproduce the above copyright notice, this
# list of conditions and the following disclaimer in the documentation and/or
# other materials provided with the distribution.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
# ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
# WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
# DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR
# ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
# (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
# LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON
# ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
# SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
alphabet = "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
lower_case_alphabet = alphabet.lower()
numbers = "0123456789"
regular_chars = alphabet + lower_case_alphabet + numbers + "._-"
bb_smiles = dict([('HN', "[$([H]N(C=O)C)]" ),
('NH', "[$([N](C=O)C)]" ),
('XX', "[$([N])]" ),
('CO', "[$([C](NC)=O)]" ),
('OC', "[$([O]=C(NC)C)]" ),
('CA', "[$([C](NC)C(=O))]" ),
('HA', "[$([H]C(NC)C(=O))]" ),
('CB', "[$([C]C(NC)C(=O))]" )])
aa1="ACDEFGHIKLMNPQRSTVWY"
aa3=["ALA", "CYS", "ASP", "GLU", "PHE", "GLY", "HIS", "ILE", "LYS", "LEU",
"MET", "ASN", "PRO", "GLN", "ARG", "SER", "THR", "VAL", "TRP", "TYR"]
d1_to_index={}
dindex_to_1={}
d3_to_index={}
dindex_to_3={}
d1_to_d3={}
for i in range(0, 20):
n1=aa1[i]
n3=aa3[i]
d1_to_index[n1]=i
dindex_to_1[i]=n1
d3_to_index[n3]=i
dindex_to_3[i]=n3
d1_to_d3[n1]=n3
def index_to_one(index):
"Amino acid index to single letter (eg 0 to A)"
return dindex_to_1[index]
def one_to_index(s):
"Amino acid single letter to index (eg A to 0)"
return d1_to_index[s]
def index_to_three(i):
"Amino acid index to three letter (eg 0 to ALA)"
return dindex_to_3[i]
def three_to_index(s):
"Amino acid three letter to index (eg ALA to 0)"
return d3_to_index[s]
def three_to_one(s):
"Amino acid three letter to single letter (eg ALA to A)"
i=d3_to_index[s]
return dindex_to_1[i]
def one_to_three(s):
"Amino acid single letter to three letter (eg A to ALA)"
i=d1_to_d3[s]
return i
| alphabet = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'
lower_case_alphabet = alphabet.lower()
numbers = '0123456789'
regular_chars = alphabet + lower_case_alphabet + numbers + '._-'
bb_smiles = dict([('HN', '[$([H]N(C=O)C)]'), ('NH', '[$([N](C=O)C)]'), ('XX', '[$([N])]'), ('CO', '[$([C](NC)=O)]'), ('OC', '[$([O]=C(NC)C)]'), ('CA', '[$([C](NC)C(=O))]'), ('HA', '[$([H]C(NC)C(=O))]'), ('CB', '[$([C]C(NC)C(=O))]')])
aa1 = 'ACDEFGHIKLMNPQRSTVWY'
aa3 = ['ALA', 'CYS', 'ASP', 'GLU', 'PHE', 'GLY', 'HIS', 'ILE', 'LYS', 'LEU', 'MET', 'ASN', 'PRO', 'GLN', 'ARG', 'SER', 'THR', 'VAL', 'TRP', 'TYR']
d1_to_index = {}
dindex_to_1 = {}
d3_to_index = {}
dindex_to_3 = {}
d1_to_d3 = {}
for i in range(0, 20):
n1 = aa1[i]
n3 = aa3[i]
d1_to_index[n1] = i
dindex_to_1[i] = n1
d3_to_index[n3] = i
dindex_to_3[i] = n3
d1_to_d3[n1] = n3
def index_to_one(index):
"""Amino acid index to single letter (eg 0 to A)"""
return dindex_to_1[index]
def one_to_index(s):
"""Amino acid single letter to index (eg A to 0)"""
return d1_to_index[s]
def index_to_three(i):
"""Amino acid index to three letter (eg 0 to ALA)"""
return dindex_to_3[i]
def three_to_index(s):
"""Amino acid three letter to index (eg ALA to 0)"""
return d3_to_index[s]
def three_to_one(s):
"""Amino acid three letter to single letter (eg ALA to A)"""
i = d3_to_index[s]
return dindex_to_1[i]
def one_to_three(s):
"""Amino acid single letter to three letter (eg A to ALA)"""
i = d1_to_d3[s]
return i |
class ValidationResult(object):
def __init__(self, valid, log, err):
"""
Constructor
@type valid: Boolean
@param valid: Path to file
@type log: List[String]
@param log: Processing log
@type err: List[String]
@param err: Error log
"""
self.valid = valid
self.log = log
self.err = err
valid = False
log = []
err = []
| class Validationresult(object):
def __init__(self, valid, log, err):
"""
Constructor
@type valid: Boolean
@param valid: Path to file
@type log: List[String]
@param log: Processing log
@type err: List[String]
@param err: Error log
"""
self.valid = valid
self.log = log
self.err = err
valid = False
log = []
err = [] |
#27
# Time: O(n)
# Space: O(1)
# Given an array and a value, remove all instances
# of that value in-place and return the new length.
# Do not allocate extra space for another array,
# you must do this by modifying the input array
# in-place with O(1) extra memory.
# The order of elements can be changed.
# It doesn't matter what you leave beyond the new length.
#
# Example:
# Given nums = [3,2,2,3], val = 3,
# Your function should return length = 2, with the first two elements of nums being 2.
class arraySol():
def removeElem(self,nums,target):
length=0
for idx in range(len(nums)):
if nums[idx]!=target:
nums[length]=nums[idx]
length+=1
return length
| class Arraysol:
def remove_elem(self, nums, target):
length = 0
for idx in range(len(nums)):
if nums[idx] != target:
nums[length] = nums[idx]
length += 1
return length |
prompt123= '''
************************ Rane Division Tools ***************************
* Divide Range in bits or bytes *
* Option.1 Divide Range in bits =1 *
* Option.2 Divide Range in bytes =2 *
************************ Rane Division Tools ***************************
Type You Choice Here Enter 1-2 :
'''
promptstart=int(input(prompt123))
if promptstart == 1:
x=int(input("start range bits Min 1-255 -> "))
y=int(input("stop range bits Max 256 -> "))
start=2**x
stop=2**y
elif promptstart == 2:
start=int(input("start range Min bytes 1-115792089237316195423570985008687907852837564279074904382605163141518161494335 -> "))
stop=int(input("stop range Max bytes 115792089237316195423570985008687907852837564279074904382605163141518161494336 -> "))
rangediv=int(input("Division of Range 1% t0 ???% -> "))
display =int(input("Choose method Display Method: 1 - HEX:; 2 - DEC "))
remainingtotal=stop-start
div = round(remainingtotal / rangediv)
divsion = []
def divsion_wallet():
for i in range(0,rangediv):
percent = div * i
ran= start+percent
seed = str(ran)
HEX = "%064x" % ran
divsion.append({
'seed': seed,
'HEX': HEX,
'percent': f"{i}%",
})
if display == 1:
divsion = []
divsion_wallet()
for data_w in divsion:
HEX = data_w['HEX']
print('Percent', data_w['percent'], ' : Privatekey (hex): ', data_w['HEX'])
with open("hex.txt", "a") as f:
f.write(f"""\nPercent{data_w['percent']} Privatekey (hex): {data_w['HEX']}""")
f.close
elif display == 2:
divsion = []
divsion_wallet()
for data_w in divsion:
seed = data_w['seed']
print('Percent', data_w['percent'], ' : Privatekey (dec): ', data_w['seed'])
with open("dec.txt", "a") as f:
f.write(f"""\nPercent{data_w['percent']} Privatekey (dec): {data_w['seed']}""")
f.close
else:
print("WRONG NUMBER!!! MUST CHOSE 1 - 2 ") | prompt123 = '\n ************************ Rane Division Tools ***************************\n * Divide Range in bits or bytes *\n * Option.1 Divide Range in bits =1 *\n * Option.2 Divide Range in bytes =2 *\n ************************ Rane Division Tools ***************************\nType You Choice Here Enter 1-2 :\n'
promptstart = int(input(prompt123))
if promptstart == 1:
x = int(input('start range bits Min 1-255 -> '))
y = int(input('stop range bits Max 256 -> '))
start = 2 ** x
stop = 2 ** y
elif promptstart == 2:
start = int(input('start range Min bytes 1-115792089237316195423570985008687907852837564279074904382605163141518161494335 -> '))
stop = int(input('stop range Max bytes 115792089237316195423570985008687907852837564279074904382605163141518161494336 -> '))
rangediv = int(input('Division of Range 1% t0 ???% -> '))
display = int(input('Choose method Display Method: 1 - HEX:; 2 - DEC '))
remainingtotal = stop - start
div = round(remainingtotal / rangediv)
divsion = []
def divsion_wallet():
for i in range(0, rangediv):
percent = div * i
ran = start + percent
seed = str(ran)
hex = '%064x' % ran
divsion.append({'seed': seed, 'HEX': HEX, 'percent': f'{i}%'})
if display == 1:
divsion = []
divsion_wallet()
for data_w in divsion:
hex = data_w['HEX']
print('Percent', data_w['percent'], ' : Privatekey (hex): ', data_w['HEX'])
with open('hex.txt', 'a') as f:
f.write(f"\nPercent{data_w['percent']} Privatekey (hex): {data_w['HEX']}")
f.close
elif display == 2:
divsion = []
divsion_wallet()
for data_w in divsion:
seed = data_w['seed']
print('Percent', data_w['percent'], ' : Privatekey (dec): ', data_w['seed'])
with open('dec.txt', 'a') as f:
f.write(f"\nPercent{data_w['percent']} Privatekey (dec): {data_w['seed']}")
f.close
else:
print('WRONG NUMBER!!! MUST CHOSE 1 - 2 ') |
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def buildTree(self, inorder: List[int], postorder: List[int]) -> Optional[TreeNode]:
if not postorder:
return None
rootVal = postorder.pop()
root = TreeNode(val=rootVal)
index = inorder.index(rootVal)
root.left = self.buildTree(inorder[:index], postorder[:len(inorder[:index])])
root.right = self.buildTree(inorder[index+1:], postorder[len(inorder[:index]):])
return root | class Solution:
def build_tree(self, inorder: List[int], postorder: List[int]) -> Optional[TreeNode]:
if not postorder:
return None
root_val = postorder.pop()
root = tree_node(val=rootVal)
index = inorder.index(rootVal)
root.left = self.buildTree(inorder[:index], postorder[:len(inorder[:index])])
root.right = self.buildTree(inorder[index + 1:], postorder[len(inorder[:index]):])
return root |
class Solution:
def baseNeg2(self, N: int) -> str:
res=[]
while N:
# and operation
res.append(N&1)
N=-(N>>1)
return "".join(map(str,res[::-1] or [0])) | class Solution:
def base_neg2(self, N: int) -> str:
res = []
while N:
res.append(N & 1)
n = -(N >> 1)
return ''.join(map(str, res[::-1] or [0])) |
class Solution:
def sortByBits(self, arr: List[int]) -> List[int]:
d = {}
for i in arr:
temp = []
t = 0
c = i
while i>1:
if i%2==0:
temp.append(0)
i/=2
else:
temp.append(1)
t+=1
i= (i-1)/2
temp.append(i)
temp = temp[::-1]
if t not in d:
d[t] = []
d[t].append(c)
res = []
for key in sorted(d):
ls = sorted(d[key])
res.extend(ls)
return res | class Solution:
def sort_by_bits(self, arr: List[int]) -> List[int]:
d = {}
for i in arr:
temp = []
t = 0
c = i
while i > 1:
if i % 2 == 0:
temp.append(0)
i /= 2
else:
temp.append(1)
t += 1
i = (i - 1) / 2
temp.append(i)
temp = temp[::-1]
if t not in d:
d[t] = []
d[t].append(c)
res = []
for key in sorted(d):
ls = sorted(d[key])
res.extend(ls)
return res |
"""
appends JSON wine records from given data, formats and sort'em,
output is JSON file, contains summary information by built-in parameters
"""
winedata_full = []
avg_wine_price_by_origin = []
ratings_count = []
def string_comb(raw_str):
form_str = ' '.join(
raw_str[1:-1].split()
).replace(
'price": ', 'price": "'
).replace(
', "designation', '", "designation'
).replace(
'null', '"None"'
)
return form_str.split('": "')
def flatten(nonflat_arr):
flat_arr = []
for m in nonflat_arr:
flat_arr.extend(m)
return flat_arr
def parser(inp_json):
json_arr = set()
for s in inp_json[2:-2].split('}, {'):
json_arr.add(s)
for x in json_arr:
temp = flatten([i.split('", "', 2) for i in string_comb(x)])
curr_rec = {
temp[k]: temp[k + 1] for k in range(0, len(temp), 2)
}
winedata_full.append(curr_rec)
def sort_by_price(wine_record):
if wine_record['price'] == '"None"':
return 0
return int(wine_record['price'])
def summary(kind):
all_coinc = []
for w in winedata_full:
if kind in w['variety']:
all_coinc.append(w)
if all_coinc == []:
return f"no records on {kind} were found"
prices_arr = [
int(r['price']) for r in all_coinc if r['price'] != '"None"'
]
avarege_price = round(sum(prices_arr) / len(prices_arr), 1)
min_price = min(prices_arr)
max_price = max(prices_arr)
regions = {}
for i in all_coinc:
if i['region_1'] == 'None':
continue
elif i['region_1'] not in regions:
regions[i['region_1']] = 1
else:
regions[i['region_1']] = +1
if i['region_2'] == 'None':
continue
elif i['region_2'] not in regions:
regions[i['region_2']] = 1
else:
regions[i['region_2']] = +1
regions = [[r, regions[r]] for r in regions]
regions.sort(key=lambda x: x[1])
regions.sort()
most_common_region = [i for i in regions if i[1] == regions[0][1]]
countries = {}
for i in all_coinc:
if i['country'] == 'None':
continue
elif i['country'] not in countries:
countries[i['country']] = 1
else:
countries[i['country']] = +1
countries = [[c, countries[c]] for c in countries]
countries.sort(key=lambda x: x[1])
countries.sort()
most_common_country = [n for n in countries if n[1] == countries[0][1]]
avarage_score = int(
sum([int(i['points']) for i in all_coinc]) / len(all_coinc)
)
return f'''avarege_price: {avarege_price},
min_price: {min_price},
max_price: {max_price},
most_common_region: {most_common_region},
most_common_country: {most_common_country},
avarage_score: {avarage_score}'''
def most_expensive_wine(w_data):
max_price = w_data[0]['price']
most_expensive_arr = []
for r in w_data:
if r['price'] == max_price:
most_expensive_arr.append(r)
else:
break
print(max_price)
print(w_data[0]['price'])
return most_expensive_arr
def cheapest_wine(w_data):
cheap_arr = []
for w in reversed(w_data):
if w['price'] != '"None"':
min_price = w['price']
break
for r in reversed(w_data):
if r['price'] <= min_price:
cheap_arr.append(r)
else:
break
return cheap_arr
def highest_score(w_data):
hi_score = int(w_data[0]['points'])
highest_score_arr = []
for r in w_data:
if int(r['points']) >= hi_score:
highest_score_arr.append(r)
else:
break
return highest_score_arr
def lowest_score(w_data):
lowest_score_arr = []
for w in reversed(w_data):
if w['points'] != '"None"':
low_score = int(w['points'])
break
for r in reversed(w_data):
if int(r['points']) <= low_score:
lowest_score_arr.append(r)
else:
break
return lowest_score_arr
def most_expensive_country(w_data):
unsort_prc = {}
for w in w_data:
if w['price'] == '"None"':
continue
elif w['country'] not in unsort_prc:
w_count = 1
sum_price = int(w['price'])
unsort_prc[w['country']] = [sum_price, w_count]
else:
unsort_prc[w['country']][0] += int(w['price'])
unsort_prc[w['country']][1] += 1
global avg_wine_price_by_origin
avg_wine_price_by_origin = [
[i, int(unsort_prc[i][0] / unsort_prc[i][1])] for i in unsort_prc
]
avg_wine_price_by_origin.sort(key=lambda x: x[1], reverse=True)
return avg_wine_price_by_origin[0]
def cheapest_country(w_data):
return w_data[-1]
def most_rated_country(w_data):
unsort_cnt = {}
for w in w_data:
if w['country'] == 'None':
continue
elif w['country'] not in unsort_cnt:
unsort_cnt[w['country']] = 1
else:
unsort_cnt[w['country']] += 1
global ratings_count
ratings_count = [[i, unsort_cnt[i]] for i in unsort_cnt]
ratings_count.sort(key=lambda x: x[1], reverse=True)
return ratings_count[0]
def most_underrated_country(w_data):
return w_data[-1]
def most_active_commentator(w_data):
commentators = {}
for w in w_data:
if w['taster_name'] == 'None':
continue
elif w['taster_name'] not in commentators:
commentators[w['taster_name']] = 1
else:
commentators[w['taster_name']] += 1
commentators = [[i, commentators[i]] for i in commentators]
commentators.sort(key=lambda x: x[1], reverse=True)
return commentators[0]
with open("./winedata_1.json") as wd_1:
for line in wd_1:
parser(line)
with open("./winedata_2.json") as wd_2:
for line in wd_2:
parser(line)
winedata_full.sort(key=lambda x: x['title'])
winedata_full.sort(key=sort_by_price, reverse=True)
w_data_by_points = winedata_full
w_data_by_points.sort(key=lambda x: int(x['points']), reverse=True)
extr_data = {
"Gewurztraminer_summ": summary('Gewurztraminer'),
"Riesling_summ": summary('Riesling'),
"Merlot_summ": summary('Merlot'),
"Madera_summ": summary('Madera'),
"Tempranillo_summ": summary('Tempranillo'),
"Red_Blend_summ": summary('Red Blend'),
"most_ex_wine": most_expensive_wine(winedata_full),
"chp_wine": cheapest_wine(winedata_full),
"hi_scr": highest_score(w_data_by_points),
"low_scr": lowest_score(w_data_by_points),
"most_cnt": most_expensive_country(winedata_full),
"chp_cnt": cheapest_country(avg_wine_price_by_origin),
"rate_cnt": most_rated_country(winedata_full),
"undr_cnt": most_underrated_country(ratings_count),
"act_cnt": most_active_commentator(winedata_full)
}
extr_str = """{{"statistics": {{
"wine": {{
"Gewurztraminer": {Gewurztraminer_summ}
}},
{{
"Riesling": {Riesling_summ}
}},
{{
"Merlot": {Merlot_summ}
}},
{{
"Madera": {Madera_summ}
}},
{{
"Tempranillo": {Tempranillo_summ}
}},
{{
"Red Blend": {Red_Blend_summ}
}},
"most_expensive_wine": {most_ex_wine},
"cheapest_wine": {chp_wine},
"highest_score": {hi_scr},
"lowest_score": {low_scr},
"most_expensive_country": {most_cnt},
"cheapest_country": {chp_cnt},
"most_rated_country": {rate_cnt},
"underrated_country": {undr_cnt},
"most_active_commentator": {act_cnt}
}}
}}""".format(**extr_data)
# with open('./stats.json', 'a') as ex:
# ex.write(extr_str)
| """
appends JSON wine records from given data, formats and sort'em,
output is JSON file, contains summary information by built-in parameters
"""
winedata_full = []
avg_wine_price_by_origin = []
ratings_count = []
def string_comb(raw_str):
form_str = ' '.join(raw_str[1:-1].split()).replace('price": ', 'price": "').replace(', "designation', '", "designation').replace('null', '"None"')
return form_str.split('": "')
def flatten(nonflat_arr):
flat_arr = []
for m in nonflat_arr:
flat_arr.extend(m)
return flat_arr
def parser(inp_json):
json_arr = set()
for s in inp_json[2:-2].split('}, {'):
json_arr.add(s)
for x in json_arr:
temp = flatten([i.split('", "', 2) for i in string_comb(x)])
curr_rec = {temp[k]: temp[k + 1] for k in range(0, len(temp), 2)}
winedata_full.append(curr_rec)
def sort_by_price(wine_record):
if wine_record['price'] == '"None"':
return 0
return int(wine_record['price'])
def summary(kind):
all_coinc = []
for w in winedata_full:
if kind in w['variety']:
all_coinc.append(w)
if all_coinc == []:
return f'no records on {kind} were found'
prices_arr = [int(r['price']) for r in all_coinc if r['price'] != '"None"']
avarege_price = round(sum(prices_arr) / len(prices_arr), 1)
min_price = min(prices_arr)
max_price = max(prices_arr)
regions = {}
for i in all_coinc:
if i['region_1'] == 'None':
continue
elif i['region_1'] not in regions:
regions[i['region_1']] = 1
else:
regions[i['region_1']] = +1
if i['region_2'] == 'None':
continue
elif i['region_2'] not in regions:
regions[i['region_2']] = 1
else:
regions[i['region_2']] = +1
regions = [[r, regions[r]] for r in regions]
regions.sort(key=lambda x: x[1])
regions.sort()
most_common_region = [i for i in regions if i[1] == regions[0][1]]
countries = {}
for i in all_coinc:
if i['country'] == 'None':
continue
elif i['country'] not in countries:
countries[i['country']] = 1
else:
countries[i['country']] = +1
countries = [[c, countries[c]] for c in countries]
countries.sort(key=lambda x: x[1])
countries.sort()
most_common_country = [n for n in countries if n[1] == countries[0][1]]
avarage_score = int(sum([int(i['points']) for i in all_coinc]) / len(all_coinc))
return f'avarege_price: {avarege_price},\n min_price: {min_price},\n max_price: {max_price},\n most_common_region: {most_common_region},\n most_common_country: {most_common_country},\n avarage_score: {avarage_score}'
def most_expensive_wine(w_data):
max_price = w_data[0]['price']
most_expensive_arr = []
for r in w_data:
if r['price'] == max_price:
most_expensive_arr.append(r)
else:
break
print(max_price)
print(w_data[0]['price'])
return most_expensive_arr
def cheapest_wine(w_data):
cheap_arr = []
for w in reversed(w_data):
if w['price'] != '"None"':
min_price = w['price']
break
for r in reversed(w_data):
if r['price'] <= min_price:
cheap_arr.append(r)
else:
break
return cheap_arr
def highest_score(w_data):
hi_score = int(w_data[0]['points'])
highest_score_arr = []
for r in w_data:
if int(r['points']) >= hi_score:
highest_score_arr.append(r)
else:
break
return highest_score_arr
def lowest_score(w_data):
lowest_score_arr = []
for w in reversed(w_data):
if w['points'] != '"None"':
low_score = int(w['points'])
break
for r in reversed(w_data):
if int(r['points']) <= low_score:
lowest_score_arr.append(r)
else:
break
return lowest_score_arr
def most_expensive_country(w_data):
unsort_prc = {}
for w in w_data:
if w['price'] == '"None"':
continue
elif w['country'] not in unsort_prc:
w_count = 1
sum_price = int(w['price'])
unsort_prc[w['country']] = [sum_price, w_count]
else:
unsort_prc[w['country']][0] += int(w['price'])
unsort_prc[w['country']][1] += 1
global avg_wine_price_by_origin
avg_wine_price_by_origin = [[i, int(unsort_prc[i][0] / unsort_prc[i][1])] for i in unsort_prc]
avg_wine_price_by_origin.sort(key=lambda x: x[1], reverse=True)
return avg_wine_price_by_origin[0]
def cheapest_country(w_data):
return w_data[-1]
def most_rated_country(w_data):
unsort_cnt = {}
for w in w_data:
if w['country'] == 'None':
continue
elif w['country'] not in unsort_cnt:
unsort_cnt[w['country']] = 1
else:
unsort_cnt[w['country']] += 1
global ratings_count
ratings_count = [[i, unsort_cnt[i]] for i in unsort_cnt]
ratings_count.sort(key=lambda x: x[1], reverse=True)
return ratings_count[0]
def most_underrated_country(w_data):
return w_data[-1]
def most_active_commentator(w_data):
commentators = {}
for w in w_data:
if w['taster_name'] == 'None':
continue
elif w['taster_name'] not in commentators:
commentators[w['taster_name']] = 1
else:
commentators[w['taster_name']] += 1
commentators = [[i, commentators[i]] for i in commentators]
commentators.sort(key=lambda x: x[1], reverse=True)
return commentators[0]
with open('./winedata_1.json') as wd_1:
for line in wd_1:
parser(line)
with open('./winedata_2.json') as wd_2:
for line in wd_2:
parser(line)
winedata_full.sort(key=lambda x: x['title'])
winedata_full.sort(key=sort_by_price, reverse=True)
w_data_by_points = winedata_full
w_data_by_points.sort(key=lambda x: int(x['points']), reverse=True)
extr_data = {'Gewurztraminer_summ': summary('Gewurztraminer'), 'Riesling_summ': summary('Riesling'), 'Merlot_summ': summary('Merlot'), 'Madera_summ': summary('Madera'), 'Tempranillo_summ': summary('Tempranillo'), 'Red_Blend_summ': summary('Red Blend'), 'most_ex_wine': most_expensive_wine(winedata_full), 'chp_wine': cheapest_wine(winedata_full), 'hi_scr': highest_score(w_data_by_points), 'low_scr': lowest_score(w_data_by_points), 'most_cnt': most_expensive_country(winedata_full), 'chp_cnt': cheapest_country(avg_wine_price_by_origin), 'rate_cnt': most_rated_country(winedata_full), 'undr_cnt': most_underrated_country(ratings_count), 'act_cnt': most_active_commentator(winedata_full)}
extr_str = '{{"statistics": {{\n "wine": {{\n "Gewurztraminer": {Gewurztraminer_summ}\n }},\n {{\n "Riesling": {Riesling_summ}\n }},\n {{\n "Merlot": {Merlot_summ}\n }},\n {{\n "Madera": {Madera_summ}\n }},\n {{\n "Tempranillo": {Tempranillo_summ}\n }},\n {{\n "Red Blend": {Red_Blend_summ}\n }},\n "most_expensive_wine": {most_ex_wine},\n "cheapest_wine": {chp_wine},\n "highest_score": {hi_scr},\n "lowest_score": {low_scr},\n "most_expensive_country": {most_cnt},\n "cheapest_country": {chp_cnt},\n "most_rated_country": {rate_cnt},\n "underrated_country": {undr_cnt},\n "most_active_commentator": {act_cnt}\n }}\n}}'.format(**extr_data) |
__author__ = 'Michael Andrew michael@hazardmedia.co.nz'
class ChevronModel(object):
name = ""
locked = False
def __init__(self, name):
self.name = name | __author__ = 'Michael Andrew michael@hazardmedia.co.nz'
class Chevronmodel(object):
name = ''
locked = False
def __init__(self, name):
self.name = name |
"""
*
* Author: Juarez Paulino(coderemite)
* Email: juarez.paulino@gmail.com
*
"""
n=int(input())
a=[0]*(n+1)
for i,x in enumerate(map(int,input().split())):
a[x]=i
x=y=0
input()
for u in map(int,input().split()):
x+=a[u]+1
y+=n-a[u]
print(x,y)
| """
*
* Author: Juarez Paulino(coderemite)
* Email: juarez.paulino@gmail.com
*
"""
n = int(input())
a = [0] * (n + 1)
for (i, x) in enumerate(map(int, input().split())):
a[x] = i
x = y = 0
input()
for u in map(int, input().split()):
x += a[u] + 1
y += n - a[u]
print(x, y) |
"""
GENERATED FILE - DO NOT EDIT (created via @build_stack_rules_proto//cmd/depsgen)
"""
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
def _maybe(repo_rule, name, **kwargs):
if name not in native.existing_rules():
repo_rule(name = name, **kwargs)
def core_deps():
io_bazel_rules_go() # via bazel_gazelle
bazel_gazelle() # via <TOP>
rules_proto() # via <TOP>
def io_bazel_rules_go():
_maybe(
http_archive,
name = "io_bazel_rules_go",
sha256 = "38171ce619b2695fa095427815d52c2a115c716b15f4cd0525a88c376113f584",
strip_prefix = "rules_go-0.28.0",
urls = [
"https://github.com/bazelbuild/rules_go/archive/v0.28.0.tar.gz",
],
)
def bazel_gazelle():
_maybe(
http_archive,
name = "bazel_gazelle",
sha256 = "cb05501bd37e2cbfdea8e23b28e5a7fe4ff4f12cef30eeb1924a0b8c3c0cea61",
strip_prefix = "bazel-gazelle-425d85daecb9aeffa1ae24b83df7b97b534dcf05",
urls = [
"https://github.com/bazelbuild/bazel-gazelle/archive/425d85daecb9aeffa1ae24b83df7b97b534dcf05.tar.gz",
],
)
def rules_proto():
_maybe(
http_archive,
name = "rules_proto",
sha256 = "9fc210a34f0f9e7cc31598d109b5d069ef44911a82f507d5a88716db171615a8",
strip_prefix = "rules_proto-f7a30f6f80006b591fa7c437fe5a951eb10bcbcf",
urls = [
"https://github.com/bazelbuild/rules_proto/archive/f7a30f6f80006b591fa7c437fe5a951eb10bcbcf.tar.gz",
],
)
| """
GENERATED FILE - DO NOT EDIT (created via @build_stack_rules_proto//cmd/depsgen)
"""
load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive')
def _maybe(repo_rule, name, **kwargs):
if name not in native.existing_rules():
repo_rule(name=name, **kwargs)
def core_deps():
io_bazel_rules_go()
bazel_gazelle()
rules_proto()
def io_bazel_rules_go():
_maybe(http_archive, name='io_bazel_rules_go', sha256='38171ce619b2695fa095427815d52c2a115c716b15f4cd0525a88c376113f584', strip_prefix='rules_go-0.28.0', urls=['https://github.com/bazelbuild/rules_go/archive/v0.28.0.tar.gz'])
def bazel_gazelle():
_maybe(http_archive, name='bazel_gazelle', sha256='cb05501bd37e2cbfdea8e23b28e5a7fe4ff4f12cef30eeb1924a0b8c3c0cea61', strip_prefix='bazel-gazelle-425d85daecb9aeffa1ae24b83df7b97b534dcf05', urls=['https://github.com/bazelbuild/bazel-gazelle/archive/425d85daecb9aeffa1ae24b83df7b97b534dcf05.tar.gz'])
def rules_proto():
_maybe(http_archive, name='rules_proto', sha256='9fc210a34f0f9e7cc31598d109b5d069ef44911a82f507d5a88716db171615a8', strip_prefix='rules_proto-f7a30f6f80006b591fa7c437fe5a951eb10bcbcf', urls=['https://github.com/bazelbuild/rules_proto/archive/f7a30f6f80006b591fa7c437fe5a951eb10bcbcf.tar.gz']) |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
def shell_sort(arr):
arr_size = len(arr)
interval = arr_size // 2
while interval > 0:
j = interval
while j < arr_size:
aux = arr[j]
k = j
while k >= interval and aux < arr[k-interval]:
arr[k] = arr[k-interval]
k -= interval
arr[k] = aux
j += 1
interval //= 2
arr = [7, 4, 15, 10, 9, 2]
shell_sort(arr)
print(arr)
| def shell_sort(arr):
arr_size = len(arr)
interval = arr_size // 2
while interval > 0:
j = interval
while j < arr_size:
aux = arr[j]
k = j
while k >= interval and aux < arr[k - interval]:
arr[k] = arr[k - interval]
k -= interval
arr[k] = aux
j += 1
interval //= 2
arr = [7, 4, 15, 10, 9, 2]
shell_sort(arr)
print(arr) |
"""
Define a class named Circle which can be constructed by a radius.
The Circle class has a method which can compute the area.
class crcl_plot:
def __init__(self):
rdus=int(input("please enter your radius for the circle: "))
self.radius=rdus
def find_area(self):
print(f'the area of the circle is {(self.radius**2)*3.14}')
if __name__ == '__main__':
crcl1=crcl_plot()
crcl1.find_area()
"""
"""
Define a class named Rectangle which can be constructed by a length and width.
The Rectangle class has a method which can compute the area.
class rect_plot:
def __init__(self):
self.lgth=int(input("please enter your length for the rectangle: "))
self.bdth=int(input("please enter your breadth for the rectangle: "))
def find_area(self):
print(f'the area of the rectangle is {(self.lgth*self.bdth)}')
if __name__ == '__main__':
rect1=rect_plot()
rect1.find_area()
"""
"""
Define a class named Shape and its subclass Square. The Square class has an init function
which takes a length as argument. Both classes have a area function which can print the area of
the shape where Shape's area is 0 by default.
class shape:
def __init__(self):
self.area=0
def find_area(self):
print(f'the area of the shape is {self.area}')
class square(shape):
def __init__(self):
self.lgth=int(input("please enter your length for the square: "))
def find_area(self):
print(f'the area of the shape is {self.lgth**2}')
if __name__ == '__main__':
shp1=shape()
shp1.find_area()
sqr1=square()
sqr1.find_area()
"""
"""
Please raise a RuntimeError exception
if __name__ == '__main__':
raise RuntimeError
"""
| """
Define a class named Circle which can be constructed by a radius.
The Circle class has a method which can compute the area.
class crcl_plot:
def __init__(self):
rdus=int(input("please enter your radius for the circle: "))
self.radius=rdus
def find_area(self):
print(f'the area of the circle is {(self.radius**2)*3.14}')
if __name__ == '__main__':
crcl1=crcl_plot()
crcl1.find_area()
"""
'\n\nDefine a class named Rectangle which can be constructed by a length and width.\nThe Rectangle class has a method which can compute the area.\n\nclass rect_plot:\n\n def __init__(self):\n self.lgth=int(input("please enter your length for the rectangle: "))\n self.bdth=int(input("please enter your breadth for the rectangle: "))\n\n def find_area(self):\n print(f\'the area of the rectangle is {(self.lgth*self.bdth)}\')\n\nif __name__ == \'__main__\':\n rect1=rect_plot()\n rect1.find_area()\n\n'
'\n\nDefine a class named Shape and its subclass Square. The Square class has an init function\nwhich takes a length as argument. Both classes have a area function which can print the area of\nthe shape where Shape\'s area is 0 by default.\n\nclass shape:\n\n def __init__(self):\n self.area=0\n\n def find_area(self):\n print(f\'the area of the shape is {self.area}\')\n\nclass square(shape):\n\n def __init__(self):\n self.lgth=int(input("please enter your length for the square: "))\n\n def find_area(self):\n print(f\'the area of the shape is {self.lgth**2}\')\n\n\nif __name__ == \'__main__\':\n shp1=shape()\n shp1.find_area()\n sqr1=square()\n sqr1.find_area()\n\n'
"\n\nPlease raise a RuntimeError exception\n\nif __name__ == '__main__':\n raise RuntimeError\n\n" |
def bubblesort_once(l):
res = l[:]
for i in range(len(res)):
for j in range(i+1, len(res)):
if res[j-1] > res[j]:
res[j], res[j-1] = res[j-1], res[j]
return res
return [] | def bubblesort_once(l):
res = l[:]
for i in range(len(res)):
for j in range(i + 1, len(res)):
if res[j - 1] > res[j]:
(res[j], res[j - 1]) = (res[j - 1], res[j])
return res
return [] |
# imgur key
client_id = '3cb7dabd0f805d6'
client_secret = '30a9fb858f64bf4acc1651988e2fbc62e4fedaed'
album_id = 'LeVFO62'
album_id_lucky = '2aAnwnt'
access_token = '52945d677b3e985c5e82ba7d1fbd96f52648a1bb'
refresh_token = '46d87ffac8daa7d8ecd34c85b9db4c64dbc2c582'
# line bot key
line_channel_access_token = 'ozBtsH1AXPn/0cgAA2HymGPHm5Hx4QYECJ1jU3VuvTOttBCLZe1cwh5DBf8kJBI4H53gH4nIy8fdm1JYHPFRI8+BvNieQ8CcPiMsiv3dz4XKyRFRF2HsCLrH2rs7IIokniUSUL3rgJ2vAL4uNwuglgdB04t89/1O/w1cDnyilFU='
line_channel_secret = 'd5f3e8acb95897d9414f807fa60a1204'
| client_id = '3cb7dabd0f805d6'
client_secret = '30a9fb858f64bf4acc1651988e2fbc62e4fedaed'
album_id = 'LeVFO62'
album_id_lucky = '2aAnwnt'
access_token = '52945d677b3e985c5e82ba7d1fbd96f52648a1bb'
refresh_token = '46d87ffac8daa7d8ecd34c85b9db4c64dbc2c582'
line_channel_access_token = 'ozBtsH1AXPn/0cgAA2HymGPHm5Hx4QYECJ1jU3VuvTOttBCLZe1cwh5DBf8kJBI4H53gH4nIy8fdm1JYHPFRI8+BvNieQ8CcPiMsiv3dz4XKyRFRF2HsCLrH2rs7IIokniUSUL3rgJ2vAL4uNwuglgdB04t89/1O/w1cDnyilFU='
line_channel_secret = 'd5f3e8acb95897d9414f807fa60a1204' |
#!/usr/env/bin python
# https://www.hackerrank.com/challenges/python-print
# Python 2
N = int(raw_input())
# N = 3
print(reduce(lambda x, y: x + y, [str(n+1) for n in xrange(N)]))
| n = int(raw_input())
print(reduce(lambda x, y: x + y, [str(n + 1) for n in xrange(N)])) |
columns_to_change = set()
for col in telecom_data.select_dtypes(include=['float64']).columns:
if((telecom_data[col].fillna(-9999) % 1 == 0).all()):
columns_to_change.add(col)
print(len(columns_to_change))
columns_to_change.union(set(telecom_data.select_dtypes(include=['int64']).columns))
print(len(columns_to_change))
column_dict = dict()
for col in columns_to_change:
max_value = telecom_data[col].max()
min_value = telecom_data[col].min()
load_type = "int64"
if(min_value>= -128 and max_value<=127):
load_type = 'int8'
elif(min_value>= -32768 and max_value<=32767):
load_type = 'int16'
telecom_data[col] = telecom_data[col].fillna(-100)
telecom_data[col] = telecom_data[col].astype(load_type)
print(column_dict)
telecom_data.info() | columns_to_change = set()
for col in telecom_data.select_dtypes(include=['float64']).columns:
if (telecom_data[col].fillna(-9999) % 1 == 0).all():
columns_to_change.add(col)
print(len(columns_to_change))
columns_to_change.union(set(telecom_data.select_dtypes(include=['int64']).columns))
print(len(columns_to_change))
column_dict = dict()
for col in columns_to_change:
max_value = telecom_data[col].max()
min_value = telecom_data[col].min()
load_type = 'int64'
if min_value >= -128 and max_value <= 127:
load_type = 'int8'
elif min_value >= -32768 and max_value <= 32767:
load_type = 'int16'
telecom_data[col] = telecom_data[col].fillna(-100)
telecom_data[col] = telecom_data[col].astype(load_type)
print(column_dict)
telecom_data.info() |
# !/usr/bin/env python
# -*- coding: utf-8 -*-
"""
@author:
@file: ${NAME}.py
@time: ${DATE}
@version:
""" | """
@author:
@file: ${NAME}.py
@time: ${DATE}
@version:
""" |
s = input()
if s:
print('foo')
else:
print('bar')
x = 1
y = x
print(y)
| s = input()
if s:
print('foo')
else:
print('bar')
x = 1
y = x
print(y) |
#
# PySNMP MIB module CHECKPOINT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CHECKPOINT-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:31:12 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, ValueSizeConstraint, ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ValueSizeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection")
ModuleCompliance, ObjectGroup, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "ObjectGroup", "NotificationGroup")
NotificationType, iso, Bits, Integer32, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Unsigned32, Counter32, Gauge32, ObjectIdentity, Counter64, ModuleIdentity, enterprises, IpAddress, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "iso", "Bits", "Integer32", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Unsigned32", "Counter32", "Gauge32", "ObjectIdentity", "Counter64", "ModuleIdentity", "enterprises", "IpAddress", "MibIdentifier")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
checkpoint = ModuleIdentity((1, 3, 6, 1, 4, 1, 2620))
checkpoint.setRevisions(('2013-12-26 13:09',))
if mibBuilder.loadTexts: checkpoint.setLastUpdated('201312261309Z')
if mibBuilder.loadTexts: checkpoint.setOrganization('Check Point')
products = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1))
tables = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 500))
fw = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1))
vpn = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2))
fg = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 3))
ha = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 5))
svn = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6))
mngmt = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 7))
wam = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 8))
dtps = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 9))
ls = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 11))
vsx = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 16))
smartDefense = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17))
avi = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24))
eventiaAnalyzer = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 25))
uf = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 29))
ms = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 30))
voip = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 31))
identityAwareness = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 38))
applicationControl = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 39))
thresholds = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 42))
advancedUrlFiltering = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 43))
dlp = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 44))
amw = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 46))
te = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 49))
sxl = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 36))
vsxVsSupported = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 16, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxVsSupported.setStatus('current')
vsxVsConfigured = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 16, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxVsConfigured.setStatus('current')
vsxVsInstalled = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 16, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxVsInstalled.setStatus('current')
vsxStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22))
vsxStatusTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1), )
if mibBuilder.loadTexts: vsxStatusTable.setStatus('current')
vsxStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "vsxStatusVSId"))
if mibBuilder.loadTexts: vsxStatusEntry.setStatus('current')
vsxStatusVSId = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusVSId.setStatus('current')
vsxStatusVRId = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 2), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusVRId.setStatus('current')
vsxStatusVsName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusVsName.setStatus('current')
vsxStatusVsType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusVsType.setStatus('current')
vsxStatusMainIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusMainIP.setStatus('current')
vsxStatusPolicyName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusPolicyName.setStatus('current')
vsxStatusVsPolicyType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusVsPolicyType.setStatus('current')
vsxStatusSicTrustState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusSicTrustState.setStatus('current')
vsxStatusHAState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusHAState.setStatus('current')
vsxStatusVSWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusVSWeight.setStatus('current')
vsxStatusCPUUsageTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2), )
if mibBuilder.loadTexts: vsxStatusCPUUsageTable.setStatus('current')
vsxStatusCPUUsageEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "vsxStatusVSId"))
if mibBuilder.loadTexts: vsxStatusCPUUsageEntry.setStatus('current')
vsxStatusCPUUsage1sec = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusCPUUsage1sec.setStatus('current')
vsxStatusCPUUsage10sec = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusCPUUsage10sec.setStatus('current')
vsxStatusCPUUsage1min = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusCPUUsage1min.setStatus('current')
vsxStatusCPUUsage1hr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusCPUUsage1hr.setStatus('current')
vsxStatusCPUUsage24hr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusCPUUsage24hr.setStatus('current')
vsxStatusCPUUsageVSId = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxStatusCPUUsageVSId.setStatus('current')
vsxCounters = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23))
vsxCountersTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1), )
if mibBuilder.loadTexts: vsxCountersTable.setStatus('current')
vsxCountersEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "vsxStatusVSId"))
if mibBuilder.loadTexts: vsxCountersEntry.setStatus('current')
vsxCountersVSId = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersVSId.setStatus('current')
vsxCountersConnNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersConnNum.setStatus('current')
vsxCountersConnPeakNum = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersConnPeakNum.setStatus('current')
vsxCountersConnTableLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersConnTableLimit.setStatus('current')
vsxCountersPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersPackets.setStatus('current')
vsxCountersDroppedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersDroppedTotal.setStatus('current')
vsxCountersAcceptedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersAcceptedTotal.setStatus('current')
vsxCountersRejectedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersRejectedTotal.setStatus('current')
vsxCountersBytesAcceptedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersBytesAcceptedTotal.setStatus('current')
vsxCountersBytesDroppedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersBytesDroppedTotal.setStatus('current')
vsxCountersBytesRejectedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersBytesRejectedTotal.setStatus('current')
vsxCountersLoggedTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersLoggedTotal.setStatus('current')
vsxCountersIsDataValid = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("invalid", 0), ("valid", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsxCountersIsDataValid.setStatus('current')
raUsersTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 500, 9000), )
if mibBuilder.loadTexts: raUsersTable.setStatus('current')
raUsersEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "raInternalIpAddr"))
if mibBuilder.loadTexts: raUsersEntry.setStatus('current')
raInternalIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raInternalIpAddr.setStatus('current')
raExternalIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 19), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raExternalIpAddr.setStatus('current')
raUserState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(3, 4, 129, 130, 131, 132))).clone(namedValues=NamedValues(("active", 3), ("destroy", 4), ("idle", 129), ("phase1", 130), ("down", 131), ("init", 132)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: raUserState.setStatus('current')
raOfficeMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 21), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raOfficeMode.setStatus('current')
raIkeOverTCP = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 22), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raIkeOverTCP.setStatus('current')
raUseUDPEncap = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 23), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raUseUDPEncap.setStatus('current')
raVisitorMode = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 24), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raVisitorMode.setStatus('current')
raRouteTraffic = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 25), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raRouteTraffic.setStatus('current')
raCommunity = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 26), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raCommunity.setStatus('current')
raTunnelEncAlgorithm = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 5, 7, 9, 129, 130))).clone(namedValues=NamedValues(("espDES", 1), ("esp3DES", 2), ("espCAST", 5), ("esp3IDEA", 7), ("espNULL", 9), ("espAES128", 129), ("espAES256", 130)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: raTunnelEncAlgorithm.setStatus('current')
raTunnelAuthMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 129, 130))).clone(namedValues=NamedValues(("preshared-key", 1), ("dss-signature", 2), ("rsa-signature", 3), ("rsa-encryption", 4), ("rev-rsa-encryption", 5), ("xauth", 129), ("crack", 130)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: raTunnelAuthMethod.setStatus('current')
raLogonTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 29), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raLogonTime.setStatus('current')
tunnelTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 500, 9002), )
if mibBuilder.loadTexts: tunnelTable.setStatus('current')
tunnelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "tunnelPeerIpAddr"))
if mibBuilder.loadTexts: tunnelEntry.setStatus('current')
tunnelPeerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelPeerIpAddr.setStatus('current')
tunnelPeerObjName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelPeerObjName.setStatus('current')
tunnelState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(3, 4, 129, 130, 131, 132))).clone(namedValues=NamedValues(("active", 3), ("destroy", 4), ("idle", 129), ("phase1", 130), ("down", 131), ("init", 132)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: tunnelState.setStatus('current')
tunnelCommunity = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelCommunity.setStatus('current')
tunnelNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 5), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelNextHop.setStatus('current')
tunnelInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelInterface.setStatus('current')
tunnelSourceIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 7), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelSourceIpAddr.setStatus('current')
tunnelLinkPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("primary", 0), ("backup", 1), ("on-demand", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelLinkPriority.setStatus('current')
tunnelProbState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("alive", 1), ("dead", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelProbState.setStatus('current')
tunnelPeerType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("regular", 1), ("daip", 2), ("robo", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelPeerType.setStatus('current')
tunnelType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("regular", 1), ("permanent", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: tunnelType.setStatus('current')
permanentTunnelTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 500, 9003), )
if mibBuilder.loadTexts: permanentTunnelTable.setStatus('current')
permanentTunnelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "permanentTunnelPeerIpAddr"))
if mibBuilder.loadTexts: permanentTunnelEntry.setStatus('current')
permanentTunnelPeerIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 1), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelPeerIpAddr.setStatus('current')
permanentTunnelPeerObjName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelPeerObjName.setStatus('current')
permanentTunnelState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(3, 4, 129, 130, 131, 132))).clone(namedValues=NamedValues(("active", 3), ("destroy", 4), ("idle", 129), ("phase1", 130), ("down", 131), ("init", 132)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: permanentTunnelState.setStatus('current')
permanentTunnelCommunity = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelCommunity.setStatus('current')
permanentTunnelNextHop = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 5), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelNextHop.setStatus('current')
permanentTunnelInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 6), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelInterface.setStatus('current')
permanentTunnelSourceIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 7), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelSourceIpAddr.setStatus('current')
permanentTunnelLinkPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("primary", 0), ("backup", 1), ("on-demand", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelLinkPriority.setStatus('current')
permanentTunnelProbState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("alive", 1), ("dead", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelProbState.setStatus('current')
permanentTunnelPeerType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("regular", 1), ("daip", 2), ("robo", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: permanentTunnelPeerType.setStatus('current')
fwPolicyStat = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25))
fwPerfStat = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26))
fwHmem = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1))
fwKmem = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2))
fwInspect = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3))
fwCookies = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4))
fwChains = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 5))
fwFragments = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 6))
fwUfp = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 8))
fwSS = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9))
fwConnectionsStat = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11))
fwHmem64 = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12))
fwSS_http = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1)).setLabel("fwSS-http")
fwSS_ftp = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2)).setLabel("fwSS-ftp")
fwSS_telnet = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3)).setLabel("fwSS-telnet")
fwSS_rlogin = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4)).setLabel("fwSS-rlogin")
fwSS_ufp = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5)).setLabel("fwSS-ufp")
fwSS_smtp = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6)).setLabel("fwSS-smtp")
fwSS_POP3 = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7)).setLabel("fwSS-POP3")
fwSS_av_total = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10)).setLabel("fwSS-av-total")
fwModuleState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwModuleState.setStatus('current')
fwFilterName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwFilterName.setStatus('current')
fwFilterDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwFilterDate.setStatus('current')
fwAccepted = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwAccepted.setStatus('current')
fwRejected = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwRejected.setStatus('current')
fwDropped = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwDropped.setStatus('current')
fwLogged = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLogged.setStatus('current')
fwMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwMajor.setStatus('current')
fwMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwMinor.setStatus('current')
fwProduct = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwProduct.setStatus('current')
fwEvent = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwEvent.setStatus('current')
fwSICTrustState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSICTrustState.setStatus('current')
fwTrapPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 0))
fwTrap = NotificationType((1, 3, 6, 1, 4, 1, 2620, 1, 1, 0, 1)).setObjects(("CHECKPOINT-MIB", "fwEvent"))
if mibBuilder.loadTexts: fwTrap.setStatus('current')
fwProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 21), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwProdName.setStatus('current')
fwVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 22), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwVerMajor.setStatus('current')
fwVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 23), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwVerMinor.setStatus('current')
fwKernelBuild = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 24), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKernelBuild.setStatus('current')
fwPolicyName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwPolicyName.setStatus('current')
fwInstallTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwInstallTime.setStatus('current')
fwNumConn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNumConn.setStatus('current')
fwPeakNumConn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwPeakNumConn.setStatus('current')
fwIfTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5), )
if mibBuilder.loadTexts: fwIfTable.setStatus('current')
fwConnTableLimit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwConnTableLimit.setStatus('current')
fwIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "fwIfIndex"))
if mibBuilder.loadTexts: fwIfEntry.setStatus('current')
fwIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwIfIndex.setStatus('current')
fwIfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwIfName.setStatus('current')
fwAcceptPcktsIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwAcceptPcktsIn.setStatus('current')
fwAcceptPcktsOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwAcceptPcktsOut.setStatus('current')
fwAcceptBytesIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwAcceptBytesIn.setStatus('current')
fwAcceptBytesOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwAcceptBytesOut.setStatus('current')
fwDropPcktsIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwDropPcktsIn.setStatus('current')
fwDropPcktsOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwDropPcktsOut.setStatus('current')
fwRejectPcktsIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwRejectPcktsIn.setStatus('current')
fwRejectPcktsOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwRejectPcktsOut.setStatus('current')
fwLogIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLogIn.setStatus('current')
fwLogOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLogOut.setStatus('current')
fwPacketsRate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwPacketsRate.setStatus('current')
fwDroppedTotalRate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 16), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwDroppedTotalRate.setStatus('current')
fwAcceptedBytesTotalRate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwAcceptedBytesTotalRate.setStatus('current')
fwDroppedBytesTotalRate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwDroppedBytesTotalRate.setStatus('current')
fwHmem_block_size = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 1), Integer32()).setLabel("fwHmem-block-size").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_block_size.setStatus('current')
fwHmem_requested_bytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 2), Integer32()).setLabel("fwHmem-requested-bytes").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_requested_bytes.setStatus('current')
fwHmem_initial_allocated_bytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 3), Integer32()).setLabel("fwHmem-initial-allocated-bytes").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_initial_allocated_bytes.setStatus('current')
fwHmem_initial_allocated_blocks = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 4), Integer32()).setLabel("fwHmem-initial-allocated-blocks").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_initial_allocated_blocks.setStatus('current')
fwHmem_initial_allocated_pools = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 5), Integer32()).setLabel("fwHmem-initial-allocated-pools").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_initial_allocated_pools.setStatus('current')
fwHmem_current_allocated_bytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 6), Integer32()).setLabel("fwHmem-current-allocated-bytes").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_current_allocated_bytes.setStatus('current')
fwHmem_current_allocated_blocks = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 7), Integer32()).setLabel("fwHmem-current-allocated-blocks").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_current_allocated_blocks.setStatus('current')
fwHmem_current_allocated_pools = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 8), Integer32()).setLabel("fwHmem-current-allocated-pools").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_current_allocated_pools.setStatus('current')
fwHmem_maximum_bytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 9), Integer32()).setLabel("fwHmem-maximum-bytes").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_maximum_bytes.setStatus('current')
fwHmem_maximum_pools = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 10), Integer32()).setLabel("fwHmem-maximum-pools").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_maximum_pools.setStatus('current')
fwHmem_bytes_used = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 11), Integer32()).setLabel("fwHmem-bytes-used").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_bytes_used.setStatus('current')
fwHmem_blocks_used = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 12), Integer32()).setLabel("fwHmem-blocks-used").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_blocks_used.setStatus('current')
fwHmem_bytes_unused = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 13), Integer32()).setLabel("fwHmem-bytes-unused").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_bytes_unused.setStatus('current')
fwHmem_blocks_unused = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 14), Integer32()).setLabel("fwHmem-blocks-unused").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_blocks_unused.setStatus('current')
fwHmem_bytes_peak = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 15), Integer32()).setLabel("fwHmem-bytes-peak").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_bytes_peak.setStatus('current')
fwHmem_blocks_peak = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 16), Integer32()).setLabel("fwHmem-blocks-peak").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_blocks_peak.setStatus('current')
fwHmem_bytes_internal_use = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 17), Integer32()).setLabel("fwHmem-bytes-internal-use").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_bytes_internal_use.setStatus('current')
fwHmem_number_of_items = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 18), Integer32()).setLabel("fwHmem-number-of-items").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_number_of_items.setStatus('current')
fwHmem_alloc_operations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 19), Integer32()).setLabel("fwHmem-alloc-operations").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_alloc_operations.setStatus('current')
fwHmem_free_operations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 20), Integer32()).setLabel("fwHmem-free-operations").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_free_operations.setStatus('current')
fwHmem_failed_alloc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 21), Integer32()).setLabel("fwHmem-failed-alloc").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_failed_alloc.setStatus('current')
fwHmem_failed_free = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 22), Integer32()).setLabel("fwHmem-failed-free").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem_failed_free.setStatus('current')
fwKmem_system_physical_mem = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 1), Integer32()).setLabel("fwKmem-system-physical-mem").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_system_physical_mem.setStatus('current')
fwKmem_available_physical_mem = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 2), Integer32()).setLabel("fwKmem-available-physical-mem").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_available_physical_mem.setStatus('current')
fwKmem_aix_heap_size = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 3), Integer32()).setLabel("fwKmem-aix-heap-size").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_aix_heap_size.setStatus('current')
fwKmem_bytes_used = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 4), Integer32()).setLabel("fwKmem-bytes-used").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_bytes_used.setStatus('current')
fwKmem_blocking_bytes_used = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 5), Integer32()).setLabel("fwKmem-blocking-bytes-used").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_blocking_bytes_used.setStatus('current')
fwKmem_non_blocking_bytes_used = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 6), Integer32()).setLabel("fwKmem-non-blocking-bytes-used").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_non_blocking_bytes_used.setStatus('current')
fwKmem_bytes_unused = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 7), Integer32()).setLabel("fwKmem-bytes-unused").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_bytes_unused.setStatus('current')
fwKmem_bytes_peak = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 8), Integer32()).setLabel("fwKmem-bytes-peak").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_bytes_peak.setStatus('current')
fwKmem_blocking_bytes_peak = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 9), Integer32()).setLabel("fwKmem-blocking-bytes-peak").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_blocking_bytes_peak.setStatus('current')
fwKmem_non_blocking_bytes_peak = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 10), Integer32()).setLabel("fwKmem-non-blocking-bytes-peak").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_non_blocking_bytes_peak.setStatus('current')
fwKmem_bytes_internal_use = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 11), Integer32()).setLabel("fwKmem-bytes-internal-use").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_bytes_internal_use.setStatus('current')
fwKmem_number_of_items = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 12), Integer32()).setLabel("fwKmem-number-of-items").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_number_of_items.setStatus('current')
fwKmem_alloc_operations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 13), Integer32()).setLabel("fwKmem-alloc-operations").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_alloc_operations.setStatus('current')
fwKmem_free_operations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 14), Integer32()).setLabel("fwKmem-free-operations").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_free_operations.setStatus('current')
fwKmem_failed_alloc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 15), Integer32()).setLabel("fwKmem-failed-alloc").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_failed_alloc.setStatus('current')
fwKmem_failed_free = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 16), Integer32()).setLabel("fwKmem-failed-free").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwKmem_failed_free.setStatus('current')
fwInspect_packets = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 1), Integer32()).setLabel("fwInspect-packets").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwInspect_packets.setStatus('current')
fwInspect_operations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 2), Integer32()).setLabel("fwInspect-operations").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwInspect_operations.setStatus('current')
fwInspect_lookups = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 3), Integer32()).setLabel("fwInspect-lookups").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwInspect_lookups.setStatus('current')
fwInspect_record = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 4), Integer32()).setLabel("fwInspect-record").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwInspect_record.setStatus('current')
fwInspect_extract = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 5), Integer32()).setLabel("fwInspect-extract").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwInspect_extract.setStatus('current')
fwCookies_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 1), Integer32()).setLabel("fwCookies-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwCookies_total.setStatus('current')
fwCookies_allocfwCookies_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 2), Integer32()).setLabel("fwCookies-allocfwCookies-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwCookies_allocfwCookies_total.setStatus('current')
fwCookies_freefwCookies_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 3), Integer32()).setLabel("fwCookies-freefwCookies-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwCookies_freefwCookies_total.setStatus('current')
fwCookies_dupfwCookies_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 4), Integer32()).setLabel("fwCookies-dupfwCookies-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwCookies_dupfwCookies_total.setStatus('current')
fwCookies_getfwCookies_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 5), Integer32()).setLabel("fwCookies-getfwCookies-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwCookies_getfwCookies_total.setStatus('current')
fwCookies_putfwCookies_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 6), Integer32()).setLabel("fwCookies-putfwCookies-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwCookies_putfwCookies_total.setStatus('current')
fwCookies_lenfwCookies_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 7), Integer32()).setLabel("fwCookies-lenfwCookies-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwCookies_lenfwCookies_total.setStatus('current')
fwChains_alloc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 5, 1), Integer32()).setLabel("fwChains-alloc").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwChains_alloc.setStatus('current')
fwChains_free = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 5, 2), Integer32()).setLabel("fwChains-free").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwChains_free.setStatus('current')
fwFrag_fragments = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 6, 1), Integer32()).setLabel("fwFrag-fragments").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwFrag_fragments.setStatus('current')
fwFrag_expired = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 6, 2), Integer32()).setLabel("fwFrag-expired").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwFrag_expired.setStatus('current')
fwFrag_packets = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 6, 3), Integer32()).setLabel("fwFrag-packets").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwFrag_packets.setStatus('current')
fwUfpHitRatio = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 8, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwUfpHitRatio.setStatus('current')
fwUfpInspected = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 8, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwUfpInspected.setStatus('current')
fwUfpHits = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 8, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwUfpHits.setStatus('current')
fwSS_http_pid = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 1), Integer32()).setLabel("fwSS-http-pid").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_pid.setStatus('current')
fwSS_http_proto = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 2), Integer32()).setLabel("fwSS-http-proto").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_proto.setStatus('current')
fwSS_http_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 3), Integer32()).setLabel("fwSS-http-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_port.setStatus('current')
fwSS_http_logical_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 4), Integer32()).setLabel("fwSS-http-logical-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_logical_port.setStatus('current')
fwSS_http_max_avail_socket = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 5), Integer32()).setLabel("fwSS-http-max-avail-socket").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_max_avail_socket.setStatus('current')
fwSS_http_socket_in_use_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 6), Integer32()).setLabel("fwSS-http-socket-in-use-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_socket_in_use_max.setStatus('current')
fwSS_http_socket_in_use_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 7), Integer32()).setLabel("fwSS-http-socket-in-use-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_socket_in_use_curr.setStatus('current')
fwSS_http_socket_in_use_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 8), Integer32()).setLabel("fwSS-http-socket-in-use-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_socket_in_use_count.setStatus('current')
fwSS_http_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 9), Integer32()).setLabel("fwSS-http-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_sess_max.setStatus('current')
fwSS_http_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 10), Integer32()).setLabel("fwSS-http-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_sess_curr.setStatus('current')
fwSS_http_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 11), Integer32()).setLabel("fwSS-http-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_sess_count.setStatus('current')
fwSS_http_auth_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 12), Integer32()).setLabel("fwSS-http-auth-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_auth_sess_max.setStatus('current')
fwSS_http_auth_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 13), Integer32()).setLabel("fwSS-http-auth-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_auth_sess_curr.setStatus('current')
fwSS_http_auth_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 14), Integer32()).setLabel("fwSS-http-auth-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_auth_sess_count.setStatus('current')
fwSS_http_accepted_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 15), Integer32()).setLabel("fwSS-http-accepted-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_accepted_sess.setStatus('current')
fwSS_http_rejected_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 16), Integer32()).setLabel("fwSS-http-rejected-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_rejected_sess.setStatus('current')
fwSS_http_auth_failures = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 17), Integer32()).setLabel("fwSS-http-auth-failures").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_auth_failures.setStatus('current')
fwSS_http_ops_cvp_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 18), Integer32()).setLabel("fwSS-http-ops-cvp-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ops_cvp_sess_max.setStatus('current')
fwSS_http_ops_cvp_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 19), Integer32()).setLabel("fwSS-http-ops-cvp-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ops_cvp_sess_curr.setStatus('current')
fwSS_http_ops_cvp_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 20), Integer32()).setLabel("fwSS-http-ops-cvp-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ops_cvp_sess_count.setStatus('current')
fwSS_http_ops_cvp_rej_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 21), Integer32()).setLabel("fwSS-http-ops-cvp-rej-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ops_cvp_rej_sess.setStatus('current')
fwSS_http_ssl_encryp_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 22), Integer32()).setLabel("fwSS-http-ssl-encryp-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ssl_encryp_sess_max.setStatus('current')
fwSS_http_ssl_encryp_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 23), Integer32()).setLabel("fwSS-http-ssl-encryp-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ssl_encryp_sess_curr.setStatus('current')
fwSS_http_ssl_encryp_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 24), Integer32()).setLabel("fwSS-http-ssl-encryp-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ssl_encryp_sess_count.setStatus('current')
fwSS_http_transp_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 25), Integer32()).setLabel("fwSS-http-transp-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_transp_sess_max.setStatus('current')
fwSS_http_transp_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 26), Integer32()).setLabel("fwSS-http-transp-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_transp_sess_curr.setStatus('current')
fwSS_http_transp_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 27), Integer32()).setLabel("fwSS-http-transp-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_transp_sess_count.setStatus('current')
fwSS_http_proxied_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 28), Integer32()).setLabel("fwSS-http-proxied-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_proxied_sess_max.setStatus('current')
fwSS_http_proxied_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 29), Integer32()).setLabel("fwSS-http-proxied-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_proxied_sess_curr.setStatus('current')
fwSS_http_proxied_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 30), Integer32()).setLabel("fwSS-http-proxied-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_proxied_sess_count.setStatus('current')
fwSS_http_tunneled_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 31), Integer32()).setLabel("fwSS-http-tunneled-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_tunneled_sess_max.setStatus('current')
fwSS_http_tunneled_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 32), Integer32()).setLabel("fwSS-http-tunneled-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_tunneled_sess_curr.setStatus('current')
fwSS_http_tunneled_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 33), Integer32()).setLabel("fwSS-http-tunneled-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_tunneled_sess_count.setStatus('current')
fwSS_http_ftp_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 34), Integer32()).setLabel("fwSS-http-ftp-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ftp_sess_max.setStatus('current')
fwSS_http_ftp_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 35), Integer32()).setLabel("fwSS-http-ftp-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ftp_sess_curr.setStatus('current')
fwSS_http_ftp_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 36), Integer32()).setLabel("fwSS-http-ftp-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_ftp_sess_count.setStatus('current')
fwSS_http_time_stamp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 37), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fwSS-http-time-stamp").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_time_stamp.setStatus('current')
fwSS_http_is_alive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 38), Integer32()).setLabel("fwSS-http-is-alive").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_is_alive.setStatus('current')
fwSS_http_blocked_cnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 39), Integer32()).setLabel("fwSS-http-blocked-cnt").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_cnt.setStatus('current')
fwSS_http_blocked_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 40), Integer32()).setLabel("fwSS-http-blocked-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_total.setStatus('current')
fwSS_http_scanned_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 41), Integer32()).setLabel("fwSS-http-scanned-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_scanned_total.setStatus('current')
fwSS_http_blocked_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 42), Integer32()).setLabel("fwSS-http-blocked-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_by_file_type.setStatus('current')
fwSS_http_blocked_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 43), Integer32()).setLabel("fwSS-http-blocked-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_by_size_limit.setStatus('current')
fwSS_http_blocked_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 44), Integer32()).setLabel("fwSS-http-blocked-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_by_archive_limit.setStatus('current')
fwSS_http_blocked_by_internal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 45), Integer32()).setLabel("fwSS-http-blocked-by-internal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_by_internal_error.setStatus('current')
fwSS_http_passed_cnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 46), Integer32()).setLabel("fwSS-http-passed-cnt").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_cnt.setStatus('current')
fwSS_http_passed_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 47), Integer32()).setLabel("fwSS-http-passed-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_by_file_type.setStatus('current')
fwSS_http_passed_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 48), Integer32()).setLabel("fwSS-http-passed-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_by_size_limit.setStatus('current')
fwSS_http_passed_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 49), Integer32()).setLabel("fwSS-http-passed-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_by_archive_limit.setStatus('current')
fwSS_http_passed_by_internal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 50), Integer32()).setLabel("fwSS-http-passed-by-internal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_by_internal_error.setStatus('current')
fwSS_http_passed_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 51), Integer32()).setLabel("fwSS-http-passed-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_total.setStatus('current')
fwSS_http_blocked_by_AV_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 52), Integer32()).setLabel("fwSS-http-blocked-by-AV-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_by_AV_settings.setStatus('current')
fwSS_http_passed_by_AV_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 53), Integer32()).setLabel("fwSS-http-passed-by-AV-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_by_AV_settings.setStatus('current')
fwSS_http_blocked_by_URL_filter_category = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 54), Integer32()).setLabel("fwSS-http-blocked-by-URL-filter-category").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_by_URL_filter_category.setStatus('current')
fwSS_http_blocked_by_URL_block_list = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 55), Integer32()).setLabel("fwSS-http-blocked-by-URL-block-list").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_blocked_by_URL_block_list.setStatus('current')
fwSS_http_passed_by_URL_allow_list = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 56), Integer32()).setLabel("fwSS-http-passed-by-URL-allow-list").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_by_URL_allow_list.setStatus('current')
fwSS_http_passed_by_URL_filter_category = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 57), Integer32()).setLabel("fwSS-http-passed-by-URL-filter-category").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_http_passed_by_URL_filter_category.setStatus('current')
fwSS_ftp_pid = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 1), Integer32()).setLabel("fwSS-ftp-pid").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_pid.setStatus('current')
fwSS_ftp_proto = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 2), Integer32()).setLabel("fwSS-ftp-proto").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_proto.setStatus('current')
fwSS_ftp_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 3), Integer32()).setLabel("fwSS-ftp-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_port.setStatus('current')
fwSS_ftp_logical_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 4), Integer32()).setLabel("fwSS-ftp-logical-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_logical_port.setStatus('current')
fwSS_ftp_max_avail_socket = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 5), Integer32()).setLabel("fwSS-ftp-max-avail-socket").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_max_avail_socket.setStatus('current')
fwSS_ftp_socket_in_use_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 6), Integer32()).setLabel("fwSS-ftp-socket-in-use-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_socket_in_use_max.setStatus('current')
fwSS_ftp_socket_in_use_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 7), Integer32()).setLabel("fwSS-ftp-socket-in-use-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_socket_in_use_curr.setStatus('current')
fwSS_ftp_socket_in_use_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 8), Integer32()).setLabel("fwSS-ftp-socket-in-use-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_socket_in_use_count.setStatus('current')
fwSS_ftp_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 9), Integer32()).setLabel("fwSS-ftp-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_sess_max.setStatus('current')
fwSS_ftp_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 10), Integer32()).setLabel("fwSS-ftp-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_sess_curr.setStatus('current')
fwSS_ftp_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 11), Integer32()).setLabel("fwSS-ftp-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_sess_count.setStatus('current')
fwSS_ftp_auth_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 12), Integer32()).setLabel("fwSS-ftp-auth-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_auth_sess_max.setStatus('current')
fwSS_ftp_auth_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 13), Integer32()).setLabel("fwSS-ftp-auth-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_auth_sess_curr.setStatus('current')
fwSS_ftp_auth_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 14), Integer32()).setLabel("fwSS-ftp-auth-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_auth_sess_count.setStatus('current')
fwSS_ftp_accepted_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 15), Integer32()).setLabel("fwSS-ftp-accepted-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_accepted_sess.setStatus('current')
fwSS_ftp_rejected_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 16), Integer32()).setLabel("fwSS-ftp-rejected-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_rejected_sess.setStatus('current')
fwSS_ftp_auth_failures = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 17), Integer32()).setLabel("fwSS-ftp-auth-failures").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_auth_failures.setStatus('current')
fwSS_ftp_ops_cvp_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 18), Integer32()).setLabel("fwSS-ftp-ops-cvp-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_ops_cvp_sess_max.setStatus('current')
fwSS_ftp_ops_cvp_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 19), Integer32()).setLabel("fwSS-ftp-ops-cvp-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_ops_cvp_sess_curr.setStatus('current')
fwSS_ftp_ops_cvp_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 20), Integer32()).setLabel("fwSS-ftp-ops-cvp-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_ops_cvp_sess_count.setStatus('current')
fwSS_ftp_ops_cvp_rej_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 21), Integer32()).setLabel("fwSS-ftp-ops-cvp-rej-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_ops_cvp_rej_sess.setStatus('current')
fwSS_ftp_time_stamp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 22), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fwSS-ftp-time-stamp").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_time_stamp.setStatus('current')
fwSS_ftp_is_alive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 23), Integer32()).setLabel("fwSS-ftp-is-alive").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_is_alive.setStatus('current')
fwSS_ftp_blocked_cnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 24), Integer32()).setLabel("fwSS-ftp-blocked-cnt").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_blocked_cnt.setStatus('current')
fwSS_ftp_blocked_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 25), Integer32()).setLabel("fwSS-ftp-blocked-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_blocked_total.setStatus('current')
fwSS_ftp_scanned_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 26), Integer32()).setLabel("fwSS-ftp-scanned-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_scanned_total.setStatus('current')
fwSS_ftp_blocked_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 27), Integer32()).setLabel("fwSS-ftp-blocked-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_blocked_by_file_type.setStatus('current')
fwSS_ftp_blocked_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 28), Integer32()).setLabel("fwSS-ftp-blocked-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_blocked_by_size_limit.setStatus('current')
fwSS_ftp_blocked_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 29), Integer32()).setLabel("fwSS-ftp-blocked-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_blocked_by_archive_limit.setStatus('current')
fwSS_ftp_blocked_by_internal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 30), Integer32()).setLabel("fwSS-ftp-blocked-by-internal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_blocked_by_internal_error.setStatus('current')
fwSS_ftp_passed_cnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 31), Integer32()).setLabel("fwSS-ftp-passed-cnt").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_passed_cnt.setStatus('current')
fwSS_ftp_passed_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 32), Integer32()).setLabel("fwSS-ftp-passed-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_passed_by_file_type.setStatus('current')
fwSS_ftp_passed_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 33), Integer32()).setLabel("fwSS-ftp-passed-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_passed_by_size_limit.setStatus('current')
fwSS_ftp_passed_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 34), Integer32()).setLabel("fwSS-ftp-passed-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_passed_by_archive_limit.setStatus('current')
fwSS_ftp_passed_by_internal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 35), Integer32()).setLabel("fwSS-ftp-passed-by-internal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_passed_by_internal_error.setStatus('current')
fwSS_ftp_passed_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 36), Integer32()).setLabel("fwSS-ftp-passed-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_passed_total.setStatus('current')
fwSS_ftp_blocked_by_AV_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 37), Integer32()).setLabel("fwSS-ftp-blocked-by-AV-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_blocked_by_AV_settings.setStatus('current')
fwSS_ftp_passed_by_AV_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 38), Integer32()).setLabel("fwSS-ftp-passed-by-AV-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ftp_passed_by_AV_settings.setStatus('current')
fwSS_telnet_pid = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 1), Integer32()).setLabel("fwSS-telnet-pid").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_pid.setStatus('current')
fwSS_telnet_proto = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 2), Integer32()).setLabel("fwSS-telnet-proto").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_proto.setStatus('current')
fwSS_telnet_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 3), Integer32()).setLabel("fwSS-telnet-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_port.setStatus('current')
fwSS_telnet_logical_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 4), Integer32()).setLabel("fwSS-telnet-logical-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_logical_port.setStatus('current')
fwSS_telnet_max_avail_socket = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 5), Integer32()).setLabel("fwSS-telnet-max-avail-socket").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_max_avail_socket.setStatus('current')
fwSS_telnet_socket_in_use_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 6), Integer32()).setLabel("fwSS-telnet-socket-in-use-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_socket_in_use_max.setStatus('current')
fwSS_telnet_socket_in_use_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 7), Integer32()).setLabel("fwSS-telnet-socket-in-use-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_socket_in_use_curr.setStatus('current')
fwSS_telnet_socket_in_use_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 8), Integer32()).setLabel("fwSS-telnet-socket-in-use-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_socket_in_use_count.setStatus('current')
fwSS_telnet_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 9), Integer32()).setLabel("fwSS-telnet-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_sess_max.setStatus('current')
fwSS_telnet_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 10), Integer32()).setLabel("fwSS-telnet-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_sess_curr.setStatus('current')
fwSS_telnet_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 11), Integer32()).setLabel("fwSS-telnet-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_sess_count.setStatus('current')
fwSS_telnet_auth_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 12), Integer32()).setLabel("fwSS-telnet-auth-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_auth_sess_max.setStatus('current')
fwSS_telnet_auth_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 13), Integer32()).setLabel("fwSS-telnet-auth-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_auth_sess_curr.setStatus('current')
fwSS_telnet_auth_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 14), Integer32()).setLabel("fwSS-telnet-auth-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_auth_sess_count.setStatus('current')
fwSS_telnet_accepted_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 15), Integer32()).setLabel("fwSS-telnet-accepted-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_accepted_sess.setStatus('current')
fwSS_telnet_rejected_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 16), Integer32()).setLabel("fwSS-telnet-rejected-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_rejected_sess.setStatus('current')
fwSS_telnet_auth_failures = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 17), Integer32()).setLabel("fwSS-telnet-auth-failures").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_auth_failures.setStatus('current')
fwSS_telnet_time_stamp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 18), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fwSS-telnet-time-stamp").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_time_stamp.setStatus('current')
fwSS_telnet_is_alive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 19), Integer32()).setLabel("fwSS-telnet-is-alive").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_telnet_is_alive.setStatus('current')
fwSS_rlogin_pid = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 1), Integer32()).setLabel("fwSS-rlogin-pid").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_pid.setStatus('current')
fwSS_rlogin_proto = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 2), Integer32()).setLabel("fwSS-rlogin-proto").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_proto.setStatus('current')
fwSS_rlogin_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 3), Integer32()).setLabel("fwSS-rlogin-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_port.setStatus('current')
fwSS_rlogin_logical_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 4), Integer32()).setLabel("fwSS-rlogin-logical-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_logical_port.setStatus('current')
fwSS_rlogin_max_avail_socket = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 5), Integer32()).setLabel("fwSS-rlogin-max-avail-socket").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_max_avail_socket.setStatus('current')
fwSS_rlogin_socket_in_use_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 6), Integer32()).setLabel("fwSS-rlogin-socket-in-use-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_socket_in_use_max.setStatus('current')
fwSS_rlogin_socket_in_use_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 7), Integer32()).setLabel("fwSS-rlogin-socket-in-use-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_socket_in_use_curr.setStatus('current')
fwSS_rlogin_socket_in_use_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 8), Integer32()).setLabel("fwSS-rlogin-socket-in-use-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_socket_in_use_count.setStatus('current')
fwSS_rlogin_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 9), Integer32()).setLabel("fwSS-rlogin-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_sess_max.setStatus('current')
fwSS_rlogin_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 10), Integer32()).setLabel("fwSS-rlogin-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_sess_curr.setStatus('current')
fwSS_rlogin_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 11), Integer32()).setLabel("fwSS-rlogin-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_sess_count.setStatus('current')
fwSS_rlogin_auth_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 12), Integer32()).setLabel("fwSS-rlogin-auth-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_auth_sess_max.setStatus('current')
fwSS_rlogin_auth_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 13), Integer32()).setLabel("fwSS-rlogin-auth-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_auth_sess_curr.setStatus('current')
fwSS_rlogin_auth_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 14), Integer32()).setLabel("fwSS-rlogin-auth-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_auth_sess_count.setStatus('current')
fwSS_rlogin_accepted_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 15), Integer32()).setLabel("fwSS-rlogin-accepted-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_accepted_sess.setStatus('current')
fwSS_rlogin_rejected_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 16), Integer32()).setLabel("fwSS-rlogin-rejected-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_rejected_sess.setStatus('current')
fwSS_rlogin_auth_failures = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 17), Integer32()).setLabel("fwSS-rlogin-auth-failures").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_auth_failures.setStatus('current')
fwSS_rlogin_time_stamp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 18), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fwSS-rlogin-time-stamp").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_time_stamp.setStatus('current')
fwSS_rlogin_is_alive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 19), Integer32()).setLabel("fwSS-rlogin-is-alive").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_rlogin_is_alive.setStatus('current')
fwSS_ufp_ops_ufp_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 1), Integer32()).setLabel("fwSS-ufp-ops-ufp-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ufp_ops_ufp_sess_max.setStatus('current')
fwSS_ufp_ops_ufp_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 2), Integer32()).setLabel("fwSS-ufp-ops-ufp-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ufp_ops_ufp_sess_curr.setStatus('current')
fwSS_ufp_ops_ufp_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 3), Integer32()).setLabel("fwSS-ufp-ops-ufp-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ufp_ops_ufp_sess_count.setStatus('current')
fwSS_ufp_ops_ufp_rej_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 4), Integer32()).setLabel("fwSS-ufp-ops-ufp-rej-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ufp_ops_ufp_rej_sess.setStatus('current')
fwSS_ufp_time_stamp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fwSS-ufp-time-stamp").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ufp_time_stamp.setStatus('current')
fwSS_ufp_is_alive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 6), Integer32()).setLabel("fwSS-ufp-is-alive").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_ufp_is_alive.setStatus('current')
fwSS_smtp_pid = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 1), Integer32()).setLabel("fwSS-smtp-pid").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_pid.setStatus('current')
fwSS_smtp_proto = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 2), Integer32()).setLabel("fwSS-smtp-proto").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_proto.setStatus('current')
fwSS_smtp_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 3), Integer32()).setLabel("fwSS-smtp-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_port.setStatus('current')
fwSS_smtp_logical_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 4), Integer32()).setLabel("fwSS-smtp-logical-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_logical_port.setStatus('current')
fwSS_smtp_max_avail_socket = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 5), Integer32()).setLabel("fwSS-smtp-max-avail-socket").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_max_avail_socket.setStatus('current')
fwSS_smtp_socket_in_use_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 6), Integer32()).setLabel("fwSS-smtp-socket-in-use-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_socket_in_use_max.setStatus('current')
fwSS_smtp_socket_in_use_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 7), Integer32()).setLabel("fwSS-smtp-socket-in-use-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_socket_in_use_curr.setStatus('current')
fwSS_smtp_socket_in_use_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 8), Integer32()).setLabel("fwSS-smtp-socket-in-use-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_socket_in_use_count.setStatus('current')
fwSS_smtp_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 9), Integer32()).setLabel("fwSS-smtp-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_sess_max.setStatus('current')
fwSS_smtp_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 10), Integer32()).setLabel("fwSS-smtp-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_sess_curr.setStatus('current')
fwSS_smtp_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 11), Integer32()).setLabel("fwSS-smtp-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_sess_count.setStatus('current')
fwSS_smtp_auth_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 12), Integer32()).setLabel("fwSS-smtp-auth-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_auth_sess_max.setStatus('current')
fwSS_smtp_auth_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 13), Integer32()).setLabel("fwSS-smtp-auth-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_auth_sess_curr.setStatus('current')
fwSS_smtp_auth_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 14), Integer32()).setLabel("fwSS-smtp-auth-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_auth_sess_count.setStatus('current')
fwSS_smtp_accepted_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 15), Integer32()).setLabel("fwSS-smtp-accepted-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_accepted_sess.setStatus('current')
fwSS_smtp_rejected_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 16), Integer32()).setLabel("fwSS-smtp-rejected-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_rejected_sess.setStatus('current')
fwSS_smtp_auth_failures = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 17), Integer32()).setLabel("fwSS-smtp-auth-failures").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_auth_failures.setStatus('current')
fwSS_smtp_mail_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 18), Integer32()).setLabel("fwSS-smtp-mail-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_mail_max.setStatus('current')
fwSS_smtp_mail_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 19), Integer32()).setLabel("fwSS-smtp-mail-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_mail_curr.setStatus('current')
fwSS_smtp_mail_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 20), Integer32()).setLabel("fwSS-smtp-mail-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_mail_count.setStatus('current')
fwSS_smtp_outgoing_mail_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 21), Integer32()).setLabel("fwSS-smtp-outgoing-mail-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_outgoing_mail_max.setStatus('current')
fwSS_smtp_outgoing_mail_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 22), Integer32()).setLabel("fwSS-smtp-outgoing-mail-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_outgoing_mail_curr.setStatus('current')
fwSS_smtp_outgoing_mail_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 23), Integer32()).setLabel("fwSS-smtp-outgoing-mail-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_outgoing_mail_count.setStatus('current')
fwSS_smtp_max_mail_on_conn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 24), Integer32()).setLabel("fwSS-smtp-max-mail-on-conn").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_max_mail_on_conn.setStatus('current')
fwSS_smtp_total_mails = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 25), Integer32()).setLabel("fwSS-smtp-total-mails").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_total_mails.setStatus('current')
fwSS_smtp_time_stamp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fwSS-smtp-time-stamp").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_time_stamp.setStatus('current')
fwSS_smtp_is_alive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 27), Integer32()).setLabel("fwSS-smtp-is-alive").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_is_alive.setStatus('current')
fwSS_smtp_blocked_cnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 28), Integer32()).setLabel("fwSS-smtp-blocked-cnt").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_blocked_cnt.setStatus('current')
fwSS_smtp_blocked_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 29), Integer32()).setLabel("fwSS-smtp-blocked-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_blocked_total.setStatus('current')
fwSS_smtp_scanned_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 30), Integer32()).setLabel("fwSS-smtp-scanned-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_scanned_total.setStatus('current')
fwSS_smtp_blocked_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 31), Integer32()).setLabel("fwSS-smtp-blocked-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_blocked_by_file_type.setStatus('current')
fwSS_smtp_blocked_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 32), Integer32()).setLabel("fwSS-smtp-blocked-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_blocked_by_size_limit.setStatus('current')
fwSS_smtp_blocked_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 33), Integer32()).setLabel("fwSS-smtp-blocked-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_blocked_by_archive_limit.setStatus('current')
fwSS_smtp_blocked_by_internal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 34), Integer32()).setLabel("fwSS-smtp-blocked-by-internal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_blocked_by_internal_error.setStatus('current')
fwSS_smtp_passed_cnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 35), Integer32()).setLabel("fwSS-smtp-passed-cnt").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_passed_cnt.setStatus('current')
fwSS_smtp_passed_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 36), Integer32()).setLabel("fwSS-smtp-passed-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_passed_by_file_type.setStatus('current')
fwSS_smtp_passed_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 37), Integer32()).setLabel("fwSS-smtp-passed-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_passed_by_size_limit.setStatus('current')
fwSS_smtp_passed_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 38), Integer32()).setLabel("fwSS-smtp-passed-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_passed_by_archive_limit.setStatus('current')
fwSS_smtp_passed_by_internal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 39), Integer32()).setLabel("fwSS-smtp-passed-by-internal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_passed_by_internal_error.setStatus('current')
fwSS_smtp_passed_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 40), Integer32()).setLabel("fwSS-smtp-passed-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_passed_total.setStatus('current')
fwSS_smtp_blocked_by_AV_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 41), Integer32()).setLabel("fwSS-smtp-blocked-by-AV-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_blocked_by_AV_settings.setStatus('current')
fwSS_smtp_passed_by_AV_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 42), Integer32()).setLabel("fwSS-smtp-passed-by-AV-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_smtp_passed_by_AV_settings.setStatus('current')
fwSS_POP3_pid = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 1), Integer32()).setLabel("fwSS-POP3-pid").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_pid.setStatus('current')
fwSS_POP3_proto = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 2), Integer32()).setLabel("fwSS-POP3-proto").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_proto.setStatus('current')
fwSS_POP3_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 3), Integer32()).setLabel("fwSS-POP3-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_port.setStatus('current')
fwSS_POP3_logical_port = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 4), Integer32()).setLabel("fwSS-POP3-logical-port").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_logical_port.setStatus('current')
fwSS_POP3_max_avail_socket = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 5), Integer32()).setLabel("fwSS-POP3-max-avail-socket").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_max_avail_socket.setStatus('current')
fwSS_POP3_socket_in_use_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 6), Integer32()).setLabel("fwSS-POP3-socket-in-use-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_socket_in_use_max.setStatus('current')
fwSS_POP3_socket_in_use_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 7), Integer32()).setLabel("fwSS-POP3-socket-in-use-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_socket_in_use_curr.setStatus('current')
fwSS_POP3_socket_in_use_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 8), Integer32()).setLabel("fwSS-POP3-socket-in-use-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_socket_in_use_count.setStatus('current')
fwSS_POP3_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 9), Integer32()).setLabel("fwSS-POP3-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_sess_max.setStatus('current')
fwSS_POP3_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 10), Integer32()).setLabel("fwSS-POP3-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_sess_curr.setStatus('current')
fwSS_POP3_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 11), Integer32()).setLabel("fwSS-POP3-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_sess_count.setStatus('current')
fwSS_POP3_auth_sess_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 12), Integer32()).setLabel("fwSS-POP3-auth-sess-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_auth_sess_max.setStatus('current')
fwSS_POP3_auth_sess_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 13), Integer32()).setLabel("fwSS-POP3-auth-sess-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_auth_sess_curr.setStatus('current')
fwSS_POP3_auth_sess_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 14), Integer32()).setLabel("fwSS-POP3-auth-sess-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_auth_sess_count.setStatus('current')
fwSS_POP3_accepted_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 15), Integer32()).setLabel("fwSS-POP3-accepted-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_accepted_sess.setStatus('current')
fwSS_POP3_rejected_sess = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 16), Integer32()).setLabel("fwSS-POP3-rejected-sess").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_rejected_sess.setStatus('current')
fwSS_POP3_auth_failures = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 17), Integer32()).setLabel("fwSS-POP3-auth-failures").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_auth_failures.setStatus('current')
fwSS_POP3_mail_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 18), Integer32()).setLabel("fwSS-POP3-mail-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_mail_max.setStatus('current')
fwSS_POP3_mail_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 19), Integer32()).setLabel("fwSS-POP3-mail-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_mail_curr.setStatus('current')
fwSS_POP3_mail_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 20), Integer32()).setLabel("fwSS-POP3-mail-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_mail_count.setStatus('current')
fwSS_POP3_outgoing_mail_max = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 21), Integer32()).setLabel("fwSS-POP3-outgoing-mail-max").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_outgoing_mail_max.setStatus('current')
fwSS_POP3_outgoing_mail_curr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 22), Integer32()).setLabel("fwSS-POP3-outgoing-mail-curr").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_outgoing_mail_curr.setStatus('current')
fwSS_POP3_outgoing_mail_count = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 23), Integer32()).setLabel("fwSS-POP3-outgoing-mail-count").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_outgoing_mail_count.setStatus('current')
fwSS_POP3_max_mail_on_conn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 24), Integer32()).setLabel("fwSS-POP3-max-mail-on-conn").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_max_mail_on_conn.setStatus('current')
fwSS_POP3_total_mails = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 25), Integer32()).setLabel("fwSS-POP3-total-mails").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_total_mails.setStatus('current')
fwSS_POP3_time_stamp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 26), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setLabel("fwSS-POP3-time-stamp").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_time_stamp.setStatus('current')
fwSS_POP3_is_alive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 27), Integer32()).setLabel("fwSS-POP3-is-alive").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_is_alive.setStatus('current')
fwSS_POP3_blocked_cnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 28), Integer32()).setLabel("fwSS-POP3-blocked-cnt").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_blocked_cnt.setStatus('current')
fwSS_POP3_blocked_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 29), Integer32()).setLabel("fwSS-POP3-blocked-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_blocked_total.setStatus('current')
fwSS_POP3_scanned_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 30), Integer32()).setLabel("fwSS-POP3-scanned-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_scanned_total.setStatus('current')
fwSS_POP3_blocked_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 31), Integer32()).setLabel("fwSS-POP3-blocked-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_blocked_by_file_type.setStatus('current')
fwSS_POP3_blocked_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 32), Integer32()).setLabel("fwSS-POP3-blocked-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_blocked_by_size_limit.setStatus('current')
fwSS_POP3_blocked_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 33), Integer32()).setLabel("fwSS-POP3-blocked-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_blocked_by_archive_limit.setStatus('current')
fwSS_POP3_blocked_by_internal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 34), Integer32()).setLabel("fwSS-POP3-blocked-by-internal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_blocked_by_internal_error.setStatus('current')
fwSS_POP3_passed_cnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 35), Integer32()).setLabel("fwSS-POP3-passed-cnt").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_passed_cnt.setStatus('current')
fwSS_POP3_passed_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 36), Integer32()).setLabel("fwSS-POP3-passed-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_passed_by_file_type.setStatus('current')
fwSS_POP3_passed_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 37), Integer32()).setLabel("fwSS-POP3-passed-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_passed_by_size_limit.setStatus('current')
fwSS_POP3_passed_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 38), Integer32()).setLabel("fwSS-POP3-passed-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_passed_by_archive_limit.setStatus('current')
fwSS_POP3_passed_by_internal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 39), Integer32()).setLabel("fwSS-POP3-passed-by-internal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_passed_by_internal_error.setStatus('current')
fwSS_POP3_passed_total = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 40), Integer32()).setLabel("fwSS-POP3-passed-total").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_passed_total.setStatus('current')
fwSS_POP3_blocked_by_AV_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 41), Integer32()).setLabel("fwSS-POP3-blocked-by-AV-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_blocked_by_AV_settings.setStatus('current')
fwSS_POP3_passed_by_AV_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 42), Integer32()).setLabel("fwSS-POP3-passed-by-AV-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_POP3_passed_by_AV_settings.setStatus('current')
fwSS_total_blocked_by_av = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 1), Integer32()).setLabel("fwSS-total-blocked-by-av").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_blocked_by_av.setStatus('current')
fwSS_total_blocked = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 2), Integer32()).setLabel("fwSS-total-blocked").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_blocked.setStatus('current')
fwSS_total_scanned = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 3), Integer32()).setLabel("fwSS-total-scanned").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_scanned.setStatus('current')
fwSS_total_blocked_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 4), Integer32()).setLabel("fwSS-total-blocked-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_blocked_by_file_type.setStatus('current')
fwSS_total_blocked_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 5), Integer32()).setLabel("fwSS-total-blocked-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_blocked_by_size_limit.setStatus('current')
fwSS_total_blocked_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 6), Integer32()).setLabel("fwSS-total-blocked-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_blocked_by_archive_limit.setStatus('current')
fwSS_total_blocked_by_interal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 7), Integer32()).setLabel("fwSS-total-blocked-by-interal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_blocked_by_interal_error.setStatus('current')
fwSS_total_passed_by_av = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 8), Integer32()).setLabel("fwSS-total-passed-by-av").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_passed_by_av.setStatus('current')
fwSS_total_passed_by_file_type = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 9), Integer32()).setLabel("fwSS-total-passed-by-file-type").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_passed_by_file_type.setStatus('current')
fwSS_total_passed_by_size_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 10), Integer32()).setLabel("fwSS-total-passed-by-size-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_passed_by_size_limit.setStatus('current')
fwSS_total_passed_by_archive_limit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 11), Integer32()).setLabel("fwSS-total-passed-by-archive-limit").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_passed_by_archive_limit.setStatus('current')
fwSS_total_passed_by_interal_error = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 12), Integer32()).setLabel("fwSS-total-passed-by-interal-error").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_passed_by_interal_error.setStatus('current')
fwSS_total_passed = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 13), Integer32()).setLabel("fwSS-total-passed").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_passed.setStatus('current')
fwSS_total_blocked_by_av_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 14), Integer32()).setLabel("fwSS-total-blocked-by-av-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_blocked_by_av_settings.setStatus('current')
fwSS_total_passed_by_av_settings = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 15), Integer32()).setLabel("fwSS-total-passed-by-av-settings").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSS_total_passed_by_av_settings.setStatus('current')
fwConnectionsStatConnectionsTcp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwConnectionsStatConnectionsTcp.setStatus('current')
fwConnectionsStatConnectionsUdp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwConnectionsStatConnectionsUdp.setStatus('current')
fwConnectionsStatConnectionsIcmp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwConnectionsStatConnectionsIcmp.setStatus('current')
fwConnectionsStatConnectionsOther = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwConnectionsStatConnectionsOther.setStatus('current')
fwConnectionsStatConnections = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwConnectionsStatConnections.setStatus('current')
fwConnectionsStatConnectionRate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwConnectionsStatConnectionRate.setStatus('current')
fwHmem64_block_size = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 1), DisplayString()).setLabel("fwHmem64-block-size").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_block_size.setStatus('current')
fwHmem64_requested_bytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 2), DisplayString()).setLabel("fwHmem64-requested-bytes").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_requested_bytes.setStatus('current')
fwHmem64_initial_allocated_bytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 3), DisplayString()).setLabel("fwHmem64-initial-allocated-bytes").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_initial_allocated_bytes.setStatus('current')
fwHmem64_initial_allocated_blocks = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 4), Integer32()).setLabel("fwHmem64-initial-allocated-blocks").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_initial_allocated_blocks.setStatus('current')
fwHmem64_initial_allocated_pools = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 5), Integer32()).setLabel("fwHmem64-initial-allocated-pools").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_initial_allocated_pools.setStatus('current')
fwHmem64_current_allocated_bytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 6), DisplayString()).setLabel("fwHmem64-current-allocated-bytes").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_current_allocated_bytes.setStatus('current')
fwHmem64_current_allocated_blocks = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 7), Integer32()).setLabel("fwHmem64-current-allocated-blocks").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_current_allocated_blocks.setStatus('current')
fwHmem64_current_allocated_pools = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 8), Integer32()).setLabel("fwHmem64-current-allocated-pools").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_current_allocated_pools.setStatus('current')
fwHmem64_maximum_bytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 9), DisplayString()).setLabel("fwHmem64-maximum-bytes").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_maximum_bytes.setStatus('current')
fwHmem64_maximum_pools = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 10), Integer32()).setLabel("fwHmem64-maximum-pools").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_maximum_pools.setStatus('current')
fwHmem64_bytes_used = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 11), DisplayString()).setLabel("fwHmem64-bytes-used").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_bytes_used.setStatus('current')
fwHmem64_blocks_used = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 12), Integer32()).setLabel("fwHmem64-blocks-used").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_blocks_used.setStatus('current')
fwHmem64_bytes_unused = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 13), DisplayString()).setLabel("fwHmem64-bytes-unused").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_bytes_unused.setStatus('current')
fwHmem64_blocks_unused = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 14), Integer32()).setLabel("fwHmem64-blocks-unused").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_blocks_unused.setStatus('current')
fwHmem64_bytes_peak = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 15), DisplayString()).setLabel("fwHmem64-bytes-peak").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_bytes_peak.setStatus('current')
fwHmem64_blocks_peak = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 16), Integer32()).setLabel("fwHmem64-blocks-peak").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_blocks_peak.setStatus('current')
fwHmem64_bytes_internal_use = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 17), Integer32()).setLabel("fwHmem64-bytes-internal-use").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_bytes_internal_use.setStatus('current')
fwHmem64_number_of_items = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 18), DisplayString()).setLabel("fwHmem64-number-of-items").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_number_of_items.setStatus('current')
fwHmem64_alloc_operations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 19), Integer32()).setLabel("fwHmem64-alloc-operations").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_alloc_operations.setStatus('current')
fwHmem64_free_operations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 20), Integer32()).setLabel("fwHmem64-free-operations").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_free_operations.setStatus('current')
fwHmem64_failed_alloc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 21), Integer32()).setLabel("fwHmem64-failed-alloc").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_failed_alloc.setStatus('current')
fwHmem64_failed_free = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 22), Integer32()).setLabel("fwHmem64-failed-free").setMaxAccess("readonly")
if mibBuilder.loadTexts: fwHmem64_failed_free.setStatus('current')
fwNetIfTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27), )
if mibBuilder.loadTexts: fwNetIfTable.setStatus('current')
fwNetIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "fwNetIfIndex"))
if mibBuilder.loadTexts: fwNetIfEntry.setStatus('current')
fwNetIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfIndex.setStatus('current')
fwNetIfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfName.setStatus('current')
fwNetIfIPAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfIPAddr.setStatus('current')
fwNetIfNetmask = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfNetmask.setStatus('current')
fwNetIfFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfFlags.setStatus('current')
fwNetIfPeerName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfPeerName.setStatus('current')
fwNetIfRemoteIp = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfRemoteIp.setStatus('current')
fwNetIfTopology = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfTopology.setStatus('current')
fwNetIfProxyName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfProxyName.setStatus('current')
fwNetIfSlaves = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfSlaves.setStatus('current')
fwNetIfPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwNetIfPorts.setStatus('current')
fwLSConn = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30))
fwLSConnOverall = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLSConnOverall.setStatus('current')
fwLSConnOverallDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLSConnOverallDesc.setStatus('current')
fwLSConnTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3), )
if mibBuilder.loadTexts: fwLSConnTable.setStatus('current')
fwLocalLoggingDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLocalLoggingDesc.setStatus('current')
fwLocalLoggingStat = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLocalLoggingStat.setStatus('current')
fwLSConnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "fwLSConnIndex"))
if mibBuilder.loadTexts: fwLSConnEntry.setStatus('current')
fwLSConnIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLSConnIndex.setStatus('current')
fwLSConnName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLSConnName.setStatus('current')
fwLSConnState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLSConnState.setStatus('current')
fwLSConnStateDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwLSConnStateDesc.setStatus('current')
fwSXLGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1))
fwSXLStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSXLStatus.setStatus('current')
fwSXLConnsExisting = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSXLConnsExisting.setStatus('current')
fwSXLConnsAdded = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSXLConnsAdded.setStatus('current')
fwSXLConnsDeleted = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fwSXLConnsDeleted.setStatus('current')
cpvGeneral = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4))
cpvIpsec = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5))
cpvFwz = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6))
cpvAccelerator = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8))
cpvIKE = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9))
cpvIPsec = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10))
cpvStatistics = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 1))
cpvErrors = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2))
cpvSaStatistics = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2))
cpvSaErrors = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3))
cpvIpsecStatistics = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4))
cpvFwzStatistics = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1))
cpvFwzErrors = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2))
cpvHwAccelGeneral = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1))
cpvHwAccelStatistics = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2))
cpvIKEglobals = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1))
cpvIKEerrors = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 2))
cpvIPsecNIC = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1))
cpvProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvProdName.setStatus('current')
cpvVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvVerMajor.setStatus('current')
cpvVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvVerMinor.setStatus('current')
cpvEncPackets = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvEncPackets.setStatus('current')
cpvDecPackets = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvDecPackets.setStatus('current')
cpvErrOut = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvErrOut.setStatus('current')
cpvErrIn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvErrIn.setStatus('current')
cpvErrIke = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvErrIke.setStatus('current')
cpvErrPolicy = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvErrPolicy.setStatus('current')
cpvCurrEspSAsIn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvCurrEspSAsIn.setStatus('current')
cpvTotalEspSAsIn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvTotalEspSAsIn.setStatus('current')
cpvCurrEspSAsOut = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvCurrEspSAsOut.setStatus('current')
cpvTotalEspSAsOut = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvTotalEspSAsOut.setStatus('current')
cpvCurrAhSAsIn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvCurrAhSAsIn.setStatus('current')
cpvTotalAhSAsIn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvTotalAhSAsIn.setStatus('current')
cpvCurrAhSAsOut = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvCurrAhSAsOut.setStatus('current')
cpvTotalAhSAsOut = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvTotalAhSAsOut.setStatus('current')
cpvMaxConncurEspSAsIn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvMaxConncurEspSAsIn.setStatus('current')
cpvMaxConncurEspSAsOut = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvMaxConncurEspSAsOut.setStatus('current')
cpvMaxConncurAhSAsIn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvMaxConncurAhSAsIn.setStatus('current')
cpvMaxConncurAhSAsOut = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 12), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvMaxConncurAhSAsOut.setStatus('current')
cpvSaDecrErr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvSaDecrErr.setStatus('current')
cpvSaAuthErr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvSaAuthErr.setStatus('current')
cpvSaReplayErr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvSaReplayErr.setStatus('current')
cpvSaPolicyErr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvSaPolicyErr.setStatus('current')
cpvSaOtherErrIn = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvSaOtherErrIn.setStatus('current')
cpvSaOtherErrOut = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvSaOtherErrOut.setStatus('current')
cpvSaUnknownSpiErr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvSaUnknownSpiErr.setStatus('current')
cpvIpsecUdpEspEncPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecUdpEspEncPkts.setStatus('current')
cpvIpsecUdpEspDecPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecUdpEspDecPkts.setStatus('current')
cpvIpsecAhEncPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecAhEncPkts.setStatus('current')
cpvIpsecAhDecPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecAhDecPkts.setStatus('current')
cpvIpsecEspEncPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecEspEncPkts.setStatus('current')
cpvIpsecEspDecPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecEspDecPkts.setStatus('current')
cpvIpsecDecomprBytesBefore = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecDecomprBytesBefore.setStatus('current')
cpvIpsecDecomprBytesAfter = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecDecomprBytesAfter.setStatus('current')
cpvIpsecDecomprOverhead = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecDecomprOverhead.setStatus('current')
cpvIpsecDecomprPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecDecomprPkts.setStatus('current')
cpvIpsecDecomprErr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecDecomprErr.setStatus('current')
cpvIpsecComprBytesBefore = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 12), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecComprBytesBefore.setStatus('current')
cpvIpsecComprBytesAfter = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecComprBytesAfter.setStatus('current')
cpvIpsecComprOverhead = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 14), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecComprOverhead.setStatus('current')
cpvIpsecNonCompressibleBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 15), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecNonCompressibleBytes.setStatus('current')
cpvIpsecCompressiblePkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 16), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecCompressiblePkts.setStatus('current')
cpvIpsecNonCompressiblePkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 17), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecNonCompressiblePkts.setStatus('current')
cpvIpsecComprErrors = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 18), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecComprErrors.setStatus('current')
cpvIpsecEspEncBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 19), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecEspEncBytes.setStatus('current')
cpvIpsecEspDecBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 20), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIpsecEspDecBytes.setStatus('current')
cpvFwzEncapsEncPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvFwzEncapsEncPkts.setStatus('current')
cpvFwzEncapsDecPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvFwzEncapsDecPkts.setStatus('current')
cpvFwzEncPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvFwzEncPkts.setStatus('current')
cpvFwzDecPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvFwzDecPkts.setStatus('current')
cpvFwzEncapsEncErrs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvFwzEncapsEncErrs.setStatus('current')
cpvFwzEncapsDecErrs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvFwzEncapsDecErrs.setStatus('current')
cpvFwzEncErrs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvFwzEncErrs.setStatus('current')
cpvFwzDecErrs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvFwzDecErrs.setStatus('current')
cpvHwAccelVendor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelVendor.setStatus('current')
cpvHwAccelStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelStatus.setStatus('current')
cpvHwAccelDriverMajorVer = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelDriverMajorVer.setStatus('current')
cpvHwAccelDriverMinorVer = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelDriverMinorVer.setStatus('current')
cpvHwAccelEspEncPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelEspEncPkts.setStatus('current')
cpvHwAccelEspDecPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelEspDecPkts.setStatus('current')
cpvHwAccelEspEncBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelEspEncBytes.setStatus('current')
cpvHwAccelEspDecBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelEspDecBytes.setStatus('current')
cpvHwAccelAhEncPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelAhEncPkts.setStatus('current')
cpvHwAccelAhDecPkts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelAhDecPkts.setStatus('current')
cpvHwAccelAhEncBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelAhEncBytes.setStatus('current')
cpvHwAccelAhDecBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvHwAccelAhDecBytes.setStatus('current')
cpvIKECurrSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKECurrSAs.setStatus('current')
cpvIKECurrInitSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKECurrInitSAs.setStatus('current')
cpvIKECurrRespSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKECurrRespSAs.setStatus('current')
cpvIKETotalSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKETotalSAs.setStatus('current')
cpvIKETotalInitSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKETotalInitSAs.setStatus('current')
cpvIKETotalRespSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKETotalRespSAs.setStatus('current')
cpvIKETotalSAsAttempts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKETotalSAsAttempts.setStatus('current')
cpvIKETotalSAsInitAttempts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKETotalSAsInitAttempts.setStatus('current')
cpvIKETotalSAsRespAttempts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKETotalSAsRespAttempts.setStatus('current')
cpvIKEMaxConncurSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKEMaxConncurSAs.setStatus('current')
cpvIKEMaxConncurInitSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKEMaxConncurInitSAs.setStatus('current')
cpvIKEMaxConncurRespSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 12), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKEMaxConncurRespSAs.setStatus('current')
cpvIKETotalFailuresInit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 2, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKETotalFailuresInit.setStatus('current')
cpvIKENoResp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKENoResp.setStatus('current')
cpvIKETotalFailuresResp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 2, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIKETotalFailuresResp.setStatus('current')
cpvIPsecNICsNum = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIPsecNICsNum.setStatus('current')
cpvIPsecNICTotalDownLoadedSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIPsecNICTotalDownLoadedSAs.setStatus('current')
cpvIPsecNICCurrDownLoadedSAs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIPsecNICCurrDownLoadedSAs.setStatus('current')
cpvIPsecNICDecrBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIPsecNICDecrBytes.setStatus('current')
cpvIPsecNICEncrBytes = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIPsecNICEncrBytes.setStatus('current')
cpvIPsecNICDecrPackets = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIPsecNICDecrPackets.setStatus('current')
cpvIPsecNICEncrPackets = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpvIPsecNICEncrPackets.setStatus('current')
fgProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgProdName.setStatus('current')
fgVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgVerMajor.setStatus('current')
fgVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgVerMinor.setStatus('current')
fgVersionString = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgVersionString.setStatus('current')
fgModuleKernelBuild = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgModuleKernelBuild.setStatus('current')
fgStrPolicyName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgStrPolicyName.setStatus('current')
fgInstallTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgInstallTime.setStatus('current')
fgNumInterfaces = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgNumInterfaces.setStatus('current')
fgIfTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9), )
if mibBuilder.loadTexts: fgIfTable.setStatus('current')
fgIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "fgIfIndex"))
if mibBuilder.loadTexts: fgIfEntry.setStatus('current')
fgIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgIfIndex.setStatus('current')
fgIfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgIfName.setStatus('current')
fgPolicyName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgPolicyName.setStatus('current')
fgRateLimitIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgRateLimitIn.setStatus('current')
fgRateLimitOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgRateLimitOut.setStatus('current')
fgAvrRateIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgAvrRateIn.setStatus('current')
fgAvrRateOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgAvrRateOut.setStatus('current')
fgRetransPcktsIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgRetransPcktsIn.setStatus('current')
fgRetransPcktsOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgRetransPcktsOut.setStatus('current')
fgPendPcktsIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgPendPcktsIn.setStatus('current')
fgPendPcktsOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgPendPcktsOut.setStatus('current')
fgPendBytesIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgPendBytesIn.setStatus('current')
fgPendBytesOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgPendBytesOut.setStatus('current')
fgNumConnIn = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgNumConnIn.setStatus('current')
fgNumConnOut = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fgNumConnOut.setStatus('current')
haProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: haProdName.setStatus('current')
haInstalled = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haInstalled.setStatus('current')
haVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haVerMajor.setStatus('current')
haVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haVerMinor.setStatus('current')
haStarted = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: haStarted.setStatus('current')
haState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: haState.setStatus('current')
haBlockState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: haBlockState.setStatus('current')
haIdentifier = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haIdentifier.setStatus('current')
haProtoVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haProtoVersion.setStatus('current')
haWorkMode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 11), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: haWorkMode.setStatus('current')
haVersionSting = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: haVersionSting.setStatus('current')
haStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haStatCode.setStatus('current')
haStatShort = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 102), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: haStatShort.setStatus('current')
haStatLong = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 103), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: haStatLong.setStatus('current')
haServicePack = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 999), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haServicePack.setStatus('current')
haIfTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12), )
if mibBuilder.loadTexts: haIfTable.setStatus('current')
haIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "haIfIndex"))
if mibBuilder.loadTexts: haIfEntry.setStatus('current')
haIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haIfIndex.setStatus('current')
haIfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haIfName.setStatus('current')
haIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haIP.setStatus('current')
haStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haStatus.setStatus('current')
haVerified = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haVerified.setStatus('current')
haTrusted = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haTrusted.setStatus('current')
haShared = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haShared.setStatus('current')
haProblemTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13), )
if mibBuilder.loadTexts: haProblemTable.setStatus('current')
haProblemEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "haIfIndex"))
if mibBuilder.loadTexts: haProblemEntry.setStatus('current')
haProblemIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haProblemIndex.setStatus('current')
haProblemName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haProblemName.setStatus('current')
haProblemStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haProblemStatus.setStatus('current')
haProblemPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haProblemPriority.setStatus('current')
haProblemVerified = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haProblemVerified.setStatus('current')
haProblemDescr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haProblemDescr.setStatus('current')
haClusterIpTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15), )
if mibBuilder.loadTexts: haClusterIpTable.setStatus('current')
haClusterIpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "haClusterIpIndex"))
if mibBuilder.loadTexts: haClusterIpEntry.setStatus('current')
haClusterIpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterIpIndex.setStatus('current')
haClusterIpIfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterIpIfName.setStatus('current')
haClusterIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterIpAddr.setStatus('current')
haClusterIpNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterIpNetMask.setStatus('current')
haClusterIpMemberNet = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterIpMemberNet.setStatus('current')
haClusterIpMemberNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterIpMemberNetMask.setStatus('current')
haClusterSyncTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16), )
if mibBuilder.loadTexts: haClusterSyncTable.setStatus('current')
haClusterSyncEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "haClusterSyncIndex"))
if mibBuilder.loadTexts: haClusterSyncEntry.setStatus('current')
haClusterSyncIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterSyncIndex.setStatus('current')
haClusterSyncName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterSyncName.setStatus('current')
haClusterSyncAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterSyncAddr.setStatus('current')
haClusterSyncNetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: haClusterSyncNetMask.setStatus('current')
svnInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 4))
svnOSInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5))
svnPerf = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7))
svnApplianceInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 16))
svnMem = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1))
svnProc = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2))
svnDisk = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3))
svnMem64 = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4))
svnRoutingModify = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9))
svnLogDaemon = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 11))
svnProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnProdName.setStatus('current')
svnProdVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnProdVerMajor.setStatus('current')
svnProdVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnProdVerMinor.setStatus('current')
svnVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 4, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnVersion.setStatus('current')
svnBuild = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 4, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnBuild.setStatus('current')
osName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: osName.setStatus('current')
osMajorVer = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: osMajorVer.setStatus('current')
osMinorVer = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: osMinorVer.setStatus('current')
osBuildNum = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: osBuildNum.setStatus('current')
osSPmajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: osSPmajor.setStatus('current')
osSPminor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: osSPminor.setStatus('current')
osVersionLevel = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: osVersionLevel.setStatus('current')
svnApplianceSerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 16, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnApplianceSerialNumber.setStatus('current')
svnApplianceManufacturer = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 16, 9), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnApplianceManufacturer.setStatus('current')
svnApplianceProductName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 16, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnApplianceProductName.setStatus('current')
memTotalVirtual = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalVirtual.setStatus('current')
memActiveVirtual = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memActiveVirtual.setStatus('current')
memTotalReal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalReal.setStatus('current')
memActiveReal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memActiveReal.setStatus('current')
memFreeReal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memFreeReal.setStatus('current')
memSwapsSec = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memSwapsSec.setStatus('current')
memDiskTransfers = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memDiskTransfers.setStatus('current')
procUsrTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: procUsrTime.setStatus('current')
procSysTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: procSysTime.setStatus('current')
procIdleTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: procIdleTime.setStatus('current')
procUsage = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: procUsage.setStatus('current')
procQueue = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: procQueue.setStatus('current')
procInterrupts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: procInterrupts.setStatus('current')
procNum = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: procNum.setStatus('current')
diskTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: diskTime.setStatus('current')
diskQueue = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: diskQueue.setStatus('current')
diskPercent = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: diskPercent.setStatus('current')
diskFreeTotal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: diskFreeTotal.setStatus('current')
diskFreeAvail = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: diskFreeAvail.setStatus('current')
diskTotal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: diskTotal.setStatus('current')
memTotalVirtual64 = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalVirtual64.setStatus('current')
memActiveVirtual64 = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: memActiveVirtual64.setStatus('current')
memTotalReal64 = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: memTotalReal64.setStatus('current')
memActiveReal64 = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: memActiveReal64.setStatus('current')
memFreeReal64 = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: memFreeReal64.setStatus('current')
memSwapsSec64 = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memSwapsSec64.setStatus('current')
memDiskTransfers64 = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: memDiskTransfers64.setStatus('current')
multiProcTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5), )
if mibBuilder.loadTexts: multiProcTable.setStatus('current')
multiProcEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "multiProcIndex"))
if mibBuilder.loadTexts: multiProcEntry.setStatus('current')
multiProcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiProcIndex.setStatus('current')
multiProcUserTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiProcUserTime.setStatus('current')
multiProcSystemTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiProcSystemTime.setStatus('current')
multiProcIdleTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiProcIdleTime.setStatus('current')
multiProcUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiProcUsage.setStatus('current')
multiProcRunQueue = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiProcRunQueue.setStatus('current')
multiProcInterrupts = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiProcInterrupts.setStatus('current')
multiDiskTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6), )
if mibBuilder.loadTexts: multiDiskTable.setStatus('current')
multiDiskEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "multiDiskIndex"))
if mibBuilder.loadTexts: multiDiskEntry.setStatus('current')
multiDiskIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiDiskIndex.setStatus('current')
multiDiskName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiDiskName.setStatus('current')
multiDiskSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiDiskSize.setStatus('current')
multiDiskUsed = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiDiskUsed.setStatus('current')
multiDiskFreeTotalBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiDiskFreeTotalBytes.setStatus('current')
multiDiskFreeTotalPercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiDiskFreeTotalPercent.setStatus('current')
multiDiskFreeAvailableBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiDiskFreeAvailableBytes.setStatus('current')
multiDiskFreeAvailablePercent = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: multiDiskFreeAvailablePercent.setStatus('current')
raidInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7))
sensorInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8))
powerSupplyInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9))
raidVolumeTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1), )
if mibBuilder.loadTexts: raidVolumeTable.setStatus('current')
raidVolumeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "raidVolumeIndex"))
if mibBuilder.loadTexts: raidVolumeEntry.setStatus('current')
raidVolumeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidVolumeIndex.setStatus('current')
raidVolumeID = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidVolumeID.setStatus('current')
raidVolumeType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidVolumeType.setStatus('current')
numOfDisksOnRaid = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfDisksOnRaid.setStatus('current')
raidVolumeMaxLBA = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidVolumeMaxLBA.setStatus('current')
raidVolumeState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidVolumeState.setStatus('current')
raidVolumeFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidVolumeFlags.setStatus('current')
raidVolumeSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidVolumeSize.setStatus('current')
raidDiskTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2), )
if mibBuilder.loadTexts: raidDiskTable.setStatus('current')
raidDiskEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "raidDiskIndex"))
if mibBuilder.loadTexts: raidDiskEntry.setStatus('current')
raidDiskIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskIndex.setStatus('current')
raidDiskVolumeID = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskVolumeID.setStatus('current')
raidDiskID = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskID.setStatus('current')
raidDiskNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskNumber.setStatus('current')
raidDiskVendor = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskVendor.setStatus('current')
raidDiskProductID = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskProductID.setStatus('current')
raidDiskRevision = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskRevision.setStatus('current')
raidDiskMaxLBA = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskMaxLBA.setStatus('current')
raidDiskState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskState.setStatus('current')
raidDiskFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskFlags.setStatus('current')
raidDiskSyncState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskSyncState.setStatus('current')
raidDiskSize = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: raidDiskSize.setStatus('current')
tempertureSensorTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1), )
if mibBuilder.loadTexts: tempertureSensorTable.setStatus('current')
tempertureSensorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "tempertureSensorIndex"))
if mibBuilder.loadTexts: tempertureSensorEntry.setStatus('current')
tempertureSensorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: tempertureSensorIndex.setStatus('current')
tempertureSensorName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: tempertureSensorName.setStatus('current')
tempertureSensorValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: tempertureSensorValue.setStatus('current')
tempertureSensorUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: tempertureSensorUnit.setStatus('current')
tempertureSensorType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: tempertureSensorType.setStatus('current')
tempertureSensorStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: tempertureSensorStatus.setStatus('current')
fanSpeedSensorTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2), )
if mibBuilder.loadTexts: fanSpeedSensorTable.setStatus('current')
fanSpeedSensorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "fanSpeedSensorIndex"))
if mibBuilder.loadTexts: fanSpeedSensorEntry.setStatus('current')
fanSpeedSensorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fanSpeedSensorIndex.setStatus('current')
fanSpeedSensorName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fanSpeedSensorName.setStatus('current')
fanSpeedSensorValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fanSpeedSensorValue.setStatus('current')
fanSpeedSensorUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fanSpeedSensorUnit.setStatus('current')
fanSpeedSensorType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: fanSpeedSensorType.setStatus('current')
fanSpeedSensorStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: fanSpeedSensorStatus.setStatus('current')
voltageSensorTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3), )
if mibBuilder.loadTexts: voltageSensorTable.setStatus('current')
voltageSensorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "voltageSensorIndex"))
if mibBuilder.loadTexts: voltageSensorEntry.setStatus('current')
voltageSensorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voltageSensorIndex.setStatus('current')
voltageSensorName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: voltageSensorName.setStatus('current')
voltageSensorValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: voltageSensorValue.setStatus('current')
voltageSensorUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: voltageSensorUnit.setStatus('current')
voltageSensorType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: voltageSensorType.setStatus('current')
voltageSensorStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voltageSensorStatus.setStatus('current')
powerSupplyTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9, 1), )
if mibBuilder.loadTexts: powerSupplyTable.setStatus('current')
powerSupplyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "powerSupplyIndex"))
if mibBuilder.loadTexts: powerSupplyEntry.setStatus('current')
powerSupplyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: powerSupplyIndex.setStatus('current')
powerSupplyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: powerSupplyStatus.setStatus('current')
routingTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6), )
if mibBuilder.loadTexts: routingTable.setStatus('current')
routingEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "routingIndex"))
if mibBuilder.loadTexts: routingEntry.setStatus('current')
routingIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: routingIndex.setStatus('current')
routingDest = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 2), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: routingDest.setStatus('current')
routingMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: routingMask.setStatus('current')
routingGatweway = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 4), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: routingGatweway.setStatus('current')
routingIntrfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: routingIntrfName.setStatus('current')
svnSysTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnSysTime.setStatus('current')
svnRouteModDest = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 2), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnRouteModDest.setStatus('current')
svnRouteModMask = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnRouteModMask.setStatus('current')
svnRouteModGateway = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 4), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnRouteModGateway.setStatus('current')
svnRouteModIfIndex = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnRouteModIfIndex.setStatus('current')
svnRouteModIfName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnRouteModIfName.setStatus('current')
svnRouteModAction = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnRouteModAction.setStatus('current')
svnUTCTimeOffset = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnUTCTimeOffset.setStatus('current')
svnLogDStat = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 11, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnLogDStat.setStatus('current')
svnSysStartTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnSysStartTime.setStatus('current')
svnSysUniqId = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnSysUniqId.setStatus('current')
svnWebUIPort = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnWebUIPort.setStatus('current')
svnNetStat = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50))
svnNetIfTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1), )
if mibBuilder.loadTexts: svnNetIfTable.setStatus('current')
svnNetIfTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "svnNetIfIndex"))
if mibBuilder.loadTexts: svnNetIfTableEntry.setStatus('current')
svnNetIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfIndex.setStatus('current')
svnNetIfVsid = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfVsid.setStatus('current')
svnNetIfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfName.setStatus('current')
svnNetIfAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 4), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfAddress.setStatus('current')
svnNetIfMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 5), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfMask.setStatus('current')
svnNetIfMTU = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfMTU.setStatus('current')
svnNetIfState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfState.setStatus('current')
svnNetIfMAC = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfMAC.setStatus('current')
svnNetIfDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfDescription.setStatus('current')
svnNetIfOperState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnNetIfOperState.setStatus('current')
vsRoutingTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51), )
if mibBuilder.loadTexts: vsRoutingTable.setStatus('current')
vsRoutingEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "vsRoutingIndex"))
if mibBuilder.loadTexts: vsRoutingEntry.setStatus('current')
vsRoutingIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsRoutingIndex.setStatus('current')
vsRoutingDest = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 2), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsRoutingDest.setStatus('current')
vsRoutingMask = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 3), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsRoutingMask.setStatus('current')
vsRoutingGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 4), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsRoutingGateway.setStatus('current')
vsRoutingIntrfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsRoutingIntrfName.setStatus('current')
vsRoutingVsId = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: vsRoutingVsId.setStatus('current')
svnStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnStatCode.setStatus('current')
svnStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 102), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnStatShortDescr.setStatus('current')
svnStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 103), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnStatLongDescr.setStatus('current')
svnServicePack = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 999), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: svnServicePack.setStatus('current')
mgProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgProdName.setStatus('current')
mgVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgVerMajor.setStatus('current')
mgVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgVerMinor.setStatus('current')
mgBuildNumber = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgBuildNumber.setStatus('current')
mgActiveStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgActiveStatus.setStatus('current')
mgFwmIsAlive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgFwmIsAlive.setStatus('current')
mgConnectedClientsTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7), )
if mibBuilder.loadTexts: mgConnectedClientsTable.setStatus('current')
mgConnectedClientsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "mgIndex"))
if mibBuilder.loadTexts: mgConnectedClientsEntry.setStatus('current')
mgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgIndex.setStatus('current')
mgClientName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgClientName.setStatus('current')
mgClientHost = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgClientHost.setStatus('current')
mgClientDbLock = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgClientDbLock.setStatus('current')
mgApplicationType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgApplicationType.setStatus('current')
mgStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgStatCode.setStatus('current')
mgStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 102), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgStatShortDescr.setStatus('current')
mgStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 103), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgStatLongDescr.setStatus('current')
wamPluginPerformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 8, 6))
wamPolicy = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 8, 7))
wamUagQueries = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8))
wamGlobalPerformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 8, 9))
wamProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamProdName.setStatus('current')
wamVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamVerMajor.setStatus('current')
wamVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamVerMinor.setStatus('current')
wamState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamState.setStatus('current')
wamName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamName.setStatus('current')
wamStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamStatCode.setStatus('current')
wamStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 102), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamStatShortDescr.setStatus('current')
wamStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 103), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamStatLongDescr.setStatus('current')
wamAcceptReq = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 6, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamAcceptReq.setStatus('current')
wamRejectReq = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 6, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamRejectReq.setStatus('current')
wamPolicyName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 7, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamPolicyName.setStatus('current')
wamPolicyUpdate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 7, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamPolicyUpdate.setStatus('current')
wamUagHost = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamUagHost.setStatus('current')
wamUagIp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamUagIp.setStatus('current')
wamUagPort = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamUagPort.setStatus('current')
wamUagNoQueries = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamUagNoQueries.setStatus('current')
wamUagLastQuery = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamUagLastQuery.setStatus('current')
wamOpenSessions = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 9, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamOpenSessions.setStatus('current')
wamLastSession = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 9, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wamLastSession.setStatus('current')
dtpsProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtpsProdName.setStatus('current')
dtpsVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtpsVerMajor.setStatus('current')
dtpsVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtpsVerMinor.setStatus('current')
dtpsLicensedUsers = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtpsLicensedUsers.setStatus('current')
dtpsConnectedUsers = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtpsConnectedUsers.setStatus('current')
dtpsStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtpsStatCode.setStatus('current')
dtpsStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 102), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtpsStatShortDescr.setStatus('current')
dtpsStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 103), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dtpsStatLongDescr.setStatus('current')
lsProdName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsProdName.setStatus('current')
lsVerMajor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsVerMajor.setStatus('current')
lsVerMinor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsVerMinor.setStatus('current')
lsBuildNumber = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsBuildNumber.setStatus('current')
lsFwmIsAlive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsFwmIsAlive.setStatus('current')
lsStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsStatCode.setStatus('current')
lsStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 102), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsStatShortDescr.setStatus('current')
lsStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 103), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsStatLongDescr.setStatus('current')
lsConnectedClientsTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7), )
if mibBuilder.loadTexts: lsConnectedClientsTable.setStatus('current')
lsConnectedClientsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "lsIndex"))
if mibBuilder.loadTexts: lsConnectedClientsEntry.setStatus('current')
lsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsIndex.setStatus('current')
lsClientName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsClientName.setStatus('current')
lsClientHost = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsClientHost.setStatus('current')
lsClientDbLock = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsClientDbLock.setStatus('current')
lsApplicationType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: lsApplicationType.setStatus('current')
asmAttacks = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1))
asmLayer3 = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 1))
asmLayer4 = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2))
asmTCP = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1))
asmSynatk = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1))
asmSmallPmtu = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 2))
asmSeqval = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 3))
asmUDP = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 2))
asmScans = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3))
asmHostPortScan = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3, 1))
asmIPSweep = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3, 2))
asmLayer5 = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3))
asmHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1))
asmHttpWorms = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 1))
asmHttpFormatViolatoin = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 2))
asmHttpAsciiViolation = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 3))
asmHttpP2PHeaderFilter = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 4))
asmCIFS = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2))
asmCIFSWorms = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 1))
asmCIFSNullSession = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 2))
asmCIFSBlockedPopUps = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 3))
asmCIFSBlockedCommands = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 4))
asmCIFSPasswordLengthViolations = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 5))
asmP2P = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3))
asmP2POtherConAttempts = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 1))
asmP2PKazaaConAttempts = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 2))
asmP2PeMuleConAttempts = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 3))
asmP2PGnutellaConAttempts = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 4))
asmP2PSkypeCon = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 5))
asmP2PBitTorrentCon = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 6))
asmSynatkSynAckTimeout = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: asmSynatkSynAckTimeout.setStatus('current')
asmSynatkSynAckReset = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: asmSynatkSynAckReset.setStatus('current')
asmSynatkModeChange = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: asmSynatkModeChange.setStatus('current')
asmSynatkCurrentMode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: asmSynatkCurrentMode.setStatus('current')
asmSynatkNumberofunAckedSyns = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: asmSynatkNumberofunAckedSyns.setStatus('current')
smallPMTUNumberOfAttacks = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: smallPMTUNumberOfAttacks.setStatus('current')
smallPMTUValueOfMinimalMTUsize = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: smallPMTUValueOfMinimalMTUsize.setStatus('current')
sequenceVerifierInvalidAck = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sequenceVerifierInvalidAck.setStatus('current')
sequenceVerifierInvalidSequence = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 3, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sequenceVerifierInvalidSequence.setStatus('current')
sequenceVerifierInvalidretransmit = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 3, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sequenceVerifierInvalidretransmit.setStatus('current')
httpWorms = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: httpWorms.setStatus('current')
numOfhostPortScan = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfhostPortScan.setStatus('current')
numOfIpSweep = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfIpSweep.setStatus('current')
httpURLLengthViolation = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: httpURLLengthViolation.setStatus('current')
httpHeaderLengthViolations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: httpHeaderLengthViolations.setStatus('current')
httpMaxHeaderReached = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 2, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: httpMaxHeaderReached.setStatus('current')
numOfHttpASCIIViolations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfHttpASCIIViolations.setStatus('current')
numOfHttpP2PHeaders = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfHttpP2PHeaders.setStatus('current')
numOfCIFSworms = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfCIFSworms.setStatus('current')
numOfCIFSNullSessions = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfCIFSNullSessions.setStatus('current')
numOfCIFSBlockedPopUps = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfCIFSBlockedPopUps.setStatus('current')
numOfCIFSBlockedCommands = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfCIFSBlockedCommands.setStatus('current')
numOfCIFSPasswordLengthViolations = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 5, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfCIFSPasswordLengthViolations.setStatus('current')
numOfP2POtherConAttempts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfP2POtherConAttempts.setStatus('current')
numOfP2PKazaaConAttempts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfP2PKazaaConAttempts.setStatus('current')
numOfP2PeMuleConAttempts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfP2PeMuleConAttempts.setStatus('current')
numOfGnutellaConAttempts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfGnutellaConAttempts.setStatus('current')
numOfP2PSkypeCon = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 5, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfP2PSkypeCon.setStatus('current')
numOfBitTorrentCon = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 6, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: numOfBitTorrentCon.setStatus('current')
aviEngines = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1))
aviTopViruses = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2))
aviTopEverViruses = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3))
aviServices = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4))
aviServicesHTTP = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1))
aviServicesFTP = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2))
aviServicesSMTP = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3))
aviServicesPOP3 = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4))
aviStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviStatCode.setStatus('current')
aviStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviStatShortDescr.setStatus('current')
aviStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviStatLongDescr.setStatus('current')
aviEngineTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1), )
if mibBuilder.loadTexts: aviEngineTable.setStatus('current')
aviEngineEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "aviEngineIndex"))
if mibBuilder.loadTexts: aviEngineEntry.setStatus('current')
aviEngineIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviEngineIndex.setStatus('current')
aviEngineName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviEngineName.setStatus('current')
aviEngineVer = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviEngineVer.setStatus('current')
aviEngineDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviEngineDate.setStatus('current')
aviSignatureName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSignatureName.setStatus('current')
aviSignatureVer = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSignatureVer.setStatus('current')
aviSignatureDate = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSignatureDate.setStatus('current')
aviLastSigCheckTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviLastSigCheckTime.setStatus('current')
aviLastSigLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviLastSigLocation.setStatus('current')
aviLastLicExp = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviLastLicExp.setStatus('current')
aviTopVirusesTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1), )
if mibBuilder.loadTexts: aviTopVirusesTable.setStatus('current')
aviTopVirusesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "aviTopVirusesIndex"))
if mibBuilder.loadTexts: aviTopVirusesEntry.setStatus('current')
aviTopVirusesIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviTopVirusesIndex.setStatus('current')
aviTopVirusesName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviTopVirusesName.setStatus('current')
aviTopVirusesCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviTopVirusesCnt.setStatus('current')
aviTopEverVirusesTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1), )
if mibBuilder.loadTexts: aviTopEverVirusesTable.setStatus('current')
aviTopEverVirusesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "aviTopEverVirusesIndex"))
if mibBuilder.loadTexts: aviTopEverVirusesEntry.setStatus('current')
aviTopEverVirusesIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviTopEverVirusesIndex.setStatus('current')
aviTopEverVirusesName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviTopEverVirusesName.setStatus('current')
aviTopEverVirusesCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviTopEverVirusesCnt.setStatus('current')
aviHTTPState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviHTTPState.setStatus('current')
aviHTTPLastVirusName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviHTTPLastVirusName.setStatus('current')
aviHTTPLastVirusTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviHTTPLastVirusTime.setStatus('current')
aviHTTPTopVirusesTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4), )
if mibBuilder.loadTexts: aviHTTPTopVirusesTable.setStatus('current')
aviHTTPTopVirusesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "aviHTTPTopVirusesIndex"))
if mibBuilder.loadTexts: aviHTTPTopVirusesEntry.setStatus('current')
aviHTTPTopVirusesIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviHTTPTopVirusesIndex.setStatus('current')
aviHTTPTopVirusesName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviHTTPTopVirusesName.setStatus('current')
aviHTTPTopVirusesCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviHTTPTopVirusesCnt.setStatus('current')
aviFTPState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviFTPState.setStatus('current')
aviFTPLastVirusName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviFTPLastVirusName.setStatus('current')
aviFTPLastVirusTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviFTPLastVirusTime.setStatus('current')
aviFTPTopVirusesTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4), )
if mibBuilder.loadTexts: aviFTPTopVirusesTable.setStatus('current')
aviFTPTopVirusesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "aviFTPTopVirusesIndex"))
if mibBuilder.loadTexts: aviFTPTopVirusesEntry.setStatus('current')
aviFTPTopVirusesIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviFTPTopVirusesIndex.setStatus('current')
aviFTPTopVirusesName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviFTPTopVirusesName.setStatus('current')
aviFTPTopVirusesCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviFTPTopVirusesCnt.setStatus('current')
aviSMTPState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSMTPState.setStatus('current')
aviSMTPLastVirusName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSMTPLastVirusName.setStatus('current')
aviSMTPLastVirusTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSMTPLastVirusTime.setStatus('current')
aviSMTPTopVirusesTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4), )
if mibBuilder.loadTexts: aviSMTPTopVirusesTable.setStatus('current')
aviSMTPTopVirusesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "aviSMTPTopVirusesIndex"))
if mibBuilder.loadTexts: aviSMTPTopVirusesEntry.setStatus('current')
aviSMTPTopVirusesIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSMTPTopVirusesIndex.setStatus('current')
aviSMTPTopVirusesName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSMTPTopVirusesName.setStatus('current')
aviSMTPTopVirusesCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviSMTPTopVirusesCnt.setStatus('current')
aviPOP3State = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviPOP3State.setStatus('current')
aviPOP3LastVirusName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviPOP3LastVirusName.setStatus('current')
aviPOP3LastVirusTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviPOP3LastVirusTime.setStatus('current')
aviPOP3TopVirusesTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4), )
if mibBuilder.loadTexts: aviPOP3TopVirusesTable.setStatus('current')
aviPOP3TopVirusesEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "aviPOP3TopVirusesIndex"))
if mibBuilder.loadTexts: aviPOP3TopVirusesEntry.setStatus('current')
aviPOP3TopVirusesIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviPOP3TopVirusesIndex.setStatus('current')
aviPOP3TopVirusesName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviPOP3TopVirusesName.setStatus('current')
aviPOP3TopVirusesCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: aviPOP3TopVirusesCnt.setStatus('current')
cpsemd = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1))
cpsead = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2))
cpsemdStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdStatCode.setStatus('current')
cpsemdStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdStatShortDescr.setStatus('current')
cpsemdStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdStatLongDescr.setStatus('current')
cpsemdProcAlive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdProcAlive.setStatus('current')
cpsemdNewEventsHandled = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdNewEventsHandled.setStatus('current')
cpsemdUpdatesHandled = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdUpdatesHandled.setStatus('current')
cpsemdLastEventTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdLastEventTime.setStatus('current')
cpsemdCurrentDBSize = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdCurrentDBSize.setStatus('current')
cpsemdDBCapacity = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdDBCapacity.setStatus('current')
cpsemdNumEvents = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdNumEvents.setStatus('current')
cpsemdDBDiskSpace = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdDBDiskSpace.setStatus('current')
cpsemdCorrelationUnitTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9), )
if mibBuilder.loadTexts: cpsemdCorrelationUnitTable.setStatus('current')
cpsemdDBIsFull = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdDBIsFull.setStatus('current')
cpsemdCorrelationUnitEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "cpsemdCorrelationUnitIndex"))
if mibBuilder.loadTexts: cpsemdCorrelationUnitEntry.setStatus('current')
cpsemdCorrelationUnitIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdCorrelationUnitIndex.setStatus('current')
cpsemdCorrelationUnitIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdCorrelationUnitIP.setStatus('current')
cpsemdCorrelationUnitLastRcvdTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdCorrelationUnitLastRcvdTime.setStatus('current')
cpsemdCorrelationUnitNumEventsRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdCorrelationUnitNumEventsRcvd.setStatus('current')
cpsemdConnectionDuration = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpsemdConnectionDuration.setStatus('current')
cpseadStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadStatCode.setStatus('current')
cpseadStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadStatShortDescr.setStatus('current')
cpseadStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadStatLongDescr.setStatus('current')
cpseadProcAlive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadProcAlive.setStatus('current')
cpseadConnectedToSem = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadConnectedToSem.setStatus('current')
cpseadNumProcessedLogs = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadNumProcessedLogs.setStatus('current')
cpseadJobsTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4), )
if mibBuilder.loadTexts: cpseadJobsTable.setStatus('current')
cpseadJobsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "cpseadJobIndex"))
if mibBuilder.loadTexts: cpseadJobsEntry.setStatus('current')
cpseadJobIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadJobIndex.setStatus('current')
cpseadJobID = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadJobID.setStatus('current')
cpseadJobName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadJobName.setStatus('current')
cpseadJobState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadJobState.setStatus('current')
cpseadJobIsOnline = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadJobIsOnline.setStatus('current')
cpseadJobLogServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadJobLogServer.setStatus('current')
cpseadJobDataType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadJobDataType.setStatus('current')
cpseadConnectedToLogServer = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadConnectedToLogServer.setStatus('current')
cpseadNumAnalyzedLogs = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 9), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadNumAnalyzedLogs.setStatus('current')
cpseadFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 10), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadFileName.setStatus('current')
cpseadFileCurrentPosition = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadFileCurrentPosition.setStatus('current')
cpseadStateDescriptionCode = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 12), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadStateDescriptionCode.setStatus('current')
cpseadStateDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadStateDescription.setStatus('current')
cpseadNoFreeDiskSpace = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cpseadNoFreeDiskSpace.setStatus('current')
ufEngine = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1))
ufSS = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2))
ufStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufStatCode.setStatus('current')
ufStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufStatShortDescr.setStatus('current')
ufStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufStatLongDescr.setStatus('current')
ufEngineName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufEngineName.setStatus('current')
ufEngineVer = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufEngineVer.setStatus('current')
ufEngineDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufEngineDate.setStatus('current')
ufSignatureDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufSignatureDate.setStatus('current')
ufSignatureVer = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufSignatureVer.setStatus('current')
ufLastSigCheckTime = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufLastSigCheckTime.setStatus('current')
ufLastSigLocation = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufLastSigLocation.setStatus('current')
ufLastLicExp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufLastLicExp.setStatus('current')
ufIsMonitor = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufIsMonitor.setStatus('current')
ufScannedCnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufScannedCnt.setStatus('current')
ufBlockedCnt = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufBlockedCnt.setStatus('current')
ufTopBlockedCatTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4), )
if mibBuilder.loadTexts: ufTopBlockedCatTable.setStatus('current')
ufTopBlockedCatEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "ufTopBlockedCatIndex"))
if mibBuilder.loadTexts: ufTopBlockedCatEntry.setStatus('current')
ufTopBlockedCatIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedCatIndex.setStatus('current')
ufTopBlockedCatName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedCatName.setStatus('current')
ufTopBlockedCatCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedCatCnt.setStatus('current')
ufTopBlockedSiteTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5), )
if mibBuilder.loadTexts: ufTopBlockedSiteTable.setStatus('current')
ufTopBlockedSiteEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "ufTopBlockedSiteIndex"))
if mibBuilder.loadTexts: ufTopBlockedSiteEntry.setStatus('current')
ufTopBlockedSiteIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedSiteIndex.setStatus('current')
ufTopBlockedSiteName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedSiteName.setStatus('current')
ufTopBlockedSiteCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedSiteCnt.setStatus('current')
ufTopBlockedUserTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6), )
if mibBuilder.loadTexts: ufTopBlockedUserTable.setStatus('current')
ufTopBlockedUserEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "ufTopBlockedUserIndex"))
if mibBuilder.loadTexts: ufTopBlockedUserEntry.setStatus('current')
ufTopBlockedUserIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedUserIndex.setStatus('current')
ufTopBlockedUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedUserName.setStatus('current')
ufTopBlockedUserCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ufTopBlockedUserCnt.setStatus('current')
msProductName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msProductName.setStatus('current')
msMajorVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msMajorVersion.setStatus('current')
msMinorVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msMinorVersion.setStatus('current')
msBuildNumber = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msBuildNumber.setStatus('current')
msVersionStr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msVersionStr.setStatus('current')
msSpam = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6))
msSpamNumScannedEmails = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamNumScannedEmails.setStatus('current')
msSpamNumSpamEmails = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamNumSpamEmails.setStatus('current')
msSpamNumHandledSpamEmails = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamNumHandledSpamEmails.setStatus('current')
msSpamControls = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4))
msSpamControlsSpamEngine = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamControlsSpamEngine.setStatus('current')
msSpamControlsIpRepuatation = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamControlsIpRepuatation.setStatus('current')
msSpamControlsSPF = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamControlsSPF.setStatus('current')
msSpamControlsDomainKeys = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamControlsDomainKeys.setStatus('current')
msSpamControlsRDNS = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamControlsRDNS.setStatus('current')
msSpamControlsRBL = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msSpamControlsRBL.setStatus('current')
msExpirationDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msExpirationDate.setStatus('current')
msEngineVer = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msEngineVer.setStatus('current')
msEngineDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msEngineDate.setStatus('current')
msStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msStatCode.setStatus('current')
msStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msStatShortDescr.setStatus('current')
msStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msStatLongDescr.setStatus('current')
msServicePack = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 999), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: msServicePack.setStatus('current')
voipProductName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipProductName.setStatus('current')
voipMajorVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipMajorVersion.setStatus('current')
voipMinorVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipMinorVersion.setStatus('current')
voipBuildNumber = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipBuildNumber.setStatus('current')
voipVersionStr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipVersionStr.setStatus('current')
voipDOS = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6))
voipDOSSip = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1))
voipDOSSipNetwork = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1))
voipDOSSipNetworkReqInterval = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkReqInterval.setStatus('current')
voipDOSSipNetworkReqConfThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkReqConfThreshold.setStatus('current')
voipDOSSipNetworkReqCurrentVal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkReqCurrentVal.setStatus('current')
voipDOSSipNetworkRegInterval = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkRegInterval.setStatus('current')
voipDOSSipNetworkRegConfThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkRegConfThreshold.setStatus('current')
voipDOSSipNetworkRegCurrentVal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkRegCurrentVal.setStatus('current')
voipDOSSipNetworkCallInitInterval = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkCallInitInterval.setStatus('current')
voipDOSSipNetworkCallInitConfThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkCallInitConfThreshold.setStatus('current')
voipDOSSipNetworkCallInitICurrentVal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipNetworkCallInitICurrentVal.setStatus('current')
voipDOSSipRateLimitingTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2), )
if mibBuilder.loadTexts: voipDOSSipRateLimitingTable.setStatus('current')
voipDOSSipRateLimitingEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "voipDOSSipRateLimitingTableIndex"))
if mibBuilder.loadTexts: voipDOSSipRateLimitingEntry.setStatus('current')
voipDOSSipRateLimitingTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipRateLimitingTableIndex.setStatus('current')
voipDOSSipRateLimitingTableIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipRateLimitingTableIpAddress.setStatus('current')
voipDOSSipRateLimitingTableInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipRateLimitingTableInterval.setStatus('current')
voipDOSSipRateLimitingTableConfThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipRateLimitingTableConfThreshold.setStatus('current')
voipDOSSipRateLimitingTableNumDOSSipRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipRateLimitingTableNumDOSSipRequests.setStatus('current')
voipDOSSipRateLimitingTableNumTrustedRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipRateLimitingTableNumTrustedRequests.setStatus('current')
voipDOSSipRateLimitingTableNumNonTrustedRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipRateLimitingTableNumNonTrustedRequests.setStatus('current')
voipDOSSipRateLimitingTableNumRequestsfromServers = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipDOSSipRateLimitingTableNumRequestsfromServers.setStatus('current')
voipCAC = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 7))
voipCACConcurrentCalls = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 7, 1))
voipCACConcurrentCallsConfThreshold = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 7, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipCACConcurrentCallsConfThreshold.setStatus('current')
voipCACConcurrentCallsCurrentVal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 7, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipCACConcurrentCallsCurrentVal.setStatus('current')
voipStatCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipStatCode.setStatus('current')
voipStatShortDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipStatShortDescr.setStatus('current')
voipStatLongDescr = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipStatLongDescr.setStatus('current')
voipServicePack = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 999), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: voipServicePack.setStatus('current')
identityAwarenessProductName = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessProductName.setStatus('current')
identityAwarenessAuthUsers = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessAuthUsers.setStatus('current')
identityAwarenessUnAuthUsers = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessUnAuthUsers.setStatus('current')
identityAwarenessAuthUsersKerberos = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessAuthUsersKerberos.setStatus('current')
identityAwarenessAuthMachKerberos = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessAuthMachKerberos.setStatus('current')
identityAwarenessAuthUsersPass = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessAuthUsersPass.setStatus('current')
identityAwarenessAuthUsersADQuery = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessAuthUsersADQuery.setStatus('current')
identityAwarenessAuthMachADQuery = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessAuthMachADQuery.setStatus('current')
identityAwarenessLoggedInAgent = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessLoggedInAgent.setStatus('current')
identityAwarenessLoggedInCaptivePortal = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessLoggedInCaptivePortal.setStatus('current')
identityAwarenessLoggedInADQuery = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessLoggedInADQuery.setStatus('current')
identityAwarenessAntiSpoffProtection = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 12), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessAntiSpoffProtection.setStatus('current')
identityAwarenessSuccUserLoginKerberos = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 13), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessSuccUserLoginKerberos.setStatus('current')
identityAwarenessSuccMachLoginKerberos = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 14), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessSuccMachLoginKerberos.setStatus('current')
identityAwarenessSuccUserLoginPass = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 15), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessSuccUserLoginPass.setStatus('current')
identityAwarenessSuccUserLoginADQuery = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessSuccUserLoginADQuery.setStatus('current')
identityAwarenessSuccMachLoginADQuery = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 17), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessSuccMachLoginADQuery.setStatus('current')
identityAwarenessUnSuccUserLoginKerberos = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 18), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessUnSuccUserLoginKerberos.setStatus('current')
identityAwarenessUnSuccMachLoginKerberos = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 19), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessUnSuccMachLoginKerberos.setStatus('current')
identityAwarenessUnSuccUserLoginPass = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 20), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessUnSuccUserLoginPass.setStatus('current')
identityAwarenessSuccUserLDAP = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 21), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessSuccUserLDAP.setStatus('current')
identityAwarenessUnSuccUserLDAP = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 22), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessUnSuccUserLDAP.setStatus('current')
identityAwarenessDataTrans = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 23), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessDataTrans.setStatus('current')
identityAwarenessDistributedEnvTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24), )
if mibBuilder.loadTexts: identityAwarenessDistributedEnvTable.setStatus('current')
identityAwarenessDistributedEnvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "identityAwarenessDistributedEnvTableIndex"))
if mibBuilder.loadTexts: identityAwarenessDistributedEnvEntry.setStatus('current')
identityAwarenessDistributedEnvTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessDistributedEnvTableIndex.setStatus('current')
identityAwarenessDistributedEnvTableGwName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessDistributedEnvTableGwName.setStatus('current')
identityAwarenessDistributedEnvTableDisconnections = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessDistributedEnvTableDisconnections.setStatus('current')
identityAwarenessDistributedEnvTableBruteForceAtt = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessDistributedEnvTableBruteForceAtt.setStatus('current')
identityAwarenessDistributedEnvTableStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessDistributedEnvTableStatus.setStatus('current')
identityAwarenessDistributedEnvTableIsLocal = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessDistributedEnvTableIsLocal.setStatus('current')
identityAwarenessADQueryStatusTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25), )
if mibBuilder.loadTexts: identityAwarenessADQueryStatusTable.setStatus('current')
identityAwarenessADQueryStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "identityAwarenessADQueryStatusTableIndex"))
if mibBuilder.loadTexts: identityAwarenessADQueryStatusEntry.setStatus('current')
identityAwarenessADQueryStatusTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessADQueryStatusTableIndex.setStatus('current')
identityAwarenessADQueryStatusCurrStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessADQueryStatusCurrStatus.setStatus('current')
identityAwarenessADQueryStatusDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessADQueryStatusDomainName.setStatus('current')
identityAwarenessADQueryStatusDomainIP = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 4), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessADQueryStatusDomainIP.setStatus('current')
identityAwarenessADQueryStatusEvents = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessADQueryStatusEvents.setStatus('current')
identityAwarenessStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessStatus.setStatus('current')
identityAwarenessStatusShortDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessStatusShortDesc.setStatus('current')
identityAwarenessStatusLongDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: identityAwarenessStatusLongDesc.setStatus('current')
applicationControlSubscription = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 39, 1))
applicationControlSubscriptionStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlSubscriptionStatus.setStatus('current')
applicationControlSubscriptionExpDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlSubscriptionExpDate.setStatus('current')
applicationControlSubscriptionDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlSubscriptionDesc.setStatus('current')
applicationControlUpdate = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2))
applicationControlUpdateStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlUpdateStatus.setStatus('current')
applicationControlUpdateDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlUpdateDesc.setStatus('current')
applicationControlNextUpdate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlNextUpdate.setStatus('current')
applicationControlVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlVersion.setStatus('current')
applicationControlStatusCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlStatusCode.setStatus('current')
applicationControlStatusShortDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlStatusShortDesc.setStatus('current')
applicationControlStatusLongDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: applicationControlStatusLongDesc.setStatus('current')
exchangeAgents = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1))
exchangeAgentsTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1), )
if mibBuilder.loadTexts: exchangeAgentsTable.setStatus('current')
exchangeAgentsStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "exchangeAgentsStatusTableIndex"))
if mibBuilder.loadTexts: exchangeAgentsStatusEntry.setStatus('current')
exchangeAgentsStatusTableIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentsStatusTableIndex.setStatus('current')
exchangeAgentName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentName.setStatus('current')
exchangeAgentStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentStatus.setStatus('current')
exchangeAgentTotalMsg = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentTotalMsg.setStatus('current')
exchangeAgentTotalScannedMsg = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentTotalScannedMsg.setStatus('current')
exchangeAgentDroppedMsg = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentDroppedMsg.setStatus('current')
exchangeAgentUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 7), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentUpTime.setStatus('current')
exchangeAgentTimeSinceLastMsg = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 8), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentTimeSinceLastMsg.setStatus('current')
exchangeAgentQueueLen = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentQueueLen.setStatus('current')
exchangeQueueLen = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 10), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeQueueLen.setStatus('current')
exchangeAgentAvgTimePerMsg = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentAvgTimePerMsg.setStatus('current')
exchangeAgentAvgTimePerScannedMsg = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 12), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentAvgTimePerScannedMsg.setStatus('current')
exchangeAgentVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentVersion.setStatus('current')
exchangeCPUUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 14), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeCPUUsage.setStatus('current')
exchangeMemoryUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 15), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeMemoryUsage.setStatus('current')
exchangeAgentPolicyTimeStamp = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: exchangeAgentPolicyTimeStamp.setStatus('current')
dlpVersionString = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 11), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpVersionString.setStatus('current')
dlpLicenseStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 12), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpLicenseStatus.setStatus('current')
dlpLdapStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 13), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpLdapStatus.setStatus('current')
dlpTotalScans = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 14), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpTotalScans.setStatus('current')
dlpSMTPScans = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 15), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpSMTPScans.setStatus('current')
dlpSMTPIncidents = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 16), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpSMTPIncidents.setStatus('current')
dlpLastSMTPScan = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 17), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpLastSMTPScan.setStatus('current')
dlpNumQuarantined = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 18), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpNumQuarantined.setStatus('current')
dlpQrntMsgsSize = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 19), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpQrntMsgsSize.setStatus('current')
dlpSentEMails = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 20), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpSentEMails.setStatus('current')
dlpExpiredEMails = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 21), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpExpiredEMails.setStatus('current')
dlpDiscardEMails = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 22), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpDiscardEMails.setStatus('current')
dlpPostfixQLen = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 23), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpPostfixQLen.setStatus('current')
dlpPostfixErrors = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 24), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpPostfixErrors.setStatus('current')
dlpPostfixQOldMsg = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 25), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpPostfixQOldMsg.setStatus('current')
dlpPostfixQMsgsSz = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 26), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpPostfixQMsgsSz.setStatus('current')
dlpPostfixQFreeSp = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 27), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpPostfixQFreeSp.setStatus('current')
dlpQrntFreeSpace = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 28), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpQrntFreeSpace.setStatus('current')
dlpQrntStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 29), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpQrntStatus.setStatus('current')
dlpHttpScans = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 30), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpHttpScans.setStatus('current')
dlpHttpIncidents = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 31), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpHttpIncidents.setStatus('current')
dlpHttpLastScan = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 32), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpHttpLastScan.setStatus('current')
dlpFtpScans = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 33), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpFtpScans.setStatus('current')
dlpFtpIncidents = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 34), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpFtpIncidents.setStatus('current')
dlpFtpLastScan = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 35), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpFtpLastScan.setStatus('current')
dlpBypassStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 36), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpBypassStatus.setStatus('current')
dlpUserCheckClnts = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 37), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpUserCheckClnts.setStatus('current')
dlpLastPolStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 38), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpLastPolStatus.setStatus('current')
dlpStatusCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpStatusCode.setStatus('current')
dlpStatusShortDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpStatusShortDesc.setStatus('current')
dlpStatusLongDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: dlpStatusLongDesc.setStatus('current')
thresholdPolicy = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdPolicy.setStatus('current')
thresholdState = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdState.setStatus('current')
thresholdStateDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdStateDesc.setStatus('current')
thresholdEnabled = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdEnabled.setStatus('current')
thresholdActive = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActive.setStatus('current')
thresholdEventsSinceStartup = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdEventsSinceStartup.setStatus('current')
thresholdActiveEventsTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7), )
if mibBuilder.loadTexts: thresholdActiveEventsTable.setStatus('current')
thresholdActiveEventsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "thresholdActiveEventsIndex"))
if mibBuilder.loadTexts: thresholdActiveEventsEntry.setStatus('current')
thresholdActiveEventsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActiveEventsIndex.setStatus('current')
thresholdActiveEventName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActiveEventName.setStatus('current')
thresholdActiveEventCategory = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActiveEventCategory.setStatus('current')
thresholdActiveEventSeverity = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActiveEventSeverity.setStatus('current')
thresholdActiveEventSubject = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActiveEventSubject.setStatus('current')
thresholdActiveEventSubjectValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 6), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActiveEventSubjectValue.setStatus('current')
thresholdActiveEventActivationTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActiveEventActivationTime.setStatus('current')
thresholdActiveEventState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 8), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdActiveEventState.setStatus('current')
thresholdDestinationsTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8), )
if mibBuilder.loadTexts: thresholdDestinationsTable.setStatus('current')
thresholdDestinationsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "thresholdDestinationIndex"))
if mibBuilder.loadTexts: thresholdDestinationsEntry.setStatus('current')
thresholdDestinationIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdDestinationIndex.setStatus('current')
thresholdDestinationName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdDestinationName.setStatus('current')
thresholdDestinationType = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdDestinationType.setStatus('current')
thresholdSendingState = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdSendingState.setStatus('current')
thresholdSendingStateDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdSendingStateDesc.setStatus('current')
thresholdAlertCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdAlertCount.setStatus('current')
thresholdErrorsTable = MibTable((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9), )
if mibBuilder.loadTexts: thresholdErrorsTable.setStatus('current')
thresholdErrorsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1), ).setIndexNames((0, "CHECKPOINT-MIB", "thresholdErrorIndex"))
if mibBuilder.loadTexts: thresholdErrorsEntry.setStatus('current')
thresholdErrorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 1), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdErrorIndex.setStatus('current')
thresholdName = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdName.setStatus('current')
thresholdThresholdOID = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdThresholdOID.setStatus('current')
thresholdErrorDesc = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdErrorDesc.setStatus('current')
thresholdErrorTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 5), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: thresholdErrorTime.setStatus('current')
advancedUrlFilteringSubscription = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 43, 1))
advancedUrlFilteringSubscriptionStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringSubscriptionStatus.setStatus('current')
advancedUrlFilteringSubscriptionExpDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringSubscriptionExpDate.setStatus('current')
advancedUrlFilteringSubscriptionDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringSubscriptionDesc.setStatus('current')
advancedUrlFilteringUpdate = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2))
advancedUrlFilteringUpdateStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringUpdateStatus.setStatus('current')
advancedUrlFilteringUpdateDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringUpdateDesc.setStatus('current')
advancedUrlFilteringNextUpdate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringNextUpdate.setStatus('current')
advancedUrlFilteringVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringVersion.setStatus('current')
advancedUrlFilteringRADStatus = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 43, 3))
advancedUrlFilteringRADStatusCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 3, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringRADStatusCode.setStatus('current')
advancedUrlFilteringRADStatusDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 3, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringRADStatusDesc.setStatus('current')
advancedUrlFilteringStatusCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringStatusCode.setStatus('current')
advancedUrlFilteringStatusShortDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringStatusShortDesc.setStatus('current')
advancedUrlFilteringStatusLongDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: advancedUrlFilteringStatusLongDesc.setStatus('current')
antiBotSubscription = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 2))
antiBotSubscriptionStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 2, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiBotSubscriptionStatus.setStatus('current')
antiBotSubscriptionExpDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 2, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiBotSubscriptionExpDate.setStatus('current')
antiBotSubscriptionDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 2, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiBotSubscriptionDesc.setStatus('current')
antiVirusSubscription = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 3))
antiVirusSubscriptionStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 3, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiVirusSubscriptionStatus.setStatus('current')
antiVirusSubscriptionExpDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 3, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiVirusSubscriptionExpDate.setStatus('current')
antiVirusSubscriptionDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 3, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiVirusSubscriptionDesc.setStatus('current')
antiSpamSubscription = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 4))
antiSpamSubscriptionStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 4, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiSpamSubscriptionStatus.setStatus('current')
antiSpamSubscriptionExpDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 4, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiSpamSubscriptionExpDate.setStatus('current')
antiSpamSubscriptionDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 4, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: antiSpamSubscriptionDesc.setStatus('current')
amwABUpdate = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1))
amwABUpdateStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwABUpdateStatus.setStatus('current')
amwABUpdateDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwABUpdateDesc.setStatus('current')
amwABNextUpdate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwABNextUpdate.setStatus('current')
amwABVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwABVersion.setStatus('current')
amwAVUpdate = MibIdentifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5))
amwAVUpdateStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5, 1), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwAVUpdateStatus.setStatus('current')
amwAVUpdateDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwAVUpdateDesc.setStatus('current')
amwAVNextUpdate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5, 3), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwAVNextUpdate.setStatus('current')
amwAVVersion = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5, 4), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwAVVersion.setStatus('current')
amwStatusCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwStatusCode.setStatus('current')
amwStatusShortDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwStatusShortDesc.setStatus('current')
amwStatusLongDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: amwStatusLongDesc.setStatus('current')
teSubscriptionStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 25), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teSubscriptionStatus.setStatus('current')
teCloudSubscriptionStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 26), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teCloudSubscriptionStatus.setStatus('current')
teSubscriptionExpDate = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 20), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teSubscriptionExpDate.setStatus('current')
teSubscriptionDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 27), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teSubscriptionDesc.setStatus('current')
teUpdateStatus = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 16), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teUpdateStatus.setStatus('current')
teUpdateDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 17), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teUpdateDesc.setStatus('current')
teStatusCode = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 101), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teStatusCode.setStatus('current')
teStatusShortDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 102), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teStatusShortDesc.setStatus('current')
teStatusLongDesc = MibScalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 103), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: teStatusLongDesc.setStatus('current')
mibBuilder.exportSymbols("CHECKPOINT-MIB", identityAwareness=identityAwareness, multiDiskFreeAvailablePercent=multiDiskFreeAvailablePercent, fwHmem64_failed_alloc=fwHmem64_failed_alloc, cpsemdDBDiskSpace=cpsemdDBDiskSpace, haClusterIpEntry=haClusterIpEntry, svnRouteModAction=svnRouteModAction, fwSS_ftp_blocked_by_AV_settings=fwSS_ftp_blocked_by_AV_settings, fwHmem64_requested_bytes=fwHmem64_requested_bytes, cpvHwAccelDriverMinorVer=cpvHwAccelDriverMinorVer, fwSS=fwSS, cpvIKEerrors=cpvIKEerrors, msSpamControls=msSpamControls, cpvCurrEspSAsIn=cpvCurrEspSAsIn, cpvSaOtherErrOut=cpvSaOtherErrOut, voipBuildNumber=voipBuildNumber, fwSS_rlogin_auth_sess_count=fwSS_rlogin_auth_sess_count, fwProduct=fwProduct, cpvErrors=cpvErrors, fwSS_http_passed_total=fwSS_http_passed_total, haTrusted=haTrusted, fwDroppedTotalRate=fwDroppedTotalRate, tempertureSensorUnit=tempertureSensorUnit, wamProdName=wamProdName, diskQueue=diskQueue, fwHmem64_initial_allocated_pools=fwHmem64_initial_allocated_pools, fwSS_http_ftp_sess_count=fwSS_http_ftp_sess_count, msSpamControlsRBL=msSpamControlsRBL, svnNetIfAddress=svnNetIfAddress, fwKmem_blocking_bytes_used=fwKmem_blocking_bytes_used, cpvSaUnknownSpiErr=cpvSaUnknownSpiErr, haVerified=haVerified, svnNetIfMask=svnNetIfMask, fwSS_rlogin_logical_port=fwSS_rlogin_logical_port, fwSS_total_passed_by_archive_limit=fwSS_total_passed_by_archive_limit, fwKmem_non_blocking_bytes_used=fwKmem_non_blocking_bytes_used, raidDiskSize=raidDiskSize, dlpLastPolStatus=dlpLastPolStatus, vsxCountersPackets=vsxCountersPackets, fwUfpHits=fwUfpHits, raTunnelEncAlgorithm=raTunnelEncAlgorithm, svnNetIfTable=svnNetIfTable, amwStatusCode=amwStatusCode, svnApplianceSerialNumber=svnApplianceSerialNumber, exchangeMemoryUsage=exchangeMemoryUsage, ufTopBlockedCatIndex=ufTopBlockedCatIndex, fwLSConn=fwLSConn, fwHmem64_blocks_unused=fwHmem64_blocks_unused, numOfCIFSworms=numOfCIFSworms, aviFTPTopVirusesCnt=aviFTPTopVirusesCnt, vsxCounters=vsxCounters, fgAvrRateIn=fgAvrRateIn, aviHTTPTopVirusesEntry=aviHTTPTopVirusesEntry, cpsemdProcAlive=cpsemdProcAlive, lsClientName=lsClientName, haStatShort=haStatShort, lsStatCode=lsStatCode, amwABVersion=amwABVersion, fwSXLStatus=fwSXLStatus, aviTopVirusesTable=aviTopVirusesTable, msSpamNumScannedEmails=msSpamNumScannedEmails, mgConnectedClientsTable=mgConnectedClientsTable, fwSS_ftp_auth_sess_max=fwSS_ftp_auth_sess_max, fwSS_smtp_auth_sess_count=fwSS_smtp_auth_sess_count, memActiveReal64=memActiveReal64, fwUfp=fwUfp, fgIfName=fgIfName, fwConnectionsStat=fwConnectionsStat, dtpsVerMinor=dtpsVerMinor, fwSS_POP3_outgoing_mail_curr=fwSS_POP3_outgoing_mail_curr, aviTopViruses=aviTopViruses, fwSS_total_blocked=fwSS_total_blocked, cpseadJobIsOnline=cpseadJobIsOnline, multiProcUserTime=multiProcUserTime, fwSS_http_auth_sess_curr=fwSS_http_auth_sess_curr, asmP2PeMuleConAttempts=asmP2PeMuleConAttempts, advancedUrlFilteringRADStatusDesc=advancedUrlFilteringRADStatusDesc, fwPolicyName=fwPolicyName, vsxVsInstalled=vsxVsInstalled, permanentTunnelProbState=permanentTunnelProbState, ufLastLicExp=ufLastLicExp, identityAwarenessADQueryStatusEntry=identityAwarenessADQueryStatusEntry, vsxStatusHAState=vsxStatusHAState, fgModuleKernelBuild=fgModuleKernelBuild, fwSS_ftp_ops_cvp_sess_max=fwSS_ftp_ops_cvp_sess_max, cpvIpsecEspEncPkts=cpvIpsecEspEncPkts, fwSS_ftp_ops_cvp_sess_count=fwSS_ftp_ops_cvp_sess_count, mgClientName=mgClientName, lsConnectedClientsEntry=lsConnectedClientsEntry, vsxStatusVsName=vsxStatusVsName, fwSS_rlogin_sess_curr=fwSS_rlogin_sess_curr, memFreeReal=memFreeReal, wamStatLongDescr=wamStatLongDescr, permanentTunnelTable=permanentTunnelTable, svnServicePack=svnServicePack, svnApplianceManufacturer=svnApplianceManufacturer, wamVerMinor=wamVerMinor, asmScans=asmScans, aviSMTPTopVirusesEntry=aviSMTPTopVirusesEntry, fwSS_smtp_passed_by_AV_settings=fwSS_smtp_passed_by_AV_settings, exchangeAgentDroppedMsg=exchangeAgentDroppedMsg, fwSS_http_accepted_sess=fwSS_http_accepted_sess, vsxStatusMainIP=vsxStatusMainIP, fwSS_rlogin_time_stamp=fwSS_rlogin_time_stamp, fwSS_http_blocked_by_AV_settings=fwSS_http_blocked_by_AV_settings, fwSS_smtp_passed_total=fwSS_smtp_passed_total, osMajorVer=osMajorVer, tunnelState=tunnelState, dlpTotalScans=dlpTotalScans, svnSysUniqId=svnSysUniqId, cpvFwzEncapsDecErrs=cpvFwzEncapsDecErrs, lsStatShortDescr=lsStatShortDescr, mgClientDbLock=mgClientDbLock, cpvHwAccelStatus=cpvHwAccelStatus, aviEngineVer=aviEngineVer, asmCIFSWorms=asmCIFSWorms, fwSS_smtp_socket_in_use_max=fwSS_smtp_socket_in_use_max, cpvIpsecCompressiblePkts=cpvIpsecCompressiblePkts, fwLSConnState=fwLSConnState, vsRoutingTable=vsRoutingTable, cpvIKEglobals=cpvIKEglobals, vsxStatusVSWeight=vsxStatusVSWeight, cpvHwAccelAhEncPkts=cpvHwAccelAhEncPkts, avi=avi, cpvIpsecDecomprBytesAfter=cpvIpsecDecomprBytesAfter, asmP2PGnutellaConAttempts=asmP2PGnutellaConAttempts, memDiskTransfers64=memDiskTransfers64, wamUagQueries=wamUagQueries, amwAVUpdateStatus=amwAVUpdateStatus, fwSS_POP3_sess_max=fwSS_POP3_sess_max, cpvVerMinor=cpvVerMinor, fgVerMinor=fgVerMinor, fwRejectPcktsIn=fwRejectPcktsIn, cpsead=cpsead, fwConnTableLimit=fwConnTableLimit, fwSS_POP3_accepted_sess=fwSS_POP3_accepted_sess, fwSS_ftp_passed_by_internal_error=fwSS_ftp_passed_by_internal_error, identityAwarenessSuccUserLoginKerberos=identityAwarenessSuccUserLoginKerberos, amwABUpdateDesc=amwABUpdateDesc, cpvEncPackets=cpvEncPackets, tunnelProbState=tunnelProbState, fwPerfStat=fwPerfStat, fwIfName=fwIfName, dtpsStatLongDescr=dtpsStatLongDescr, haStatus=haStatus, ms=ms, fwSS_smtp_outgoing_mail_count=fwSS_smtp_outgoing_mail_count, multiDiskFreeTotalPercent=multiDiskFreeTotalPercent, cpseadStatShortDescr=cpseadStatShortDescr, fwSS_smtp_auth_sess_curr=fwSS_smtp_auth_sess_curr, cpvSaStatistics=cpvSaStatistics, ufTopBlockedUserEntry=ufTopBlockedUserEntry, fwChains_free=fwChains_free, routingIndex=routingIndex, cpsemdCorrelationUnitLastRcvdTime=cpsemdCorrelationUnitLastRcvdTime, voipCAC=voipCAC, permanentTunnelInterface=permanentTunnelInterface, ufEngineDate=ufEngineDate, ufIsMonitor=ufIsMonitor, identityAwarenessDistributedEnvTableStatus=identityAwarenessDistributedEnvTableStatus, tunnelInterface=tunnelInterface, memDiskTransfers=memDiskTransfers, haIfEntry=haIfEntry, voipDOSSipRateLimitingTableNumDOSSipRequests=voipDOSSipRateLimitingTableNumDOSSipRequests, fwHmem64_bytes_peak=fwHmem64_bytes_peak, fwSS_http_logical_port=fwSS_http_logical_port, haClusterSyncEntry=haClusterSyncEntry, fwSS_POP3_rejected_sess=fwSS_POP3_rejected_sess, cpvIPsecNICEncrPackets=cpvIPsecNICEncrPackets, fwSS_http_sess_curr=fwSS_http_sess_curr, fgRateLimitIn=fgRateLimitIn, fwSS_POP3_passed_cnt=fwSS_POP3_passed_cnt, fwSS_rlogin_is_alive=fwSS_rlogin_is_alive, advancedUrlFilteringVersion=advancedUrlFilteringVersion, powerSupplyTable=powerSupplyTable, thresholdDestinationsEntry=thresholdDestinationsEntry, fwNetIfTopology=fwNetIfTopology, cpvTotalAhSAsIn=cpvTotalAhSAsIn, cpsemd=cpsemd, vsxStatusCPUUsageEntry=vsxStatusCPUUsageEntry, cpvIPsecNICTotalDownLoadedSAs=cpvIPsecNICTotalDownLoadedSAs, aviHTTPState=aviHTTPState, fwSS_POP3_auth_sess_count=fwSS_POP3_auth_sess_count, fwChains_alloc=fwChains_alloc, fwSS_ftp_auth_sess_curr=fwSS_ftp_auth_sess_curr, cpseadNumProcessedLogs=cpseadNumProcessedLogs, fwSS_smtp_scanned_total=fwSS_smtp_scanned_total, haClusterIpMemberNetMask=haClusterIpMemberNetMask, dlpPostfixErrors=dlpPostfixErrors, fwRejected=fwRejected, haIP=haIP, cpseadJobIndex=cpseadJobIndex, voipDOSSipRateLimitingTableNumNonTrustedRequests=voipDOSSipRateLimitingTableNumNonTrustedRequests, fwSS_http_ssl_encryp_sess_count=fwSS_http_ssl_encryp_sess_count, fgPolicyName=fgPolicyName, amw=amw, haProtoVersion=haProtoVersion, aviServicesFTP=aviServicesFTP, fwNetIfPeerName=fwNetIfPeerName, fwFilterDate=fwFilterDate, fwSS_smtp_blocked_cnt=fwSS_smtp_blocked_cnt, cpvErrOut=cpvErrOut, fwHmem64_bytes_used=fwHmem64_bytes_used, fwSS_telnet_socket_in_use_max=fwSS_telnet_socket_in_use_max, aviSMTPState=aviSMTPState, voipDOSSipNetworkRegCurrentVal=voipDOSSipNetworkRegCurrentVal, procIdleTime=procIdleTime, fwSS_smtp_socket_in_use_count=fwSS_smtp_socket_in_use_count, fwSS_http_tunneled_sess_curr=fwSS_http_tunneled_sess_curr, applicationControlSubscriptionStatus=applicationControlSubscriptionStatus, fwSS_rlogin_socket_in_use_curr=fwSS_rlogin_socket_in_use_curr, fwSS_http_blocked_by_archive_limit=fwSS_http_blocked_by_archive_limit, fwVerMinor=fwVerMinor, exchangeAgentsStatusEntry=exchangeAgentsStatusEntry, haProblemVerified=haProblemVerified, fwSS_http_transp_sess_max=fwSS_http_transp_sess_max, fwSS_ufp_ops_ufp_rej_sess=fwSS_ufp_ops_ufp_rej_sess, fwSS_POP3_socket_in_use_curr=fwSS_POP3_socket_in_use_curr, vsxCountersVSId=vsxCountersVSId, thresholdErrorDesc=thresholdErrorDesc, raCommunity=raCommunity, fwHmem64_block_size=fwHmem64_block_size, fwSS_http_scanned_total=fwSS_http_scanned_total, tunnelPeerObjName=tunnelPeerObjName, antiBotSubscriptionExpDate=antiBotSubscriptionExpDate, fwInspect_record=fwInspect_record, wamPolicy=wamPolicy, ufTopBlockedCatEntry=ufTopBlockedCatEntry, cpvIpsecNonCompressibleBytes=cpvIpsecNonCompressibleBytes, cpvIpsecComprErrors=cpvIpsecComprErrors, fwSS_POP3_auth_failures=fwSS_POP3_auth_failures, fwSS_ftp_auth_failures=fwSS_ftp_auth_failures, fwSS_http_time_stamp=fwSS_http_time_stamp, identityAwarenessADQueryStatusDomainName=identityAwarenessADQueryStatusDomainName, permanentTunnelPeerIpAddr=permanentTunnelPeerIpAddr, identityAwarenessADQueryStatusEvents=identityAwarenessADQueryStatusEvents, exchangeAgentsTable=exchangeAgentsTable, wamOpenSessions=wamOpenSessions, dtpsLicensedUsers=dtpsLicensedUsers, fwSS_smtp_max_mail_on_conn=fwSS_smtp_max_mail_on_conn, cpvFwzEncErrs=cpvFwzEncErrs, fwSS_POP3_max_mail_on_conn=fwSS_POP3_max_mail_on_conn, aviHTTPLastVirusName=aviHTTPLastVirusName, identityAwarenessADQueryStatusDomainIP=identityAwarenessADQueryStatusDomainIP, msSpamNumHandledSpamEmails=msSpamNumHandledSpamEmails, fwIfEntry=fwIfEntry, fwSS_smtp_passed_by_internal_error=fwSS_smtp_passed_by_internal_error, aviFTPTopVirusesIndex=aviFTPTopVirusesIndex, cpvProdName=cpvProdName, fwInspect_lookups=fwInspect_lookups, fwConnectionsStatConnectionsIcmp=fwConnectionsStatConnectionsIcmp, voltageSensorName=voltageSensorName, identityAwarenessDistributedEnvEntry=identityAwarenessDistributedEnvEntry, fwSS_smtp_blocked_by_internal_error=fwSS_smtp_blocked_by_internal_error, svnLogDStat=svnLogDStat)
mibBuilder.exportSymbols("CHECKPOINT-MIB", fwHmem_bytes_peak=fwHmem_bytes_peak, cpvCurrAhSAsIn=cpvCurrAhSAsIn, multiDiskTable=multiDiskTable, fwCookies_getfwCookies_total=fwCookies_getfwCookies_total, voipDOSSip=voipDOSSip, aviHTTPLastVirusTime=aviHTTPLastVirusTime, fwKmem_bytes_peak=fwKmem_bytes_peak, identityAwarenessADQueryStatusTable=identityAwarenessADQueryStatusTable, exchangeQueueLen=exchangeQueueLen, antiVirusSubscriptionDesc=antiVirusSubscriptionDesc, fwSS_POP3_blocked_by_file_type=fwSS_POP3_blocked_by_file_type, fwConnectionsStatConnections=fwConnectionsStatConnections, wamPolicyUpdate=wamPolicyUpdate, fwProdName=fwProdName, aviSMTPTopVirusesName=aviSMTPTopVirusesName, ufSignatureVer=ufSignatureVer, cpseadJobsEntry=cpseadJobsEntry, fwNetIfTable=fwNetIfTable, msSpamControlsRDNS=msSpamControlsRDNS, aviEngineTable=aviEngineTable, fw=fw, svnApplianceInfo=svnApplianceInfo, fgRateLimitOut=fgRateLimitOut, identityAwarenessAuthUsers=identityAwarenessAuthUsers, voipDOSSipRateLimitingEntry=voipDOSSipRateLimitingEntry, vsxCountersDroppedTotal=vsxCountersDroppedTotal, cpvIpsec=cpvIpsec, thresholdThresholdOID=thresholdThresholdOID, fwHmem_blocks_unused=fwHmem_blocks_unused, asmCIFSNullSession=asmCIFSNullSession, fwInstallTime=fwInstallTime, tunnelPeerIpAddr=tunnelPeerIpAddr, fwLSConnOverall=fwLSConnOverall, lsVerMinor=lsVerMinor, fwHmem_free_operations=fwHmem_free_operations, aviSMTPLastVirusTime=aviSMTPLastVirusTime, sequenceVerifierInvalidretransmit=sequenceVerifierInvalidretransmit, diskFreeAvail=diskFreeAvail, haVersionSting=haVersionSting, fwSS_http_ops_cvp_rej_sess=fwSS_http_ops_cvp_rej_sess, haClusterIpMemberNet=haClusterIpMemberNet, checkpoint=checkpoint, cpsemdLastEventTime=cpsemdLastEventTime, fwSS_http_socket_in_use_curr=fwSS_http_socket_in_use_curr, haProblemPriority=haProblemPriority, multiDiskUsed=multiDiskUsed, smallPMTUNumberOfAttacks=smallPMTUNumberOfAttacks, fwSS_POP3_mail_curr=fwSS_POP3_mail_curr, fwSS_ftp_time_stamp=fwSS_ftp_time_stamp, cpvIPsecNICCurrDownLoadedSAs=cpvIPsecNICCurrDownLoadedSAs, ufTopBlockedCatCnt=ufTopBlockedCatCnt, fwSS_http_proxied_sess_count=fwSS_http_proxied_sess_count, cpvTotalAhSAsOut=cpvTotalAhSAsOut, cpvIKECurrInitSAs=cpvIKECurrInitSAs, cpvIKECurrRespSAs=cpvIKECurrRespSAs, vsRoutingVsId=vsRoutingVsId, exchangeAgentPolicyTimeStamp=exchangeAgentPolicyTimeStamp, thresholdEnabled=thresholdEnabled, lsClientDbLock=lsClientDbLock, advancedUrlFilteringUpdate=advancedUrlFilteringUpdate, cpvIPsecNICDecrBytes=cpvIPsecNICDecrBytes, fwSS_telnet_accepted_sess=fwSS_telnet_accepted_sess, advancedUrlFilteringRADStatusCode=advancedUrlFilteringRADStatusCode, fwSS_http_ops_cvp_sess_curr=fwSS_http_ops_cvp_sess_curr, cpvHwAccelDriverMajorVer=cpvHwAccelDriverMajorVer, lsConnectedClientsTable=lsConnectedClientsTable, identityAwarenessDistributedEnvTableGwName=identityAwarenessDistributedEnvTableGwName, ufStatLongDescr=ufStatLongDescr, asmP2P=asmP2P, fwSS_smtp_blocked_by_size_limit=fwSS_smtp_blocked_by_size_limit, haStarted=haStarted, aviPOP3TopVirusesCnt=aviPOP3TopVirusesCnt, aviFTPLastVirusName=aviFTPLastVirusName, cpvIKETotalRespSAs=cpvIKETotalRespSAs, identityAwarenessDataTrans=identityAwarenessDataTrans, cpvIpsecAhEncPkts=cpvIpsecAhEncPkts, exchangeAgentTotalScannedMsg=exchangeAgentTotalScannedMsg, cpvFwzDecPkts=cpvFwzDecPkts, applicationControlSubscriptionDesc=applicationControlSubscriptionDesc, haClusterSyncAddr=haClusterSyncAddr, raidVolumeType=raidVolumeType, vsRoutingGateway=vsRoutingGateway, teStatusShortDesc=teStatusShortDesc, cpvHwAccelVendor=cpvHwAccelVendor, vsxStatusCPUUsage1sec=vsxStatusCPUUsage1sec, aviSignatureDate=aviSignatureDate, lsClientHost=lsClientHost, fwSS_ftp_passed_cnt=fwSS_ftp_passed_cnt, raUserState=raUserState, msBuildNumber=msBuildNumber, aviTopVirusesName=aviTopVirusesName, fwKmem_alloc_operations=fwKmem_alloc_operations, fwLogIn=fwLogIn, fwLSConnStateDesc=fwLSConnStateDesc, fwSS_POP3_max_avail_socket=fwSS_POP3_max_avail_socket, cpvIPsecNICEncrBytes=cpvIPsecNICEncrBytes, asmSmallPmtu=asmSmallPmtu, vsxVsConfigured=vsxVsConfigured, memTotalVirtual64=memTotalVirtual64, fwNetIfSlaves=fwNetIfSlaves, multiDiskName=multiDiskName, fanSpeedSensorUnit=fanSpeedSensorUnit, voipStatCode=voipStatCode, svnBuild=svnBuild, fwSS_http_auth_sess_count=fwSS_http_auth_sess_count, aviFTPState=aviFTPState, cpvIPsecNICsNum=cpvIPsecNICsNum, svnRouteModGateway=svnRouteModGateway, ufLastSigCheckTime=ufLastSigCheckTime, identityAwarenessLoggedInCaptivePortal=identityAwarenessLoggedInCaptivePortal, aviHTTPTopVirusesCnt=aviHTTPTopVirusesCnt, lsProdName=lsProdName, fwConnectionsStatConnectionsOther=fwConnectionsStatConnectionsOther, fwPacketsRate=fwPacketsRate, fwSS_ftp_pid=fwSS_ftp_pid, cpvMaxConncurEspSAsIn=cpvMaxConncurEspSAsIn, asmCIFSBlockedCommands=asmCIFSBlockedCommands, tunnelLinkPriority=tunnelLinkPriority, aviHTTPTopVirusesTable=aviHTTPTopVirusesTable, advancedUrlFiltering=advancedUrlFiltering, fwSS_telnet_auth_failures=fwSS_telnet_auth_failures, wamUagIp=wamUagIp, fwSS_http_proxied_sess_max=fwSS_http_proxied_sess_max, aviHTTPTopVirusesIndex=aviHTTPTopVirusesIndex, raIkeOverTCP=raIkeOverTCP, numOfDisksOnRaid=numOfDisksOnRaid, haClusterIpTable=haClusterIpTable, asmCIFS=asmCIFS, voipDOSSipNetworkReqCurrentVal=voipDOSSipNetworkReqCurrentVal, fwDropPcktsIn=fwDropPcktsIn, aviFTPTopVirusesEntry=aviFTPTopVirusesEntry, vsxStatusTable=vsxStatusTable, cpvFwzErrors=cpvFwzErrors, haClusterSyncTable=haClusterSyncTable, cpvIPsecNICDecrPackets=cpvIPsecNICDecrPackets, identityAwarenessDistributedEnvTableBruteForceAtt=identityAwarenessDistributedEnvTableBruteForceAtt, thresholdActiveEventName=thresholdActiveEventName, fwSS_total_blocked_by_size_limit=fwSS_total_blocked_by_size_limit, dlpLicenseStatus=dlpLicenseStatus, haVerMajor=haVerMajor, asmLayer5=asmLayer5, fwSS_ftp_socket_in_use_curr=fwSS_ftp_socket_in_use_curr, fwSS_smtp_passed_by_size_limit=fwSS_smtp_passed_by_size_limit, routingGatweway=routingGatweway, ufTopBlockedSiteCnt=ufTopBlockedSiteCnt, fgStrPolicyName=fgStrPolicyName, fwHmem64_blocks_used=fwHmem64_blocks_used, fwSS_total_passed_by_interal_error=fwSS_total_passed_by_interal_error, thresholdDestinationIndex=thresholdDestinationIndex, procUsrTime=procUsrTime, fwSS_http_blocked_by_internal_error=fwSS_http_blocked_by_internal_error, fwSS_ufp_ops_ufp_sess_max=fwSS_ufp_ops_ufp_sess_max, fwInspect_operations=fwInspect_operations, svnProdVerMinor=svnProdVerMinor, fwNetIfIndex=fwNetIfIndex, fwAcceptedBytesTotalRate=fwAcceptedBytesTotalRate, fwHmem64_current_allocated_blocks=fwHmem64_current_allocated_blocks, ufTopBlockedUserTable=ufTopBlockedUserTable, fwHmem_current_allocated_pools=fwHmem_current_allocated_pools, fgIfEntry=fgIfEntry, fanSpeedSensorEntry=fanSpeedSensorEntry, cpvIKEMaxConncurInitSAs=cpvIKEMaxConncurInitSAs, amwAVNextUpdate=amwAVNextUpdate, raidDiskVolumeID=raidDiskVolumeID, sequenceVerifierInvalidSequence=sequenceVerifierInvalidSequence, voipDOS=voipDOS, fwSS_http_pid=fwSS_http_pid, products=products, fwSS_POP3_time_stamp=fwSS_POP3_time_stamp, cpvHwAccelEspDecBytes=cpvHwAccelEspDecBytes, tempertureSensorValue=tempertureSensorValue, cpvIpsecEspEncBytes=cpvIpsecEspEncBytes, fwHmem_requested_bytes=fwHmem_requested_bytes, svnRoutingModify=svnRoutingModify, osSPminor=osSPminor, numOfCIFSBlockedCommands=numOfCIFSBlockedCommands, vsRoutingEntry=vsRoutingEntry, fwSS_ftp_logical_port=fwSS_ftp_logical_port, aviServicesHTTP=aviServicesHTTP, fwSS_ftp_ops_cvp_sess_curr=fwSS_ftp_ops_cvp_sess_curr, vsxStatusPolicyName=vsxStatusPolicyName, httpURLLengthViolation=httpURLLengthViolation, procUsage=procUsage, fwRejectPcktsOut=fwRejectPcktsOut, dlpNumQuarantined=dlpNumQuarantined, fwSS_ftp_auth_sess_count=fwSS_ftp_auth_sess_count, voipCACConcurrentCalls=voipCACConcurrentCalls, antiSpamSubscriptionDesc=antiSpamSubscriptionDesc, fwSS_POP3_logical_port=fwSS_POP3_logical_port, exchangeAgentVersion=exchangeAgentVersion, cpvMaxConncurAhSAsOut=cpvMaxConncurAhSAsOut, fgVersionString=fgVersionString, fwSS_telnet_logical_port=fwSS_telnet_logical_port, svnDisk=svnDisk, numOfP2PSkypeCon=numOfP2PSkypeCon, vsRoutingMask=vsRoutingMask, asmIPSweep=asmIPSweep, dlpSMTPScans=dlpSMTPScans, aviEngines=aviEngines, fwSS_POP3_blocked_by_internal_error=fwSS_POP3_blocked_by_internal_error, dlp=dlp, vsxCountersIsDataValid=vsxCountersIsDataValid, svnStatLongDescr=svnStatLongDescr, dlpQrntMsgsSize=dlpQrntMsgsSize, multiProcTable=multiProcTable, fwFragments=fwFragments, fwKmem_free_operations=fwKmem_free_operations, fwSS_telnet_auth_sess_count=fwSS_telnet_auth_sess_count, fwSS_smtp_passed_cnt=fwSS_smtp_passed_cnt, fwSS_http_rejected_sess=fwSS_http_rejected_sess, fwNetIfPorts=fwNetIfPorts, aviFTPLastVirusTime=aviFTPLastVirusTime, fgProdName=fgProdName, fwSS_telnet_max_avail_socket=fwSS_telnet_max_avail_socket, svnProdVerMajor=svnProdVerMajor, aviLastSigCheckTime=aviLastSigCheckTime, mgStatShortDescr=mgStatShortDescr, fgPendBytesIn=fgPendBytesIn, vsxCountersBytesDroppedTotal=vsxCountersBytesDroppedTotal, antiVirusSubscription=antiVirusSubscription, haServicePack=haServicePack, asmP2PSkypeCon=asmP2PSkypeCon, fwSS_telnet_socket_in_use_count=fwSS_telnet_socket_in_use_count, fwSS_smtp_sess_count=fwSS_smtp_sess_count, ufTopBlockedCatName=ufTopBlockedCatName, fwAcceptBytesOut=fwAcceptBytesOut, fwSS_http_socket_in_use_max=fwSS_http_socket_in_use_max, fwSS_POP3_auth_sess_curr=fwSS_POP3_auth_sess_curr, ufSS=ufSS, fwHmem64_free_operations=fwHmem64_free_operations, fwHmem64_blocks_peak=fwHmem64_blocks_peak, te=te, numOfP2PKazaaConAttempts=numOfP2PKazaaConAttempts, svnRouteModDest=svnRouteModDest, fwSS_telnet=fwSS_telnet, fwSS_http_socket_in_use_count=fwSS_http_socket_in_use_count, fwInspect_extract=fwInspect_extract, vsxStatus=vsxStatus, fwSS_rlogin_auth_sess_max=fwSS_rlogin_auth_sess_max, mgFwmIsAlive=mgFwmIsAlive, cpsemdCorrelationUnitEntry=cpsemdCorrelationUnitEntry, identityAwarenessAuthMachKerberos=identityAwarenessAuthMachKerberos, asmAttacks=asmAttacks, cpvIpsecAhDecPkts=cpvIpsecAhDecPkts, dlpFtpScans=dlpFtpScans, cpvSaOtherErrIn=cpvSaOtherErrIn, dlpStatusCode=dlpStatusCode, thresholdAlertCount=thresholdAlertCount, vsxCountersAcceptedTotal=vsxCountersAcceptedTotal, cpvDecPackets=cpvDecPackets, raidDiskVendor=raidDiskVendor, thresholds=thresholds, fwSS_http_passed_by_AV_settings=fwSS_http_passed_by_AV_settings, fwSS_ftp_is_alive=fwSS_ftp_is_alive)
mibBuilder.exportSymbols("CHECKPOINT-MIB", cpvIKETotalInitSAs=cpvIKETotalInitSAs, raOfficeMode=raOfficeMode, ufTopBlockedUserCnt=ufTopBlockedUserCnt, identityAwarenessSuccUserLoginADQuery=identityAwarenessSuccUserLoginADQuery, fwConnectionsStatConnectionsTcp=fwConnectionsStatConnectionsTcp, numOfIpSweep=numOfIpSweep, fwSS_POP3_socket_in_use_max=fwSS_POP3_socket_in_use_max, fwVerMajor=fwVerMajor, fwHmem64_initial_allocated_blocks=fwHmem64_initial_allocated_blocks, fwCookies_allocfwCookies_total=fwCookies_allocfwCookies_total, cpvIPsec=cpvIPsec, multiProcInterrupts=multiProcInterrupts, multiDiskFreeAvailableBytes=multiDiskFreeAvailableBytes, vpn=vpn, exchangeAgentName=exchangeAgentName, svnStatShortDescr=svnStatShortDescr, fwSS_ftp_passed_by_file_type=fwSS_ftp_passed_by_file_type, aviTopEverViruses=aviTopEverViruses, ha=ha, numOfHttpASCIIViolations=numOfHttpASCIIViolations, svnNetIfDescription=svnNetIfDescription, fwSS_http_blocked_by_size_limit=fwSS_http_blocked_by_size_limit, msSpamControlsIpRepuatation=msSpamControlsIpRepuatation, applicationControl=applicationControl, cpvIpsecDecomprBytesBefore=cpvIpsecDecomprBytesBefore, aviPOP3TopVirusesName=aviPOP3TopVirusesName, thresholdPolicy=thresholdPolicy, fwSS_rlogin_accepted_sess=fwSS_rlogin_accepted_sess, fwSS_POP3_socket_in_use_count=fwSS_POP3_socket_in_use_count, fwSS_total_blocked_by_interal_error=fwSS_total_blocked_by_interal_error, fwCookies_dupfwCookies_total=fwCookies_dupfwCookies_total, svnNetIfVsid=svnNetIfVsid, wamPolicyName=wamPolicyName, dlpSMTPIncidents=dlpSMTPIncidents, fwIfIndex=fwIfIndex, powerSupplyIndex=powerSupplyIndex, voipDOSSipRateLimitingTableNumTrustedRequests=voipDOSSipRateLimitingTableNumTrustedRequests, voltageSensorStatus=voltageSensorStatus, amwABNextUpdate=amwABNextUpdate, svnSysStartTime=svnSysStartTime, ufEngineVer=ufEngineVer, fgIfIndex=fgIfIndex, dlpUserCheckClnts=dlpUserCheckClnts, fwSS_smtp_mail_count=fwSS_smtp_mail_count, fwSS_telnet_sess_count=fwSS_telnet_sess_count, fwFrag_fragments=fwFrag_fragments, identityAwarenessAntiSpoffProtection=identityAwarenessAntiSpoffProtection, fwSS_http_max_avail_socket=fwSS_http_max_avail_socket, cpvHwAccelAhEncBytes=cpvHwAccelAhEncBytes, vsxCountersConnPeakNum=vsxCountersConnPeakNum, voipMinorVersion=voipMinorVersion, thresholdSendingState=thresholdSendingState, haState=haState, cpseadJobID=cpseadJobID, routingEntry=routingEntry, fwConnectionsStatConnectionsUdp=fwConnectionsStatConnectionsUdp, numOfBitTorrentCon=numOfBitTorrentCon, thresholdErrorsTable=thresholdErrorsTable, cpvIpsecUdpEspEncPkts=cpvIpsecUdpEspEncPkts, aviStatCode=aviStatCode, permanentTunnelEntry=permanentTunnelEntry, fwSS_rlogin_socket_in_use_count=fwSS_rlogin_socket_in_use_count, thresholdState=thresholdState, teStatusLongDesc=teStatusLongDesc, msMinorVersion=msMinorVersion, cpsemdNumEvents=cpsemdNumEvents, fwSS_POP3_outgoing_mail_max=fwSS_POP3_outgoing_mail_max, svnLogDaemon=svnLogDaemon, wamState=wamState, svnMem=svnMem, cpseadStatCode=cpseadStatCode, haIfName=haIfName, diskFreeTotal=diskFreeTotal, cpvIpsecComprBytesAfter=cpvIpsecComprBytesAfter, cpvIKEMaxConncurSAs=cpvIKEMaxConncurSAs, cpsemdDBCapacity=cpsemdDBCapacity, dlpLdapStatus=dlpLdapStatus, cpvIpsecDecomprErr=cpvIpsecDecomprErr, asmSeqval=asmSeqval, cpsemdStatShortDescr=cpsemdStatShortDescr, cpsemdCurrentDBSize=cpsemdCurrentDBSize, fwSS_http_blocked_by_URL_filter_category=fwSS_http_blocked_by_URL_filter_category, fwHmem_bytes_unused=fwHmem_bytes_unused, fwSXLGroup=fwSXLGroup, voipDOSSipRateLimitingTableIndex=voipDOSSipRateLimitingTableIndex, msExpirationDate=msExpirationDate, teUpdateStatus=teUpdateStatus, mgVerMajor=mgVerMajor, antiSpamSubscription=antiSpamSubscription, routingIntrfName=routingIntrfName, fgRetransPcktsIn=fgRetransPcktsIn, dlpDiscardEMails=dlpDiscardEMails, voipDOSSipRateLimitingTable=voipDOSSipRateLimitingTable, fwSS_telnet_time_stamp=fwSS_telnet_time_stamp, cpvSaErrors=cpvSaErrors, fwChains=fwChains, vsxCountersBytesAcceptedTotal=vsxCountersBytesAcceptedTotal, fwSS_smtp_max_avail_socket=fwSS_smtp_max_avail_socket, advancedUrlFilteringUpdateStatus=advancedUrlFilteringUpdateStatus, fwHmem_initial_allocated_bytes=fwHmem_initial_allocated_bytes, dlpPostfixQMsgsSz=dlpPostfixQMsgsSz, fwSS_POP3_scanned_total=fwSS_POP3_scanned_total, aviTopVirusesIndex=aviTopVirusesIndex, fwSS_total_passed_by_av=fwSS_total_passed_by_av, cpvTotalEspSAsIn=cpvTotalEspSAsIn, fwKmem_blocking_bytes_peak=fwKmem_blocking_bytes_peak, svnUTCTimeOffset=svnUTCTimeOffset, diskPercent=diskPercent, mngmt=mngmt, aviHTTPTopVirusesName=aviHTTPTopVirusesName, haClusterSyncIndex=haClusterSyncIndex, exchangeAgentTotalMsg=exchangeAgentTotalMsg, asmSynatkCurrentMode=asmSynatkCurrentMode, thresholdActiveEventsEntry=thresholdActiveEventsEntry, fwAcceptBytesIn=fwAcceptBytesIn, fwSS_ufp_ops_ufp_sess_count=fwSS_ufp_ops_ufp_sess_count, fwSS_ufp_time_stamp=fwSS_ufp_time_stamp, fwSS_ftp_blocked_by_archive_limit=fwSS_ftp_blocked_by_archive_limit, vsxVsSupported=vsxVsSupported, cpseadConnectedToSem=cpseadConnectedToSem, advancedUrlFilteringSubscription=advancedUrlFilteringSubscription, fwIfTable=fwIfTable, cpseadJobName=cpseadJobName, fwSS_http_ops_cvp_sess_max=fwSS_http_ops_cvp_sess_max, svnVersion=svnVersion, powerSupplyInfo=powerSupplyInfo, asmP2PBitTorrentCon=asmP2PBitTorrentCon, teSubscriptionExpDate=teSubscriptionExpDate, aviServices=aviServices, fwSS_smtp_blocked_total=fwSS_smtp_blocked_total, svnProdName=svnProdName, fwSS_POP3_mail_count=fwSS_POP3_mail_count, fwSS_http_passed_by_archive_limit=fwSS_http_passed_by_archive_limit, osBuildNum=osBuildNum, ufStatShortDescr=ufStatShortDescr, ufTopBlockedCatTable=ufTopBlockedCatTable, fwCookies_lenfwCookies_total=fwCookies_lenfwCookies_total, fwSS_smtp_outgoing_mail_curr=fwSS_smtp_outgoing_mail_curr, identityAwarenessUnSuccUserLDAP=identityAwarenessUnSuccUserLDAP, fwSS_POP3_blocked_by_size_limit=fwSS_POP3_blocked_by_size_limit, tunnelPeerType=tunnelPeerType, fwSS_http_tunneled_sess_max=fwSS_http_tunneled_sess_max, applicationControlNextUpdate=applicationControlNextUpdate, aviTopVirusesEntry=aviTopVirusesEntry, fwSS_POP3=fwSS_POP3, fwSS_http_transp_sess_curr=fwSS_http_transp_sess_curr, haProblemStatus=haProblemStatus, cpvIKETotalFailuresInit=cpvIKETotalFailuresInit, identityAwarenessAuthUsersADQuery=identityAwarenessAuthUsersADQuery, voipMajorVersion=voipMajorVersion, applicationControlSubscription=applicationControlSubscription, wam=wam, exchangeAgentStatus=exchangeAgentStatus, cpseadJobDataType=cpseadJobDataType, wamUagHost=wamUagHost, haProblemName=haProblemName, identityAwarenessStatus=identityAwarenessStatus, raidVolumeEntry=raidVolumeEntry, cpsemdNewEventsHandled=cpsemdNewEventsHandled, svnNetIfName=svnNetIfName, cpvIKEMaxConncurRespSAs=cpvIKEMaxConncurRespSAs, fwSS_ftp_rejected_sess=fwSS_ftp_rejected_sess, wamGlobalPerformance=wamGlobalPerformance, thresholdSendingStateDesc=thresholdSendingStateDesc, fwHmem64_initial_allocated_bytes=fwHmem64_initial_allocated_bytes, sensorInfo=sensorInfo, fwTrap=fwTrap, fwSS_ftp_blocked_by_internal_error=fwSS_ftp_blocked_by_internal_error, cpseadJobState=cpseadJobState, fwCookies=fwCookies, ufTopBlockedSiteEntry=ufTopBlockedSiteEntry, sxl=sxl, fwSS_http_ssl_encryp_sess_max=fwSS_http_ssl_encryp_sess_max, haIdentifier=haIdentifier, fwSS_POP3_passed_by_file_type=fwSS_POP3_passed_by_file_type, applicationControlUpdateDesc=applicationControlUpdateDesc, fwSS_telnet_sess_curr=fwSS_telnet_sess_curr, cpvHwAccelGeneral=cpvHwAccelGeneral, msMajorVersion=msMajorVersion, fwSS_http_port=fwSS_http_port, fwSS_rlogin_max_avail_socket=fwSS_rlogin_max_avail_socket, procInterrupts=procInterrupts, fwKernelBuild=fwKernelBuild, fwLogOut=fwLogOut, fwHmem_initial_allocated_blocks=fwHmem_initial_allocated_blocks, fwSS_http_passed_cnt=fwSS_http_passed_cnt, fwSS_POP3_is_alive=fwSS_POP3_is_alive, exchangeAgentsStatusTableIndex=exchangeAgentsStatusTableIndex, fwSS_http_tunneled_sess_count=fwSS_http_tunneled_sess_count, fwSS_ftp_blocked_total=fwSS_ftp_blocked_total, mgVerMinor=mgVerMinor, cpvSaAuthErr=cpvSaAuthErr, cpvHwAccelAhDecBytes=cpvHwAccelAhDecBytes, ufLastSigLocation=ufLastSigLocation, cpvIKENoResp=cpvIKENoResp, numOfGnutellaConAttempts=numOfGnutellaConAttempts, fwSS_POP3_sess_count=fwSS_POP3_sess_count, fwSS_smtp_port=fwSS_smtp_port, cpvSaPolicyErr=cpvSaPolicyErr, fwSS_ftp_passed_by_size_limit=fwSS_ftp_passed_by_size_limit, aviSMTPTopVirusesIndex=aviSMTPTopVirusesIndex, fwSS_rlogin_sess_max=fwSS_rlogin_sess_max, amwAVUpdate=amwAVUpdate, uf=uf, amwStatusLongDesc=amwStatusLongDesc, fwAccepted=fwAccepted, thresholdName=thresholdName, ufEngineName=ufEngineName, fwSS_telnet_auth_sess_max=fwSS_telnet_auth_sess_max, amwABUpdate=amwABUpdate, fwSS_telnet_rejected_sess=fwSS_telnet_rejected_sess, fwSS_total_passed_by_file_type=fwSS_total_passed_by_file_type, ufScannedCnt=ufScannedCnt, antiSpamSubscriptionExpDate=antiSpamSubscriptionExpDate, cpseadStatLongDescr=cpseadStatLongDescr, svnNetStat=svnNetStat, wamName=wamName, antiBotSubscriptionStatus=antiBotSubscriptionStatus, aviLastSigLocation=aviLastSigLocation, tunnelNextHop=tunnelNextHop, ufTopBlockedUserIndex=ufTopBlockedUserIndex, fwSS_POP3_total_mails=fwSS_POP3_total_mails, fwHmem64_current_allocated_pools=fwHmem64_current_allocated_pools, fwSS_POP3_blocked_total=fwSS_POP3_blocked_total, fwSS_rlogin_auth_sess_curr=fwSS_rlogin_auth_sess_curr, amwAVUpdateDesc=amwAVUpdateDesc, haProdName=haProdName, raidVolumeIndex=raidVolumeIndex, identityAwarenessLoggedInAgent=identityAwarenessLoggedInAgent, dlpStatusShortDesc=dlpStatusShortDesc, advancedUrlFilteringUpdateDesc=advancedUrlFilteringUpdateDesc, fwLocalLoggingStat=fwLocalLoggingStat, cpseadStateDescription=cpseadStateDescription, asmHttpFormatViolatoin=asmHttpFormatViolatoin, fwSS_smtp_blocked_by_AV_settings=fwSS_smtp_blocked_by_AV_settings, fwSS_rlogin=fwSS_rlogin, cpvIpsecStatistics=cpvIpsecStatistics, multiProcIdleTime=multiProcIdleTime, fwSS_http_passed_by_URL_allow_list=fwSS_http_passed_by_URL_allow_list, fwSS_http_passed_by_internal_error=fwSS_http_passed_by_internal_error, dtpsVerMajor=dtpsVerMajor, amwAVVersion=amwAVVersion, cpvHwAccelEspDecPkts=cpvHwAccelEspDecPkts, fwSS_ftp_scanned_total=fwSS_ftp_scanned_total, applicationControlStatusShortDesc=applicationControlStatusShortDesc, fwSS_ftp_sess_curr=fwSS_ftp_sess_curr, msServicePack=msServicePack, fwSS_smtp_is_alive=fwSS_smtp_is_alive, fwSS_POP3_mail_max=fwSS_POP3_mail_max, voltageSensorTable=voltageSensorTable, fwHmem_current_allocated_blocks=fwHmem_current_allocated_blocks, fgPendBytesOut=fgPendBytesOut, applicationControlStatusLongDesc=applicationControlStatusLongDesc, identityAwarenessDistributedEnvTableIndex=identityAwarenessDistributedEnvTableIndex)
mibBuilder.exportSymbols("CHECKPOINT-MIB", identityAwarenessDistributedEnvTableDisconnections=identityAwarenessDistributedEnvTableDisconnections, amwStatusShortDesc=amwStatusShortDesc, cpseadJobsTable=cpseadJobsTable, cpvErrPolicy=cpvErrPolicy, aviEngineDate=aviEngineDate, svnNetIfMAC=svnNetIfMAC, dlpStatusLongDesc=dlpStatusLongDesc, msProductName=msProductName, memTotalVirtual=memTotalVirtual, tempertureSensorStatus=tempertureSensorStatus, exchangeAgentAvgTimePerScannedMsg=exchangeAgentAvgTimePerScannedMsg, asmSynatkSynAckReset=asmSynatkSynAckReset, fwAcceptPcktsIn=fwAcceptPcktsIn, fwPeakNumConn=fwPeakNumConn, fwSS_rlogin_port=fwSS_rlogin_port, memFreeReal64=memFreeReal64, aviEngineEntry=aviEngineEntry, fwSS_telnet_is_alive=fwSS_telnet_is_alive, teUpdateDesc=teUpdateDesc, msStatLongDescr=msStatLongDescr, haStatCode=haStatCode, asmHttpAsciiViolation=asmHttpAsciiViolation, thresholdDestinationType=thresholdDestinationType, permanentTunnelCommunity=permanentTunnelCommunity, cpvIKETotalSAsAttempts=cpvIKETotalSAsAttempts, tunnelSourceIpAddr=tunnelSourceIpAddr, numOfCIFSBlockedPopUps=numOfCIFSBlockedPopUps, fwHmem_blocks_peak=fwHmem_blocks_peak, voipDOSSipNetworkRegConfThreshold=voipDOSSipNetworkRegConfThreshold, antiVirusSubscriptionStatus=antiVirusSubscriptionStatus, permanentTunnelSourceIpAddr=permanentTunnelSourceIpAddr, haClusterIpIfName=haClusterIpIfName, dtpsConnectedUsers=dtpsConnectedUsers, fwSS_telnet_port=fwSS_telnet_port, fwSS_smtp_passed_by_archive_limit=fwSS_smtp_passed_by_archive_limit, cpvIpsecComprBytesBefore=cpvIpsecComprBytesBefore, raidVolumeTable=raidVolumeTable, voipDOSSipNetworkReqConfThreshold=voipDOSSipNetworkReqConfThreshold, dlpFtpIncidents=dlpFtpIncidents, permanentTunnelState=permanentTunnelState, permanentTunnelLinkPriority=permanentTunnelLinkPriority, fwDropped=fwDropped, applicationControlStatusCode=applicationControlStatusCode, smartDefense=smartDefense, fwModuleState=fwModuleState, svnOSInfo=svnOSInfo, multiProcSystemTime=multiProcSystemTime, thresholdActiveEventState=thresholdActiveEventState, svnNetIfState=svnNetIfState, vsxStatusVSId=vsxStatusVSId, aviPOP3TopVirusesEntry=aviPOP3TopVirusesEntry, fwCookies_putfwCookies_total=fwCookies_putfwCookies_total, aviSMTPTopVirusesTable=aviSMTPTopVirusesTable, aviTopVirusesCnt=aviTopVirusesCnt, multiProcRunQueue=multiProcRunQueue, wamAcceptReq=wamAcceptReq, fwSS_telnet_pid=fwSS_telnet_pid, identityAwarenessUnSuccUserLoginKerberos=identityAwarenessUnSuccUserLoginKerberos, svnNetIfOperState=svnNetIfOperState, ufTopBlockedUserName=ufTopBlockedUserName, fanSpeedSensorName=fanSpeedSensorName, fwSS_smtp_accepted_sess=fwSS_smtp_accepted_sess, fwSS_POP3_blocked_by_archive_limit=fwSS_POP3_blocked_by_archive_limit, vsxStatusCPUUsage1min=vsxStatusCPUUsage1min, raVisitorMode=raVisitorMode, fwSS_smtp_logical_port=fwSS_smtp_logical_port, raUsersEntry=raUsersEntry, msSpamControlsDomainKeys=msSpamControlsDomainKeys, raRouteTraffic=raRouteTraffic, fwSS_smtp_sess_curr=fwSS_smtp_sess_curr, fwSS_http_passed_by_URL_filter_category=fwSS_http_passed_by_URL_filter_category, vsxCountersConnTableLimit=vsxCountersConnTableLimit, vsxCountersTable=vsxCountersTable, memTotalReal=memTotalReal, fwSS_ftp_socket_in_use_max=fwSS_ftp_socket_in_use_max, dlpHttpScans=dlpHttpScans, fwKmem_failed_free=fwKmem_failed_free, svnInfo=svnInfo, osVersionLevel=osVersionLevel, raidDiskProductID=raidDiskProductID, applicationControlSubscriptionExpDate=applicationControlSubscriptionExpDate, fwHmem64_failed_free=fwHmem64_failed_free, ufStatCode=ufStatCode, asmP2PKazaaConAttempts=asmP2PKazaaConAttempts, voltageSensorValue=voltageSensorValue, cpvHwAccelEspEncBytes=cpvHwAccelEspEncBytes, msSpamNumSpamEmails=msSpamNumSpamEmails, fwSS_http_transp_sess_count=fwSS_http_transp_sess_count, exchangeAgents=exchangeAgents, raidDiskTable=raidDiskTable, raLogonTime=raLogonTime, vsxCountersRejectedTotal=vsxCountersRejectedTotal, fwSS_http_sess_max=fwSS_http_sess_max, fwSS_http_proto=fwSS_http_proto, thresholdActive=thresholdActive, voipDOSSipNetworkCallInitInterval=voipDOSSipNetworkCallInitInterval, cpvStatistics=cpvStatistics, wamRejectReq=wamRejectReq, dlpQrntStatus=dlpQrntStatus, cpvIKETotalSAs=cpvIKETotalSAs, advancedUrlFilteringStatusLongDesc=advancedUrlFilteringStatusLongDesc, fwNetIfFlags=fwNetIfFlags, dlpFtpLastScan=dlpFtpLastScan, fwSS_http_passed_by_size_limit=fwSS_http_passed_by_size_limit, permanentTunnelNextHop=permanentTunnelNextHop, exchangeAgentUpTime=exchangeAgentUpTime, dtps=dtps, dlpPostfixQOldMsg=dlpPostfixQOldMsg, fwSS_ufp_is_alive=fwSS_ufp_is_alive, vsxStatusEntry=vsxStatusEntry, fwSS_http_passed_by_file_type=fwSS_http_passed_by_file_type, numOfhostPortScan=numOfhostPortScan, fgNumConnIn=fgNumConnIn, fwSS_smtp_rejected_sess=fwSS_smtp_rejected_sess, fwSS_av_total=fwSS_av_total, cpseadConnectedToLogServer=cpseadConnectedToLogServer, svnApplianceProductName=svnApplianceProductName, fwLSConnName=fwLSConnName, lsIndex=lsIndex, lsBuildNumber=lsBuildNumber, fwHmem_blocks_used=fwHmem_blocks_used, fwSS_smtp_pid=fwSS_smtp_pid, dtpsProdName=dtpsProdName, advancedUrlFilteringSubscriptionDesc=advancedUrlFilteringSubscriptionDesc, fwSS_telnet_auth_sess_curr=fwSS_telnet_auth_sess_curr, wamPluginPerformance=wamPluginPerformance, asmLayer4=asmLayer4, raInternalIpAddr=raInternalIpAddr, cpvIKETotalFailuresResp=cpvIKETotalFailuresResp, fwHmem_initial_allocated_pools=fwHmem_initial_allocated_pools, haClusterIpNetMask=haClusterIpNetMask, thresholdActiveEventsIndex=thresholdActiveEventsIndex, asmLayer3=asmLayer3, fwSS_smtp_time_stamp=fwSS_smtp_time_stamp, fwFrag_packets=fwFrag_packets, wamUagLastQuery=wamUagLastQuery, cpvIpsecUdpEspDecPkts=cpvIpsecUdpEspDecPkts, procSysTime=procSysTime, cpvSaReplayErr=cpvSaReplayErr, fwNumConn=fwNumConn, fwSS_smtp_outgoing_mail_max=fwSS_smtp_outgoing_mail_max, tunnelCommunity=tunnelCommunity, fwDropPcktsOut=fwDropPcktsOut, fwSS_http_ftp_sess_curr=fwSS_http_ftp_sess_curr, fwHmem64_maximum_bytes=fwHmem64_maximum_bytes, identityAwarenessStatusShortDesc=identityAwarenessStatusShortDesc, memSwapsSec64=memSwapsSec64, fgRetransPcktsOut=fgRetransPcktsOut, tempertureSensorEntry=tempertureSensorEntry, fwHmem_block_size=fwHmem_block_size, voipStatShortDescr=voipStatShortDescr, aviFTPTopVirusesName=aviFTPTopVirusesName, haClusterIpIndex=haClusterIpIndex, teStatusCode=teStatusCode, aviTopEverVirusesIndex=aviTopEverVirusesIndex, cpvIKETotalSAsInitAttempts=cpvIKETotalSAsInitAttempts, fwSS_POP3_auth_sess_max=fwSS_POP3_auth_sess_max, numOfP2PeMuleConAttempts=numOfP2PeMuleConAttempts, haWorkMode=haWorkMode, fwHmem_bytes_used=fwHmem_bytes_used, fwHmem64_bytes_unused=fwHmem64_bytes_unused, raidDiskID=raidDiskID, fwFrag_expired=fwFrag_expired, multiProcEntry=multiProcEntry, haProblemDescr=haProblemDescr, voipDOSSipNetwork=voipDOSSipNetwork, haClusterSyncName=haClusterSyncName, advancedUrlFilteringSubscriptionStatus=advancedUrlFilteringSubscriptionStatus, thresholdActiveEventSubject=thresholdActiveEventSubject, fwCookies_freefwCookies_total=fwCookies_freefwCookies_total, haProblemTable=haProblemTable, cpseadStateDescriptionCode=cpseadStateDescriptionCode, fwDroppedBytesTotalRate=fwDroppedBytesTotalRate, fwSICTrustState=fwSICTrustState, cpvMaxConncurAhSAsIn=cpvMaxConncurAhSAsIn, fwHmem_number_of_items=fwHmem_number_of_items, cpvFwzEncapsEncErrs=cpvFwzEncapsEncErrs, svnRouteModIfIndex=svnRouteModIfIndex, cpvVerMajor=cpvVerMajor, fgPendPcktsOut=fgPendPcktsOut, dlpQrntFreeSpace=dlpQrntFreeSpace, fwSS_smtp_mail_max=fwSS_smtp_mail_max, msVersionStr=msVersionStr, vsxStatusCPUUsage10sec=vsxStatusCPUUsage10sec, multiProcUsage=multiProcUsage, vsxStatusCPUUsageVSId=vsxStatusCPUUsageVSId, cpsemdCorrelationUnitIndex=cpsemdCorrelationUnitIndex, fwSS_http_auth_failures=fwSS_http_auth_failures, vsRoutingIntrfName=vsRoutingIntrfName, fgAvrRateOut=fgAvrRateOut, cpvHwAccelStatistics=cpvHwAccelStatistics, fwSS_smtp_socket_in_use_curr=fwSS_smtp_socket_in_use_curr, fwSS_ufp_ops_ufp_sess_curr=fwSS_ufp_ops_ufp_sess_curr, cpvIKETotalSAsRespAttempts=cpvIKETotalSAsRespAttempts, vsxStatusCPUUsage1hr=vsxStatusCPUUsage1hr, fwSS_ftp=fwSS_ftp, thresholdErrorsEntry=thresholdErrorsEntry, fwSS_smtp_blocked_by_file_type=fwSS_smtp_blocked_by_file_type, fwSS_ftp_socket_in_use_count=fwSS_ftp_socket_in_use_count, osMinorVer=osMinorVer, fwSS_http_blocked_by_file_type=fwSS_http_blocked_by_file_type, fwSS_total_blocked_by_av_settings=fwSS_total_blocked_by_av_settings, fwSS_POP3_passed_by_size_limit=fwSS_POP3_passed_by_size_limit, fwNetIfName=fwNetIfName, httpMaxHeaderReached=httpMaxHeaderReached, fwSS_ufp=fwSS_ufp, fwSS_total_passed_by_av_settings=fwSS_total_passed_by_av_settings, cpvIpsecNonCompressiblePkts=cpvIpsecNonCompressiblePkts, identityAwarenessSuccUserLDAP=identityAwarenessSuccUserLDAP, fwSS_smtp_auth_failures=fwSS_smtp_auth_failures, haIfIndex=haIfIndex, thresholdActiveEventsTable=thresholdActiveEventsTable, fanSpeedSensorStatus=fanSpeedSensorStatus, fwHmem64=fwHmem64, cpvFwzEncapsDecPkts=cpvFwzEncapsDecPkts, fwSS_ftp_port=fwSS_ftp_port, fwSS_POP3_passed_by_AV_settings=fwSS_POP3_passed_by_AV_settings, eventiaAnalyzer=eventiaAnalyzer, haProblemEntry=haProblemEntry, numOfCIFSNullSessions=numOfCIFSNullSessions, fgIfTable=fgIfTable, fwSS_POP3_passed_total=fwSS_POP3_passed_total, fwNetIfProxyName=fwNetIfProxyName, fwSS_http_ftp_sess_max=fwSS_http_ftp_sess_max, cpvFwz=cpvFwz, cpvHwAccelEspEncPkts=cpvHwAccelEspEncPkts, fwHmem=fwHmem, fwSS_ftp_blocked_cnt=fwSS_ftp_blocked_cnt, identityAwarenessADQueryStatusTableIndex=identityAwarenessADQueryStatusTableIndex, asmHttpWorms=asmHttpWorms, msSpamControlsSPF=msSpamControlsSPF, asmHTTP=asmHTTP, fwSS_smtp=fwSS_smtp, aviServicesSMTP=aviServicesSMTP, tunnelType=tunnelType, routingDest=routingDest, cpvErrIke=cpvErrIke, fwFilterName=fwFilterName, teCloudSubscriptionStatus=teCloudSubscriptionStatus, voip=voip, dlpExpiredEMails=dlpExpiredEMails, permanentTunnelPeerType=permanentTunnelPeerType, fwSS_ftp_sess_count=fwSS_ftp_sess_count, fwSS_POP3_outgoing_mail_count=fwSS_POP3_outgoing_mail_count, memTotalReal64=memTotalReal64, antiBotSubscription=antiBotSubscription, fwSS_http=fwSS_http, fanSpeedSensorType=fanSpeedSensorType, fwHmem_maximum_pools=fwHmem_maximum_pools, asmSynatk=asmSynatk, cpsemdStatLongDescr=cpsemdStatLongDescr, raTunnelAuthMethod=raTunnelAuthMethod, identityAwarenessSuccMachLoginADQuery=identityAwarenessSuccMachLoginADQuery, aviTopEverVirusesEntry=aviTopEverVirusesEntry)
mibBuilder.exportSymbols("CHECKPOINT-MIB", cpvCurrAhSAsOut=cpvCurrAhSAsOut, svnSysTime=svnSysTime, identityAwarenessAuthMachADQuery=identityAwarenessAuthMachADQuery, memActiveVirtual64=memActiveVirtual64, svnStatCode=svnStatCode, fwSS_ftp_sess_max=fwSS_ftp_sess_max, fwCookies_total=fwCookies_total, fwSS_total_scanned=fwSS_total_scanned, tempertureSensorIndex=tempertureSensorIndex, voltageSensorUnit=voltageSensorUnit, thresholdDestinationName=thresholdDestinationName, fwHmem_maximum_bytes=fwHmem_maximum_bytes, identityAwarenessDistributedEnvTableIsLocal=identityAwarenessDistributedEnvTableIsLocal, vsxCountersLoggedTotal=vsxCountersLoggedTotal, advancedUrlFilteringStatusCode=advancedUrlFilteringStatusCode, aviSMTPLastVirusName=aviSMTPLastVirusName, cpvIpsecEspDecBytes=cpvIpsecEspDecBytes, antiSpamSubscriptionStatus=antiSpamSubscriptionStatus, vsRoutingIndex=vsRoutingIndex, osName=osName, tunnelTable=tunnelTable, dlpPostfixQFreeSp=dlpPostfixQFreeSp, powerSupplyStatus=powerSupplyStatus, haIfTable=haIfTable, fwNetIfEntry=fwNetIfEntry, vsx=vsx, thresholdDestinationsTable=thresholdDestinationsTable, raidVolumeMaxLBA=raidVolumeMaxLBA, mgApplicationType=mgApplicationType, tempertureSensorName=tempertureSensorName, ufTopBlockedSiteIndex=ufTopBlockedSiteIndex, memActiveReal=memActiveReal, fwLogged=fwLogged, fwSS_total_blocked_by_file_type=fwSS_total_blocked_by_file_type, cpsemdDBIsFull=cpsemdDBIsFull, sequenceVerifierInvalidAck=sequenceVerifierInvalidAck, fwConnectionsStatConnectionRate=fwConnectionsStatConnectionRate, fwMajor=fwMajor, advancedUrlFilteringNextUpdate=advancedUrlFilteringNextUpdate, dlpVersionString=dlpVersionString, fwSS_http_is_alive=fwSS_http_is_alive, cpvFwzEncapsEncPkts=cpvFwzEncapsEncPkts, thresholdActiveEventActivationTime=thresholdActiveEventActivationTime, fg=fg, fwSS_ftp_max_avail_socket=fwSS_ftp_max_avail_socket, teSubscriptionStatus=teSubscriptionStatus, exchangeCPUUsage=exchangeCPUUsage, haStatLong=haStatLong, raidInfo=raidInfo, voipDOSSipRateLimitingTableIpAddress=voipDOSSipRateLimitingTableIpAddress, aviPOP3LastVirusName=aviPOP3LastVirusName, ufTopBlockedSiteName=ufTopBlockedSiteName, dlpBypassStatus=dlpBypassStatus, fwSS_smtp_passed_by_file_type=fwSS_smtp_passed_by_file_type, fwKmem_system_physical_mem=fwKmem_system_physical_mem, fwSS_http_auth_sess_max=fwSS_http_auth_sess_max, fwHmem_alloc_operations=fwHmem_alloc_operations, msStatCode=msStatCode, ls=ls, haVerMinor=haVerMinor, fwSS_smtp_mail_curr=fwSS_smtp_mail_curr, msEngineVer=msEngineVer, fwSS_ftp_passed_by_AV_settings=fwSS_ftp_passed_by_AV_settings, mgStatLongDescr=mgStatLongDescr, cpseadNumAnalyzedLogs=cpseadNumAnalyzedLogs, fwSS_http_blocked_total=fwSS_http_blocked_total, asmP2POtherConAttempts=asmP2POtherConAttempts, svnMem64=svnMem64, thresholdErrorIndex=thresholdErrorIndex, cpvIpsecComprOverhead=cpvIpsecComprOverhead, aviFTPTopVirusesTable=aviFTPTopVirusesTable, vsxStatusSicTrustState=vsxStatusSicTrustState, fwKmem_number_of_items=fwKmem_number_of_items, raidDiskNumber=raidDiskNumber, fwHmem64_bytes_internal_use=fwHmem64_bytes_internal_use, cpseadJobLogServer=cpseadJobLogServer, advancedUrlFilteringSubscriptionExpDate=advancedUrlFilteringSubscriptionExpDate, fwLocalLoggingDesc=fwLocalLoggingDesc, lsApplicationType=lsApplicationType, identityAwarenessSuccUserLoginPass=identityAwarenessSuccUserLoginPass, identityAwarenessProductName=identityAwarenessProductName, identityAwarenessSuccMachLoginKerberos=identityAwarenessSuccMachLoginKerberos, identityAwarenessDistributedEnvTable=identityAwarenessDistributedEnvTable, cpsemdUpdatesHandled=cpsemdUpdatesHandled, fwSS_http_blocked_by_URL_block_list=fwSS_http_blocked_by_URL_block_list, aviPOP3TopVirusesIndex=aviPOP3TopVirusesIndex, antiBotSubscriptionDesc=antiBotSubscriptionDesc, fwHmem64_number_of_items=fwHmem64_number_of_items, fwSS_rlogin_proto=fwSS_rlogin_proto, fwSS_telnet_socket_in_use_curr=fwSS_telnet_socket_in_use_curr, numOfCIFSPasswordLengthViolations=numOfCIFSPasswordLengthViolations, fwKmem_available_physical_mem=fwKmem_available_physical_mem, identityAwarenessStatusLongDesc=identityAwarenessStatusLongDesc, cpvErrIn=cpvErrIn, fanSpeedSensorValue=fanSpeedSensorValue, applicationControlUpdate=applicationControlUpdate, osSPmajor=osSPmajor, diskTime=diskTime, haInstalled=haInstalled, fwSS_smtp_sess_max=fwSS_smtp_sess_max, voipVersionStr=voipVersionStr, fwSS_telnet_proto=fwSS_telnet_proto, vsxStatusVsType=vsxStatusVsType, cpvIPsecNIC=cpvIPsecNIC, aviTopEverVirusesName=aviTopEverVirusesName, cpvIpsecDecomprPkts=cpvIpsecDecomprPkts, exchangeAgentAvgTimePerMsg=exchangeAgentAvgTimePerMsg, numOfP2POtherConAttempts=numOfP2POtherConAttempts, fwSS_total_passed_by_size_limit=fwSS_total_passed_by_size_limit, voipDOSSipRateLimitingTableNumRequestsfromServers=voipDOSSipRateLimitingTableNumRequestsfromServers, vsxCountersEntry=vsxCountersEntry, cpsemdCorrelationUnitIP=cpsemdCorrelationUnitIP, PYSNMP_MODULE_ID=checkpoint, applicationControlVersion=applicationControlVersion, aviStatLongDescr=aviStatLongDescr, vsxStatusCPUUsageTable=vsxStatusCPUUsageTable, asmCIFSPasswordLengthViolations=asmCIFSPasswordLengthViolations, svn=svn, fwSS_http_sess_count=fwSS_http_sess_count, raidVolumeState=raidVolumeState, raidDiskFlags=raidDiskFlags, multiDiskIndex=multiDiskIndex, fwSXLConnsDeleted=fwSXLConnsDeleted, vsxStatusVsPolicyType=vsxStatusVsPolicyType, fgNumConnOut=fgNumConnOut, fwHmem64_alloc_operations=fwHmem64_alloc_operations, haClusterIpAddr=haClusterIpAddr, svnWebUIPort=svnWebUIPort, raUseUDPEncap=raUseUDPEncap, cpvFwzDecErrs=cpvFwzDecErrs, identityAwarenessUnAuthUsers=identityAwarenessUnAuthUsers, fwUfpInspected=fwUfpInspected, cpvIpsecDecomprOverhead=cpvIpsecDecomprOverhead, aviLastLicExp=aviLastLicExp, fwSS_ftp_blocked_by_file_type=fwSS_ftp_blocked_by_file_type, cpsemdConnectionDuration=cpsemdConnectionDuration, fwTrapPrefix=fwTrapPrefix, lsVerMajor=lsVerMajor, voipProductName=voipProductName, fwLSConnTable=fwLSConnTable, msSpamControlsSpamEngine=msSpamControlsSpamEngine, wamStatCode=wamStatCode, procQueue=procQueue, identityAwarenessLoggedInADQuery=identityAwarenessLoggedInADQuery, raUsersTable=raUsersTable, fwSXLConnsAdded=fwSXLConnsAdded, raidVolumeSize=raidVolumeSize, aviPOP3State=aviPOP3State, multiDiskFreeTotalBytes=multiDiskFreeTotalBytes, dlpLastSMTPScan=dlpLastSMTPScan, asmSynatkSynAckTimeout=asmSynatkSynAckTimeout, voipDOSSipNetworkCallInitICurrentVal=voipDOSSipNetworkCallInitICurrentVal, wamStatShortDescr=wamStatShortDescr, fwSS_ftp_blocked_by_size_limit=fwSS_ftp_blocked_by_size_limit, voipServicePack=voipServicePack, haBlockState=haBlockState, fwSS_rlogin_pid=fwSS_rlogin_pid, cpvMaxConncurEspSAsOut=cpvMaxConncurEspSAsOut, fwSS_http_blocked_cnt=fwSS_http_blocked_cnt, cpseadFileCurrentPosition=cpseadFileCurrentPosition, dlpHttpIncidents=dlpHttpIncidents, teSubscriptionDesc=teSubscriptionDesc, fwNetIfNetmask=fwNetIfNetmask, fwLSConnEntry=fwLSConnEntry, advancedUrlFilteringStatusShortDesc=advancedUrlFilteringStatusShortDesc, cpseadNoFreeDiskSpace=cpseadNoFreeDiskSpace, thresholdStateDesc=thresholdStateDesc, msEngineDate=msEngineDate, vsxCountersBytesRejectedTotal=vsxCountersBytesRejectedTotal, voipCACConcurrentCallsConfThreshold=voipCACConcurrentCallsConfThreshold, ufEngine=ufEngine, raidDiskState=raidDiskState, advancedUrlFilteringRADStatus=advancedUrlFilteringRADStatus, multiDiskSize=multiDiskSize, cpvAccelerator=cpvAccelerator, fanSpeedSensorTable=fanSpeedSensorTable, aviTopEverVirusesTable=aviTopEverVirusesTable, svnProc=svnProc, fwSS_smtp_blocked_by_archive_limit=fwSS_smtp_blocked_by_archive_limit, fwLSConnOverallDesc=fwLSConnOverallDesc, procNum=procNum, fwSS_rlogin_auth_failures=fwSS_rlogin_auth_failures, asmTCP=asmTCP, cpseadFileName=cpseadFileName, multiDiskEntry=multiDiskEntry, voipDOSSipNetworkCallInitConfThreshold=voipDOSSipNetworkCallInitConfThreshold, fwEvent=fwEvent, powerSupplyEntry=powerSupplyEntry, haShared=haShared, fwSS_rlogin_rejected_sess=fwSS_rlogin_rejected_sess, thresholdErrorTime=thresholdErrorTime, fwSS_POP3_proto=fwSS_POP3_proto, haClusterSyncNetMask=haClusterSyncNetMask, multiProcIndex=multiProcIndex, fwSXLConnsExisting=fwSXLConnsExisting, voipDOSSipRateLimitingTableInterval=voipDOSSipRateLimitingTableInterval, fwKmem_bytes_used=fwKmem_bytes_used, asmSynatkModeChange=asmSynatkModeChange, cpvIpsecEspDecPkts=cpvIpsecEspDecPkts, raidVolumeFlags=raidVolumeFlags, wamVerMajor=wamVerMajor, svnNetIfIndex=svnNetIfIndex, fwKmem_aix_heap_size=fwKmem_aix_heap_size, thresholdActiveEventSubjectValue=thresholdActiveEventSubjectValue, fgPendPcktsIn=fgPendPcktsIn, fwLSConnIndex=fwLSConnIndex, fgNumInterfaces=fgNumInterfaces, httpHeaderLengthViolations=httpHeaderLengthViolations, msStatShortDescr=msStatShortDescr, fwNetIfRemoteIp=fwNetIfRemoteIp, fwNetIfIPAddr=fwNetIfIPAddr, fwKmem_bytes_internal_use=fwKmem_bytes_internal_use, dtpsStatShortDescr=dtpsStatShortDescr, fwKmem_non_blocking_bytes_peak=fwKmem_non_blocking_bytes_peak, asmHttpP2PHeaderFilter=asmHttpP2PHeaderFilter, fwSS_http_proxied_sess_curr=fwSS_http_proxied_sess_curr, fwSS_POP3_pid=fwSS_POP3_pid, applicationControlUpdateStatus=applicationControlUpdateStatus, mgIndex=mgIndex, ufTopBlockedSiteTable=ufTopBlockedSiteTable, fwSS_ftp_accepted_sess=fwSS_ftp_accepted_sess, aviSignatureVer=aviSignatureVer, raExternalIpAddr=raExternalIpAddr, identityAwarenessAuthUsersKerberos=identityAwarenessAuthUsersKerberos, aviPOP3LastVirusTime=aviPOP3LastVirusTime, cpvCurrEspSAsOut=cpvCurrEspSAsOut, diskTotal=diskTotal, fwSS_POP3_blocked_cnt=fwSS_POP3_blocked_cnt, fwSS_POP3_passed_by_internal_error=fwSS_POP3_passed_by_internal_error, aviPOP3TopVirusesTable=aviPOP3TopVirusesTable, wamUagNoQueries=wamUagNoQueries, fwHmem_failed_free=fwHmem_failed_free, raidDiskIndex=raidDiskIndex, fwSS_smtp_auth_sess_max=fwSS_smtp_auth_sess_max, fwHmem_bytes_internal_use=fwHmem_bytes_internal_use, aviEngineIndex=aviEngineIndex, voltageSensorIndex=voltageSensorIndex, fwSS_rlogin_sess_count=fwSS_rlogin_sess_count, fwSS_http_ops_cvp_sess_count=fwSS_http_ops_cvp_sess_count, svnNetIfTableEntry=svnNetIfTableEntry, thresholdActiveEventSeverity=thresholdActiveEventSeverity, aviStatShortDescr=aviStatShortDescr, vsxCountersConnNum=vsxCountersConnNum, svnPerf=svnPerf, fwSS_smtp_proto=fwSS_smtp_proto, cpvFwzEncPkts=cpvFwzEncPkts, fwKmem_bytes_unused=fwKmem_bytes_unused, fwKmem_failed_alloc=fwKmem_failed_alloc, voltageSensorType=voltageSensorType, aviSignatureName=aviSignatureName, cpvHwAccelAhDecPkts=cpvHwAccelAhDecPkts, raidDiskEntry=raidDiskEntry, cpvIKECurrSAs=cpvIKECurrSAs, identityAwarenessAuthUsersPass=identityAwarenessAuthUsersPass)
mibBuilder.exportSymbols("CHECKPOINT-MIB", tempertureSensorType=tempertureSensorType, mgClientHost=mgClientHost, vsxStatusCPUUsage24hr=vsxStatusCPUUsage24hr, fwSS_http_ssl_encryp_sess_curr=fwSS_http_ssl_encryp_sess_curr, voipStatLongDescr=voipStatLongDescr, cpvTotalEspSAsOut=cpvTotalEspSAsOut, fwHmem64_current_allocated_bytes=fwHmem64_current_allocated_bytes, cpvFwzStatistics=cpvFwzStatistics, fwHmem_current_allocated_bytes=fwHmem_current_allocated_bytes, smallPMTUValueOfMinimalMTUsize=smallPMTUValueOfMinimalMTUsize, voipDOSSipNetworkReqInterval=voipDOSSipNetworkReqInterval, wamLastSession=wamLastSession, voipDOSSipRateLimitingTableConfThreshold=voipDOSSipRateLimitingTableConfThreshold, exchangeAgentTimeSinceLastMsg=exchangeAgentTimeSinceLastMsg, asmHostPortScan=asmHostPortScan, routingTable=routingTable, fwKmem=fwKmem, fwSS_ftp_passed_by_archive_limit=fwSS_ftp_passed_by_archive_limit, fwPolicyStat=fwPolicyStat, tables=tables, msSpam=msSpam, exchangeAgentQueueLen=exchangeAgentQueueLen, dlpSentEMails=dlpSentEMails, identityAwarenessUnSuccMachLoginKerberos=identityAwarenessUnSuccMachLoginKerberos, fgInstallTime=fgInstallTime, dlpHttpLastScan=dlpHttpLastScan, voipDOSSipNetworkRegInterval=voipDOSSipNetworkRegInterval, vsxStatusVRId=vsxStatusVRId, fwMinor=fwMinor, aviServicesPOP3=aviServicesPOP3, mgBuildNumber=mgBuildNumber, amwABUpdateStatus=amwABUpdateStatus, cpsemdStatCode=cpsemdStatCode, cpvSaDecrErr=cpvSaDecrErr, mgStatCode=mgStatCode, fwSS_telnet_sess_max=fwSS_telnet_sess_max, asmSynatkNumberofunAckedSyns=asmSynatkNumberofunAckedSyns, cpsemdCorrelationUnitTable=cpsemdCorrelationUnitTable, identityAwarenessUnSuccUserLoginPass=identityAwarenessUnSuccUserLoginPass, routingMask=routingMask, voltageSensorEntry=voltageSensorEntry, svnRouteModMask=svnRouteModMask, svnNetIfMTU=svnNetIfMTU, permanentTunnelPeerObjName=permanentTunnelPeerObjName, asmCIFSBlockedPopUps=asmCIFSBlockedPopUps, fwSS_ftp_proto=fwSS_ftp_proto, fwSS_POP3_passed_by_archive_limit=fwSS_POP3_passed_by_archive_limit, ufSignatureDate=ufSignatureDate, raidDiskRevision=raidDiskRevision, mgProdName=mgProdName, lsStatLongDescr=lsStatLongDescr, identityAwarenessADQueryStatusCurrStatus=identityAwarenessADQueryStatusCurrStatus, fwSS_total_passed=fwSS_total_passed, dtpsStatCode=dtpsStatCode, tunnelEntry=tunnelEntry, numOfHttpP2PHeaders=numOfHttpP2PHeaders, thresholdEventsSinceStartup=thresholdEventsSinceStartup, fwHmem_failed_alloc=fwHmem_failed_alloc, fwSS_POP3_blocked_by_AV_settings=fwSS_POP3_blocked_by_AV_settings, cpvIKE=cpvIKE, fwSS_smtp_total_mails=fwSS_smtp_total_mails, fgVerMajor=fgVerMajor, fwSS_total_blocked_by_archive_limit=fwSS_total_blocked_by_archive_limit, tempertureSensorTable=tempertureSensorTable, aviSMTPTopVirusesCnt=aviSMTPTopVirusesCnt, fwUfpHitRatio=fwUfpHitRatio, wamUagPort=wamUagPort, cpsemdCorrelationUnitNumEventsRcvd=cpsemdCorrelationUnitNumEventsRcvd, fwHmem64_maximum_pools=fwHmem64_maximum_pools, svnRouteModIfName=svnRouteModIfName, dlpPostfixQLen=dlpPostfixQLen, httpWorms=httpWorms, fwInspect=fwInspect, fwSS_ftp_passed_total=fwSS_ftp_passed_total, aviEngineName=aviEngineName, lsFwmIsAlive=lsFwmIsAlive, memSwapsSec=memSwapsSec, cpvGeneral=cpvGeneral, mgActiveStatus=mgActiveStatus, raidVolumeID=raidVolumeID, fwSS_ftp_ops_cvp_rej_sess=fwSS_ftp_ops_cvp_rej_sess, fwSS_POP3_sess_curr=fwSS_POP3_sess_curr, fwInspect_packets=fwInspect_packets, ufBlockedCnt=ufBlockedCnt, cpseadProcAlive=cpseadProcAlive, antiVirusSubscriptionExpDate=antiVirusSubscriptionExpDate, fanSpeedSensorIndex=fanSpeedSensorIndex, fwSS_rlogin_socket_in_use_max=fwSS_rlogin_socket_in_use_max, fwAcceptPcktsOut=fwAcceptPcktsOut, voipCACConcurrentCallsCurrentVal=voipCACConcurrentCallsCurrentVal, fwSS_POP3_port=fwSS_POP3_port, asmUDP=asmUDP, vsRoutingDest=vsRoutingDest, memActiveVirtual=memActiveVirtual, mgConnectedClientsEntry=mgConnectedClientsEntry, thresholdActiveEventCategory=thresholdActiveEventCategory, aviTopEverVirusesCnt=aviTopEverVirusesCnt, raidDiskMaxLBA=raidDiskMaxLBA, raidDiskSyncState=raidDiskSyncState, haProblemIndex=haProblemIndex, fwSS_total_blocked_by_av=fwSS_total_blocked_by_av)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, value_size_constraint, constraints_union, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ValueSizeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection')
(module_compliance, object_group, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'ObjectGroup', 'NotificationGroup')
(notification_type, iso, bits, integer32, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column, unsigned32, counter32, gauge32, object_identity, counter64, module_identity, enterprises, ip_address, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'iso', 'Bits', 'Integer32', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Unsigned32', 'Counter32', 'Gauge32', 'ObjectIdentity', 'Counter64', 'ModuleIdentity', 'enterprises', 'IpAddress', 'MibIdentifier')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
checkpoint = module_identity((1, 3, 6, 1, 4, 1, 2620))
checkpoint.setRevisions(('2013-12-26 13:09',))
if mibBuilder.loadTexts:
checkpoint.setLastUpdated('201312261309Z')
if mibBuilder.loadTexts:
checkpoint.setOrganization('Check Point')
products = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1))
tables = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 500))
fw = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1))
vpn = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2))
fg = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 3))
ha = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 5))
svn = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6))
mngmt = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 7))
wam = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 8))
dtps = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 9))
ls = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 11))
vsx = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 16))
smart_defense = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17))
avi = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24))
eventia_analyzer = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 25))
uf = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 29))
ms = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 30))
voip = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 31))
identity_awareness = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 38))
application_control = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 39))
thresholds = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 42))
advanced_url_filtering = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 43))
dlp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 44))
amw = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 46))
te = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 49))
sxl = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 36))
vsx_vs_supported = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 16, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxVsSupported.setStatus('current')
vsx_vs_configured = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 16, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxVsConfigured.setStatus('current')
vsx_vs_installed = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 16, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxVsInstalled.setStatus('current')
vsx_status = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22))
vsx_status_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1))
if mibBuilder.loadTexts:
vsxStatusTable.setStatus('current')
vsx_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'vsxStatusVSId'))
if mibBuilder.loadTexts:
vsxStatusEntry.setStatus('current')
vsx_status_vs_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusVSId.setStatus('current')
vsx_status_vr_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 2), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusVRId.setStatus('current')
vsx_status_vs_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusVsName.setStatus('current')
vsx_status_vs_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusVsType.setStatus('current')
vsx_status_main_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusMainIP.setStatus('current')
vsx_status_policy_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusPolicyName.setStatus('current')
vsx_status_vs_policy_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusVsPolicyType.setStatus('current')
vsx_status_sic_trust_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusSicTrustState.setStatus('current')
vsx_status_ha_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusHAState.setStatus('current')
vsx_status_vs_weight = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 1, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusVSWeight.setStatus('current')
vsx_status_cpu_usage_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2))
if mibBuilder.loadTexts:
vsxStatusCPUUsageTable.setStatus('current')
vsx_status_cpu_usage_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'vsxStatusVSId'))
if mibBuilder.loadTexts:
vsxStatusCPUUsageEntry.setStatus('current')
vsx_status_cpu_usage1sec = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusCPUUsage1sec.setStatus('current')
vsx_status_cpu_usage10sec = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusCPUUsage10sec.setStatus('current')
vsx_status_cpu_usage1min = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusCPUUsage1min.setStatus('current')
vsx_status_cpu_usage1hr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusCPUUsage1hr.setStatus('current')
vsx_status_cpu_usage24hr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusCPUUsage24hr.setStatus('current')
vsx_status_cpu_usage_vs_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 22, 2, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxStatusCPUUsageVSId.setStatus('current')
vsx_counters = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23))
vsx_counters_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1))
if mibBuilder.loadTexts:
vsxCountersTable.setStatus('current')
vsx_counters_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'vsxStatusVSId'))
if mibBuilder.loadTexts:
vsxCountersEntry.setStatus('current')
vsx_counters_vs_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersVSId.setStatus('current')
vsx_counters_conn_num = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersConnNum.setStatus('current')
vsx_counters_conn_peak_num = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersConnPeakNum.setStatus('current')
vsx_counters_conn_table_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersConnTableLimit.setStatus('current')
vsx_counters_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersPackets.setStatus('current')
vsx_counters_dropped_total = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersDroppedTotal.setStatus('current')
vsx_counters_accepted_total = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersAcceptedTotal.setStatus('current')
vsx_counters_rejected_total = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersRejectedTotal.setStatus('current')
vsx_counters_bytes_accepted_total = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersBytesAcceptedTotal.setStatus('current')
vsx_counters_bytes_dropped_total = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersBytesDroppedTotal.setStatus('current')
vsx_counters_bytes_rejected_total = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersBytesRejectedTotal.setStatus('current')
vsx_counters_logged_total = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersLoggedTotal.setStatus('current')
vsx_counters_is_data_valid = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 16, 23, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('invalid', 0), ('valid', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsxCountersIsDataValid.setStatus('current')
ra_users_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 500, 9000))
if mibBuilder.loadTexts:
raUsersTable.setStatus('current')
ra_users_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'raInternalIpAddr'))
if mibBuilder.loadTexts:
raUsersEntry.setStatus('current')
ra_internal_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raInternalIpAddr.setStatus('current')
ra_external_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 19), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raExternalIpAddr.setStatus('current')
ra_user_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(3, 4, 129, 130, 131, 132))).clone(namedValues=named_values(('active', 3), ('destroy', 4), ('idle', 129), ('phase1', 130), ('down', 131), ('init', 132)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
raUserState.setStatus('current')
ra_office_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 21), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raOfficeMode.setStatus('current')
ra_ike_over_tcp = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 22), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raIkeOverTCP.setStatus('current')
ra_use_udp_encap = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 23), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raUseUDPEncap.setStatus('current')
ra_visitor_mode = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 24), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raVisitorMode.setStatus('current')
ra_route_traffic = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 25), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raRouteTraffic.setStatus('current')
ra_community = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 26), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raCommunity.setStatus('current')
ra_tunnel_enc_algorithm = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 5, 7, 9, 129, 130))).clone(namedValues=named_values(('espDES', 1), ('esp3DES', 2), ('espCAST', 5), ('esp3IDEA', 7), ('espNULL', 9), ('espAES128', 129), ('espAES256', 130)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raTunnelEncAlgorithm.setStatus('current')
ra_tunnel_auth_method = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 129, 130))).clone(namedValues=named_values(('preshared-key', 1), ('dss-signature', 2), ('rsa-signature', 3), ('rsa-encryption', 4), ('rev-rsa-encryption', 5), ('xauth', 129), ('crack', 130)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raTunnelAuthMethod.setStatus('current')
ra_logon_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9000, 1, 29), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raLogonTime.setStatus('current')
tunnel_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 500, 9002))
if mibBuilder.loadTexts:
tunnelTable.setStatus('current')
tunnel_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'tunnelPeerIpAddr'))
if mibBuilder.loadTexts:
tunnelEntry.setStatus('current')
tunnel_peer_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelPeerIpAddr.setStatus('current')
tunnel_peer_obj_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelPeerObjName.setStatus('current')
tunnel_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(3, 4, 129, 130, 131, 132))).clone(namedValues=named_values(('active', 3), ('destroy', 4), ('idle', 129), ('phase1', 130), ('down', 131), ('init', 132)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
tunnelState.setStatus('current')
tunnel_community = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelCommunity.setStatus('current')
tunnel_next_hop = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 5), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelNextHop.setStatus('current')
tunnel_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelInterface.setStatus('current')
tunnel_source_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 7), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelSourceIpAddr.setStatus('current')
tunnel_link_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('primary', 0), ('backup', 1), ('on-demand', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelLinkPriority.setStatus('current')
tunnel_prob_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('alive', 1), ('dead', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelProbState.setStatus('current')
tunnel_peer_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('regular', 1), ('daip', 2), ('robo', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelPeerType.setStatus('current')
tunnel_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9002, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('regular', 1), ('permanent', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tunnelType.setStatus('current')
permanent_tunnel_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 500, 9003))
if mibBuilder.loadTexts:
permanentTunnelTable.setStatus('current')
permanent_tunnel_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'permanentTunnelPeerIpAddr'))
if mibBuilder.loadTexts:
permanentTunnelEntry.setStatus('current')
permanent_tunnel_peer_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 1), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelPeerIpAddr.setStatus('current')
permanent_tunnel_peer_obj_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelPeerObjName.setStatus('current')
permanent_tunnel_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(3, 4, 129, 130, 131, 132))).clone(namedValues=named_values(('active', 3), ('destroy', 4), ('idle', 129), ('phase1', 130), ('down', 131), ('init', 132)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
permanentTunnelState.setStatus('current')
permanent_tunnel_community = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelCommunity.setStatus('current')
permanent_tunnel_next_hop = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 5), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelNextHop.setStatus('current')
permanent_tunnel_interface = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 6), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelInterface.setStatus('current')
permanent_tunnel_source_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 7), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelSourceIpAddr.setStatus('current')
permanent_tunnel_link_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('primary', 0), ('backup', 1), ('on-demand', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelLinkPriority.setStatus('current')
permanent_tunnel_prob_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('alive', 1), ('dead', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelProbState.setStatus('current')
permanent_tunnel_peer_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 500, 9003, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('regular', 1), ('daip', 2), ('robo', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
permanentTunnelPeerType.setStatus('current')
fw_policy_stat = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25))
fw_perf_stat = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26))
fw_hmem = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1))
fw_kmem = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2))
fw_inspect = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3))
fw_cookies = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4))
fw_chains = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 5))
fw_fragments = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 6))
fw_ufp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 8))
fw_ss = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9))
fw_connections_stat = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11))
fw_hmem64 = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12))
fw_ss_http = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1)).setLabel('fwSS-http')
fw_ss_ftp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2)).setLabel('fwSS-ftp')
fw_ss_telnet = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3)).setLabel('fwSS-telnet')
fw_ss_rlogin = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4)).setLabel('fwSS-rlogin')
fw_ss_ufp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5)).setLabel('fwSS-ufp')
fw_ss_smtp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6)).setLabel('fwSS-smtp')
fw_ss_pop3 = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7)).setLabel('fwSS-POP3')
fw_ss_av_total = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10)).setLabel('fwSS-av-total')
fw_module_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwModuleState.setStatus('current')
fw_filter_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwFilterName.setStatus('current')
fw_filter_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwFilterDate.setStatus('current')
fw_accepted = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwAccepted.setStatus('current')
fw_rejected = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwRejected.setStatus('current')
fw_dropped = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwDropped.setStatus('current')
fw_logged = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLogged.setStatus('current')
fw_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwMajor.setStatus('current')
fw_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwMinor.setStatus('current')
fw_product = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 10), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwProduct.setStatus('current')
fw_event = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwEvent.setStatus('current')
fw_sic_trust_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 12), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSICTrustState.setStatus('current')
fw_trap_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 0))
fw_trap = notification_type((1, 3, 6, 1, 4, 1, 2620, 1, 1, 0, 1)).setObjects(('CHECKPOINT-MIB', 'fwEvent'))
if mibBuilder.loadTexts:
fwTrap.setStatus('current')
fw_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 21), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwProdName.setStatus('current')
fw_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 22), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwVerMajor.setStatus('current')
fw_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 23), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwVerMinor.setStatus('current')
fw_kernel_build = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 24), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKernelBuild.setStatus('current')
fw_policy_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwPolicyName.setStatus('current')
fw_install_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwInstallTime.setStatus('current')
fw_num_conn = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNumConn.setStatus('current')
fw_peak_num_conn = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwPeakNumConn.setStatus('current')
fw_if_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5))
if mibBuilder.loadTexts:
fwIfTable.setStatus('current')
fw_conn_table_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwConnTableLimit.setStatus('current')
fw_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'fwIfIndex'))
if mibBuilder.loadTexts:
fwIfEntry.setStatus('current')
fw_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwIfIndex.setStatus('current')
fw_if_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwIfName.setStatus('current')
fw_accept_pckts_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwAcceptPcktsIn.setStatus('current')
fw_accept_pckts_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwAcceptPcktsOut.setStatus('current')
fw_accept_bytes_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwAcceptBytesIn.setStatus('current')
fw_accept_bytes_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwAcceptBytesOut.setStatus('current')
fw_drop_pckts_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwDropPcktsIn.setStatus('current')
fw_drop_pckts_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwDropPcktsOut.setStatus('current')
fw_reject_pckts_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwRejectPcktsIn.setStatus('current')
fw_reject_pckts_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwRejectPcktsOut.setStatus('current')
fw_log_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLogIn.setStatus('current')
fw_log_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 5, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLogOut.setStatus('current')
fw_packets_rate = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwPacketsRate.setStatus('current')
fw_dropped_total_rate = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 16), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwDroppedTotalRate.setStatus('current')
fw_accepted_bytes_total_rate = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwAcceptedBytesTotalRate.setStatus('current')
fw_dropped_bytes_total_rate = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 25, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwDroppedBytesTotalRate.setStatus('current')
fw_hmem_block_size = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 1), integer32()).setLabel('fwHmem-block-size').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_block_size.setStatus('current')
fw_hmem_requested_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 2), integer32()).setLabel('fwHmem-requested-bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_requested_bytes.setStatus('current')
fw_hmem_initial_allocated_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 3), integer32()).setLabel('fwHmem-initial-allocated-bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_initial_allocated_bytes.setStatus('current')
fw_hmem_initial_allocated_blocks = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 4), integer32()).setLabel('fwHmem-initial-allocated-blocks').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_initial_allocated_blocks.setStatus('current')
fw_hmem_initial_allocated_pools = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 5), integer32()).setLabel('fwHmem-initial-allocated-pools').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_initial_allocated_pools.setStatus('current')
fw_hmem_current_allocated_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 6), integer32()).setLabel('fwHmem-current-allocated-bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_current_allocated_bytes.setStatus('current')
fw_hmem_current_allocated_blocks = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 7), integer32()).setLabel('fwHmem-current-allocated-blocks').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_current_allocated_blocks.setStatus('current')
fw_hmem_current_allocated_pools = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 8), integer32()).setLabel('fwHmem-current-allocated-pools').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_current_allocated_pools.setStatus('current')
fw_hmem_maximum_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 9), integer32()).setLabel('fwHmem-maximum-bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_maximum_bytes.setStatus('current')
fw_hmem_maximum_pools = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 10), integer32()).setLabel('fwHmem-maximum-pools').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_maximum_pools.setStatus('current')
fw_hmem_bytes_used = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 11), integer32()).setLabel('fwHmem-bytes-used').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_bytes_used.setStatus('current')
fw_hmem_blocks_used = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 12), integer32()).setLabel('fwHmem-blocks-used').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_blocks_used.setStatus('current')
fw_hmem_bytes_unused = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 13), integer32()).setLabel('fwHmem-bytes-unused').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_bytes_unused.setStatus('current')
fw_hmem_blocks_unused = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 14), integer32()).setLabel('fwHmem-blocks-unused').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_blocks_unused.setStatus('current')
fw_hmem_bytes_peak = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 15), integer32()).setLabel('fwHmem-bytes-peak').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_bytes_peak.setStatus('current')
fw_hmem_blocks_peak = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 16), integer32()).setLabel('fwHmem-blocks-peak').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_blocks_peak.setStatus('current')
fw_hmem_bytes_internal_use = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 17), integer32()).setLabel('fwHmem-bytes-internal-use').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_bytes_internal_use.setStatus('current')
fw_hmem_number_of_items = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 18), integer32()).setLabel('fwHmem-number-of-items').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_number_of_items.setStatus('current')
fw_hmem_alloc_operations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 19), integer32()).setLabel('fwHmem-alloc-operations').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_alloc_operations.setStatus('current')
fw_hmem_free_operations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 20), integer32()).setLabel('fwHmem-free-operations').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_free_operations.setStatus('current')
fw_hmem_failed_alloc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 21), integer32()).setLabel('fwHmem-failed-alloc').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_failed_alloc.setStatus('current')
fw_hmem_failed_free = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 1, 22), integer32()).setLabel('fwHmem-failed-free').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem_failed_free.setStatus('current')
fw_kmem_system_physical_mem = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 1), integer32()).setLabel('fwKmem-system-physical-mem').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_system_physical_mem.setStatus('current')
fw_kmem_available_physical_mem = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 2), integer32()).setLabel('fwKmem-available-physical-mem').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_available_physical_mem.setStatus('current')
fw_kmem_aix_heap_size = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 3), integer32()).setLabel('fwKmem-aix-heap-size').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_aix_heap_size.setStatus('current')
fw_kmem_bytes_used = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 4), integer32()).setLabel('fwKmem-bytes-used').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_bytes_used.setStatus('current')
fw_kmem_blocking_bytes_used = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 5), integer32()).setLabel('fwKmem-blocking-bytes-used').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_blocking_bytes_used.setStatus('current')
fw_kmem_non_blocking_bytes_used = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 6), integer32()).setLabel('fwKmem-non-blocking-bytes-used').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_non_blocking_bytes_used.setStatus('current')
fw_kmem_bytes_unused = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 7), integer32()).setLabel('fwKmem-bytes-unused').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_bytes_unused.setStatus('current')
fw_kmem_bytes_peak = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 8), integer32()).setLabel('fwKmem-bytes-peak').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_bytes_peak.setStatus('current')
fw_kmem_blocking_bytes_peak = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 9), integer32()).setLabel('fwKmem-blocking-bytes-peak').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_blocking_bytes_peak.setStatus('current')
fw_kmem_non_blocking_bytes_peak = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 10), integer32()).setLabel('fwKmem-non-blocking-bytes-peak').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_non_blocking_bytes_peak.setStatus('current')
fw_kmem_bytes_internal_use = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 11), integer32()).setLabel('fwKmem-bytes-internal-use').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_bytes_internal_use.setStatus('current')
fw_kmem_number_of_items = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 12), integer32()).setLabel('fwKmem-number-of-items').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_number_of_items.setStatus('current')
fw_kmem_alloc_operations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 13), integer32()).setLabel('fwKmem-alloc-operations').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_alloc_operations.setStatus('current')
fw_kmem_free_operations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 14), integer32()).setLabel('fwKmem-free-operations').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_free_operations.setStatus('current')
fw_kmem_failed_alloc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 15), integer32()).setLabel('fwKmem-failed-alloc').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_failed_alloc.setStatus('current')
fw_kmem_failed_free = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 2, 16), integer32()).setLabel('fwKmem-failed-free').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwKmem_failed_free.setStatus('current')
fw_inspect_packets = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 1), integer32()).setLabel('fwInspect-packets').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwInspect_packets.setStatus('current')
fw_inspect_operations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 2), integer32()).setLabel('fwInspect-operations').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwInspect_operations.setStatus('current')
fw_inspect_lookups = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 3), integer32()).setLabel('fwInspect-lookups').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwInspect_lookups.setStatus('current')
fw_inspect_record = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 4), integer32()).setLabel('fwInspect-record').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwInspect_record.setStatus('current')
fw_inspect_extract = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 3, 5), integer32()).setLabel('fwInspect-extract').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwInspect_extract.setStatus('current')
fw_cookies_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 1), integer32()).setLabel('fwCookies-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwCookies_total.setStatus('current')
fw_cookies_allocfw_cookies_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 2), integer32()).setLabel('fwCookies-allocfwCookies-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwCookies_allocfwCookies_total.setStatus('current')
fw_cookies_freefw_cookies_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 3), integer32()).setLabel('fwCookies-freefwCookies-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwCookies_freefwCookies_total.setStatus('current')
fw_cookies_dupfw_cookies_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 4), integer32()).setLabel('fwCookies-dupfwCookies-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwCookies_dupfwCookies_total.setStatus('current')
fw_cookies_getfw_cookies_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 5), integer32()).setLabel('fwCookies-getfwCookies-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwCookies_getfwCookies_total.setStatus('current')
fw_cookies_putfw_cookies_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 6), integer32()).setLabel('fwCookies-putfwCookies-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwCookies_putfwCookies_total.setStatus('current')
fw_cookies_lenfw_cookies_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 4, 7), integer32()).setLabel('fwCookies-lenfwCookies-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwCookies_lenfwCookies_total.setStatus('current')
fw_chains_alloc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 5, 1), integer32()).setLabel('fwChains-alloc').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwChains_alloc.setStatus('current')
fw_chains_free = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 5, 2), integer32()).setLabel('fwChains-free').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwChains_free.setStatus('current')
fw_frag_fragments = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 6, 1), integer32()).setLabel('fwFrag-fragments').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwFrag_fragments.setStatus('current')
fw_frag_expired = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 6, 2), integer32()).setLabel('fwFrag-expired').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwFrag_expired.setStatus('current')
fw_frag_packets = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 6, 3), integer32()).setLabel('fwFrag-packets').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwFrag_packets.setStatus('current')
fw_ufp_hit_ratio = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 8, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwUfpHitRatio.setStatus('current')
fw_ufp_inspected = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 8, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwUfpInspected.setStatus('current')
fw_ufp_hits = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 8, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwUfpHits.setStatus('current')
fw_ss_http_pid = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 1), integer32()).setLabel('fwSS-http-pid').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_pid.setStatus('current')
fw_ss_http_proto = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 2), integer32()).setLabel('fwSS-http-proto').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_proto.setStatus('current')
fw_ss_http_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 3), integer32()).setLabel('fwSS-http-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_port.setStatus('current')
fw_ss_http_logical_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 4), integer32()).setLabel('fwSS-http-logical-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_logical_port.setStatus('current')
fw_ss_http_max_avail_socket = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 5), integer32()).setLabel('fwSS-http-max-avail-socket').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_max_avail_socket.setStatus('current')
fw_ss_http_socket_in_use_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 6), integer32()).setLabel('fwSS-http-socket-in-use-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_socket_in_use_max.setStatus('current')
fw_ss_http_socket_in_use_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 7), integer32()).setLabel('fwSS-http-socket-in-use-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_socket_in_use_curr.setStatus('current')
fw_ss_http_socket_in_use_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 8), integer32()).setLabel('fwSS-http-socket-in-use-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_socket_in_use_count.setStatus('current')
fw_ss_http_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 9), integer32()).setLabel('fwSS-http-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_sess_max.setStatus('current')
fw_ss_http_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 10), integer32()).setLabel('fwSS-http-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_sess_curr.setStatus('current')
fw_ss_http_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 11), integer32()).setLabel('fwSS-http-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_sess_count.setStatus('current')
fw_ss_http_auth_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 12), integer32()).setLabel('fwSS-http-auth-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_auth_sess_max.setStatus('current')
fw_ss_http_auth_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 13), integer32()).setLabel('fwSS-http-auth-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_auth_sess_curr.setStatus('current')
fw_ss_http_auth_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 14), integer32()).setLabel('fwSS-http-auth-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_auth_sess_count.setStatus('current')
fw_ss_http_accepted_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 15), integer32()).setLabel('fwSS-http-accepted-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_accepted_sess.setStatus('current')
fw_ss_http_rejected_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 16), integer32()).setLabel('fwSS-http-rejected-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_rejected_sess.setStatus('current')
fw_ss_http_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 17), integer32()).setLabel('fwSS-http-auth-failures').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_auth_failures.setStatus('current')
fw_ss_http_ops_cvp_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 18), integer32()).setLabel('fwSS-http-ops-cvp-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ops_cvp_sess_max.setStatus('current')
fw_ss_http_ops_cvp_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 19), integer32()).setLabel('fwSS-http-ops-cvp-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ops_cvp_sess_curr.setStatus('current')
fw_ss_http_ops_cvp_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 20), integer32()).setLabel('fwSS-http-ops-cvp-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ops_cvp_sess_count.setStatus('current')
fw_ss_http_ops_cvp_rej_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 21), integer32()).setLabel('fwSS-http-ops-cvp-rej-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ops_cvp_rej_sess.setStatus('current')
fw_ss_http_ssl_encryp_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 22), integer32()).setLabel('fwSS-http-ssl-encryp-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ssl_encryp_sess_max.setStatus('current')
fw_ss_http_ssl_encryp_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 23), integer32()).setLabel('fwSS-http-ssl-encryp-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ssl_encryp_sess_curr.setStatus('current')
fw_ss_http_ssl_encryp_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 24), integer32()).setLabel('fwSS-http-ssl-encryp-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ssl_encryp_sess_count.setStatus('current')
fw_ss_http_transp_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 25), integer32()).setLabel('fwSS-http-transp-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_transp_sess_max.setStatus('current')
fw_ss_http_transp_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 26), integer32()).setLabel('fwSS-http-transp-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_transp_sess_curr.setStatus('current')
fw_ss_http_transp_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 27), integer32()).setLabel('fwSS-http-transp-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_transp_sess_count.setStatus('current')
fw_ss_http_proxied_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 28), integer32()).setLabel('fwSS-http-proxied-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_proxied_sess_max.setStatus('current')
fw_ss_http_proxied_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 29), integer32()).setLabel('fwSS-http-proxied-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_proxied_sess_curr.setStatus('current')
fw_ss_http_proxied_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 30), integer32()).setLabel('fwSS-http-proxied-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_proxied_sess_count.setStatus('current')
fw_ss_http_tunneled_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 31), integer32()).setLabel('fwSS-http-tunneled-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_tunneled_sess_max.setStatus('current')
fw_ss_http_tunneled_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 32), integer32()).setLabel('fwSS-http-tunneled-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_tunneled_sess_curr.setStatus('current')
fw_ss_http_tunneled_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 33), integer32()).setLabel('fwSS-http-tunneled-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_tunneled_sess_count.setStatus('current')
fw_ss_http_ftp_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 34), integer32()).setLabel('fwSS-http-ftp-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ftp_sess_max.setStatus('current')
fw_ss_http_ftp_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 35), integer32()).setLabel('fwSS-http-ftp-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ftp_sess_curr.setStatus('current')
fw_ss_http_ftp_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 36), integer32()).setLabel('fwSS-http-ftp-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_ftp_sess_count.setStatus('current')
fw_ss_http_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 37), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fwSS-http-time-stamp').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_time_stamp.setStatus('current')
fw_ss_http_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 38), integer32()).setLabel('fwSS-http-is-alive').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_is_alive.setStatus('current')
fw_ss_http_blocked_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 39), integer32()).setLabel('fwSS-http-blocked-cnt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_cnt.setStatus('current')
fw_ss_http_blocked_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 40), integer32()).setLabel('fwSS-http-blocked-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_total.setStatus('current')
fw_ss_http_scanned_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 41), integer32()).setLabel('fwSS-http-scanned-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_scanned_total.setStatus('current')
fw_ss_http_blocked_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 42), integer32()).setLabel('fwSS-http-blocked-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_by_file_type.setStatus('current')
fw_ss_http_blocked_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 43), integer32()).setLabel('fwSS-http-blocked-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_by_size_limit.setStatus('current')
fw_ss_http_blocked_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 44), integer32()).setLabel('fwSS-http-blocked-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_by_archive_limit.setStatus('current')
fw_ss_http_blocked_by_internal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 45), integer32()).setLabel('fwSS-http-blocked-by-internal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_by_internal_error.setStatus('current')
fw_ss_http_passed_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 46), integer32()).setLabel('fwSS-http-passed-cnt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_cnt.setStatus('current')
fw_ss_http_passed_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 47), integer32()).setLabel('fwSS-http-passed-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_by_file_type.setStatus('current')
fw_ss_http_passed_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 48), integer32()).setLabel('fwSS-http-passed-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_by_size_limit.setStatus('current')
fw_ss_http_passed_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 49), integer32()).setLabel('fwSS-http-passed-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_by_archive_limit.setStatus('current')
fw_ss_http_passed_by_internal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 50), integer32()).setLabel('fwSS-http-passed-by-internal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_by_internal_error.setStatus('current')
fw_ss_http_passed_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 51), integer32()).setLabel('fwSS-http-passed-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_total.setStatus('current')
fw_ss_http_blocked_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 52), integer32()).setLabel('fwSS-http-blocked-by-AV-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_by_AV_settings.setStatus('current')
fw_ss_http_passed_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 53), integer32()).setLabel('fwSS-http-passed-by-AV-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_by_AV_settings.setStatus('current')
fw_ss_http_blocked_by_url_filter_category = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 54), integer32()).setLabel('fwSS-http-blocked-by-URL-filter-category').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_by_URL_filter_category.setStatus('current')
fw_ss_http_blocked_by_url_block_list = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 55), integer32()).setLabel('fwSS-http-blocked-by-URL-block-list').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_blocked_by_URL_block_list.setStatus('current')
fw_ss_http_passed_by_url_allow_list = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 56), integer32()).setLabel('fwSS-http-passed-by-URL-allow-list').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_by_URL_allow_list.setStatus('current')
fw_ss_http_passed_by_url_filter_category = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 1, 57), integer32()).setLabel('fwSS-http-passed-by-URL-filter-category').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_http_passed_by_URL_filter_category.setStatus('current')
fw_ss_ftp_pid = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 1), integer32()).setLabel('fwSS-ftp-pid').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_pid.setStatus('current')
fw_ss_ftp_proto = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 2), integer32()).setLabel('fwSS-ftp-proto').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_proto.setStatus('current')
fw_ss_ftp_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 3), integer32()).setLabel('fwSS-ftp-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_port.setStatus('current')
fw_ss_ftp_logical_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 4), integer32()).setLabel('fwSS-ftp-logical-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_logical_port.setStatus('current')
fw_ss_ftp_max_avail_socket = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 5), integer32()).setLabel('fwSS-ftp-max-avail-socket').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_max_avail_socket.setStatus('current')
fw_ss_ftp_socket_in_use_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 6), integer32()).setLabel('fwSS-ftp-socket-in-use-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_socket_in_use_max.setStatus('current')
fw_ss_ftp_socket_in_use_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 7), integer32()).setLabel('fwSS-ftp-socket-in-use-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_socket_in_use_curr.setStatus('current')
fw_ss_ftp_socket_in_use_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 8), integer32()).setLabel('fwSS-ftp-socket-in-use-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_socket_in_use_count.setStatus('current')
fw_ss_ftp_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 9), integer32()).setLabel('fwSS-ftp-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_sess_max.setStatus('current')
fw_ss_ftp_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 10), integer32()).setLabel('fwSS-ftp-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_sess_curr.setStatus('current')
fw_ss_ftp_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 11), integer32()).setLabel('fwSS-ftp-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_sess_count.setStatus('current')
fw_ss_ftp_auth_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 12), integer32()).setLabel('fwSS-ftp-auth-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_auth_sess_max.setStatus('current')
fw_ss_ftp_auth_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 13), integer32()).setLabel('fwSS-ftp-auth-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_auth_sess_curr.setStatus('current')
fw_ss_ftp_auth_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 14), integer32()).setLabel('fwSS-ftp-auth-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_auth_sess_count.setStatus('current')
fw_ss_ftp_accepted_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 15), integer32()).setLabel('fwSS-ftp-accepted-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_accepted_sess.setStatus('current')
fw_ss_ftp_rejected_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 16), integer32()).setLabel('fwSS-ftp-rejected-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_rejected_sess.setStatus('current')
fw_ss_ftp_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 17), integer32()).setLabel('fwSS-ftp-auth-failures').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_auth_failures.setStatus('current')
fw_ss_ftp_ops_cvp_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 18), integer32()).setLabel('fwSS-ftp-ops-cvp-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_ops_cvp_sess_max.setStatus('current')
fw_ss_ftp_ops_cvp_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 19), integer32()).setLabel('fwSS-ftp-ops-cvp-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_ops_cvp_sess_curr.setStatus('current')
fw_ss_ftp_ops_cvp_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 20), integer32()).setLabel('fwSS-ftp-ops-cvp-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_ops_cvp_sess_count.setStatus('current')
fw_ss_ftp_ops_cvp_rej_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 21), integer32()).setLabel('fwSS-ftp-ops-cvp-rej-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_ops_cvp_rej_sess.setStatus('current')
fw_ss_ftp_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 22), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fwSS-ftp-time-stamp').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_time_stamp.setStatus('current')
fw_ss_ftp_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 23), integer32()).setLabel('fwSS-ftp-is-alive').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_is_alive.setStatus('current')
fw_ss_ftp_blocked_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 24), integer32()).setLabel('fwSS-ftp-blocked-cnt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_blocked_cnt.setStatus('current')
fw_ss_ftp_blocked_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 25), integer32()).setLabel('fwSS-ftp-blocked-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_blocked_total.setStatus('current')
fw_ss_ftp_scanned_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 26), integer32()).setLabel('fwSS-ftp-scanned-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_scanned_total.setStatus('current')
fw_ss_ftp_blocked_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 27), integer32()).setLabel('fwSS-ftp-blocked-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_blocked_by_file_type.setStatus('current')
fw_ss_ftp_blocked_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 28), integer32()).setLabel('fwSS-ftp-blocked-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_blocked_by_size_limit.setStatus('current')
fw_ss_ftp_blocked_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 29), integer32()).setLabel('fwSS-ftp-blocked-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_blocked_by_archive_limit.setStatus('current')
fw_ss_ftp_blocked_by_internal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 30), integer32()).setLabel('fwSS-ftp-blocked-by-internal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_blocked_by_internal_error.setStatus('current')
fw_ss_ftp_passed_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 31), integer32()).setLabel('fwSS-ftp-passed-cnt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_passed_cnt.setStatus('current')
fw_ss_ftp_passed_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 32), integer32()).setLabel('fwSS-ftp-passed-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_passed_by_file_type.setStatus('current')
fw_ss_ftp_passed_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 33), integer32()).setLabel('fwSS-ftp-passed-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_passed_by_size_limit.setStatus('current')
fw_ss_ftp_passed_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 34), integer32()).setLabel('fwSS-ftp-passed-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_passed_by_archive_limit.setStatus('current')
fw_ss_ftp_passed_by_internal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 35), integer32()).setLabel('fwSS-ftp-passed-by-internal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_passed_by_internal_error.setStatus('current')
fw_ss_ftp_passed_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 36), integer32()).setLabel('fwSS-ftp-passed-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_passed_total.setStatus('current')
fw_ss_ftp_blocked_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 37), integer32()).setLabel('fwSS-ftp-blocked-by-AV-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_blocked_by_AV_settings.setStatus('current')
fw_ss_ftp_passed_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 2, 38), integer32()).setLabel('fwSS-ftp-passed-by-AV-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ftp_passed_by_AV_settings.setStatus('current')
fw_ss_telnet_pid = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 1), integer32()).setLabel('fwSS-telnet-pid').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_pid.setStatus('current')
fw_ss_telnet_proto = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 2), integer32()).setLabel('fwSS-telnet-proto').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_proto.setStatus('current')
fw_ss_telnet_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 3), integer32()).setLabel('fwSS-telnet-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_port.setStatus('current')
fw_ss_telnet_logical_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 4), integer32()).setLabel('fwSS-telnet-logical-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_logical_port.setStatus('current')
fw_ss_telnet_max_avail_socket = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 5), integer32()).setLabel('fwSS-telnet-max-avail-socket').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_max_avail_socket.setStatus('current')
fw_ss_telnet_socket_in_use_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 6), integer32()).setLabel('fwSS-telnet-socket-in-use-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_socket_in_use_max.setStatus('current')
fw_ss_telnet_socket_in_use_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 7), integer32()).setLabel('fwSS-telnet-socket-in-use-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_socket_in_use_curr.setStatus('current')
fw_ss_telnet_socket_in_use_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 8), integer32()).setLabel('fwSS-telnet-socket-in-use-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_socket_in_use_count.setStatus('current')
fw_ss_telnet_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 9), integer32()).setLabel('fwSS-telnet-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_sess_max.setStatus('current')
fw_ss_telnet_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 10), integer32()).setLabel('fwSS-telnet-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_sess_curr.setStatus('current')
fw_ss_telnet_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 11), integer32()).setLabel('fwSS-telnet-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_sess_count.setStatus('current')
fw_ss_telnet_auth_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 12), integer32()).setLabel('fwSS-telnet-auth-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_auth_sess_max.setStatus('current')
fw_ss_telnet_auth_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 13), integer32()).setLabel('fwSS-telnet-auth-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_auth_sess_curr.setStatus('current')
fw_ss_telnet_auth_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 14), integer32()).setLabel('fwSS-telnet-auth-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_auth_sess_count.setStatus('current')
fw_ss_telnet_accepted_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 15), integer32()).setLabel('fwSS-telnet-accepted-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_accepted_sess.setStatus('current')
fw_ss_telnet_rejected_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 16), integer32()).setLabel('fwSS-telnet-rejected-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_rejected_sess.setStatus('current')
fw_ss_telnet_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 17), integer32()).setLabel('fwSS-telnet-auth-failures').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_auth_failures.setStatus('current')
fw_ss_telnet_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 18), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fwSS-telnet-time-stamp').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_time_stamp.setStatus('current')
fw_ss_telnet_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 3, 19), integer32()).setLabel('fwSS-telnet-is-alive').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_telnet_is_alive.setStatus('current')
fw_ss_rlogin_pid = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 1), integer32()).setLabel('fwSS-rlogin-pid').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_pid.setStatus('current')
fw_ss_rlogin_proto = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 2), integer32()).setLabel('fwSS-rlogin-proto').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_proto.setStatus('current')
fw_ss_rlogin_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 3), integer32()).setLabel('fwSS-rlogin-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_port.setStatus('current')
fw_ss_rlogin_logical_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 4), integer32()).setLabel('fwSS-rlogin-logical-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_logical_port.setStatus('current')
fw_ss_rlogin_max_avail_socket = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 5), integer32()).setLabel('fwSS-rlogin-max-avail-socket').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_max_avail_socket.setStatus('current')
fw_ss_rlogin_socket_in_use_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 6), integer32()).setLabel('fwSS-rlogin-socket-in-use-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_socket_in_use_max.setStatus('current')
fw_ss_rlogin_socket_in_use_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 7), integer32()).setLabel('fwSS-rlogin-socket-in-use-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_socket_in_use_curr.setStatus('current')
fw_ss_rlogin_socket_in_use_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 8), integer32()).setLabel('fwSS-rlogin-socket-in-use-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_socket_in_use_count.setStatus('current')
fw_ss_rlogin_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 9), integer32()).setLabel('fwSS-rlogin-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_sess_max.setStatus('current')
fw_ss_rlogin_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 10), integer32()).setLabel('fwSS-rlogin-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_sess_curr.setStatus('current')
fw_ss_rlogin_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 11), integer32()).setLabel('fwSS-rlogin-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_sess_count.setStatus('current')
fw_ss_rlogin_auth_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 12), integer32()).setLabel('fwSS-rlogin-auth-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_auth_sess_max.setStatus('current')
fw_ss_rlogin_auth_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 13), integer32()).setLabel('fwSS-rlogin-auth-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_auth_sess_curr.setStatus('current')
fw_ss_rlogin_auth_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 14), integer32()).setLabel('fwSS-rlogin-auth-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_auth_sess_count.setStatus('current')
fw_ss_rlogin_accepted_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 15), integer32()).setLabel('fwSS-rlogin-accepted-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_accepted_sess.setStatus('current')
fw_ss_rlogin_rejected_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 16), integer32()).setLabel('fwSS-rlogin-rejected-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_rejected_sess.setStatus('current')
fw_ss_rlogin_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 17), integer32()).setLabel('fwSS-rlogin-auth-failures').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_auth_failures.setStatus('current')
fw_ss_rlogin_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 18), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fwSS-rlogin-time-stamp').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_time_stamp.setStatus('current')
fw_ss_rlogin_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 4, 19), integer32()).setLabel('fwSS-rlogin-is-alive').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_rlogin_is_alive.setStatus('current')
fw_ss_ufp_ops_ufp_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 1), integer32()).setLabel('fwSS-ufp-ops-ufp-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ufp_ops_ufp_sess_max.setStatus('current')
fw_ss_ufp_ops_ufp_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 2), integer32()).setLabel('fwSS-ufp-ops-ufp-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ufp_ops_ufp_sess_curr.setStatus('current')
fw_ss_ufp_ops_ufp_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 3), integer32()).setLabel('fwSS-ufp-ops-ufp-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ufp_ops_ufp_sess_count.setStatus('current')
fw_ss_ufp_ops_ufp_rej_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 4), integer32()).setLabel('fwSS-ufp-ops-ufp-rej-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ufp_ops_ufp_rej_sess.setStatus('current')
fw_ss_ufp_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fwSS-ufp-time-stamp').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ufp_time_stamp.setStatus('current')
fw_ss_ufp_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 5, 6), integer32()).setLabel('fwSS-ufp-is-alive').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_ufp_is_alive.setStatus('current')
fw_ss_smtp_pid = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 1), integer32()).setLabel('fwSS-smtp-pid').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_pid.setStatus('current')
fw_ss_smtp_proto = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 2), integer32()).setLabel('fwSS-smtp-proto').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_proto.setStatus('current')
fw_ss_smtp_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 3), integer32()).setLabel('fwSS-smtp-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_port.setStatus('current')
fw_ss_smtp_logical_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 4), integer32()).setLabel('fwSS-smtp-logical-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_logical_port.setStatus('current')
fw_ss_smtp_max_avail_socket = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 5), integer32()).setLabel('fwSS-smtp-max-avail-socket').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_max_avail_socket.setStatus('current')
fw_ss_smtp_socket_in_use_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 6), integer32()).setLabel('fwSS-smtp-socket-in-use-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_socket_in_use_max.setStatus('current')
fw_ss_smtp_socket_in_use_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 7), integer32()).setLabel('fwSS-smtp-socket-in-use-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_socket_in_use_curr.setStatus('current')
fw_ss_smtp_socket_in_use_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 8), integer32()).setLabel('fwSS-smtp-socket-in-use-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_socket_in_use_count.setStatus('current')
fw_ss_smtp_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 9), integer32()).setLabel('fwSS-smtp-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_sess_max.setStatus('current')
fw_ss_smtp_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 10), integer32()).setLabel('fwSS-smtp-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_sess_curr.setStatus('current')
fw_ss_smtp_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 11), integer32()).setLabel('fwSS-smtp-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_sess_count.setStatus('current')
fw_ss_smtp_auth_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 12), integer32()).setLabel('fwSS-smtp-auth-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_auth_sess_max.setStatus('current')
fw_ss_smtp_auth_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 13), integer32()).setLabel('fwSS-smtp-auth-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_auth_sess_curr.setStatus('current')
fw_ss_smtp_auth_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 14), integer32()).setLabel('fwSS-smtp-auth-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_auth_sess_count.setStatus('current')
fw_ss_smtp_accepted_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 15), integer32()).setLabel('fwSS-smtp-accepted-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_accepted_sess.setStatus('current')
fw_ss_smtp_rejected_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 16), integer32()).setLabel('fwSS-smtp-rejected-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_rejected_sess.setStatus('current')
fw_ss_smtp_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 17), integer32()).setLabel('fwSS-smtp-auth-failures').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_auth_failures.setStatus('current')
fw_ss_smtp_mail_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 18), integer32()).setLabel('fwSS-smtp-mail-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_mail_max.setStatus('current')
fw_ss_smtp_mail_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 19), integer32()).setLabel('fwSS-smtp-mail-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_mail_curr.setStatus('current')
fw_ss_smtp_mail_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 20), integer32()).setLabel('fwSS-smtp-mail-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_mail_count.setStatus('current')
fw_ss_smtp_outgoing_mail_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 21), integer32()).setLabel('fwSS-smtp-outgoing-mail-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_outgoing_mail_max.setStatus('current')
fw_ss_smtp_outgoing_mail_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 22), integer32()).setLabel('fwSS-smtp-outgoing-mail-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_outgoing_mail_curr.setStatus('current')
fw_ss_smtp_outgoing_mail_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 23), integer32()).setLabel('fwSS-smtp-outgoing-mail-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_outgoing_mail_count.setStatus('current')
fw_ss_smtp_max_mail_on_conn = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 24), integer32()).setLabel('fwSS-smtp-max-mail-on-conn').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_max_mail_on_conn.setStatus('current')
fw_ss_smtp_total_mails = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 25), integer32()).setLabel('fwSS-smtp-total-mails').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_total_mails.setStatus('current')
fw_ss_smtp_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 26), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fwSS-smtp-time-stamp').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_time_stamp.setStatus('current')
fw_ss_smtp_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 27), integer32()).setLabel('fwSS-smtp-is-alive').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_is_alive.setStatus('current')
fw_ss_smtp_blocked_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 28), integer32()).setLabel('fwSS-smtp-blocked-cnt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_blocked_cnt.setStatus('current')
fw_ss_smtp_blocked_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 29), integer32()).setLabel('fwSS-smtp-blocked-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_blocked_total.setStatus('current')
fw_ss_smtp_scanned_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 30), integer32()).setLabel('fwSS-smtp-scanned-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_scanned_total.setStatus('current')
fw_ss_smtp_blocked_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 31), integer32()).setLabel('fwSS-smtp-blocked-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_blocked_by_file_type.setStatus('current')
fw_ss_smtp_blocked_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 32), integer32()).setLabel('fwSS-smtp-blocked-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_blocked_by_size_limit.setStatus('current')
fw_ss_smtp_blocked_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 33), integer32()).setLabel('fwSS-smtp-blocked-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_blocked_by_archive_limit.setStatus('current')
fw_ss_smtp_blocked_by_internal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 34), integer32()).setLabel('fwSS-smtp-blocked-by-internal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_blocked_by_internal_error.setStatus('current')
fw_ss_smtp_passed_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 35), integer32()).setLabel('fwSS-smtp-passed-cnt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_passed_cnt.setStatus('current')
fw_ss_smtp_passed_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 36), integer32()).setLabel('fwSS-smtp-passed-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_passed_by_file_type.setStatus('current')
fw_ss_smtp_passed_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 37), integer32()).setLabel('fwSS-smtp-passed-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_passed_by_size_limit.setStatus('current')
fw_ss_smtp_passed_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 38), integer32()).setLabel('fwSS-smtp-passed-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_passed_by_archive_limit.setStatus('current')
fw_ss_smtp_passed_by_internal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 39), integer32()).setLabel('fwSS-smtp-passed-by-internal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_passed_by_internal_error.setStatus('current')
fw_ss_smtp_passed_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 40), integer32()).setLabel('fwSS-smtp-passed-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_passed_total.setStatus('current')
fw_ss_smtp_blocked_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 41), integer32()).setLabel('fwSS-smtp-blocked-by-AV-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_blocked_by_AV_settings.setStatus('current')
fw_ss_smtp_passed_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 6, 42), integer32()).setLabel('fwSS-smtp-passed-by-AV-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_smtp_passed_by_AV_settings.setStatus('current')
fw_ss_pop3_pid = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 1), integer32()).setLabel('fwSS-POP3-pid').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_pid.setStatus('current')
fw_ss_pop3_proto = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 2), integer32()).setLabel('fwSS-POP3-proto').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_proto.setStatus('current')
fw_ss_pop3_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 3), integer32()).setLabel('fwSS-POP3-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_port.setStatus('current')
fw_ss_pop3_logical_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 4), integer32()).setLabel('fwSS-POP3-logical-port').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_logical_port.setStatus('current')
fw_ss_pop3_max_avail_socket = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 5), integer32()).setLabel('fwSS-POP3-max-avail-socket').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_max_avail_socket.setStatus('current')
fw_ss_pop3_socket_in_use_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 6), integer32()).setLabel('fwSS-POP3-socket-in-use-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_socket_in_use_max.setStatus('current')
fw_ss_pop3_socket_in_use_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 7), integer32()).setLabel('fwSS-POP3-socket-in-use-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_socket_in_use_curr.setStatus('current')
fw_ss_pop3_socket_in_use_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 8), integer32()).setLabel('fwSS-POP3-socket-in-use-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_socket_in_use_count.setStatus('current')
fw_ss_pop3_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 9), integer32()).setLabel('fwSS-POP3-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_sess_max.setStatus('current')
fw_ss_pop3_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 10), integer32()).setLabel('fwSS-POP3-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_sess_curr.setStatus('current')
fw_ss_pop3_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 11), integer32()).setLabel('fwSS-POP3-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_sess_count.setStatus('current')
fw_ss_pop3_auth_sess_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 12), integer32()).setLabel('fwSS-POP3-auth-sess-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_auth_sess_max.setStatus('current')
fw_ss_pop3_auth_sess_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 13), integer32()).setLabel('fwSS-POP3-auth-sess-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_auth_sess_curr.setStatus('current')
fw_ss_pop3_auth_sess_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 14), integer32()).setLabel('fwSS-POP3-auth-sess-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_auth_sess_count.setStatus('current')
fw_ss_pop3_accepted_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 15), integer32()).setLabel('fwSS-POP3-accepted-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_accepted_sess.setStatus('current')
fw_ss_pop3_rejected_sess = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 16), integer32()).setLabel('fwSS-POP3-rejected-sess').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_rejected_sess.setStatus('current')
fw_ss_pop3_auth_failures = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 17), integer32()).setLabel('fwSS-POP3-auth-failures').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_auth_failures.setStatus('current')
fw_ss_pop3_mail_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 18), integer32()).setLabel('fwSS-POP3-mail-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_mail_max.setStatus('current')
fw_ss_pop3_mail_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 19), integer32()).setLabel('fwSS-POP3-mail-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_mail_curr.setStatus('current')
fw_ss_pop3_mail_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 20), integer32()).setLabel('fwSS-POP3-mail-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_mail_count.setStatus('current')
fw_ss_pop3_outgoing_mail_max = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 21), integer32()).setLabel('fwSS-POP3-outgoing-mail-max').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_outgoing_mail_max.setStatus('current')
fw_ss_pop3_outgoing_mail_curr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 22), integer32()).setLabel('fwSS-POP3-outgoing-mail-curr').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_outgoing_mail_curr.setStatus('current')
fw_ss_pop3_outgoing_mail_count = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 23), integer32()).setLabel('fwSS-POP3-outgoing-mail-count').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_outgoing_mail_count.setStatus('current')
fw_ss_pop3_max_mail_on_conn = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 24), integer32()).setLabel('fwSS-POP3-max-mail-on-conn').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_max_mail_on_conn.setStatus('current')
fw_ss_pop3_total_mails = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 25), integer32()).setLabel('fwSS-POP3-total-mails').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_total_mails.setStatus('current')
fw_ss_pop3_time_stamp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 26), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setLabel('fwSS-POP3-time-stamp').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_time_stamp.setStatus('current')
fw_ss_pop3_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 27), integer32()).setLabel('fwSS-POP3-is-alive').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_is_alive.setStatus('current')
fw_ss_pop3_blocked_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 28), integer32()).setLabel('fwSS-POP3-blocked-cnt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_blocked_cnt.setStatus('current')
fw_ss_pop3_blocked_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 29), integer32()).setLabel('fwSS-POP3-blocked-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_blocked_total.setStatus('current')
fw_ss_pop3_scanned_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 30), integer32()).setLabel('fwSS-POP3-scanned-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_scanned_total.setStatus('current')
fw_ss_pop3_blocked_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 31), integer32()).setLabel('fwSS-POP3-blocked-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_blocked_by_file_type.setStatus('current')
fw_ss_pop3_blocked_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 32), integer32()).setLabel('fwSS-POP3-blocked-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_blocked_by_size_limit.setStatus('current')
fw_ss_pop3_blocked_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 33), integer32()).setLabel('fwSS-POP3-blocked-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_blocked_by_archive_limit.setStatus('current')
fw_ss_pop3_blocked_by_internal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 34), integer32()).setLabel('fwSS-POP3-blocked-by-internal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_blocked_by_internal_error.setStatus('current')
fw_ss_pop3_passed_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 35), integer32()).setLabel('fwSS-POP3-passed-cnt').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_passed_cnt.setStatus('current')
fw_ss_pop3_passed_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 36), integer32()).setLabel('fwSS-POP3-passed-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_passed_by_file_type.setStatus('current')
fw_ss_pop3_passed_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 37), integer32()).setLabel('fwSS-POP3-passed-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_passed_by_size_limit.setStatus('current')
fw_ss_pop3_passed_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 38), integer32()).setLabel('fwSS-POP3-passed-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_passed_by_archive_limit.setStatus('current')
fw_ss_pop3_passed_by_internal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 39), integer32()).setLabel('fwSS-POP3-passed-by-internal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_passed_by_internal_error.setStatus('current')
fw_ss_pop3_passed_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 40), integer32()).setLabel('fwSS-POP3-passed-total').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_passed_total.setStatus('current')
fw_ss_pop3_blocked_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 41), integer32()).setLabel('fwSS-POP3-blocked-by-AV-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_blocked_by_AV_settings.setStatus('current')
fw_ss_pop3_passed_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 7, 42), integer32()).setLabel('fwSS-POP3-passed-by-AV-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_POP3_passed_by_AV_settings.setStatus('current')
fw_ss_total_blocked_by_av = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 1), integer32()).setLabel('fwSS-total-blocked-by-av').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_blocked_by_av.setStatus('current')
fw_ss_total_blocked = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 2), integer32()).setLabel('fwSS-total-blocked').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_blocked.setStatus('current')
fw_ss_total_scanned = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 3), integer32()).setLabel('fwSS-total-scanned').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_scanned.setStatus('current')
fw_ss_total_blocked_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 4), integer32()).setLabel('fwSS-total-blocked-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_blocked_by_file_type.setStatus('current')
fw_ss_total_blocked_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 5), integer32()).setLabel('fwSS-total-blocked-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_blocked_by_size_limit.setStatus('current')
fw_ss_total_blocked_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 6), integer32()).setLabel('fwSS-total-blocked-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_blocked_by_archive_limit.setStatus('current')
fw_ss_total_blocked_by_interal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 7), integer32()).setLabel('fwSS-total-blocked-by-interal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_blocked_by_interal_error.setStatus('current')
fw_ss_total_passed_by_av = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 8), integer32()).setLabel('fwSS-total-passed-by-av').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_passed_by_av.setStatus('current')
fw_ss_total_passed_by_file_type = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 9), integer32()).setLabel('fwSS-total-passed-by-file-type').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_passed_by_file_type.setStatus('current')
fw_ss_total_passed_by_size_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 10), integer32()).setLabel('fwSS-total-passed-by-size-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_passed_by_size_limit.setStatus('current')
fw_ss_total_passed_by_archive_limit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 11), integer32()).setLabel('fwSS-total-passed-by-archive-limit').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_passed_by_archive_limit.setStatus('current')
fw_ss_total_passed_by_interal_error = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 12), integer32()).setLabel('fwSS-total-passed-by-interal-error').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_passed_by_interal_error.setStatus('current')
fw_ss_total_passed = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 13), integer32()).setLabel('fwSS-total-passed').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_passed.setStatus('current')
fw_ss_total_blocked_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 14), integer32()).setLabel('fwSS-total-blocked-by-av-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_blocked_by_av_settings.setStatus('current')
fw_ss_total_passed_by_av_settings = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 9, 10, 15), integer32()).setLabel('fwSS-total-passed-by-av-settings').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSS_total_passed_by_av_settings.setStatus('current')
fw_connections_stat_connections_tcp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwConnectionsStatConnectionsTcp.setStatus('current')
fw_connections_stat_connections_udp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwConnectionsStatConnectionsUdp.setStatus('current')
fw_connections_stat_connections_icmp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwConnectionsStatConnectionsIcmp.setStatus('current')
fw_connections_stat_connections_other = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwConnectionsStatConnectionsOther.setStatus('current')
fw_connections_stat_connections = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwConnectionsStatConnections.setStatus('current')
fw_connections_stat_connection_rate = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 11, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwConnectionsStatConnectionRate.setStatus('current')
fw_hmem64_block_size = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 1), display_string()).setLabel('fwHmem64-block-size').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_block_size.setStatus('current')
fw_hmem64_requested_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 2), display_string()).setLabel('fwHmem64-requested-bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_requested_bytes.setStatus('current')
fw_hmem64_initial_allocated_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 3), display_string()).setLabel('fwHmem64-initial-allocated-bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_initial_allocated_bytes.setStatus('current')
fw_hmem64_initial_allocated_blocks = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 4), integer32()).setLabel('fwHmem64-initial-allocated-blocks').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_initial_allocated_blocks.setStatus('current')
fw_hmem64_initial_allocated_pools = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 5), integer32()).setLabel('fwHmem64-initial-allocated-pools').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_initial_allocated_pools.setStatus('current')
fw_hmem64_current_allocated_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 6), display_string()).setLabel('fwHmem64-current-allocated-bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_current_allocated_bytes.setStatus('current')
fw_hmem64_current_allocated_blocks = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 7), integer32()).setLabel('fwHmem64-current-allocated-blocks').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_current_allocated_blocks.setStatus('current')
fw_hmem64_current_allocated_pools = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 8), integer32()).setLabel('fwHmem64-current-allocated-pools').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_current_allocated_pools.setStatus('current')
fw_hmem64_maximum_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 9), display_string()).setLabel('fwHmem64-maximum-bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_maximum_bytes.setStatus('current')
fw_hmem64_maximum_pools = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 10), integer32()).setLabel('fwHmem64-maximum-pools').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_maximum_pools.setStatus('current')
fw_hmem64_bytes_used = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 11), display_string()).setLabel('fwHmem64-bytes-used').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_bytes_used.setStatus('current')
fw_hmem64_blocks_used = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 12), integer32()).setLabel('fwHmem64-blocks-used').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_blocks_used.setStatus('current')
fw_hmem64_bytes_unused = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 13), display_string()).setLabel('fwHmem64-bytes-unused').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_bytes_unused.setStatus('current')
fw_hmem64_blocks_unused = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 14), integer32()).setLabel('fwHmem64-blocks-unused').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_blocks_unused.setStatus('current')
fw_hmem64_bytes_peak = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 15), display_string()).setLabel('fwHmem64-bytes-peak').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_bytes_peak.setStatus('current')
fw_hmem64_blocks_peak = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 16), integer32()).setLabel('fwHmem64-blocks-peak').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_blocks_peak.setStatus('current')
fw_hmem64_bytes_internal_use = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 17), integer32()).setLabel('fwHmem64-bytes-internal-use').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_bytes_internal_use.setStatus('current')
fw_hmem64_number_of_items = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 18), display_string()).setLabel('fwHmem64-number-of-items').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_number_of_items.setStatus('current')
fw_hmem64_alloc_operations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 19), integer32()).setLabel('fwHmem64-alloc-operations').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_alloc_operations.setStatus('current')
fw_hmem64_free_operations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 20), integer32()).setLabel('fwHmem64-free-operations').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_free_operations.setStatus('current')
fw_hmem64_failed_alloc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 21), integer32()).setLabel('fwHmem64-failed-alloc').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_failed_alloc.setStatus('current')
fw_hmem64_failed_free = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 26, 12, 22), integer32()).setLabel('fwHmem64-failed-free').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwHmem64_failed_free.setStatus('current')
fw_net_if_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27))
if mibBuilder.loadTexts:
fwNetIfTable.setStatus('current')
fw_net_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'fwNetIfIndex'))
if mibBuilder.loadTexts:
fwNetIfEntry.setStatus('current')
fw_net_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfIndex.setStatus('current')
fw_net_if_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfName.setStatus('current')
fw_net_if_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfIPAddr.setStatus('current')
fw_net_if_netmask = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfNetmask.setStatus('current')
fw_net_if_flags = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfFlags.setStatus('current')
fw_net_if_peer_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfPeerName.setStatus('current')
fw_net_if_remote_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfRemoteIp.setStatus('current')
fw_net_if_topology = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfTopology.setStatus('current')
fw_net_if_proxy_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfProxyName.setStatus('current')
fw_net_if_slaves = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 10), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfSlaves.setStatus('current')
fw_net_if_ports = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 27, 1, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwNetIfPorts.setStatus('current')
fw_ls_conn = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30))
fw_ls_conn_overall = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLSConnOverall.setStatus('current')
fw_ls_conn_overall_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLSConnOverallDesc.setStatus('current')
fw_ls_conn_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3))
if mibBuilder.loadTexts:
fwLSConnTable.setStatus('current')
fw_local_logging_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLocalLoggingDesc.setStatus('current')
fw_local_logging_stat = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLocalLoggingStat.setStatus('current')
fw_ls_conn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'fwLSConnIndex'))
if mibBuilder.loadTexts:
fwLSConnEntry.setStatus('current')
fw_ls_conn_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLSConnIndex.setStatus('current')
fw_ls_conn_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLSConnName.setStatus('current')
fw_ls_conn_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLSConnState.setStatus('current')
fw_ls_conn_state_desc = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 1, 30, 3, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwLSConnStateDesc.setStatus('current')
fw_sxl_group = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1))
fw_sxl_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSXLStatus.setStatus('current')
fw_sxl_conns_existing = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSXLConnsExisting.setStatus('current')
fw_sxl_conns_added = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSXLConnsAdded.setStatus('current')
fw_sxl_conns_deleted = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 36, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fwSXLConnsDeleted.setStatus('current')
cpv_general = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4))
cpv_ipsec = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5))
cpv_fwz = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6))
cpv_accelerator = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8))
cpv_ike = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9))
cpv_i_psec = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10))
cpv_statistics = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 1))
cpv_errors = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2))
cpv_sa_statistics = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2))
cpv_sa_errors = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3))
cpv_ipsec_statistics = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4))
cpv_fwz_statistics = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1))
cpv_fwz_errors = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2))
cpv_hw_accel_general = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1))
cpv_hw_accel_statistics = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2))
cpv_ik_eglobals = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1))
cpv_ik_eerrors = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 2))
cpv_i_psec_nic = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1))
cpv_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvProdName.setStatus('current')
cpv_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvVerMajor.setStatus('current')
cpv_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvVerMinor.setStatus('current')
cpv_enc_packets = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvEncPackets.setStatus('current')
cpv_dec_packets = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvDecPackets.setStatus('current')
cpv_err_out = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvErrOut.setStatus('current')
cpv_err_in = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvErrIn.setStatus('current')
cpv_err_ike = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvErrIke.setStatus('current')
cpv_err_policy = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 4, 2, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvErrPolicy.setStatus('current')
cpv_curr_esp_s_as_in = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvCurrEspSAsIn.setStatus('current')
cpv_total_esp_s_as_in = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvTotalEspSAsIn.setStatus('current')
cpv_curr_esp_s_as_out = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvCurrEspSAsOut.setStatus('current')
cpv_total_esp_s_as_out = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvTotalEspSAsOut.setStatus('current')
cpv_curr_ah_s_as_in = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvCurrAhSAsIn.setStatus('current')
cpv_total_ah_s_as_in = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvTotalAhSAsIn.setStatus('current')
cpv_curr_ah_s_as_out = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvCurrAhSAsOut.setStatus('current')
cpv_total_ah_s_as_out = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvTotalAhSAsOut.setStatus('current')
cpv_max_conncur_esp_s_as_in = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvMaxConncurEspSAsIn.setStatus('current')
cpv_max_conncur_esp_s_as_out = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 10), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvMaxConncurEspSAsOut.setStatus('current')
cpv_max_conncur_ah_s_as_in = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvMaxConncurAhSAsIn.setStatus('current')
cpv_max_conncur_ah_s_as_out = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 2, 12), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvMaxConncurAhSAsOut.setStatus('current')
cpv_sa_decr_err = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvSaDecrErr.setStatus('current')
cpv_sa_auth_err = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvSaAuthErr.setStatus('current')
cpv_sa_replay_err = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvSaReplayErr.setStatus('current')
cpv_sa_policy_err = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvSaPolicyErr.setStatus('current')
cpv_sa_other_err_in = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvSaOtherErrIn.setStatus('current')
cpv_sa_other_err_out = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvSaOtherErrOut.setStatus('current')
cpv_sa_unknown_spi_err = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 3, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvSaUnknownSpiErr.setStatus('current')
cpv_ipsec_udp_esp_enc_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecUdpEspEncPkts.setStatus('current')
cpv_ipsec_udp_esp_dec_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecUdpEspDecPkts.setStatus('current')
cpv_ipsec_ah_enc_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecAhEncPkts.setStatus('current')
cpv_ipsec_ah_dec_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecAhDecPkts.setStatus('current')
cpv_ipsec_esp_enc_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecEspEncPkts.setStatus('current')
cpv_ipsec_esp_dec_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecEspDecPkts.setStatus('current')
cpv_ipsec_decompr_bytes_before = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecDecomprBytesBefore.setStatus('current')
cpv_ipsec_decompr_bytes_after = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecDecomprBytesAfter.setStatus('current')
cpv_ipsec_decompr_overhead = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecDecomprOverhead.setStatus('current')
cpv_ipsec_decompr_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 10), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecDecomprPkts.setStatus('current')
cpv_ipsec_decompr_err = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecDecomprErr.setStatus('current')
cpv_ipsec_compr_bytes_before = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 12), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecComprBytesBefore.setStatus('current')
cpv_ipsec_compr_bytes_after = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 13), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecComprBytesAfter.setStatus('current')
cpv_ipsec_compr_overhead = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 14), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecComprOverhead.setStatus('current')
cpv_ipsec_non_compressible_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 15), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecNonCompressibleBytes.setStatus('current')
cpv_ipsec_compressible_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 16), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecCompressiblePkts.setStatus('current')
cpv_ipsec_non_compressible_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 17), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecNonCompressiblePkts.setStatus('current')
cpv_ipsec_compr_errors = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 18), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecComprErrors.setStatus('current')
cpv_ipsec_esp_enc_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 19), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecEspEncBytes.setStatus('current')
cpv_ipsec_esp_dec_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 5, 4, 20), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIpsecEspDecBytes.setStatus('current')
cpv_fwz_encaps_enc_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvFwzEncapsEncPkts.setStatus('current')
cpv_fwz_encaps_dec_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvFwzEncapsDecPkts.setStatus('current')
cpv_fwz_enc_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvFwzEncPkts.setStatus('current')
cpv_fwz_dec_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvFwzDecPkts.setStatus('current')
cpv_fwz_encaps_enc_errs = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvFwzEncapsEncErrs.setStatus('current')
cpv_fwz_encaps_dec_errs = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvFwzEncapsDecErrs.setStatus('current')
cpv_fwz_enc_errs = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvFwzEncErrs.setStatus('current')
cpv_fwz_dec_errs = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 6, 2, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvFwzDecErrs.setStatus('current')
cpv_hw_accel_vendor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelVendor.setStatus('current')
cpv_hw_accel_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelStatus.setStatus('current')
cpv_hw_accel_driver_major_ver = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelDriverMajorVer.setStatus('current')
cpv_hw_accel_driver_minor_ver = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelDriverMinorVer.setStatus('current')
cpv_hw_accel_esp_enc_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelEspEncPkts.setStatus('current')
cpv_hw_accel_esp_dec_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelEspDecPkts.setStatus('current')
cpv_hw_accel_esp_enc_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelEspEncBytes.setStatus('current')
cpv_hw_accel_esp_dec_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelEspDecBytes.setStatus('current')
cpv_hw_accel_ah_enc_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelAhEncPkts.setStatus('current')
cpv_hw_accel_ah_dec_pkts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelAhDecPkts.setStatus('current')
cpv_hw_accel_ah_enc_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelAhEncBytes.setStatus('current')
cpv_hw_accel_ah_dec_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 8, 2, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvHwAccelAhDecBytes.setStatus('current')
cpv_ike_curr_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKECurrSAs.setStatus('current')
cpv_ike_curr_init_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKECurrInitSAs.setStatus('current')
cpv_ike_curr_resp_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKECurrRespSAs.setStatus('current')
cpv_ike_total_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKETotalSAs.setStatus('current')
cpv_ike_total_init_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKETotalInitSAs.setStatus('current')
cpv_ike_total_resp_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKETotalRespSAs.setStatus('current')
cpv_ike_total_s_as_attempts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKETotalSAsAttempts.setStatus('current')
cpv_ike_total_s_as_init_attempts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKETotalSAsInitAttempts.setStatus('current')
cpv_ike_total_s_as_resp_attempts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKETotalSAsRespAttempts.setStatus('current')
cpv_ike_max_conncur_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 10), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKEMaxConncurSAs.setStatus('current')
cpv_ike_max_conncur_init_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKEMaxConncurInitSAs.setStatus('current')
cpv_ike_max_conncur_resp_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 1, 12), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKEMaxConncurRespSAs.setStatus('current')
cpv_ike_total_failures_init = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 2, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKETotalFailuresInit.setStatus('current')
cpv_ike_no_resp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKENoResp.setStatus('current')
cpv_ike_total_failures_resp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 9, 2, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIKETotalFailuresResp.setStatus('current')
cpv_i_psec_ni_cs_num = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIPsecNICsNum.setStatus('current')
cpv_i_psec_nic_total_down_loaded_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIPsecNICTotalDownLoadedSAs.setStatus('current')
cpv_i_psec_nic_curr_down_loaded_s_as = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIPsecNICCurrDownLoadedSAs.setStatus('current')
cpv_i_psec_nic_decr_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIPsecNICDecrBytes.setStatus('current')
cpv_i_psec_nic_encr_bytes = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIPsecNICEncrBytes.setStatus('current')
cpv_i_psec_nic_decr_packets = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIPsecNICDecrPackets.setStatus('current')
cpv_i_psec_nic_encr_packets = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 2, 10, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpvIPsecNICEncrPackets.setStatus('current')
fg_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgProdName.setStatus('current')
fg_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgVerMajor.setStatus('current')
fg_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgVerMinor.setStatus('current')
fg_version_string = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgVersionString.setStatus('current')
fg_module_kernel_build = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgModuleKernelBuild.setStatus('current')
fg_str_policy_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgStrPolicyName.setStatus('current')
fg_install_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgInstallTime.setStatus('current')
fg_num_interfaces = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 3, 8), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgNumInterfaces.setStatus('current')
fg_if_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9))
if mibBuilder.loadTexts:
fgIfTable.setStatus('current')
fg_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'fgIfIndex'))
if mibBuilder.loadTexts:
fgIfEntry.setStatus('current')
fg_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgIfIndex.setStatus('current')
fg_if_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgIfName.setStatus('current')
fg_policy_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgPolicyName.setStatus('current')
fg_rate_limit_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgRateLimitIn.setStatus('current')
fg_rate_limit_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgRateLimitOut.setStatus('current')
fg_avr_rate_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgAvrRateIn.setStatus('current')
fg_avr_rate_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgAvrRateOut.setStatus('current')
fg_retrans_pckts_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgRetransPcktsIn.setStatus('current')
fg_retrans_pckts_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgRetransPcktsOut.setStatus('current')
fg_pend_pckts_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgPendPcktsIn.setStatus('current')
fg_pend_pckts_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgPendPcktsOut.setStatus('current')
fg_pend_bytes_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgPendBytesIn.setStatus('current')
fg_pend_bytes_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgPendBytesOut.setStatus('current')
fg_num_conn_in = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgNumConnIn.setStatus('current')
fg_num_conn_out = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 3, 9, 1, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fgNumConnOut.setStatus('current')
ha_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haProdName.setStatus('current')
ha_installed = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haInstalled.setStatus('current')
ha_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haVerMajor.setStatus('current')
ha_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haVerMinor.setStatus('current')
ha_started = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haStarted.setStatus('current')
ha_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haState.setStatus('current')
ha_block_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haBlockState.setStatus('current')
ha_identifier = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haIdentifier.setStatus('current')
ha_proto_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haProtoVersion.setStatus('current')
ha_work_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 11), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haWorkMode.setStatus('current')
ha_version_sting = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haVersionSting.setStatus('current')
ha_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haStatCode.setStatus('current')
ha_stat_short = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 102), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haStatShort.setStatus('current')
ha_stat_long = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 103), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haStatLong.setStatus('current')
ha_service_pack = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 5, 999), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haServicePack.setStatus('current')
ha_if_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12))
if mibBuilder.loadTexts:
haIfTable.setStatus('current')
ha_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'haIfIndex'))
if mibBuilder.loadTexts:
haIfEntry.setStatus('current')
ha_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haIfIndex.setStatus('current')
ha_if_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haIfName.setStatus('current')
ha_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haIP.setStatus('current')
ha_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haStatus.setStatus('current')
ha_verified = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haVerified.setStatus('current')
ha_trusted = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haTrusted.setStatus('current')
ha_shared = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 12, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haShared.setStatus('current')
ha_problem_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13))
if mibBuilder.loadTexts:
haProblemTable.setStatus('current')
ha_problem_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'haIfIndex'))
if mibBuilder.loadTexts:
haProblemEntry.setStatus('current')
ha_problem_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haProblemIndex.setStatus('current')
ha_problem_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haProblemName.setStatus('current')
ha_problem_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haProblemStatus.setStatus('current')
ha_problem_priority = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haProblemPriority.setStatus('current')
ha_problem_verified = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haProblemVerified.setStatus('current')
ha_problem_descr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 13, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haProblemDescr.setStatus('current')
ha_cluster_ip_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15))
if mibBuilder.loadTexts:
haClusterIpTable.setStatus('current')
ha_cluster_ip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'haClusterIpIndex'))
if mibBuilder.loadTexts:
haClusterIpEntry.setStatus('current')
ha_cluster_ip_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterIpIndex.setStatus('current')
ha_cluster_ip_if_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterIpIfName.setStatus('current')
ha_cluster_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterIpAddr.setStatus('current')
ha_cluster_ip_net_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterIpNetMask.setStatus('current')
ha_cluster_ip_member_net = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterIpMemberNet.setStatus('current')
ha_cluster_ip_member_net_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 15, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterIpMemberNetMask.setStatus('current')
ha_cluster_sync_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16))
if mibBuilder.loadTexts:
haClusterSyncTable.setStatus('current')
ha_cluster_sync_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'haClusterSyncIndex'))
if mibBuilder.loadTexts:
haClusterSyncEntry.setStatus('current')
ha_cluster_sync_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterSyncIndex.setStatus('current')
ha_cluster_sync_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterSyncName.setStatus('current')
ha_cluster_sync_addr = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterSyncAddr.setStatus('current')
ha_cluster_sync_net_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 5, 16, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
haClusterSyncNetMask.setStatus('current')
svn_info = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 4))
svn_os_info = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5))
svn_perf = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7))
svn_appliance_info = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 16))
svn_mem = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1))
svn_proc = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2))
svn_disk = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3))
svn_mem64 = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4))
svn_routing_modify = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9))
svn_log_daemon = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 11))
svn_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnProdName.setStatus('current')
svn_prod_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnProdVerMajor.setStatus('current')
svn_prod_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnProdVerMinor.setStatus('current')
svn_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 4, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnVersion.setStatus('current')
svn_build = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 4, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnBuild.setStatus('current')
os_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
osName.setStatus('current')
os_major_ver = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
osMajorVer.setStatus('current')
os_minor_ver = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
osMinorVer.setStatus('current')
os_build_num = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
osBuildNum.setStatus('current')
os_s_pmajor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
osSPmajor.setStatus('current')
os_s_pminor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
osSPminor.setStatus('current')
os_version_level = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 5, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
osVersionLevel.setStatus('current')
svn_appliance_serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 16, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnApplianceSerialNumber.setStatus('current')
svn_appliance_manufacturer = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 16, 9), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnApplianceManufacturer.setStatus('current')
svn_appliance_product_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 16, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnApplianceProductName.setStatus('current')
mem_total_virtual = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalVirtual.setStatus('current')
mem_active_virtual = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memActiveVirtual.setStatus('current')
mem_total_real = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalReal.setStatus('current')
mem_active_real = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memActiveReal.setStatus('current')
mem_free_real = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memFreeReal.setStatus('current')
mem_swaps_sec = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memSwapsSec.setStatus('current')
mem_disk_transfers = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memDiskTransfers.setStatus('current')
proc_usr_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
procUsrTime.setStatus('current')
proc_sys_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
procSysTime.setStatus('current')
proc_idle_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
procIdleTime.setStatus('current')
proc_usage = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
procUsage.setStatus('current')
proc_queue = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
procQueue.setStatus('current')
proc_interrupts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
procInterrupts.setStatus('current')
proc_num = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 2, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
procNum.setStatus('current')
disk_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diskTime.setStatus('current')
disk_queue = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diskQueue.setStatus('current')
disk_percent = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diskPercent.setStatus('current')
disk_free_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diskFreeTotal.setStatus('current')
disk_free_avail = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diskFreeAvail.setStatus('current')
disk_total = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 3, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
diskTotal.setStatus('current')
mem_total_virtual64 = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalVirtual64.setStatus('current')
mem_active_virtual64 = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memActiveVirtual64.setStatus('current')
mem_total_real64 = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memTotalReal64.setStatus('current')
mem_active_real64 = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memActiveReal64.setStatus('current')
mem_free_real64 = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memFreeReal64.setStatus('current')
mem_swaps_sec64 = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memSwapsSec64.setStatus('current')
mem_disk_transfers64 = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 4, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
memDiskTransfers64.setStatus('current')
multi_proc_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5))
if mibBuilder.loadTexts:
multiProcTable.setStatus('current')
multi_proc_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'multiProcIndex'))
if mibBuilder.loadTexts:
multiProcEntry.setStatus('current')
multi_proc_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiProcIndex.setStatus('current')
multi_proc_user_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiProcUserTime.setStatus('current')
multi_proc_system_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiProcSystemTime.setStatus('current')
multi_proc_idle_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiProcIdleTime.setStatus('current')
multi_proc_usage = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiProcUsage.setStatus('current')
multi_proc_run_queue = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiProcRunQueue.setStatus('current')
multi_proc_interrupts = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 5, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiProcInterrupts.setStatus('current')
multi_disk_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6))
if mibBuilder.loadTexts:
multiDiskTable.setStatus('current')
multi_disk_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'multiDiskIndex'))
if mibBuilder.loadTexts:
multiDiskEntry.setStatus('current')
multi_disk_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiDiskIndex.setStatus('current')
multi_disk_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiDiskName.setStatus('current')
multi_disk_size = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiDiskSize.setStatus('current')
multi_disk_used = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiDiskUsed.setStatus('current')
multi_disk_free_total_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiDiskFreeTotalBytes.setStatus('current')
multi_disk_free_total_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiDiskFreeTotalPercent.setStatus('current')
multi_disk_free_available_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiDiskFreeAvailableBytes.setStatus('current')
multi_disk_free_available_percent = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 6, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
multiDiskFreeAvailablePercent.setStatus('current')
raid_info = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7))
sensor_info = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8))
power_supply_info = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9))
raid_volume_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1))
if mibBuilder.loadTexts:
raidVolumeTable.setStatus('current')
raid_volume_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'raidVolumeIndex'))
if mibBuilder.loadTexts:
raidVolumeEntry.setStatus('current')
raid_volume_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidVolumeIndex.setStatus('current')
raid_volume_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidVolumeID.setStatus('current')
raid_volume_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidVolumeType.setStatus('current')
num_of_disks_on_raid = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfDisksOnRaid.setStatus('current')
raid_volume_max_lba = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidVolumeMaxLBA.setStatus('current')
raid_volume_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidVolumeState.setStatus('current')
raid_volume_flags = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidVolumeFlags.setStatus('current')
raid_volume_size = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 1, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidVolumeSize.setStatus('current')
raid_disk_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2))
if mibBuilder.loadTexts:
raidDiskTable.setStatus('current')
raid_disk_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'raidDiskIndex'))
if mibBuilder.loadTexts:
raidDiskEntry.setStatus('current')
raid_disk_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskIndex.setStatus('current')
raid_disk_volume_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskVolumeID.setStatus('current')
raid_disk_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskID.setStatus('current')
raid_disk_number = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskNumber.setStatus('current')
raid_disk_vendor = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskVendor.setStatus('current')
raid_disk_product_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskProductID.setStatus('current')
raid_disk_revision = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskRevision.setStatus('current')
raid_disk_max_lba = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskMaxLBA.setStatus('current')
raid_disk_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskState.setStatus('current')
raid_disk_flags = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskFlags.setStatus('current')
raid_disk_sync_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskSyncState.setStatus('current')
raid_disk_size = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 7, 2, 1, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
raidDiskSize.setStatus('current')
temperture_sensor_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1))
if mibBuilder.loadTexts:
tempertureSensorTable.setStatus('current')
temperture_sensor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'tempertureSensorIndex'))
if mibBuilder.loadTexts:
tempertureSensorEntry.setStatus('current')
temperture_sensor_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tempertureSensorIndex.setStatus('current')
temperture_sensor_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tempertureSensorName.setStatus('current')
temperture_sensor_value = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tempertureSensorValue.setStatus('current')
temperture_sensor_unit = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tempertureSensorUnit.setStatus('current')
temperture_sensor_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tempertureSensorType.setStatus('current')
temperture_sensor_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
tempertureSensorStatus.setStatus('current')
fan_speed_sensor_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2))
if mibBuilder.loadTexts:
fanSpeedSensorTable.setStatus('current')
fan_speed_sensor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'fanSpeedSensorIndex'))
if mibBuilder.loadTexts:
fanSpeedSensorEntry.setStatus('current')
fan_speed_sensor_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fanSpeedSensorIndex.setStatus('current')
fan_speed_sensor_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fanSpeedSensorName.setStatus('current')
fan_speed_sensor_value = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fanSpeedSensorValue.setStatus('current')
fan_speed_sensor_unit = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fanSpeedSensorUnit.setStatus('current')
fan_speed_sensor_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fanSpeedSensorType.setStatus('current')
fan_speed_sensor_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 2, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
fanSpeedSensorStatus.setStatus('current')
voltage_sensor_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3))
if mibBuilder.loadTexts:
voltageSensorTable.setStatus('current')
voltage_sensor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'voltageSensorIndex'))
if mibBuilder.loadTexts:
voltageSensorEntry.setStatus('current')
voltage_sensor_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voltageSensorIndex.setStatus('current')
voltage_sensor_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voltageSensorName.setStatus('current')
voltage_sensor_value = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voltageSensorValue.setStatus('current')
voltage_sensor_unit = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voltageSensorUnit.setStatus('current')
voltage_sensor_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voltageSensorType.setStatus('current')
voltage_sensor_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 8, 3, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voltageSensorStatus.setStatus('current')
power_supply_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9, 1))
if mibBuilder.loadTexts:
powerSupplyTable.setStatus('current')
power_supply_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'powerSupplyIndex'))
if mibBuilder.loadTexts:
powerSupplyEntry.setStatus('current')
power_supply_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
powerSupplyIndex.setStatus('current')
power_supply_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 7, 9, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
powerSupplyStatus.setStatus('current')
routing_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6))
if mibBuilder.loadTexts:
routingTable.setStatus('current')
routing_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'routingIndex'))
if mibBuilder.loadTexts:
routingEntry.setStatus('current')
routing_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
routingIndex.setStatus('current')
routing_dest = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 2), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
routingDest.setStatus('current')
routing_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
routingMask.setStatus('current')
routing_gatweway = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 4), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
routingGatweway.setStatus('current')
routing_intrf_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 6, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
routingIntrfName.setStatus('current')
svn_sys_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnSysTime.setStatus('current')
svn_route_mod_dest = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 2), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnRouteModDest.setStatus('current')
svn_route_mod_mask = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnRouteModMask.setStatus('current')
svn_route_mod_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 4), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnRouteModGateway.setStatus('current')
svn_route_mod_if_index = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnRouteModIfIndex.setStatus('current')
svn_route_mod_if_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnRouteModIfName.setStatus('current')
svn_route_mod_action = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 9, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnRouteModAction.setStatus('current')
svn_utc_time_offset = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnUTCTimeOffset.setStatus('current')
svn_log_d_stat = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 11, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnLogDStat.setStatus('current')
svn_sys_start_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnSysStartTime.setStatus('current')
svn_sys_uniq_id = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 13), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnSysUniqId.setStatus('current')
svn_web_ui_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnWebUIPort.setStatus('current')
svn_net_stat = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50))
svn_net_if_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1))
if mibBuilder.loadTexts:
svnNetIfTable.setStatus('current')
svn_net_if_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'svnNetIfIndex'))
if mibBuilder.loadTexts:
svnNetIfTableEntry.setStatus('current')
svn_net_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfIndex.setStatus('current')
svn_net_if_vsid = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfVsid.setStatus('current')
svn_net_if_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfName.setStatus('current')
svn_net_if_address = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 4), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfAddress.setStatus('current')
svn_net_if_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 5), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfMask.setStatus('current')
svn_net_if_mtu = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfMTU.setStatus('current')
svn_net_if_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfState.setStatus('current')
svn_net_if_mac = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfMAC.setStatus('current')
svn_net_if_description = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfDescription.setStatus('current')
svn_net_if_oper_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 50, 1, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnNetIfOperState.setStatus('current')
vs_routing_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51))
if mibBuilder.loadTexts:
vsRoutingTable.setStatus('current')
vs_routing_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'vsRoutingIndex'))
if mibBuilder.loadTexts:
vsRoutingEntry.setStatus('current')
vs_routing_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsRoutingIndex.setStatus('current')
vs_routing_dest = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 2), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsRoutingDest.setStatus('current')
vs_routing_mask = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 3), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsRoutingMask.setStatus('current')
vs_routing_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 4), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsRoutingGateway.setStatus('current')
vs_routing_intrf_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsRoutingIntrfName.setStatus('current')
vs_routing_vs_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 6, 51, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
vsRoutingVsId.setStatus('current')
svn_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnStatCode.setStatus('current')
svn_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 102), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnStatShortDescr.setStatus('current')
svn_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 103), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnStatLongDescr.setStatus('current')
svn_service_pack = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 6, 999), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
svnServicePack.setStatus('current')
mg_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgProdName.setStatus('current')
mg_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgVerMajor.setStatus('current')
mg_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgVerMinor.setStatus('current')
mg_build_number = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgBuildNumber.setStatus('current')
mg_active_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgActiveStatus.setStatus('current')
mg_fwm_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgFwmIsAlive.setStatus('current')
mg_connected_clients_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7))
if mibBuilder.loadTexts:
mgConnectedClientsTable.setStatus('current')
mg_connected_clients_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'mgIndex'))
if mibBuilder.loadTexts:
mgConnectedClientsEntry.setStatus('current')
mg_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgIndex.setStatus('current')
mg_client_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgClientName.setStatus('current')
mg_client_host = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgClientHost.setStatus('current')
mg_client_db_lock = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgClientDbLock.setStatus('current')
mg_application_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 7, 7, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgApplicationType.setStatus('current')
mg_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgStatCode.setStatus('current')
mg_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 102), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgStatShortDescr.setStatus('current')
mg_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 7, 103), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgStatLongDescr.setStatus('current')
wam_plugin_performance = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 8, 6))
wam_policy = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 8, 7))
wam_uag_queries = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8))
wam_global_performance = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 8, 9))
wam_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamProdName.setStatus('current')
wam_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamVerMajor.setStatus('current')
wam_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamVerMinor.setStatus('current')
wam_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamState.setStatus('current')
wam_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamName.setStatus('current')
wam_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamStatCode.setStatus('current')
wam_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 102), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamStatShortDescr.setStatus('current')
wam_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 103), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamStatLongDescr.setStatus('current')
wam_accept_req = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 6, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamAcceptReq.setStatus('current')
wam_reject_req = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 6, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamRejectReq.setStatus('current')
wam_policy_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 7, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamPolicyName.setStatus('current')
wam_policy_update = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 7, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamPolicyUpdate.setStatus('current')
wam_uag_host = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamUagHost.setStatus('current')
wam_uag_ip = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamUagIp.setStatus('current')
wam_uag_port = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamUagPort.setStatus('current')
wam_uag_no_queries = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamUagNoQueries.setStatus('current')
wam_uag_last_query = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 8, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamUagLastQuery.setStatus('current')
wam_open_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 9, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamOpenSessions.setStatus('current')
wam_last_session = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 8, 9, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wamLastSession.setStatus('current')
dtps_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtpsProdName.setStatus('current')
dtps_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtpsVerMajor.setStatus('current')
dtps_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtpsVerMinor.setStatus('current')
dtps_licensed_users = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtpsLicensedUsers.setStatus('current')
dtps_connected_users = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtpsConnectedUsers.setStatus('current')
dtps_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtpsStatCode.setStatus('current')
dtps_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 102), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtpsStatShortDescr.setStatus('current')
dtps_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 9, 103), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dtpsStatLongDescr.setStatus('current')
ls_prod_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsProdName.setStatus('current')
ls_ver_major = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsVerMajor.setStatus('current')
ls_ver_minor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsVerMinor.setStatus('current')
ls_build_number = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsBuildNumber.setStatus('current')
ls_fwm_is_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsFwmIsAlive.setStatus('current')
ls_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsStatCode.setStatus('current')
ls_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 102), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsStatShortDescr.setStatus('current')
ls_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 11, 103), display_string().subtype(subtypeSpec=value_size_constraint(0, 255))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsStatLongDescr.setStatus('current')
ls_connected_clients_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7))
if mibBuilder.loadTexts:
lsConnectedClientsTable.setStatus('current')
ls_connected_clients_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'lsIndex'))
if mibBuilder.loadTexts:
lsConnectedClientsEntry.setStatus('current')
ls_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsIndex.setStatus('current')
ls_client_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsClientName.setStatus('current')
ls_client_host = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsClientHost.setStatus('current')
ls_client_db_lock = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsClientDbLock.setStatus('current')
ls_application_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 11, 7, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lsApplicationType.setStatus('current')
asm_attacks = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1))
asm_layer3 = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 1))
asm_layer4 = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2))
asm_tcp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1))
asm_synatk = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1))
asm_small_pmtu = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 2))
asm_seqval = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 3))
asm_udp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 2))
asm_scans = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3))
asm_host_port_scan = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3, 1))
asm_ip_sweep = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3, 2))
asm_layer5 = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3))
asm_http = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1))
asm_http_worms = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 1))
asm_http_format_violatoin = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 2))
asm_http_ascii_violation = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 3))
asm_http_p2_p_header_filter = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 4))
asm_cifs = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2))
asm_cifs_worms = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 1))
asm_cifs_null_session = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 2))
asm_cifs_blocked_pop_ups = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 3))
asm_cifs_blocked_commands = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 4))
asm_cifs_password_length_violations = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 5))
asm_p2_p = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3))
asm_p2_p_other_con_attempts = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 1))
asm_p2_p_kazaa_con_attempts = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 2))
asm_p2_pe_mule_con_attempts = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 3))
asm_p2_p_gnutella_con_attempts = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 4))
asm_p2_p_skype_con = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 5))
asm_p2_p_bit_torrent_con = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 6))
asm_synatk_syn_ack_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
asmSynatkSynAckTimeout.setStatus('current')
asm_synatk_syn_ack_reset = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
asmSynatkSynAckReset.setStatus('current')
asm_synatk_mode_change = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
asmSynatkModeChange.setStatus('current')
asm_synatk_current_mode = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
asmSynatkCurrentMode.setStatus('current')
asm_synatk_numberofun_acked_syns = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
asmSynatkNumberofunAckedSyns.setStatus('current')
small_pmtu_number_of_attacks = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
smallPMTUNumberOfAttacks.setStatus('current')
small_pmtu_value_of_minimal_mt_usize = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
smallPMTUValueOfMinimalMTUsize.setStatus('current')
sequence_verifier_invalid_ack = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 3, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sequenceVerifierInvalidAck.setStatus('current')
sequence_verifier_invalid_sequence = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 3, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sequenceVerifierInvalidSequence.setStatus('current')
sequence_verifier_invalidretransmit = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 1, 3, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sequenceVerifierInvalidretransmit.setStatus('current')
http_worms = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
httpWorms.setStatus('current')
num_ofhost_port_scan = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfhostPortScan.setStatus('current')
num_of_ip_sweep = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 2, 3, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfIpSweep.setStatus('current')
http_url_length_violation = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
httpURLLengthViolation.setStatus('current')
http_header_length_violations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
httpHeaderLengthViolations.setStatus('current')
http_max_header_reached = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 2, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
httpMaxHeaderReached.setStatus('current')
num_of_http_ascii_violations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 3, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfHttpASCIIViolations.setStatus('current')
num_of_http_p2_p_headers = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 1, 4, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfHttpP2PHeaders.setStatus('current')
num_of_cif_sworms = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfCIFSworms.setStatus('current')
num_of_cifs_null_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfCIFSNullSessions.setStatus('current')
num_of_cifs_blocked_pop_ups = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 3, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfCIFSBlockedPopUps.setStatus('current')
num_of_cifs_blocked_commands = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 4, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfCIFSBlockedCommands.setStatus('current')
num_of_cifs_password_length_violations = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 2, 5, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfCIFSPasswordLengthViolations.setStatus('current')
num_of_p2_p_other_con_attempts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfP2POtherConAttempts.setStatus('current')
num_of_p2_p_kazaa_con_attempts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfP2PKazaaConAttempts.setStatus('current')
num_of_p2_pe_mule_con_attempts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 3, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfP2PeMuleConAttempts.setStatus('current')
num_of_gnutella_con_attempts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 4, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfGnutellaConAttempts.setStatus('current')
num_of_p2_p_skype_con = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 5, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfP2PSkypeCon.setStatus('current')
num_of_bit_torrent_con = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 17, 1, 3, 3, 6, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numOfBitTorrentCon.setStatus('current')
avi_engines = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1))
avi_top_viruses = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2))
avi_top_ever_viruses = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3))
avi_services = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4))
avi_services_http = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1))
avi_services_ftp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2))
avi_services_smtp = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3))
avi_services_pop3 = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4))
avi_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviStatCode.setStatus('current')
avi_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviStatShortDescr.setStatus('current')
avi_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviStatLongDescr.setStatus('current')
avi_engine_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1))
if mibBuilder.loadTexts:
aviEngineTable.setStatus('current')
avi_engine_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'aviEngineIndex'))
if mibBuilder.loadTexts:
aviEngineEntry.setStatus('current')
avi_engine_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviEngineIndex.setStatus('current')
avi_engine_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviEngineName.setStatus('current')
avi_engine_ver = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviEngineVer.setStatus('current')
avi_engine_date = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviEngineDate.setStatus('current')
avi_signature_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSignatureName.setStatus('current')
avi_signature_ver = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSignatureVer.setStatus('current')
avi_signature_date = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSignatureDate.setStatus('current')
avi_last_sig_check_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviLastSigCheckTime.setStatus('current')
avi_last_sig_location = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviLastSigLocation.setStatus('current')
avi_last_lic_exp = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 1, 1, 1, 10), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviLastLicExp.setStatus('current')
avi_top_viruses_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1))
if mibBuilder.loadTexts:
aviTopVirusesTable.setStatus('current')
avi_top_viruses_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'aviTopVirusesIndex'))
if mibBuilder.loadTexts:
aviTopVirusesEntry.setStatus('current')
avi_top_viruses_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviTopVirusesIndex.setStatus('current')
avi_top_viruses_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviTopVirusesName.setStatus('current')
avi_top_viruses_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 2, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviTopVirusesCnt.setStatus('current')
avi_top_ever_viruses_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1))
if mibBuilder.loadTexts:
aviTopEverVirusesTable.setStatus('current')
avi_top_ever_viruses_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'aviTopEverVirusesIndex'))
if mibBuilder.loadTexts:
aviTopEverVirusesEntry.setStatus('current')
avi_top_ever_viruses_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviTopEverVirusesIndex.setStatus('current')
avi_top_ever_viruses_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviTopEverVirusesName.setStatus('current')
avi_top_ever_viruses_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 3, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviTopEverVirusesCnt.setStatus('current')
avi_http_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviHTTPState.setStatus('current')
avi_http_last_virus_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviHTTPLastVirusName.setStatus('current')
avi_http_last_virus_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviHTTPLastVirusTime.setStatus('current')
avi_http_top_viruses_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4))
if mibBuilder.loadTexts:
aviHTTPTopVirusesTable.setStatus('current')
avi_http_top_viruses_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'aviHTTPTopVirusesIndex'))
if mibBuilder.loadTexts:
aviHTTPTopVirusesEntry.setStatus('current')
avi_http_top_viruses_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviHTTPTopVirusesIndex.setStatus('current')
avi_http_top_viruses_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviHTTPTopVirusesName.setStatus('current')
avi_http_top_viruses_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 1, 4, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviHTTPTopVirusesCnt.setStatus('current')
avi_ftp_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviFTPState.setStatus('current')
avi_ftp_last_virus_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviFTPLastVirusName.setStatus('current')
avi_ftp_last_virus_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviFTPLastVirusTime.setStatus('current')
avi_ftp_top_viruses_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4))
if mibBuilder.loadTexts:
aviFTPTopVirusesTable.setStatus('current')
avi_ftp_top_viruses_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'aviFTPTopVirusesIndex'))
if mibBuilder.loadTexts:
aviFTPTopVirusesEntry.setStatus('current')
avi_ftp_top_viruses_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviFTPTopVirusesIndex.setStatus('current')
avi_ftp_top_viruses_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviFTPTopVirusesName.setStatus('current')
avi_ftp_top_viruses_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 2, 4, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviFTPTopVirusesCnt.setStatus('current')
avi_smtp_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSMTPState.setStatus('current')
avi_smtp_last_virus_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSMTPLastVirusName.setStatus('current')
avi_smtp_last_virus_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSMTPLastVirusTime.setStatus('current')
avi_smtp_top_viruses_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4))
if mibBuilder.loadTexts:
aviSMTPTopVirusesTable.setStatus('current')
avi_smtp_top_viruses_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'aviSMTPTopVirusesIndex'))
if mibBuilder.loadTexts:
aviSMTPTopVirusesEntry.setStatus('current')
avi_smtp_top_viruses_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSMTPTopVirusesIndex.setStatus('current')
avi_smtp_top_viruses_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSMTPTopVirusesName.setStatus('current')
avi_smtp_top_viruses_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 3, 4, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviSMTPTopVirusesCnt.setStatus('current')
avi_pop3_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviPOP3State.setStatus('current')
avi_pop3_last_virus_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviPOP3LastVirusName.setStatus('current')
avi_pop3_last_virus_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviPOP3LastVirusTime.setStatus('current')
avi_pop3_top_viruses_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4))
if mibBuilder.loadTexts:
aviPOP3TopVirusesTable.setStatus('current')
avi_pop3_top_viruses_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'aviPOP3TopVirusesIndex'))
if mibBuilder.loadTexts:
aviPOP3TopVirusesEntry.setStatus('current')
avi_pop3_top_viruses_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviPOP3TopVirusesIndex.setStatus('current')
avi_pop3_top_viruses_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviPOP3TopVirusesName.setStatus('current')
avi_pop3_top_viruses_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 24, 4, 4, 4, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
aviPOP3TopVirusesCnt.setStatus('current')
cpsemd = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1))
cpsead = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2))
cpsemd_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdStatCode.setStatus('current')
cpsemd_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdStatShortDescr.setStatus('current')
cpsemd_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdStatLongDescr.setStatus('current')
cpsemd_proc_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdProcAlive.setStatus('current')
cpsemd_new_events_handled = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdNewEventsHandled.setStatus('current')
cpsemd_updates_handled = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdUpdatesHandled.setStatus('current')
cpsemd_last_event_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdLastEventTime.setStatus('current')
cpsemd_current_db_size = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdCurrentDBSize.setStatus('current')
cpsemd_db_capacity = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdDBCapacity.setStatus('current')
cpsemd_num_events = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdNumEvents.setStatus('current')
cpsemd_db_disk_space = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdDBDiskSpace.setStatus('current')
cpsemd_correlation_unit_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9))
if mibBuilder.loadTexts:
cpsemdCorrelationUnitTable.setStatus('current')
cpsemd_db_is_full = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdDBIsFull.setStatus('current')
cpsemd_correlation_unit_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'cpsemdCorrelationUnitIndex'))
if mibBuilder.loadTexts:
cpsemdCorrelationUnitEntry.setStatus('current')
cpsemd_correlation_unit_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdCorrelationUnitIndex.setStatus('current')
cpsemd_correlation_unit_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdCorrelationUnitIP.setStatus('current')
cpsemd_correlation_unit_last_rcvd_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdCorrelationUnitLastRcvdTime.setStatus('current')
cpsemd_correlation_unit_num_events_rcvd = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdCorrelationUnitNumEventsRcvd.setStatus('current')
cpsemd_connection_duration = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 1, 9, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpsemdConnectionDuration.setStatus('current')
cpsead_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadStatCode.setStatus('current')
cpsead_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadStatShortDescr.setStatus('current')
cpsead_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadStatLongDescr.setStatus('current')
cpsead_proc_alive = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadProcAlive.setStatus('current')
cpsead_connected_to_sem = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadConnectedToSem.setStatus('current')
cpsead_num_processed_logs = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadNumProcessedLogs.setStatus('current')
cpsead_jobs_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4))
if mibBuilder.loadTexts:
cpseadJobsTable.setStatus('current')
cpsead_jobs_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'cpseadJobIndex'))
if mibBuilder.loadTexts:
cpseadJobsEntry.setStatus('current')
cpsead_job_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadJobIndex.setStatus('current')
cpsead_job_id = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadJobID.setStatus('current')
cpsead_job_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadJobName.setStatus('current')
cpsead_job_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadJobState.setStatus('current')
cpsead_job_is_online = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadJobIsOnline.setStatus('current')
cpsead_job_log_server = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadJobLogServer.setStatus('current')
cpsead_job_data_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadJobDataType.setStatus('current')
cpsead_connected_to_log_server = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadConnectedToLogServer.setStatus('current')
cpsead_num_analyzed_logs = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 9), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadNumAnalyzedLogs.setStatus('current')
cpsead_file_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 10), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadFileName.setStatus('current')
cpsead_file_current_position = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadFileCurrentPosition.setStatus('current')
cpsead_state_description_code = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 12), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadStateDescriptionCode.setStatus('current')
cpsead_state_description = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 4, 1, 13), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadStateDescription.setStatus('current')
cpsead_no_free_disk_space = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 25, 2, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
cpseadNoFreeDiskSpace.setStatus('current')
uf_engine = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1))
uf_ss = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2))
uf_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufStatCode.setStatus('current')
uf_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufStatShortDescr.setStatus('current')
uf_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufStatLongDescr.setStatus('current')
uf_engine_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufEngineName.setStatus('current')
uf_engine_ver = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufEngineVer.setStatus('current')
uf_engine_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufEngineDate.setStatus('current')
uf_signature_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufSignatureDate.setStatus('current')
uf_signature_ver = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufSignatureVer.setStatus('current')
uf_last_sig_check_time = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufLastSigCheckTime.setStatus('current')
uf_last_sig_location = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufLastSigLocation.setStatus('current')
uf_last_lic_exp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufLastLicExp.setStatus('current')
uf_is_monitor = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufIsMonitor.setStatus('current')
uf_scanned_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufScannedCnt.setStatus('current')
uf_blocked_cnt = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufBlockedCnt.setStatus('current')
uf_top_blocked_cat_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4))
if mibBuilder.loadTexts:
ufTopBlockedCatTable.setStatus('current')
uf_top_blocked_cat_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'ufTopBlockedCatIndex'))
if mibBuilder.loadTexts:
ufTopBlockedCatEntry.setStatus('current')
uf_top_blocked_cat_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedCatIndex.setStatus('current')
uf_top_blocked_cat_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedCatName.setStatus('current')
uf_top_blocked_cat_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 4, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedCatCnt.setStatus('current')
uf_top_blocked_site_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5))
if mibBuilder.loadTexts:
ufTopBlockedSiteTable.setStatus('current')
uf_top_blocked_site_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'ufTopBlockedSiteIndex'))
if mibBuilder.loadTexts:
ufTopBlockedSiteEntry.setStatus('current')
uf_top_blocked_site_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedSiteIndex.setStatus('current')
uf_top_blocked_site_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedSiteName.setStatus('current')
uf_top_blocked_site_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 5, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedSiteCnt.setStatus('current')
uf_top_blocked_user_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6))
if mibBuilder.loadTexts:
ufTopBlockedUserTable.setStatus('current')
uf_top_blocked_user_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'ufTopBlockedUserIndex'))
if mibBuilder.loadTexts:
ufTopBlockedUserEntry.setStatus('current')
uf_top_blocked_user_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedUserIndex.setStatus('current')
uf_top_blocked_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedUserName.setStatus('current')
uf_top_blocked_user_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 29, 2, 6, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ufTopBlockedUserCnt.setStatus('current')
ms_product_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msProductName.setStatus('current')
ms_major_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msMajorVersion.setStatus('current')
ms_minor_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msMinorVersion.setStatus('current')
ms_build_number = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msBuildNumber.setStatus('current')
ms_version_str = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msVersionStr.setStatus('current')
ms_spam = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6))
ms_spam_num_scanned_emails = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamNumScannedEmails.setStatus('current')
ms_spam_num_spam_emails = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamNumSpamEmails.setStatus('current')
ms_spam_num_handled_spam_emails = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamNumHandledSpamEmails.setStatus('current')
ms_spam_controls = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4))
ms_spam_controls_spam_engine = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamControlsSpamEngine.setStatus('current')
ms_spam_controls_ip_repuatation = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamControlsIpRepuatation.setStatus('current')
ms_spam_controls_spf = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamControlsSPF.setStatus('current')
ms_spam_controls_domain_keys = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamControlsDomainKeys.setStatus('current')
ms_spam_controls_rdns = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamControlsRDNS.setStatus('current')
ms_spam_controls_rbl = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 6, 4, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msSpamControlsRBL.setStatus('current')
ms_expiration_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msExpirationDate.setStatus('current')
ms_engine_ver = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msEngineVer.setStatus('current')
ms_engine_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msEngineDate.setStatus('current')
ms_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msStatCode.setStatus('current')
ms_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msStatShortDescr.setStatus('current')
ms_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msStatLongDescr.setStatus('current')
ms_service_pack = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 30, 999), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
msServicePack.setStatus('current')
voip_product_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipProductName.setStatus('current')
voip_major_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipMajorVersion.setStatus('current')
voip_minor_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipMinorVersion.setStatus('current')
voip_build_number = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipBuildNumber.setStatus('current')
voip_version_str = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipVersionStr.setStatus('current')
voip_dos = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6))
voip_dos_sip = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1))
voip_dos_sip_network = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1))
voip_dos_sip_network_req_interval = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkReqInterval.setStatus('current')
voip_dos_sip_network_req_conf_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkReqConfThreshold.setStatus('current')
voip_dos_sip_network_req_current_val = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkReqCurrentVal.setStatus('current')
voip_dos_sip_network_reg_interval = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkRegInterval.setStatus('current')
voip_dos_sip_network_reg_conf_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkRegConfThreshold.setStatus('current')
voip_dos_sip_network_reg_current_val = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkRegCurrentVal.setStatus('current')
voip_dos_sip_network_call_init_interval = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkCallInitInterval.setStatus('current')
voip_dos_sip_network_call_init_conf_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkCallInitConfThreshold.setStatus('current')
voip_dos_sip_network_call_init_i_current_val = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipNetworkCallInitICurrentVal.setStatus('current')
voip_dos_sip_rate_limiting_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2))
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTable.setStatus('current')
voip_dos_sip_rate_limiting_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'voipDOSSipRateLimitingTableIndex'))
if mibBuilder.loadTexts:
voipDOSSipRateLimitingEntry.setStatus('current')
voip_dos_sip_rate_limiting_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTableIndex.setStatus('current')
voip_dos_sip_rate_limiting_table_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTableIpAddress.setStatus('current')
voip_dos_sip_rate_limiting_table_interval = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTableInterval.setStatus('current')
voip_dos_sip_rate_limiting_table_conf_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTableConfThreshold.setStatus('current')
voip_dos_sip_rate_limiting_table_num_dos_sip_requests = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTableNumDOSSipRequests.setStatus('current')
voip_dos_sip_rate_limiting_table_num_trusted_requests = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTableNumTrustedRequests.setStatus('current')
voip_dos_sip_rate_limiting_table_num_non_trusted_requests = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTableNumNonTrustedRequests.setStatus('current')
voip_dos_sip_rate_limiting_table_num_requestsfrom_servers = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 31, 6, 1, 2, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipDOSSipRateLimitingTableNumRequestsfromServers.setStatus('current')
voip_cac = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 7))
voip_cac_concurrent_calls = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 31, 7, 1))
voip_cac_concurrent_calls_conf_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 7, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipCACConcurrentCallsConfThreshold.setStatus('current')
voip_cac_concurrent_calls_current_val = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 7, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipCACConcurrentCallsCurrentVal.setStatus('current')
voip_stat_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipStatCode.setStatus('current')
voip_stat_short_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipStatShortDescr.setStatus('current')
voip_stat_long_descr = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipStatLongDescr.setStatus('current')
voip_service_pack = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 31, 999), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
voipServicePack.setStatus('current')
identity_awareness_product_name = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessProductName.setStatus('current')
identity_awareness_auth_users = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessAuthUsers.setStatus('current')
identity_awareness_un_auth_users = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessUnAuthUsers.setStatus('current')
identity_awareness_auth_users_kerberos = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessAuthUsersKerberos.setStatus('current')
identity_awareness_auth_mach_kerberos = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessAuthMachKerberos.setStatus('current')
identity_awareness_auth_users_pass = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessAuthUsersPass.setStatus('current')
identity_awareness_auth_users_ad_query = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessAuthUsersADQuery.setStatus('current')
identity_awareness_auth_mach_ad_query = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessAuthMachADQuery.setStatus('current')
identity_awareness_logged_in_agent = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessLoggedInAgent.setStatus('current')
identity_awareness_logged_in_captive_portal = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessLoggedInCaptivePortal.setStatus('current')
identity_awareness_logged_in_ad_query = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessLoggedInADQuery.setStatus('current')
identity_awareness_anti_spoff_protection = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 12), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessAntiSpoffProtection.setStatus('current')
identity_awareness_succ_user_login_kerberos = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 13), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessSuccUserLoginKerberos.setStatus('current')
identity_awareness_succ_mach_login_kerberos = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 14), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessSuccMachLoginKerberos.setStatus('current')
identity_awareness_succ_user_login_pass = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 15), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessSuccUserLoginPass.setStatus('current')
identity_awareness_succ_user_login_ad_query = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessSuccUserLoginADQuery.setStatus('current')
identity_awareness_succ_mach_login_ad_query = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 17), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessSuccMachLoginADQuery.setStatus('current')
identity_awareness_un_succ_user_login_kerberos = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 18), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessUnSuccUserLoginKerberos.setStatus('current')
identity_awareness_un_succ_mach_login_kerberos = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 19), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessUnSuccMachLoginKerberos.setStatus('current')
identity_awareness_un_succ_user_login_pass = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 20), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessUnSuccUserLoginPass.setStatus('current')
identity_awareness_succ_user_ldap = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 21), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessSuccUserLDAP.setStatus('current')
identity_awareness_un_succ_user_ldap = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 22), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessUnSuccUserLDAP.setStatus('current')
identity_awareness_data_trans = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 23), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessDataTrans.setStatus('current')
identity_awareness_distributed_env_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24))
if mibBuilder.loadTexts:
identityAwarenessDistributedEnvTable.setStatus('current')
identity_awareness_distributed_env_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'identityAwarenessDistributedEnvTableIndex'))
if mibBuilder.loadTexts:
identityAwarenessDistributedEnvEntry.setStatus('current')
identity_awareness_distributed_env_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessDistributedEnvTableIndex.setStatus('current')
identity_awareness_distributed_env_table_gw_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessDistributedEnvTableGwName.setStatus('current')
identity_awareness_distributed_env_table_disconnections = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessDistributedEnvTableDisconnections.setStatus('current')
identity_awareness_distributed_env_table_brute_force_att = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessDistributedEnvTableBruteForceAtt.setStatus('current')
identity_awareness_distributed_env_table_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessDistributedEnvTableStatus.setStatus('current')
identity_awareness_distributed_env_table_is_local = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 24, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessDistributedEnvTableIsLocal.setStatus('current')
identity_awareness_ad_query_status_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25))
if mibBuilder.loadTexts:
identityAwarenessADQueryStatusTable.setStatus('current')
identity_awareness_ad_query_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'identityAwarenessADQueryStatusTableIndex'))
if mibBuilder.loadTexts:
identityAwarenessADQueryStatusEntry.setStatus('current')
identity_awareness_ad_query_status_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessADQueryStatusTableIndex.setStatus('current')
identity_awareness_ad_query_status_curr_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessADQueryStatusCurrStatus.setStatus('current')
identity_awareness_ad_query_status_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessADQueryStatusDomainName.setStatus('current')
identity_awareness_ad_query_status_domain_ip = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 4), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessADQueryStatusDomainIP.setStatus('current')
identity_awareness_ad_query_status_events = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 38, 25, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessADQueryStatusEvents.setStatus('current')
identity_awareness_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessStatus.setStatus('current')
identity_awareness_status_short_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessStatusShortDesc.setStatus('current')
identity_awareness_status_long_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 38, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
identityAwarenessStatusLongDesc.setStatus('current')
application_control_subscription = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 39, 1))
application_control_subscription_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlSubscriptionStatus.setStatus('current')
application_control_subscription_exp_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlSubscriptionExpDate.setStatus('current')
application_control_subscription_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlSubscriptionDesc.setStatus('current')
application_control_update = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2))
application_control_update_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlUpdateStatus.setStatus('current')
application_control_update_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlUpdateDesc.setStatus('current')
application_control_next_update = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlNextUpdate.setStatus('current')
application_control_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 2, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlVersion.setStatus('current')
application_control_status_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlStatusCode.setStatus('current')
application_control_status_short_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlStatusShortDesc.setStatus('current')
application_control_status_long_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 39, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
applicationControlStatusLongDesc.setStatus('current')
exchange_agents = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1))
exchange_agents_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1))
if mibBuilder.loadTexts:
exchangeAgentsTable.setStatus('current')
exchange_agents_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'exchangeAgentsStatusTableIndex'))
if mibBuilder.loadTexts:
exchangeAgentsStatusEntry.setStatus('current')
exchange_agents_status_table_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentsStatusTableIndex.setStatus('current')
exchange_agent_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentName.setStatus('current')
exchange_agent_status = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentStatus.setStatus('current')
exchange_agent_total_msg = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentTotalMsg.setStatus('current')
exchange_agent_total_scanned_msg = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentTotalScannedMsg.setStatus('current')
exchange_agent_dropped_msg = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentDroppedMsg.setStatus('current')
exchange_agent_up_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 7), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentUpTime.setStatus('current')
exchange_agent_time_since_last_msg = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 8), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentTimeSinceLastMsg.setStatus('current')
exchange_agent_queue_len = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentQueueLen.setStatus('current')
exchange_queue_len = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 10), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeQueueLen.setStatus('current')
exchange_agent_avg_time_per_msg = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentAvgTimePerMsg.setStatus('current')
exchange_agent_avg_time_per_scanned_msg = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 12), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentAvgTimePerScannedMsg.setStatus('current')
exchange_agent_version = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 13), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentVersion.setStatus('current')
exchange_cpu_usage = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 14), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeCPUUsage.setStatus('current')
exchange_memory_usage = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 15), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeMemoryUsage.setStatus('current')
exchange_agent_policy_time_stamp = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 44, 1, 1, 1, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
exchangeAgentPolicyTimeStamp.setStatus('current')
dlp_version_string = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 11), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpVersionString.setStatus('current')
dlp_license_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 12), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpLicenseStatus.setStatus('current')
dlp_ldap_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 13), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpLdapStatus.setStatus('current')
dlp_total_scans = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 14), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpTotalScans.setStatus('current')
dlp_smtp_scans = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 15), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpSMTPScans.setStatus('current')
dlp_smtp_incidents = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 16), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpSMTPIncidents.setStatus('current')
dlp_last_smtp_scan = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 17), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpLastSMTPScan.setStatus('current')
dlp_num_quarantined = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 18), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpNumQuarantined.setStatus('current')
dlp_qrnt_msgs_size = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 19), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpQrntMsgsSize.setStatus('current')
dlp_sent_e_mails = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 20), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpSentEMails.setStatus('current')
dlp_expired_e_mails = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 21), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpExpiredEMails.setStatus('current')
dlp_discard_e_mails = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 22), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpDiscardEMails.setStatus('current')
dlp_postfix_q_len = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 23), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpPostfixQLen.setStatus('current')
dlp_postfix_errors = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 24), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpPostfixErrors.setStatus('current')
dlp_postfix_q_old_msg = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 25), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpPostfixQOldMsg.setStatus('current')
dlp_postfix_q_msgs_sz = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 26), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpPostfixQMsgsSz.setStatus('current')
dlp_postfix_q_free_sp = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 27), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpPostfixQFreeSp.setStatus('current')
dlp_qrnt_free_space = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 28), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpQrntFreeSpace.setStatus('current')
dlp_qrnt_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 29), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpQrntStatus.setStatus('current')
dlp_http_scans = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 30), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpHttpScans.setStatus('current')
dlp_http_incidents = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 31), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpHttpIncidents.setStatus('current')
dlp_http_last_scan = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 32), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpHttpLastScan.setStatus('current')
dlp_ftp_scans = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 33), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpFtpScans.setStatus('current')
dlp_ftp_incidents = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 34), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpFtpIncidents.setStatus('current')
dlp_ftp_last_scan = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 35), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpFtpLastScan.setStatus('current')
dlp_bypass_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 36), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpBypassStatus.setStatus('current')
dlp_user_check_clnts = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 37), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpUserCheckClnts.setStatus('current')
dlp_last_pol_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 38), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpLastPolStatus.setStatus('current')
dlp_status_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpStatusCode.setStatus('current')
dlp_status_short_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpStatusShortDesc.setStatus('current')
dlp_status_long_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 44, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dlpStatusLongDesc.setStatus('current')
threshold_policy = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdPolicy.setStatus('current')
threshold_state = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdState.setStatus('current')
threshold_state_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdStateDesc.setStatus('current')
threshold_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdEnabled.setStatus('current')
threshold_active = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActive.setStatus('current')
threshold_events_since_startup = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 42, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdEventsSinceStartup.setStatus('current')
threshold_active_events_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7))
if mibBuilder.loadTexts:
thresholdActiveEventsTable.setStatus('current')
threshold_active_events_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'thresholdActiveEventsIndex'))
if mibBuilder.loadTexts:
thresholdActiveEventsEntry.setStatus('current')
threshold_active_events_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActiveEventsIndex.setStatus('current')
threshold_active_event_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActiveEventName.setStatus('current')
threshold_active_event_category = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActiveEventCategory.setStatus('current')
threshold_active_event_severity = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActiveEventSeverity.setStatus('current')
threshold_active_event_subject = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActiveEventSubject.setStatus('current')
threshold_active_event_subject_value = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 6), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActiveEventSubjectValue.setStatus('current')
threshold_active_event_activation_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActiveEventActivationTime.setStatus('current')
threshold_active_event_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 7, 1, 8), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdActiveEventState.setStatus('current')
threshold_destinations_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8))
if mibBuilder.loadTexts:
thresholdDestinationsTable.setStatus('current')
threshold_destinations_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'thresholdDestinationIndex'))
if mibBuilder.loadTexts:
thresholdDestinationsEntry.setStatus('current')
threshold_destination_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdDestinationIndex.setStatus('current')
threshold_destination_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdDestinationName.setStatus('current')
threshold_destination_type = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdDestinationType.setStatus('current')
threshold_sending_state = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdSendingState.setStatus('current')
threshold_sending_state_desc = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdSendingStateDesc.setStatus('current')
threshold_alert_count = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 8, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdAlertCount.setStatus('current')
threshold_errors_table = mib_table((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9))
if mibBuilder.loadTexts:
thresholdErrorsTable.setStatus('current')
threshold_errors_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1)).setIndexNames((0, 'CHECKPOINT-MIB', 'thresholdErrorIndex'))
if mibBuilder.loadTexts:
thresholdErrorsEntry.setStatus('current')
threshold_error_index = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 1), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdErrorIndex.setStatus('current')
threshold_name = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdName.setStatus('current')
threshold_threshold_oid = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdThresholdOID.setStatus('current')
threshold_error_desc = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdErrorDesc.setStatus('current')
threshold_error_time = mib_table_column((1, 3, 6, 1, 4, 1, 2620, 1, 42, 9, 1, 5), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
thresholdErrorTime.setStatus('current')
advanced_url_filtering_subscription = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 43, 1))
advanced_url_filtering_subscription_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringSubscriptionStatus.setStatus('current')
advanced_url_filtering_subscription_exp_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringSubscriptionExpDate.setStatus('current')
advanced_url_filtering_subscription_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringSubscriptionDesc.setStatus('current')
advanced_url_filtering_update = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2))
advanced_url_filtering_update_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringUpdateStatus.setStatus('current')
advanced_url_filtering_update_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringUpdateDesc.setStatus('current')
advanced_url_filtering_next_update = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringNextUpdate.setStatus('current')
advanced_url_filtering_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 2, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringVersion.setStatus('current')
advanced_url_filtering_rad_status = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 43, 3))
advanced_url_filtering_rad_status_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 3, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringRADStatusCode.setStatus('current')
advanced_url_filtering_rad_status_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 3, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringRADStatusDesc.setStatus('current')
advanced_url_filtering_status_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringStatusCode.setStatus('current')
advanced_url_filtering_status_short_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringStatusShortDesc.setStatus('current')
advanced_url_filtering_status_long_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 43, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advancedUrlFilteringStatusLongDesc.setStatus('current')
anti_bot_subscription = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 2))
anti_bot_subscription_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 2, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiBotSubscriptionStatus.setStatus('current')
anti_bot_subscription_exp_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 2, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiBotSubscriptionExpDate.setStatus('current')
anti_bot_subscription_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 2, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiBotSubscriptionDesc.setStatus('current')
anti_virus_subscription = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 3))
anti_virus_subscription_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 3, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiVirusSubscriptionStatus.setStatus('current')
anti_virus_subscription_exp_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 3, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiVirusSubscriptionExpDate.setStatus('current')
anti_virus_subscription_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 3, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiVirusSubscriptionDesc.setStatus('current')
anti_spam_subscription = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 4))
anti_spam_subscription_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 4, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiSpamSubscriptionStatus.setStatus('current')
anti_spam_subscription_exp_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 4, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiSpamSubscriptionExpDate.setStatus('current')
anti_spam_subscription_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 4, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
antiSpamSubscriptionDesc.setStatus('current')
amw_ab_update = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1))
amw_ab_update_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwABUpdateStatus.setStatus('current')
amw_ab_update_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwABUpdateDesc.setStatus('current')
amw_ab_next_update = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwABNextUpdate.setStatus('current')
amw_ab_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 1, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwABVersion.setStatus('current')
amw_av_update = mib_identifier((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5))
amw_av_update_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5, 1), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwAVUpdateStatus.setStatus('current')
amw_av_update_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwAVUpdateDesc.setStatus('current')
amw_av_next_update = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5, 3), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwAVNextUpdate.setStatus('current')
amw_av_version = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 5, 4), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwAVVersion.setStatus('current')
amw_status_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwStatusCode.setStatus('current')
amw_status_short_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwStatusShortDesc.setStatus('current')
amw_status_long_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 46, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
amwStatusLongDesc.setStatus('current')
te_subscription_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 25), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teSubscriptionStatus.setStatus('current')
te_cloud_subscription_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 26), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teCloudSubscriptionStatus.setStatus('current')
te_subscription_exp_date = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 20), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teSubscriptionExpDate.setStatus('current')
te_subscription_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 27), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teSubscriptionDesc.setStatus('current')
te_update_status = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 16), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teUpdateStatus.setStatus('current')
te_update_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 17), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teUpdateDesc.setStatus('current')
te_status_code = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 101), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teStatusCode.setStatus('current')
te_status_short_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 102), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teStatusShortDesc.setStatus('current')
te_status_long_desc = mib_scalar((1, 3, 6, 1, 4, 1, 2620, 1, 49, 103), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
teStatusLongDesc.setStatus('current')
mibBuilder.exportSymbols('CHECKPOINT-MIB', identityAwareness=identityAwareness, multiDiskFreeAvailablePercent=multiDiskFreeAvailablePercent, fwHmem64_failed_alloc=fwHmem64_failed_alloc, cpsemdDBDiskSpace=cpsemdDBDiskSpace, haClusterIpEntry=haClusterIpEntry, svnRouteModAction=svnRouteModAction, fwSS_ftp_blocked_by_AV_settings=fwSS_ftp_blocked_by_AV_settings, fwHmem64_requested_bytes=fwHmem64_requested_bytes, cpvHwAccelDriverMinorVer=cpvHwAccelDriverMinorVer, fwSS=fwSS, cpvIKEerrors=cpvIKEerrors, msSpamControls=msSpamControls, cpvCurrEspSAsIn=cpvCurrEspSAsIn, cpvSaOtherErrOut=cpvSaOtherErrOut, voipBuildNumber=voipBuildNumber, fwSS_rlogin_auth_sess_count=fwSS_rlogin_auth_sess_count, fwProduct=fwProduct, cpvErrors=cpvErrors, fwSS_http_passed_total=fwSS_http_passed_total, haTrusted=haTrusted, fwDroppedTotalRate=fwDroppedTotalRate, tempertureSensorUnit=tempertureSensorUnit, wamProdName=wamProdName, diskQueue=diskQueue, fwHmem64_initial_allocated_pools=fwHmem64_initial_allocated_pools, fwSS_http_ftp_sess_count=fwSS_http_ftp_sess_count, msSpamControlsRBL=msSpamControlsRBL, svnNetIfAddress=svnNetIfAddress, fwKmem_blocking_bytes_used=fwKmem_blocking_bytes_used, cpvSaUnknownSpiErr=cpvSaUnknownSpiErr, haVerified=haVerified, svnNetIfMask=svnNetIfMask, fwSS_rlogin_logical_port=fwSS_rlogin_logical_port, fwSS_total_passed_by_archive_limit=fwSS_total_passed_by_archive_limit, fwKmem_non_blocking_bytes_used=fwKmem_non_blocking_bytes_used, raidDiskSize=raidDiskSize, dlpLastPolStatus=dlpLastPolStatus, vsxCountersPackets=vsxCountersPackets, fwUfpHits=fwUfpHits, raTunnelEncAlgorithm=raTunnelEncAlgorithm, svnNetIfTable=svnNetIfTable, amwStatusCode=amwStatusCode, svnApplianceSerialNumber=svnApplianceSerialNumber, exchangeMemoryUsage=exchangeMemoryUsage, ufTopBlockedCatIndex=ufTopBlockedCatIndex, fwLSConn=fwLSConn, fwHmem64_blocks_unused=fwHmem64_blocks_unused, numOfCIFSworms=numOfCIFSworms, aviFTPTopVirusesCnt=aviFTPTopVirusesCnt, vsxCounters=vsxCounters, fgAvrRateIn=fgAvrRateIn, aviHTTPTopVirusesEntry=aviHTTPTopVirusesEntry, cpsemdProcAlive=cpsemdProcAlive, lsClientName=lsClientName, haStatShort=haStatShort, lsStatCode=lsStatCode, amwABVersion=amwABVersion, fwSXLStatus=fwSXLStatus, aviTopVirusesTable=aviTopVirusesTable, msSpamNumScannedEmails=msSpamNumScannedEmails, mgConnectedClientsTable=mgConnectedClientsTable, fwSS_ftp_auth_sess_max=fwSS_ftp_auth_sess_max, fwSS_smtp_auth_sess_count=fwSS_smtp_auth_sess_count, memActiveReal64=memActiveReal64, fwUfp=fwUfp, fgIfName=fgIfName, fwConnectionsStat=fwConnectionsStat, dtpsVerMinor=dtpsVerMinor, fwSS_POP3_outgoing_mail_curr=fwSS_POP3_outgoing_mail_curr, aviTopViruses=aviTopViruses, fwSS_total_blocked=fwSS_total_blocked, cpseadJobIsOnline=cpseadJobIsOnline, multiProcUserTime=multiProcUserTime, fwSS_http_auth_sess_curr=fwSS_http_auth_sess_curr, asmP2PeMuleConAttempts=asmP2PeMuleConAttempts, advancedUrlFilteringRADStatusDesc=advancedUrlFilteringRADStatusDesc, fwPolicyName=fwPolicyName, vsxVsInstalled=vsxVsInstalled, permanentTunnelProbState=permanentTunnelProbState, ufLastLicExp=ufLastLicExp, identityAwarenessADQueryStatusEntry=identityAwarenessADQueryStatusEntry, vsxStatusHAState=vsxStatusHAState, fgModuleKernelBuild=fgModuleKernelBuild, fwSS_ftp_ops_cvp_sess_max=fwSS_ftp_ops_cvp_sess_max, cpvIpsecEspEncPkts=cpvIpsecEspEncPkts, fwSS_ftp_ops_cvp_sess_count=fwSS_ftp_ops_cvp_sess_count, mgClientName=mgClientName, lsConnectedClientsEntry=lsConnectedClientsEntry, vsxStatusVsName=vsxStatusVsName, fwSS_rlogin_sess_curr=fwSS_rlogin_sess_curr, memFreeReal=memFreeReal, wamStatLongDescr=wamStatLongDescr, permanentTunnelTable=permanentTunnelTable, svnServicePack=svnServicePack, svnApplianceManufacturer=svnApplianceManufacturer, wamVerMinor=wamVerMinor, asmScans=asmScans, aviSMTPTopVirusesEntry=aviSMTPTopVirusesEntry, fwSS_smtp_passed_by_AV_settings=fwSS_smtp_passed_by_AV_settings, exchangeAgentDroppedMsg=exchangeAgentDroppedMsg, fwSS_http_accepted_sess=fwSS_http_accepted_sess, vsxStatusMainIP=vsxStatusMainIP, fwSS_rlogin_time_stamp=fwSS_rlogin_time_stamp, fwSS_http_blocked_by_AV_settings=fwSS_http_blocked_by_AV_settings, fwSS_smtp_passed_total=fwSS_smtp_passed_total, osMajorVer=osMajorVer, tunnelState=tunnelState, dlpTotalScans=dlpTotalScans, svnSysUniqId=svnSysUniqId, cpvFwzEncapsDecErrs=cpvFwzEncapsDecErrs, lsStatShortDescr=lsStatShortDescr, mgClientDbLock=mgClientDbLock, cpvHwAccelStatus=cpvHwAccelStatus, aviEngineVer=aviEngineVer, asmCIFSWorms=asmCIFSWorms, fwSS_smtp_socket_in_use_max=fwSS_smtp_socket_in_use_max, cpvIpsecCompressiblePkts=cpvIpsecCompressiblePkts, fwLSConnState=fwLSConnState, vsRoutingTable=vsRoutingTable, cpvIKEglobals=cpvIKEglobals, vsxStatusVSWeight=vsxStatusVSWeight, cpvHwAccelAhEncPkts=cpvHwAccelAhEncPkts, avi=avi, cpvIpsecDecomprBytesAfter=cpvIpsecDecomprBytesAfter, asmP2PGnutellaConAttempts=asmP2PGnutellaConAttempts, memDiskTransfers64=memDiskTransfers64, wamUagQueries=wamUagQueries, amwAVUpdateStatus=amwAVUpdateStatus, fwSS_POP3_sess_max=fwSS_POP3_sess_max, cpvVerMinor=cpvVerMinor, fgVerMinor=fgVerMinor, fwRejectPcktsIn=fwRejectPcktsIn, cpsead=cpsead, fwConnTableLimit=fwConnTableLimit, fwSS_POP3_accepted_sess=fwSS_POP3_accepted_sess, fwSS_ftp_passed_by_internal_error=fwSS_ftp_passed_by_internal_error, identityAwarenessSuccUserLoginKerberos=identityAwarenessSuccUserLoginKerberos, amwABUpdateDesc=amwABUpdateDesc, cpvEncPackets=cpvEncPackets, tunnelProbState=tunnelProbState, fwPerfStat=fwPerfStat, fwIfName=fwIfName, dtpsStatLongDescr=dtpsStatLongDescr, haStatus=haStatus, ms=ms, fwSS_smtp_outgoing_mail_count=fwSS_smtp_outgoing_mail_count, multiDiskFreeTotalPercent=multiDiskFreeTotalPercent, cpseadStatShortDescr=cpseadStatShortDescr, fwSS_smtp_auth_sess_curr=fwSS_smtp_auth_sess_curr, cpvSaStatistics=cpvSaStatistics, ufTopBlockedUserEntry=ufTopBlockedUserEntry, fwChains_free=fwChains_free, routingIndex=routingIndex, cpsemdCorrelationUnitLastRcvdTime=cpsemdCorrelationUnitLastRcvdTime, voipCAC=voipCAC, permanentTunnelInterface=permanentTunnelInterface, ufEngineDate=ufEngineDate, ufIsMonitor=ufIsMonitor, identityAwarenessDistributedEnvTableStatus=identityAwarenessDistributedEnvTableStatus, tunnelInterface=tunnelInterface, memDiskTransfers=memDiskTransfers, haIfEntry=haIfEntry, voipDOSSipRateLimitingTableNumDOSSipRequests=voipDOSSipRateLimitingTableNumDOSSipRequests, fwHmem64_bytes_peak=fwHmem64_bytes_peak, fwSS_http_logical_port=fwSS_http_logical_port, haClusterSyncEntry=haClusterSyncEntry, fwSS_POP3_rejected_sess=fwSS_POP3_rejected_sess, cpvIPsecNICEncrPackets=cpvIPsecNICEncrPackets, fwSS_http_sess_curr=fwSS_http_sess_curr, fgRateLimitIn=fgRateLimitIn, fwSS_POP3_passed_cnt=fwSS_POP3_passed_cnt, fwSS_rlogin_is_alive=fwSS_rlogin_is_alive, advancedUrlFilteringVersion=advancedUrlFilteringVersion, powerSupplyTable=powerSupplyTable, thresholdDestinationsEntry=thresholdDestinationsEntry, fwNetIfTopology=fwNetIfTopology, cpvTotalAhSAsIn=cpvTotalAhSAsIn, cpsemd=cpsemd, vsxStatusCPUUsageEntry=vsxStatusCPUUsageEntry, cpvIPsecNICTotalDownLoadedSAs=cpvIPsecNICTotalDownLoadedSAs, aviHTTPState=aviHTTPState, fwSS_POP3_auth_sess_count=fwSS_POP3_auth_sess_count, fwChains_alloc=fwChains_alloc, fwSS_ftp_auth_sess_curr=fwSS_ftp_auth_sess_curr, cpseadNumProcessedLogs=cpseadNumProcessedLogs, fwSS_smtp_scanned_total=fwSS_smtp_scanned_total, haClusterIpMemberNetMask=haClusterIpMemberNetMask, dlpPostfixErrors=dlpPostfixErrors, fwRejected=fwRejected, haIP=haIP, cpseadJobIndex=cpseadJobIndex, voipDOSSipRateLimitingTableNumNonTrustedRequests=voipDOSSipRateLimitingTableNumNonTrustedRequests, fwSS_http_ssl_encryp_sess_count=fwSS_http_ssl_encryp_sess_count, fgPolicyName=fgPolicyName, amw=amw, haProtoVersion=haProtoVersion, aviServicesFTP=aviServicesFTP, fwNetIfPeerName=fwNetIfPeerName, fwFilterDate=fwFilterDate, fwSS_smtp_blocked_cnt=fwSS_smtp_blocked_cnt, cpvErrOut=cpvErrOut, fwHmem64_bytes_used=fwHmem64_bytes_used, fwSS_telnet_socket_in_use_max=fwSS_telnet_socket_in_use_max, aviSMTPState=aviSMTPState, voipDOSSipNetworkRegCurrentVal=voipDOSSipNetworkRegCurrentVal, procIdleTime=procIdleTime, fwSS_smtp_socket_in_use_count=fwSS_smtp_socket_in_use_count, fwSS_http_tunneled_sess_curr=fwSS_http_tunneled_sess_curr, applicationControlSubscriptionStatus=applicationControlSubscriptionStatus, fwSS_rlogin_socket_in_use_curr=fwSS_rlogin_socket_in_use_curr, fwSS_http_blocked_by_archive_limit=fwSS_http_blocked_by_archive_limit, fwVerMinor=fwVerMinor, exchangeAgentsStatusEntry=exchangeAgentsStatusEntry, haProblemVerified=haProblemVerified, fwSS_http_transp_sess_max=fwSS_http_transp_sess_max, fwSS_ufp_ops_ufp_rej_sess=fwSS_ufp_ops_ufp_rej_sess, fwSS_POP3_socket_in_use_curr=fwSS_POP3_socket_in_use_curr, vsxCountersVSId=vsxCountersVSId, thresholdErrorDesc=thresholdErrorDesc, raCommunity=raCommunity, fwHmem64_block_size=fwHmem64_block_size, fwSS_http_scanned_total=fwSS_http_scanned_total, tunnelPeerObjName=tunnelPeerObjName, antiBotSubscriptionExpDate=antiBotSubscriptionExpDate, fwInspect_record=fwInspect_record, wamPolicy=wamPolicy, ufTopBlockedCatEntry=ufTopBlockedCatEntry, cpvIpsecNonCompressibleBytes=cpvIpsecNonCompressibleBytes, cpvIpsecComprErrors=cpvIpsecComprErrors, fwSS_POP3_auth_failures=fwSS_POP3_auth_failures, fwSS_ftp_auth_failures=fwSS_ftp_auth_failures, fwSS_http_time_stamp=fwSS_http_time_stamp, identityAwarenessADQueryStatusDomainName=identityAwarenessADQueryStatusDomainName, permanentTunnelPeerIpAddr=permanentTunnelPeerIpAddr, identityAwarenessADQueryStatusEvents=identityAwarenessADQueryStatusEvents, exchangeAgentsTable=exchangeAgentsTable, wamOpenSessions=wamOpenSessions, dtpsLicensedUsers=dtpsLicensedUsers, fwSS_smtp_max_mail_on_conn=fwSS_smtp_max_mail_on_conn, cpvFwzEncErrs=cpvFwzEncErrs, fwSS_POP3_max_mail_on_conn=fwSS_POP3_max_mail_on_conn, aviHTTPLastVirusName=aviHTTPLastVirusName, identityAwarenessADQueryStatusDomainIP=identityAwarenessADQueryStatusDomainIP, msSpamNumHandledSpamEmails=msSpamNumHandledSpamEmails, fwIfEntry=fwIfEntry, fwSS_smtp_passed_by_internal_error=fwSS_smtp_passed_by_internal_error, aviFTPTopVirusesIndex=aviFTPTopVirusesIndex, cpvProdName=cpvProdName, fwInspect_lookups=fwInspect_lookups, fwConnectionsStatConnectionsIcmp=fwConnectionsStatConnectionsIcmp, voltageSensorName=voltageSensorName, identityAwarenessDistributedEnvEntry=identityAwarenessDistributedEnvEntry, fwSS_smtp_blocked_by_internal_error=fwSS_smtp_blocked_by_internal_error, svnLogDStat=svnLogDStat)
mibBuilder.exportSymbols('CHECKPOINT-MIB', fwHmem_bytes_peak=fwHmem_bytes_peak, cpvCurrAhSAsIn=cpvCurrAhSAsIn, multiDiskTable=multiDiskTable, fwCookies_getfwCookies_total=fwCookies_getfwCookies_total, voipDOSSip=voipDOSSip, aviHTTPLastVirusTime=aviHTTPLastVirusTime, fwKmem_bytes_peak=fwKmem_bytes_peak, identityAwarenessADQueryStatusTable=identityAwarenessADQueryStatusTable, exchangeQueueLen=exchangeQueueLen, antiVirusSubscriptionDesc=antiVirusSubscriptionDesc, fwSS_POP3_blocked_by_file_type=fwSS_POP3_blocked_by_file_type, fwConnectionsStatConnections=fwConnectionsStatConnections, wamPolicyUpdate=wamPolicyUpdate, fwProdName=fwProdName, aviSMTPTopVirusesName=aviSMTPTopVirusesName, ufSignatureVer=ufSignatureVer, cpseadJobsEntry=cpseadJobsEntry, fwNetIfTable=fwNetIfTable, msSpamControlsRDNS=msSpamControlsRDNS, aviEngineTable=aviEngineTable, fw=fw, svnApplianceInfo=svnApplianceInfo, fgRateLimitOut=fgRateLimitOut, identityAwarenessAuthUsers=identityAwarenessAuthUsers, voipDOSSipRateLimitingEntry=voipDOSSipRateLimitingEntry, vsxCountersDroppedTotal=vsxCountersDroppedTotal, cpvIpsec=cpvIpsec, thresholdThresholdOID=thresholdThresholdOID, fwHmem_blocks_unused=fwHmem_blocks_unused, asmCIFSNullSession=asmCIFSNullSession, fwInstallTime=fwInstallTime, tunnelPeerIpAddr=tunnelPeerIpAddr, fwLSConnOverall=fwLSConnOverall, lsVerMinor=lsVerMinor, fwHmem_free_operations=fwHmem_free_operations, aviSMTPLastVirusTime=aviSMTPLastVirusTime, sequenceVerifierInvalidretransmit=sequenceVerifierInvalidretransmit, diskFreeAvail=diskFreeAvail, haVersionSting=haVersionSting, fwSS_http_ops_cvp_rej_sess=fwSS_http_ops_cvp_rej_sess, haClusterIpMemberNet=haClusterIpMemberNet, checkpoint=checkpoint, cpsemdLastEventTime=cpsemdLastEventTime, fwSS_http_socket_in_use_curr=fwSS_http_socket_in_use_curr, haProblemPriority=haProblemPriority, multiDiskUsed=multiDiskUsed, smallPMTUNumberOfAttacks=smallPMTUNumberOfAttacks, fwSS_POP3_mail_curr=fwSS_POP3_mail_curr, fwSS_ftp_time_stamp=fwSS_ftp_time_stamp, cpvIPsecNICCurrDownLoadedSAs=cpvIPsecNICCurrDownLoadedSAs, ufTopBlockedCatCnt=ufTopBlockedCatCnt, fwSS_http_proxied_sess_count=fwSS_http_proxied_sess_count, cpvTotalAhSAsOut=cpvTotalAhSAsOut, cpvIKECurrInitSAs=cpvIKECurrInitSAs, cpvIKECurrRespSAs=cpvIKECurrRespSAs, vsRoutingVsId=vsRoutingVsId, exchangeAgentPolicyTimeStamp=exchangeAgentPolicyTimeStamp, thresholdEnabled=thresholdEnabled, lsClientDbLock=lsClientDbLock, advancedUrlFilteringUpdate=advancedUrlFilteringUpdate, cpvIPsecNICDecrBytes=cpvIPsecNICDecrBytes, fwSS_telnet_accepted_sess=fwSS_telnet_accepted_sess, advancedUrlFilteringRADStatusCode=advancedUrlFilteringRADStatusCode, fwSS_http_ops_cvp_sess_curr=fwSS_http_ops_cvp_sess_curr, cpvHwAccelDriverMajorVer=cpvHwAccelDriverMajorVer, lsConnectedClientsTable=lsConnectedClientsTable, identityAwarenessDistributedEnvTableGwName=identityAwarenessDistributedEnvTableGwName, ufStatLongDescr=ufStatLongDescr, asmP2P=asmP2P, fwSS_smtp_blocked_by_size_limit=fwSS_smtp_blocked_by_size_limit, haStarted=haStarted, aviPOP3TopVirusesCnt=aviPOP3TopVirusesCnt, aviFTPLastVirusName=aviFTPLastVirusName, cpvIKETotalRespSAs=cpvIKETotalRespSAs, identityAwarenessDataTrans=identityAwarenessDataTrans, cpvIpsecAhEncPkts=cpvIpsecAhEncPkts, exchangeAgentTotalScannedMsg=exchangeAgentTotalScannedMsg, cpvFwzDecPkts=cpvFwzDecPkts, applicationControlSubscriptionDesc=applicationControlSubscriptionDesc, haClusterSyncAddr=haClusterSyncAddr, raidVolumeType=raidVolumeType, vsRoutingGateway=vsRoutingGateway, teStatusShortDesc=teStatusShortDesc, cpvHwAccelVendor=cpvHwAccelVendor, vsxStatusCPUUsage1sec=vsxStatusCPUUsage1sec, aviSignatureDate=aviSignatureDate, lsClientHost=lsClientHost, fwSS_ftp_passed_cnt=fwSS_ftp_passed_cnt, raUserState=raUserState, msBuildNumber=msBuildNumber, aviTopVirusesName=aviTopVirusesName, fwKmem_alloc_operations=fwKmem_alloc_operations, fwLogIn=fwLogIn, fwLSConnStateDesc=fwLSConnStateDesc, fwSS_POP3_max_avail_socket=fwSS_POP3_max_avail_socket, cpvIPsecNICEncrBytes=cpvIPsecNICEncrBytes, asmSmallPmtu=asmSmallPmtu, vsxVsConfigured=vsxVsConfigured, memTotalVirtual64=memTotalVirtual64, fwNetIfSlaves=fwNetIfSlaves, multiDiskName=multiDiskName, fanSpeedSensorUnit=fanSpeedSensorUnit, voipStatCode=voipStatCode, svnBuild=svnBuild, fwSS_http_auth_sess_count=fwSS_http_auth_sess_count, aviFTPState=aviFTPState, cpvIPsecNICsNum=cpvIPsecNICsNum, svnRouteModGateway=svnRouteModGateway, ufLastSigCheckTime=ufLastSigCheckTime, identityAwarenessLoggedInCaptivePortal=identityAwarenessLoggedInCaptivePortal, aviHTTPTopVirusesCnt=aviHTTPTopVirusesCnt, lsProdName=lsProdName, fwConnectionsStatConnectionsOther=fwConnectionsStatConnectionsOther, fwPacketsRate=fwPacketsRate, fwSS_ftp_pid=fwSS_ftp_pid, cpvMaxConncurEspSAsIn=cpvMaxConncurEspSAsIn, asmCIFSBlockedCommands=asmCIFSBlockedCommands, tunnelLinkPriority=tunnelLinkPriority, aviHTTPTopVirusesTable=aviHTTPTopVirusesTable, advancedUrlFiltering=advancedUrlFiltering, fwSS_telnet_auth_failures=fwSS_telnet_auth_failures, wamUagIp=wamUagIp, fwSS_http_proxied_sess_max=fwSS_http_proxied_sess_max, aviHTTPTopVirusesIndex=aviHTTPTopVirusesIndex, raIkeOverTCP=raIkeOverTCP, numOfDisksOnRaid=numOfDisksOnRaid, haClusterIpTable=haClusterIpTable, asmCIFS=asmCIFS, voipDOSSipNetworkReqCurrentVal=voipDOSSipNetworkReqCurrentVal, fwDropPcktsIn=fwDropPcktsIn, aviFTPTopVirusesEntry=aviFTPTopVirusesEntry, vsxStatusTable=vsxStatusTable, cpvFwzErrors=cpvFwzErrors, haClusterSyncTable=haClusterSyncTable, cpvIPsecNICDecrPackets=cpvIPsecNICDecrPackets, identityAwarenessDistributedEnvTableBruteForceAtt=identityAwarenessDistributedEnvTableBruteForceAtt, thresholdActiveEventName=thresholdActiveEventName, fwSS_total_blocked_by_size_limit=fwSS_total_blocked_by_size_limit, dlpLicenseStatus=dlpLicenseStatus, haVerMajor=haVerMajor, asmLayer5=asmLayer5, fwSS_ftp_socket_in_use_curr=fwSS_ftp_socket_in_use_curr, fwSS_smtp_passed_by_size_limit=fwSS_smtp_passed_by_size_limit, routingGatweway=routingGatweway, ufTopBlockedSiteCnt=ufTopBlockedSiteCnt, fgStrPolicyName=fgStrPolicyName, fwHmem64_blocks_used=fwHmem64_blocks_used, fwSS_total_passed_by_interal_error=fwSS_total_passed_by_interal_error, thresholdDestinationIndex=thresholdDestinationIndex, procUsrTime=procUsrTime, fwSS_http_blocked_by_internal_error=fwSS_http_blocked_by_internal_error, fwSS_ufp_ops_ufp_sess_max=fwSS_ufp_ops_ufp_sess_max, fwInspect_operations=fwInspect_operations, svnProdVerMinor=svnProdVerMinor, fwNetIfIndex=fwNetIfIndex, fwAcceptedBytesTotalRate=fwAcceptedBytesTotalRate, fwHmem64_current_allocated_blocks=fwHmem64_current_allocated_blocks, ufTopBlockedUserTable=ufTopBlockedUserTable, fwHmem_current_allocated_pools=fwHmem_current_allocated_pools, fgIfEntry=fgIfEntry, fanSpeedSensorEntry=fanSpeedSensorEntry, cpvIKEMaxConncurInitSAs=cpvIKEMaxConncurInitSAs, amwAVNextUpdate=amwAVNextUpdate, raidDiskVolumeID=raidDiskVolumeID, sequenceVerifierInvalidSequence=sequenceVerifierInvalidSequence, voipDOS=voipDOS, fwSS_http_pid=fwSS_http_pid, products=products, fwSS_POP3_time_stamp=fwSS_POP3_time_stamp, cpvHwAccelEspDecBytes=cpvHwAccelEspDecBytes, tempertureSensorValue=tempertureSensorValue, cpvIpsecEspEncBytes=cpvIpsecEspEncBytes, fwHmem_requested_bytes=fwHmem_requested_bytes, svnRoutingModify=svnRoutingModify, osSPminor=osSPminor, numOfCIFSBlockedCommands=numOfCIFSBlockedCommands, vsRoutingEntry=vsRoutingEntry, fwSS_ftp_logical_port=fwSS_ftp_logical_port, aviServicesHTTP=aviServicesHTTP, fwSS_ftp_ops_cvp_sess_curr=fwSS_ftp_ops_cvp_sess_curr, vsxStatusPolicyName=vsxStatusPolicyName, httpURLLengthViolation=httpURLLengthViolation, procUsage=procUsage, fwRejectPcktsOut=fwRejectPcktsOut, dlpNumQuarantined=dlpNumQuarantined, fwSS_ftp_auth_sess_count=fwSS_ftp_auth_sess_count, voipCACConcurrentCalls=voipCACConcurrentCalls, antiSpamSubscriptionDesc=antiSpamSubscriptionDesc, fwSS_POP3_logical_port=fwSS_POP3_logical_port, exchangeAgentVersion=exchangeAgentVersion, cpvMaxConncurAhSAsOut=cpvMaxConncurAhSAsOut, fgVersionString=fgVersionString, fwSS_telnet_logical_port=fwSS_telnet_logical_port, svnDisk=svnDisk, numOfP2PSkypeCon=numOfP2PSkypeCon, vsRoutingMask=vsRoutingMask, asmIPSweep=asmIPSweep, dlpSMTPScans=dlpSMTPScans, aviEngines=aviEngines, fwSS_POP3_blocked_by_internal_error=fwSS_POP3_blocked_by_internal_error, dlp=dlp, vsxCountersIsDataValid=vsxCountersIsDataValid, svnStatLongDescr=svnStatLongDescr, dlpQrntMsgsSize=dlpQrntMsgsSize, multiProcTable=multiProcTable, fwFragments=fwFragments, fwKmem_free_operations=fwKmem_free_operations, fwSS_telnet_auth_sess_count=fwSS_telnet_auth_sess_count, fwSS_smtp_passed_cnt=fwSS_smtp_passed_cnt, fwSS_http_rejected_sess=fwSS_http_rejected_sess, fwNetIfPorts=fwNetIfPorts, aviFTPLastVirusTime=aviFTPLastVirusTime, fgProdName=fgProdName, fwSS_telnet_max_avail_socket=fwSS_telnet_max_avail_socket, svnProdVerMajor=svnProdVerMajor, aviLastSigCheckTime=aviLastSigCheckTime, mgStatShortDescr=mgStatShortDescr, fgPendBytesIn=fgPendBytesIn, vsxCountersBytesDroppedTotal=vsxCountersBytesDroppedTotal, antiVirusSubscription=antiVirusSubscription, haServicePack=haServicePack, asmP2PSkypeCon=asmP2PSkypeCon, fwSS_telnet_socket_in_use_count=fwSS_telnet_socket_in_use_count, fwSS_smtp_sess_count=fwSS_smtp_sess_count, ufTopBlockedCatName=ufTopBlockedCatName, fwAcceptBytesOut=fwAcceptBytesOut, fwSS_http_socket_in_use_max=fwSS_http_socket_in_use_max, fwSS_POP3_auth_sess_curr=fwSS_POP3_auth_sess_curr, ufSS=ufSS, fwHmem64_free_operations=fwHmem64_free_operations, fwHmem64_blocks_peak=fwHmem64_blocks_peak, te=te, numOfP2PKazaaConAttempts=numOfP2PKazaaConAttempts, svnRouteModDest=svnRouteModDest, fwSS_telnet=fwSS_telnet, fwSS_http_socket_in_use_count=fwSS_http_socket_in_use_count, fwInspect_extract=fwInspect_extract, vsxStatus=vsxStatus, fwSS_rlogin_auth_sess_max=fwSS_rlogin_auth_sess_max, mgFwmIsAlive=mgFwmIsAlive, cpsemdCorrelationUnitEntry=cpsemdCorrelationUnitEntry, identityAwarenessAuthMachKerberos=identityAwarenessAuthMachKerberos, asmAttacks=asmAttacks, cpvIpsecAhDecPkts=cpvIpsecAhDecPkts, dlpFtpScans=dlpFtpScans, cpvSaOtherErrIn=cpvSaOtherErrIn, dlpStatusCode=dlpStatusCode, thresholdAlertCount=thresholdAlertCount, vsxCountersAcceptedTotal=vsxCountersAcceptedTotal, cpvDecPackets=cpvDecPackets, raidDiskVendor=raidDiskVendor, thresholds=thresholds, fwSS_http_passed_by_AV_settings=fwSS_http_passed_by_AV_settings, fwSS_ftp_is_alive=fwSS_ftp_is_alive)
mibBuilder.exportSymbols('CHECKPOINT-MIB', cpvIKETotalInitSAs=cpvIKETotalInitSAs, raOfficeMode=raOfficeMode, ufTopBlockedUserCnt=ufTopBlockedUserCnt, identityAwarenessSuccUserLoginADQuery=identityAwarenessSuccUserLoginADQuery, fwConnectionsStatConnectionsTcp=fwConnectionsStatConnectionsTcp, numOfIpSweep=numOfIpSweep, fwSS_POP3_socket_in_use_max=fwSS_POP3_socket_in_use_max, fwVerMajor=fwVerMajor, fwHmem64_initial_allocated_blocks=fwHmem64_initial_allocated_blocks, fwCookies_allocfwCookies_total=fwCookies_allocfwCookies_total, cpvIPsec=cpvIPsec, multiProcInterrupts=multiProcInterrupts, multiDiskFreeAvailableBytes=multiDiskFreeAvailableBytes, vpn=vpn, exchangeAgentName=exchangeAgentName, svnStatShortDescr=svnStatShortDescr, fwSS_ftp_passed_by_file_type=fwSS_ftp_passed_by_file_type, aviTopEverViruses=aviTopEverViruses, ha=ha, numOfHttpASCIIViolations=numOfHttpASCIIViolations, svnNetIfDescription=svnNetIfDescription, fwSS_http_blocked_by_size_limit=fwSS_http_blocked_by_size_limit, msSpamControlsIpRepuatation=msSpamControlsIpRepuatation, applicationControl=applicationControl, cpvIpsecDecomprBytesBefore=cpvIpsecDecomprBytesBefore, aviPOP3TopVirusesName=aviPOP3TopVirusesName, thresholdPolicy=thresholdPolicy, fwSS_rlogin_accepted_sess=fwSS_rlogin_accepted_sess, fwSS_POP3_socket_in_use_count=fwSS_POP3_socket_in_use_count, fwSS_total_blocked_by_interal_error=fwSS_total_blocked_by_interal_error, fwCookies_dupfwCookies_total=fwCookies_dupfwCookies_total, svnNetIfVsid=svnNetIfVsid, wamPolicyName=wamPolicyName, dlpSMTPIncidents=dlpSMTPIncidents, fwIfIndex=fwIfIndex, powerSupplyIndex=powerSupplyIndex, voipDOSSipRateLimitingTableNumTrustedRequests=voipDOSSipRateLimitingTableNumTrustedRequests, voltageSensorStatus=voltageSensorStatus, amwABNextUpdate=amwABNextUpdate, svnSysStartTime=svnSysStartTime, ufEngineVer=ufEngineVer, fgIfIndex=fgIfIndex, dlpUserCheckClnts=dlpUserCheckClnts, fwSS_smtp_mail_count=fwSS_smtp_mail_count, fwSS_telnet_sess_count=fwSS_telnet_sess_count, fwFrag_fragments=fwFrag_fragments, identityAwarenessAntiSpoffProtection=identityAwarenessAntiSpoffProtection, fwSS_http_max_avail_socket=fwSS_http_max_avail_socket, cpvHwAccelAhEncBytes=cpvHwAccelAhEncBytes, vsxCountersConnPeakNum=vsxCountersConnPeakNum, voipMinorVersion=voipMinorVersion, thresholdSendingState=thresholdSendingState, haState=haState, cpseadJobID=cpseadJobID, routingEntry=routingEntry, fwConnectionsStatConnectionsUdp=fwConnectionsStatConnectionsUdp, numOfBitTorrentCon=numOfBitTorrentCon, thresholdErrorsTable=thresholdErrorsTable, cpvIpsecUdpEspEncPkts=cpvIpsecUdpEspEncPkts, aviStatCode=aviStatCode, permanentTunnelEntry=permanentTunnelEntry, fwSS_rlogin_socket_in_use_count=fwSS_rlogin_socket_in_use_count, thresholdState=thresholdState, teStatusLongDesc=teStatusLongDesc, msMinorVersion=msMinorVersion, cpsemdNumEvents=cpsemdNumEvents, fwSS_POP3_outgoing_mail_max=fwSS_POP3_outgoing_mail_max, svnLogDaemon=svnLogDaemon, wamState=wamState, svnMem=svnMem, cpseadStatCode=cpseadStatCode, haIfName=haIfName, diskFreeTotal=diskFreeTotal, cpvIpsecComprBytesAfter=cpvIpsecComprBytesAfter, cpvIKEMaxConncurSAs=cpvIKEMaxConncurSAs, cpsemdDBCapacity=cpsemdDBCapacity, dlpLdapStatus=dlpLdapStatus, cpvIpsecDecomprErr=cpvIpsecDecomprErr, asmSeqval=asmSeqval, cpsemdStatShortDescr=cpsemdStatShortDescr, cpsemdCurrentDBSize=cpsemdCurrentDBSize, fwSS_http_blocked_by_URL_filter_category=fwSS_http_blocked_by_URL_filter_category, fwHmem_bytes_unused=fwHmem_bytes_unused, fwSXLGroup=fwSXLGroup, voipDOSSipRateLimitingTableIndex=voipDOSSipRateLimitingTableIndex, msExpirationDate=msExpirationDate, teUpdateStatus=teUpdateStatus, mgVerMajor=mgVerMajor, antiSpamSubscription=antiSpamSubscription, routingIntrfName=routingIntrfName, fgRetransPcktsIn=fgRetransPcktsIn, dlpDiscardEMails=dlpDiscardEMails, voipDOSSipRateLimitingTable=voipDOSSipRateLimitingTable, fwSS_telnet_time_stamp=fwSS_telnet_time_stamp, cpvSaErrors=cpvSaErrors, fwChains=fwChains, vsxCountersBytesAcceptedTotal=vsxCountersBytesAcceptedTotal, fwSS_smtp_max_avail_socket=fwSS_smtp_max_avail_socket, advancedUrlFilteringUpdateStatus=advancedUrlFilteringUpdateStatus, fwHmem_initial_allocated_bytes=fwHmem_initial_allocated_bytes, dlpPostfixQMsgsSz=dlpPostfixQMsgsSz, fwSS_POP3_scanned_total=fwSS_POP3_scanned_total, aviTopVirusesIndex=aviTopVirusesIndex, fwSS_total_passed_by_av=fwSS_total_passed_by_av, cpvTotalEspSAsIn=cpvTotalEspSAsIn, fwKmem_blocking_bytes_peak=fwKmem_blocking_bytes_peak, svnUTCTimeOffset=svnUTCTimeOffset, diskPercent=diskPercent, mngmt=mngmt, aviHTTPTopVirusesName=aviHTTPTopVirusesName, haClusterSyncIndex=haClusterSyncIndex, exchangeAgentTotalMsg=exchangeAgentTotalMsg, asmSynatkCurrentMode=asmSynatkCurrentMode, thresholdActiveEventsEntry=thresholdActiveEventsEntry, fwAcceptBytesIn=fwAcceptBytesIn, fwSS_ufp_ops_ufp_sess_count=fwSS_ufp_ops_ufp_sess_count, fwSS_ufp_time_stamp=fwSS_ufp_time_stamp, fwSS_ftp_blocked_by_archive_limit=fwSS_ftp_blocked_by_archive_limit, vsxVsSupported=vsxVsSupported, cpseadConnectedToSem=cpseadConnectedToSem, advancedUrlFilteringSubscription=advancedUrlFilteringSubscription, fwIfTable=fwIfTable, cpseadJobName=cpseadJobName, fwSS_http_ops_cvp_sess_max=fwSS_http_ops_cvp_sess_max, svnVersion=svnVersion, powerSupplyInfo=powerSupplyInfo, asmP2PBitTorrentCon=asmP2PBitTorrentCon, teSubscriptionExpDate=teSubscriptionExpDate, aviServices=aviServices, fwSS_smtp_blocked_total=fwSS_smtp_blocked_total, svnProdName=svnProdName, fwSS_POP3_mail_count=fwSS_POP3_mail_count, fwSS_http_passed_by_archive_limit=fwSS_http_passed_by_archive_limit, osBuildNum=osBuildNum, ufStatShortDescr=ufStatShortDescr, ufTopBlockedCatTable=ufTopBlockedCatTable, fwCookies_lenfwCookies_total=fwCookies_lenfwCookies_total, fwSS_smtp_outgoing_mail_curr=fwSS_smtp_outgoing_mail_curr, identityAwarenessUnSuccUserLDAP=identityAwarenessUnSuccUserLDAP, fwSS_POP3_blocked_by_size_limit=fwSS_POP3_blocked_by_size_limit, tunnelPeerType=tunnelPeerType, fwSS_http_tunneled_sess_max=fwSS_http_tunneled_sess_max, applicationControlNextUpdate=applicationControlNextUpdate, aviTopVirusesEntry=aviTopVirusesEntry, fwSS_POP3=fwSS_POP3, fwSS_http_transp_sess_curr=fwSS_http_transp_sess_curr, haProblemStatus=haProblemStatus, cpvIKETotalFailuresInit=cpvIKETotalFailuresInit, identityAwarenessAuthUsersADQuery=identityAwarenessAuthUsersADQuery, voipMajorVersion=voipMajorVersion, applicationControlSubscription=applicationControlSubscription, wam=wam, exchangeAgentStatus=exchangeAgentStatus, cpseadJobDataType=cpseadJobDataType, wamUagHost=wamUagHost, haProblemName=haProblemName, identityAwarenessStatus=identityAwarenessStatus, raidVolumeEntry=raidVolumeEntry, cpsemdNewEventsHandled=cpsemdNewEventsHandled, svnNetIfName=svnNetIfName, cpvIKEMaxConncurRespSAs=cpvIKEMaxConncurRespSAs, fwSS_ftp_rejected_sess=fwSS_ftp_rejected_sess, wamGlobalPerformance=wamGlobalPerformance, thresholdSendingStateDesc=thresholdSendingStateDesc, fwHmem64_initial_allocated_bytes=fwHmem64_initial_allocated_bytes, sensorInfo=sensorInfo, fwTrap=fwTrap, fwSS_ftp_blocked_by_internal_error=fwSS_ftp_blocked_by_internal_error, cpseadJobState=cpseadJobState, fwCookies=fwCookies, ufTopBlockedSiteEntry=ufTopBlockedSiteEntry, sxl=sxl, fwSS_http_ssl_encryp_sess_max=fwSS_http_ssl_encryp_sess_max, haIdentifier=haIdentifier, fwSS_POP3_passed_by_file_type=fwSS_POP3_passed_by_file_type, applicationControlUpdateDesc=applicationControlUpdateDesc, fwSS_telnet_sess_curr=fwSS_telnet_sess_curr, cpvHwAccelGeneral=cpvHwAccelGeneral, msMajorVersion=msMajorVersion, fwSS_http_port=fwSS_http_port, fwSS_rlogin_max_avail_socket=fwSS_rlogin_max_avail_socket, procInterrupts=procInterrupts, fwKernelBuild=fwKernelBuild, fwLogOut=fwLogOut, fwHmem_initial_allocated_blocks=fwHmem_initial_allocated_blocks, fwSS_http_passed_cnt=fwSS_http_passed_cnt, fwSS_POP3_is_alive=fwSS_POP3_is_alive, exchangeAgentsStatusTableIndex=exchangeAgentsStatusTableIndex, fwSS_http_tunneled_sess_count=fwSS_http_tunneled_sess_count, fwSS_ftp_blocked_total=fwSS_ftp_blocked_total, mgVerMinor=mgVerMinor, cpvSaAuthErr=cpvSaAuthErr, cpvHwAccelAhDecBytes=cpvHwAccelAhDecBytes, ufLastSigLocation=ufLastSigLocation, cpvIKENoResp=cpvIKENoResp, numOfGnutellaConAttempts=numOfGnutellaConAttempts, fwSS_POP3_sess_count=fwSS_POP3_sess_count, fwSS_smtp_port=fwSS_smtp_port, cpvSaPolicyErr=cpvSaPolicyErr, fwSS_ftp_passed_by_size_limit=fwSS_ftp_passed_by_size_limit, aviSMTPTopVirusesIndex=aviSMTPTopVirusesIndex, fwSS_rlogin_sess_max=fwSS_rlogin_sess_max, amwAVUpdate=amwAVUpdate, uf=uf, amwStatusLongDesc=amwStatusLongDesc, fwAccepted=fwAccepted, thresholdName=thresholdName, ufEngineName=ufEngineName, fwSS_telnet_auth_sess_max=fwSS_telnet_auth_sess_max, amwABUpdate=amwABUpdate, fwSS_telnet_rejected_sess=fwSS_telnet_rejected_sess, fwSS_total_passed_by_file_type=fwSS_total_passed_by_file_type, ufScannedCnt=ufScannedCnt, antiSpamSubscriptionExpDate=antiSpamSubscriptionExpDate, cpseadStatLongDescr=cpseadStatLongDescr, svnNetStat=svnNetStat, wamName=wamName, antiBotSubscriptionStatus=antiBotSubscriptionStatus, aviLastSigLocation=aviLastSigLocation, tunnelNextHop=tunnelNextHop, ufTopBlockedUserIndex=ufTopBlockedUserIndex, fwSS_POP3_total_mails=fwSS_POP3_total_mails, fwHmem64_current_allocated_pools=fwHmem64_current_allocated_pools, fwSS_POP3_blocked_total=fwSS_POP3_blocked_total, fwSS_rlogin_auth_sess_curr=fwSS_rlogin_auth_sess_curr, amwAVUpdateDesc=amwAVUpdateDesc, haProdName=haProdName, raidVolumeIndex=raidVolumeIndex, identityAwarenessLoggedInAgent=identityAwarenessLoggedInAgent, dlpStatusShortDesc=dlpStatusShortDesc, advancedUrlFilteringUpdateDesc=advancedUrlFilteringUpdateDesc, fwLocalLoggingStat=fwLocalLoggingStat, cpseadStateDescription=cpseadStateDescription, asmHttpFormatViolatoin=asmHttpFormatViolatoin, fwSS_smtp_blocked_by_AV_settings=fwSS_smtp_blocked_by_AV_settings, fwSS_rlogin=fwSS_rlogin, cpvIpsecStatistics=cpvIpsecStatistics, multiProcIdleTime=multiProcIdleTime, fwSS_http_passed_by_URL_allow_list=fwSS_http_passed_by_URL_allow_list, fwSS_http_passed_by_internal_error=fwSS_http_passed_by_internal_error, dtpsVerMajor=dtpsVerMajor, amwAVVersion=amwAVVersion, cpvHwAccelEspDecPkts=cpvHwAccelEspDecPkts, fwSS_ftp_scanned_total=fwSS_ftp_scanned_total, applicationControlStatusShortDesc=applicationControlStatusShortDesc, fwSS_ftp_sess_curr=fwSS_ftp_sess_curr, msServicePack=msServicePack, fwSS_smtp_is_alive=fwSS_smtp_is_alive, fwSS_POP3_mail_max=fwSS_POP3_mail_max, voltageSensorTable=voltageSensorTable, fwHmem_current_allocated_blocks=fwHmem_current_allocated_blocks, fgPendBytesOut=fgPendBytesOut, applicationControlStatusLongDesc=applicationControlStatusLongDesc, identityAwarenessDistributedEnvTableIndex=identityAwarenessDistributedEnvTableIndex)
mibBuilder.exportSymbols('CHECKPOINT-MIB', identityAwarenessDistributedEnvTableDisconnections=identityAwarenessDistributedEnvTableDisconnections, amwStatusShortDesc=amwStatusShortDesc, cpseadJobsTable=cpseadJobsTable, cpvErrPolicy=cpvErrPolicy, aviEngineDate=aviEngineDate, svnNetIfMAC=svnNetIfMAC, dlpStatusLongDesc=dlpStatusLongDesc, msProductName=msProductName, memTotalVirtual=memTotalVirtual, tempertureSensorStatus=tempertureSensorStatus, exchangeAgentAvgTimePerScannedMsg=exchangeAgentAvgTimePerScannedMsg, asmSynatkSynAckReset=asmSynatkSynAckReset, fwAcceptPcktsIn=fwAcceptPcktsIn, fwPeakNumConn=fwPeakNumConn, fwSS_rlogin_port=fwSS_rlogin_port, memFreeReal64=memFreeReal64, aviEngineEntry=aviEngineEntry, fwSS_telnet_is_alive=fwSS_telnet_is_alive, teUpdateDesc=teUpdateDesc, msStatLongDescr=msStatLongDescr, haStatCode=haStatCode, asmHttpAsciiViolation=asmHttpAsciiViolation, thresholdDestinationType=thresholdDestinationType, permanentTunnelCommunity=permanentTunnelCommunity, cpvIKETotalSAsAttempts=cpvIKETotalSAsAttempts, tunnelSourceIpAddr=tunnelSourceIpAddr, numOfCIFSBlockedPopUps=numOfCIFSBlockedPopUps, fwHmem_blocks_peak=fwHmem_blocks_peak, voipDOSSipNetworkRegConfThreshold=voipDOSSipNetworkRegConfThreshold, antiVirusSubscriptionStatus=antiVirusSubscriptionStatus, permanentTunnelSourceIpAddr=permanentTunnelSourceIpAddr, haClusterIpIfName=haClusterIpIfName, dtpsConnectedUsers=dtpsConnectedUsers, fwSS_telnet_port=fwSS_telnet_port, fwSS_smtp_passed_by_archive_limit=fwSS_smtp_passed_by_archive_limit, cpvIpsecComprBytesBefore=cpvIpsecComprBytesBefore, raidVolumeTable=raidVolumeTable, voipDOSSipNetworkReqConfThreshold=voipDOSSipNetworkReqConfThreshold, dlpFtpIncidents=dlpFtpIncidents, permanentTunnelState=permanentTunnelState, permanentTunnelLinkPriority=permanentTunnelLinkPriority, fwDropped=fwDropped, applicationControlStatusCode=applicationControlStatusCode, smartDefense=smartDefense, fwModuleState=fwModuleState, svnOSInfo=svnOSInfo, multiProcSystemTime=multiProcSystemTime, thresholdActiveEventState=thresholdActiveEventState, svnNetIfState=svnNetIfState, vsxStatusVSId=vsxStatusVSId, aviPOP3TopVirusesEntry=aviPOP3TopVirusesEntry, fwCookies_putfwCookies_total=fwCookies_putfwCookies_total, aviSMTPTopVirusesTable=aviSMTPTopVirusesTable, aviTopVirusesCnt=aviTopVirusesCnt, multiProcRunQueue=multiProcRunQueue, wamAcceptReq=wamAcceptReq, fwSS_telnet_pid=fwSS_telnet_pid, identityAwarenessUnSuccUserLoginKerberos=identityAwarenessUnSuccUserLoginKerberos, svnNetIfOperState=svnNetIfOperState, ufTopBlockedUserName=ufTopBlockedUserName, fanSpeedSensorName=fanSpeedSensorName, fwSS_smtp_accepted_sess=fwSS_smtp_accepted_sess, fwSS_POP3_blocked_by_archive_limit=fwSS_POP3_blocked_by_archive_limit, vsxStatusCPUUsage1min=vsxStatusCPUUsage1min, raVisitorMode=raVisitorMode, fwSS_smtp_logical_port=fwSS_smtp_logical_port, raUsersEntry=raUsersEntry, msSpamControlsDomainKeys=msSpamControlsDomainKeys, raRouteTraffic=raRouteTraffic, fwSS_smtp_sess_curr=fwSS_smtp_sess_curr, fwSS_http_passed_by_URL_filter_category=fwSS_http_passed_by_URL_filter_category, vsxCountersConnTableLimit=vsxCountersConnTableLimit, vsxCountersTable=vsxCountersTable, memTotalReal=memTotalReal, fwSS_ftp_socket_in_use_max=fwSS_ftp_socket_in_use_max, dlpHttpScans=dlpHttpScans, fwKmem_failed_free=fwKmem_failed_free, svnInfo=svnInfo, osVersionLevel=osVersionLevel, raidDiskProductID=raidDiskProductID, applicationControlSubscriptionExpDate=applicationControlSubscriptionExpDate, fwHmem64_failed_free=fwHmem64_failed_free, ufStatCode=ufStatCode, asmP2PKazaaConAttempts=asmP2PKazaaConAttempts, voltageSensorValue=voltageSensorValue, cpvHwAccelEspEncBytes=cpvHwAccelEspEncBytes, msSpamNumSpamEmails=msSpamNumSpamEmails, fwSS_http_transp_sess_count=fwSS_http_transp_sess_count, exchangeAgents=exchangeAgents, raidDiskTable=raidDiskTable, raLogonTime=raLogonTime, vsxCountersRejectedTotal=vsxCountersRejectedTotal, fwSS_http_sess_max=fwSS_http_sess_max, fwSS_http_proto=fwSS_http_proto, thresholdActive=thresholdActive, voipDOSSipNetworkCallInitInterval=voipDOSSipNetworkCallInitInterval, cpvStatistics=cpvStatistics, wamRejectReq=wamRejectReq, dlpQrntStatus=dlpQrntStatus, cpvIKETotalSAs=cpvIKETotalSAs, advancedUrlFilteringStatusLongDesc=advancedUrlFilteringStatusLongDesc, fwNetIfFlags=fwNetIfFlags, dlpFtpLastScan=dlpFtpLastScan, fwSS_http_passed_by_size_limit=fwSS_http_passed_by_size_limit, permanentTunnelNextHop=permanentTunnelNextHop, exchangeAgentUpTime=exchangeAgentUpTime, dtps=dtps, dlpPostfixQOldMsg=dlpPostfixQOldMsg, fwSS_ufp_is_alive=fwSS_ufp_is_alive, vsxStatusEntry=vsxStatusEntry, fwSS_http_passed_by_file_type=fwSS_http_passed_by_file_type, numOfhostPortScan=numOfhostPortScan, fgNumConnIn=fgNumConnIn, fwSS_smtp_rejected_sess=fwSS_smtp_rejected_sess, fwSS_av_total=fwSS_av_total, cpseadConnectedToLogServer=cpseadConnectedToLogServer, svnApplianceProductName=svnApplianceProductName, fwLSConnName=fwLSConnName, lsIndex=lsIndex, lsBuildNumber=lsBuildNumber, fwHmem_blocks_used=fwHmem_blocks_used, fwSS_smtp_pid=fwSS_smtp_pid, dtpsProdName=dtpsProdName, advancedUrlFilteringSubscriptionDesc=advancedUrlFilteringSubscriptionDesc, fwSS_telnet_auth_sess_curr=fwSS_telnet_auth_sess_curr, wamPluginPerformance=wamPluginPerformance, asmLayer4=asmLayer4, raInternalIpAddr=raInternalIpAddr, cpvIKETotalFailuresResp=cpvIKETotalFailuresResp, fwHmem_initial_allocated_pools=fwHmem_initial_allocated_pools, haClusterIpNetMask=haClusterIpNetMask, thresholdActiveEventsIndex=thresholdActiveEventsIndex, asmLayer3=asmLayer3, fwSS_smtp_time_stamp=fwSS_smtp_time_stamp, fwFrag_packets=fwFrag_packets, wamUagLastQuery=wamUagLastQuery, cpvIpsecUdpEspDecPkts=cpvIpsecUdpEspDecPkts, procSysTime=procSysTime, cpvSaReplayErr=cpvSaReplayErr, fwNumConn=fwNumConn, fwSS_smtp_outgoing_mail_max=fwSS_smtp_outgoing_mail_max, tunnelCommunity=tunnelCommunity, fwDropPcktsOut=fwDropPcktsOut, fwSS_http_ftp_sess_curr=fwSS_http_ftp_sess_curr, fwHmem64_maximum_bytes=fwHmem64_maximum_bytes, identityAwarenessStatusShortDesc=identityAwarenessStatusShortDesc, memSwapsSec64=memSwapsSec64, fgRetransPcktsOut=fgRetransPcktsOut, tempertureSensorEntry=tempertureSensorEntry, fwHmem_block_size=fwHmem_block_size, voipStatShortDescr=voipStatShortDescr, aviFTPTopVirusesName=aviFTPTopVirusesName, haClusterIpIndex=haClusterIpIndex, teStatusCode=teStatusCode, aviTopEverVirusesIndex=aviTopEverVirusesIndex, cpvIKETotalSAsInitAttempts=cpvIKETotalSAsInitAttempts, fwSS_POP3_auth_sess_max=fwSS_POP3_auth_sess_max, numOfP2PeMuleConAttempts=numOfP2PeMuleConAttempts, haWorkMode=haWorkMode, fwHmem_bytes_used=fwHmem_bytes_used, fwHmem64_bytes_unused=fwHmem64_bytes_unused, raidDiskID=raidDiskID, fwFrag_expired=fwFrag_expired, multiProcEntry=multiProcEntry, haProblemDescr=haProblemDescr, voipDOSSipNetwork=voipDOSSipNetwork, haClusterSyncName=haClusterSyncName, advancedUrlFilteringSubscriptionStatus=advancedUrlFilteringSubscriptionStatus, thresholdActiveEventSubject=thresholdActiveEventSubject, fwCookies_freefwCookies_total=fwCookies_freefwCookies_total, haProblemTable=haProblemTable, cpseadStateDescriptionCode=cpseadStateDescriptionCode, fwDroppedBytesTotalRate=fwDroppedBytesTotalRate, fwSICTrustState=fwSICTrustState, cpvMaxConncurAhSAsIn=cpvMaxConncurAhSAsIn, fwHmem_number_of_items=fwHmem_number_of_items, cpvFwzEncapsEncErrs=cpvFwzEncapsEncErrs, svnRouteModIfIndex=svnRouteModIfIndex, cpvVerMajor=cpvVerMajor, fgPendPcktsOut=fgPendPcktsOut, dlpQrntFreeSpace=dlpQrntFreeSpace, fwSS_smtp_mail_max=fwSS_smtp_mail_max, msVersionStr=msVersionStr, vsxStatusCPUUsage10sec=vsxStatusCPUUsage10sec, multiProcUsage=multiProcUsage, vsxStatusCPUUsageVSId=vsxStatusCPUUsageVSId, cpsemdCorrelationUnitIndex=cpsemdCorrelationUnitIndex, fwSS_http_auth_failures=fwSS_http_auth_failures, vsRoutingIntrfName=vsRoutingIntrfName, fgAvrRateOut=fgAvrRateOut, cpvHwAccelStatistics=cpvHwAccelStatistics, fwSS_smtp_socket_in_use_curr=fwSS_smtp_socket_in_use_curr, fwSS_ufp_ops_ufp_sess_curr=fwSS_ufp_ops_ufp_sess_curr, cpvIKETotalSAsRespAttempts=cpvIKETotalSAsRespAttempts, vsxStatusCPUUsage1hr=vsxStatusCPUUsage1hr, fwSS_ftp=fwSS_ftp, thresholdErrorsEntry=thresholdErrorsEntry, fwSS_smtp_blocked_by_file_type=fwSS_smtp_blocked_by_file_type, fwSS_ftp_socket_in_use_count=fwSS_ftp_socket_in_use_count, osMinorVer=osMinorVer, fwSS_http_blocked_by_file_type=fwSS_http_blocked_by_file_type, fwSS_total_blocked_by_av_settings=fwSS_total_blocked_by_av_settings, fwSS_POP3_passed_by_size_limit=fwSS_POP3_passed_by_size_limit, fwNetIfName=fwNetIfName, httpMaxHeaderReached=httpMaxHeaderReached, fwSS_ufp=fwSS_ufp, fwSS_total_passed_by_av_settings=fwSS_total_passed_by_av_settings, cpvIpsecNonCompressiblePkts=cpvIpsecNonCompressiblePkts, identityAwarenessSuccUserLDAP=identityAwarenessSuccUserLDAP, fwSS_smtp_auth_failures=fwSS_smtp_auth_failures, haIfIndex=haIfIndex, thresholdActiveEventsTable=thresholdActiveEventsTable, fanSpeedSensorStatus=fanSpeedSensorStatus, fwHmem64=fwHmem64, cpvFwzEncapsDecPkts=cpvFwzEncapsDecPkts, fwSS_ftp_port=fwSS_ftp_port, fwSS_POP3_passed_by_AV_settings=fwSS_POP3_passed_by_AV_settings, eventiaAnalyzer=eventiaAnalyzer, haProblemEntry=haProblemEntry, numOfCIFSNullSessions=numOfCIFSNullSessions, fgIfTable=fgIfTable, fwSS_POP3_passed_total=fwSS_POP3_passed_total, fwNetIfProxyName=fwNetIfProxyName, fwSS_http_ftp_sess_max=fwSS_http_ftp_sess_max, cpvFwz=cpvFwz, cpvHwAccelEspEncPkts=cpvHwAccelEspEncPkts, fwHmem=fwHmem, fwSS_ftp_blocked_cnt=fwSS_ftp_blocked_cnt, identityAwarenessADQueryStatusTableIndex=identityAwarenessADQueryStatusTableIndex, asmHttpWorms=asmHttpWorms, msSpamControlsSPF=msSpamControlsSPF, asmHTTP=asmHTTP, fwSS_smtp=fwSS_smtp, aviServicesSMTP=aviServicesSMTP, tunnelType=tunnelType, routingDest=routingDest, cpvErrIke=cpvErrIke, fwFilterName=fwFilterName, teCloudSubscriptionStatus=teCloudSubscriptionStatus, voip=voip, dlpExpiredEMails=dlpExpiredEMails, permanentTunnelPeerType=permanentTunnelPeerType, fwSS_ftp_sess_count=fwSS_ftp_sess_count, fwSS_POP3_outgoing_mail_count=fwSS_POP3_outgoing_mail_count, memTotalReal64=memTotalReal64, antiBotSubscription=antiBotSubscription, fwSS_http=fwSS_http, fanSpeedSensorType=fanSpeedSensorType, fwHmem_maximum_pools=fwHmem_maximum_pools, asmSynatk=asmSynatk, cpsemdStatLongDescr=cpsemdStatLongDescr, raTunnelAuthMethod=raTunnelAuthMethod, identityAwarenessSuccMachLoginADQuery=identityAwarenessSuccMachLoginADQuery, aviTopEverVirusesEntry=aviTopEverVirusesEntry)
mibBuilder.exportSymbols('CHECKPOINT-MIB', cpvCurrAhSAsOut=cpvCurrAhSAsOut, svnSysTime=svnSysTime, identityAwarenessAuthMachADQuery=identityAwarenessAuthMachADQuery, memActiveVirtual64=memActiveVirtual64, svnStatCode=svnStatCode, fwSS_ftp_sess_max=fwSS_ftp_sess_max, fwCookies_total=fwCookies_total, fwSS_total_scanned=fwSS_total_scanned, tempertureSensorIndex=tempertureSensorIndex, voltageSensorUnit=voltageSensorUnit, thresholdDestinationName=thresholdDestinationName, fwHmem_maximum_bytes=fwHmem_maximum_bytes, identityAwarenessDistributedEnvTableIsLocal=identityAwarenessDistributedEnvTableIsLocal, vsxCountersLoggedTotal=vsxCountersLoggedTotal, advancedUrlFilteringStatusCode=advancedUrlFilteringStatusCode, aviSMTPLastVirusName=aviSMTPLastVirusName, cpvIpsecEspDecBytes=cpvIpsecEspDecBytes, antiSpamSubscriptionStatus=antiSpamSubscriptionStatus, vsRoutingIndex=vsRoutingIndex, osName=osName, tunnelTable=tunnelTable, dlpPostfixQFreeSp=dlpPostfixQFreeSp, powerSupplyStatus=powerSupplyStatus, haIfTable=haIfTable, fwNetIfEntry=fwNetIfEntry, vsx=vsx, thresholdDestinationsTable=thresholdDestinationsTable, raidVolumeMaxLBA=raidVolumeMaxLBA, mgApplicationType=mgApplicationType, tempertureSensorName=tempertureSensorName, ufTopBlockedSiteIndex=ufTopBlockedSiteIndex, memActiveReal=memActiveReal, fwLogged=fwLogged, fwSS_total_blocked_by_file_type=fwSS_total_blocked_by_file_type, cpsemdDBIsFull=cpsemdDBIsFull, sequenceVerifierInvalidAck=sequenceVerifierInvalidAck, fwConnectionsStatConnectionRate=fwConnectionsStatConnectionRate, fwMajor=fwMajor, advancedUrlFilteringNextUpdate=advancedUrlFilteringNextUpdate, dlpVersionString=dlpVersionString, fwSS_http_is_alive=fwSS_http_is_alive, cpvFwzEncapsEncPkts=cpvFwzEncapsEncPkts, thresholdActiveEventActivationTime=thresholdActiveEventActivationTime, fg=fg, fwSS_ftp_max_avail_socket=fwSS_ftp_max_avail_socket, teSubscriptionStatus=teSubscriptionStatus, exchangeCPUUsage=exchangeCPUUsage, haStatLong=haStatLong, raidInfo=raidInfo, voipDOSSipRateLimitingTableIpAddress=voipDOSSipRateLimitingTableIpAddress, aviPOP3LastVirusName=aviPOP3LastVirusName, ufTopBlockedSiteName=ufTopBlockedSiteName, dlpBypassStatus=dlpBypassStatus, fwSS_smtp_passed_by_file_type=fwSS_smtp_passed_by_file_type, fwKmem_system_physical_mem=fwKmem_system_physical_mem, fwSS_http_auth_sess_max=fwSS_http_auth_sess_max, fwHmem_alloc_operations=fwHmem_alloc_operations, msStatCode=msStatCode, ls=ls, haVerMinor=haVerMinor, fwSS_smtp_mail_curr=fwSS_smtp_mail_curr, msEngineVer=msEngineVer, fwSS_ftp_passed_by_AV_settings=fwSS_ftp_passed_by_AV_settings, mgStatLongDescr=mgStatLongDescr, cpseadNumAnalyzedLogs=cpseadNumAnalyzedLogs, fwSS_http_blocked_total=fwSS_http_blocked_total, asmP2POtherConAttempts=asmP2POtherConAttempts, svnMem64=svnMem64, thresholdErrorIndex=thresholdErrorIndex, cpvIpsecComprOverhead=cpvIpsecComprOverhead, aviFTPTopVirusesTable=aviFTPTopVirusesTable, vsxStatusSicTrustState=vsxStatusSicTrustState, fwKmem_number_of_items=fwKmem_number_of_items, raidDiskNumber=raidDiskNumber, fwHmem64_bytes_internal_use=fwHmem64_bytes_internal_use, cpseadJobLogServer=cpseadJobLogServer, advancedUrlFilteringSubscriptionExpDate=advancedUrlFilteringSubscriptionExpDate, fwLocalLoggingDesc=fwLocalLoggingDesc, lsApplicationType=lsApplicationType, identityAwarenessSuccUserLoginPass=identityAwarenessSuccUserLoginPass, identityAwarenessProductName=identityAwarenessProductName, identityAwarenessSuccMachLoginKerberos=identityAwarenessSuccMachLoginKerberos, identityAwarenessDistributedEnvTable=identityAwarenessDistributedEnvTable, cpsemdUpdatesHandled=cpsemdUpdatesHandled, fwSS_http_blocked_by_URL_block_list=fwSS_http_blocked_by_URL_block_list, aviPOP3TopVirusesIndex=aviPOP3TopVirusesIndex, antiBotSubscriptionDesc=antiBotSubscriptionDesc, fwHmem64_number_of_items=fwHmem64_number_of_items, fwSS_rlogin_proto=fwSS_rlogin_proto, fwSS_telnet_socket_in_use_curr=fwSS_telnet_socket_in_use_curr, numOfCIFSPasswordLengthViolations=numOfCIFSPasswordLengthViolations, fwKmem_available_physical_mem=fwKmem_available_physical_mem, identityAwarenessStatusLongDesc=identityAwarenessStatusLongDesc, cpvErrIn=cpvErrIn, fanSpeedSensorValue=fanSpeedSensorValue, applicationControlUpdate=applicationControlUpdate, osSPmajor=osSPmajor, diskTime=diskTime, haInstalled=haInstalled, fwSS_smtp_sess_max=fwSS_smtp_sess_max, voipVersionStr=voipVersionStr, fwSS_telnet_proto=fwSS_telnet_proto, vsxStatusVsType=vsxStatusVsType, cpvIPsecNIC=cpvIPsecNIC, aviTopEverVirusesName=aviTopEverVirusesName, cpvIpsecDecomprPkts=cpvIpsecDecomprPkts, exchangeAgentAvgTimePerMsg=exchangeAgentAvgTimePerMsg, numOfP2POtherConAttempts=numOfP2POtherConAttempts, fwSS_total_passed_by_size_limit=fwSS_total_passed_by_size_limit, voipDOSSipRateLimitingTableNumRequestsfromServers=voipDOSSipRateLimitingTableNumRequestsfromServers, vsxCountersEntry=vsxCountersEntry, cpsemdCorrelationUnitIP=cpsemdCorrelationUnitIP, PYSNMP_MODULE_ID=checkpoint, applicationControlVersion=applicationControlVersion, aviStatLongDescr=aviStatLongDescr, vsxStatusCPUUsageTable=vsxStatusCPUUsageTable, asmCIFSPasswordLengthViolations=asmCIFSPasswordLengthViolations, svn=svn, fwSS_http_sess_count=fwSS_http_sess_count, raidVolumeState=raidVolumeState, raidDiskFlags=raidDiskFlags, multiDiskIndex=multiDiskIndex, fwSXLConnsDeleted=fwSXLConnsDeleted, vsxStatusVsPolicyType=vsxStatusVsPolicyType, fgNumConnOut=fgNumConnOut, fwHmem64_alloc_operations=fwHmem64_alloc_operations, haClusterIpAddr=haClusterIpAddr, svnWebUIPort=svnWebUIPort, raUseUDPEncap=raUseUDPEncap, cpvFwzDecErrs=cpvFwzDecErrs, identityAwarenessUnAuthUsers=identityAwarenessUnAuthUsers, fwUfpInspected=fwUfpInspected, cpvIpsecDecomprOverhead=cpvIpsecDecomprOverhead, aviLastLicExp=aviLastLicExp, fwSS_ftp_blocked_by_file_type=fwSS_ftp_blocked_by_file_type, cpsemdConnectionDuration=cpsemdConnectionDuration, fwTrapPrefix=fwTrapPrefix, lsVerMajor=lsVerMajor, voipProductName=voipProductName, fwLSConnTable=fwLSConnTable, msSpamControlsSpamEngine=msSpamControlsSpamEngine, wamStatCode=wamStatCode, procQueue=procQueue, identityAwarenessLoggedInADQuery=identityAwarenessLoggedInADQuery, raUsersTable=raUsersTable, fwSXLConnsAdded=fwSXLConnsAdded, raidVolumeSize=raidVolumeSize, aviPOP3State=aviPOP3State, multiDiskFreeTotalBytes=multiDiskFreeTotalBytes, dlpLastSMTPScan=dlpLastSMTPScan, asmSynatkSynAckTimeout=asmSynatkSynAckTimeout, voipDOSSipNetworkCallInitICurrentVal=voipDOSSipNetworkCallInitICurrentVal, wamStatShortDescr=wamStatShortDescr, fwSS_ftp_blocked_by_size_limit=fwSS_ftp_blocked_by_size_limit, voipServicePack=voipServicePack, haBlockState=haBlockState, fwSS_rlogin_pid=fwSS_rlogin_pid, cpvMaxConncurEspSAsOut=cpvMaxConncurEspSAsOut, fwSS_http_blocked_cnt=fwSS_http_blocked_cnt, cpseadFileCurrentPosition=cpseadFileCurrentPosition, dlpHttpIncidents=dlpHttpIncidents, teSubscriptionDesc=teSubscriptionDesc, fwNetIfNetmask=fwNetIfNetmask, fwLSConnEntry=fwLSConnEntry, advancedUrlFilteringStatusShortDesc=advancedUrlFilteringStatusShortDesc, cpseadNoFreeDiskSpace=cpseadNoFreeDiskSpace, thresholdStateDesc=thresholdStateDesc, msEngineDate=msEngineDate, vsxCountersBytesRejectedTotal=vsxCountersBytesRejectedTotal, voipCACConcurrentCallsConfThreshold=voipCACConcurrentCallsConfThreshold, ufEngine=ufEngine, raidDiskState=raidDiskState, advancedUrlFilteringRADStatus=advancedUrlFilteringRADStatus, multiDiskSize=multiDiskSize, cpvAccelerator=cpvAccelerator, fanSpeedSensorTable=fanSpeedSensorTable, aviTopEverVirusesTable=aviTopEverVirusesTable, svnProc=svnProc, fwSS_smtp_blocked_by_archive_limit=fwSS_smtp_blocked_by_archive_limit, fwLSConnOverallDesc=fwLSConnOverallDesc, procNum=procNum, fwSS_rlogin_auth_failures=fwSS_rlogin_auth_failures, asmTCP=asmTCP, cpseadFileName=cpseadFileName, multiDiskEntry=multiDiskEntry, voipDOSSipNetworkCallInitConfThreshold=voipDOSSipNetworkCallInitConfThreshold, fwEvent=fwEvent, powerSupplyEntry=powerSupplyEntry, haShared=haShared, fwSS_rlogin_rejected_sess=fwSS_rlogin_rejected_sess, thresholdErrorTime=thresholdErrorTime, fwSS_POP3_proto=fwSS_POP3_proto, haClusterSyncNetMask=haClusterSyncNetMask, multiProcIndex=multiProcIndex, fwSXLConnsExisting=fwSXLConnsExisting, voipDOSSipRateLimitingTableInterval=voipDOSSipRateLimitingTableInterval, fwKmem_bytes_used=fwKmem_bytes_used, asmSynatkModeChange=asmSynatkModeChange, cpvIpsecEspDecPkts=cpvIpsecEspDecPkts, raidVolumeFlags=raidVolumeFlags, wamVerMajor=wamVerMajor, svnNetIfIndex=svnNetIfIndex, fwKmem_aix_heap_size=fwKmem_aix_heap_size, thresholdActiveEventSubjectValue=thresholdActiveEventSubjectValue, fgPendPcktsIn=fgPendPcktsIn, fwLSConnIndex=fwLSConnIndex, fgNumInterfaces=fgNumInterfaces, httpHeaderLengthViolations=httpHeaderLengthViolations, msStatShortDescr=msStatShortDescr, fwNetIfRemoteIp=fwNetIfRemoteIp, fwNetIfIPAddr=fwNetIfIPAddr, fwKmem_bytes_internal_use=fwKmem_bytes_internal_use, dtpsStatShortDescr=dtpsStatShortDescr, fwKmem_non_blocking_bytes_peak=fwKmem_non_blocking_bytes_peak, asmHttpP2PHeaderFilter=asmHttpP2PHeaderFilter, fwSS_http_proxied_sess_curr=fwSS_http_proxied_sess_curr, fwSS_POP3_pid=fwSS_POP3_pid, applicationControlUpdateStatus=applicationControlUpdateStatus, mgIndex=mgIndex, ufTopBlockedSiteTable=ufTopBlockedSiteTable, fwSS_ftp_accepted_sess=fwSS_ftp_accepted_sess, aviSignatureVer=aviSignatureVer, raExternalIpAddr=raExternalIpAddr, identityAwarenessAuthUsersKerberos=identityAwarenessAuthUsersKerberos, aviPOP3LastVirusTime=aviPOP3LastVirusTime, cpvCurrEspSAsOut=cpvCurrEspSAsOut, diskTotal=diskTotal, fwSS_POP3_blocked_cnt=fwSS_POP3_blocked_cnt, fwSS_POP3_passed_by_internal_error=fwSS_POP3_passed_by_internal_error, aviPOP3TopVirusesTable=aviPOP3TopVirusesTable, wamUagNoQueries=wamUagNoQueries, fwHmem_failed_free=fwHmem_failed_free, raidDiskIndex=raidDiskIndex, fwSS_smtp_auth_sess_max=fwSS_smtp_auth_sess_max, fwHmem_bytes_internal_use=fwHmem_bytes_internal_use, aviEngineIndex=aviEngineIndex, voltageSensorIndex=voltageSensorIndex, fwSS_rlogin_sess_count=fwSS_rlogin_sess_count, fwSS_http_ops_cvp_sess_count=fwSS_http_ops_cvp_sess_count, svnNetIfTableEntry=svnNetIfTableEntry, thresholdActiveEventSeverity=thresholdActiveEventSeverity, aviStatShortDescr=aviStatShortDescr, vsxCountersConnNum=vsxCountersConnNum, svnPerf=svnPerf, fwSS_smtp_proto=fwSS_smtp_proto, cpvFwzEncPkts=cpvFwzEncPkts, fwKmem_bytes_unused=fwKmem_bytes_unused, fwKmem_failed_alloc=fwKmem_failed_alloc, voltageSensorType=voltageSensorType, aviSignatureName=aviSignatureName, cpvHwAccelAhDecPkts=cpvHwAccelAhDecPkts, raidDiskEntry=raidDiskEntry, cpvIKECurrSAs=cpvIKECurrSAs, identityAwarenessAuthUsersPass=identityAwarenessAuthUsersPass)
mibBuilder.exportSymbols('CHECKPOINT-MIB', tempertureSensorType=tempertureSensorType, mgClientHost=mgClientHost, vsxStatusCPUUsage24hr=vsxStatusCPUUsage24hr, fwSS_http_ssl_encryp_sess_curr=fwSS_http_ssl_encryp_sess_curr, voipStatLongDescr=voipStatLongDescr, cpvTotalEspSAsOut=cpvTotalEspSAsOut, fwHmem64_current_allocated_bytes=fwHmem64_current_allocated_bytes, cpvFwzStatistics=cpvFwzStatistics, fwHmem_current_allocated_bytes=fwHmem_current_allocated_bytes, smallPMTUValueOfMinimalMTUsize=smallPMTUValueOfMinimalMTUsize, voipDOSSipNetworkReqInterval=voipDOSSipNetworkReqInterval, wamLastSession=wamLastSession, voipDOSSipRateLimitingTableConfThreshold=voipDOSSipRateLimitingTableConfThreshold, exchangeAgentTimeSinceLastMsg=exchangeAgentTimeSinceLastMsg, asmHostPortScan=asmHostPortScan, routingTable=routingTable, fwKmem=fwKmem, fwSS_ftp_passed_by_archive_limit=fwSS_ftp_passed_by_archive_limit, fwPolicyStat=fwPolicyStat, tables=tables, msSpam=msSpam, exchangeAgentQueueLen=exchangeAgentQueueLen, dlpSentEMails=dlpSentEMails, identityAwarenessUnSuccMachLoginKerberos=identityAwarenessUnSuccMachLoginKerberos, fgInstallTime=fgInstallTime, dlpHttpLastScan=dlpHttpLastScan, voipDOSSipNetworkRegInterval=voipDOSSipNetworkRegInterval, vsxStatusVRId=vsxStatusVRId, fwMinor=fwMinor, aviServicesPOP3=aviServicesPOP3, mgBuildNumber=mgBuildNumber, amwABUpdateStatus=amwABUpdateStatus, cpsemdStatCode=cpsemdStatCode, cpvSaDecrErr=cpvSaDecrErr, mgStatCode=mgStatCode, fwSS_telnet_sess_max=fwSS_telnet_sess_max, asmSynatkNumberofunAckedSyns=asmSynatkNumberofunAckedSyns, cpsemdCorrelationUnitTable=cpsemdCorrelationUnitTable, identityAwarenessUnSuccUserLoginPass=identityAwarenessUnSuccUserLoginPass, routingMask=routingMask, voltageSensorEntry=voltageSensorEntry, svnRouteModMask=svnRouteModMask, svnNetIfMTU=svnNetIfMTU, permanentTunnelPeerObjName=permanentTunnelPeerObjName, asmCIFSBlockedPopUps=asmCIFSBlockedPopUps, fwSS_ftp_proto=fwSS_ftp_proto, fwSS_POP3_passed_by_archive_limit=fwSS_POP3_passed_by_archive_limit, ufSignatureDate=ufSignatureDate, raidDiskRevision=raidDiskRevision, mgProdName=mgProdName, lsStatLongDescr=lsStatLongDescr, identityAwarenessADQueryStatusCurrStatus=identityAwarenessADQueryStatusCurrStatus, fwSS_total_passed=fwSS_total_passed, dtpsStatCode=dtpsStatCode, tunnelEntry=tunnelEntry, numOfHttpP2PHeaders=numOfHttpP2PHeaders, thresholdEventsSinceStartup=thresholdEventsSinceStartup, fwHmem_failed_alloc=fwHmem_failed_alloc, fwSS_POP3_blocked_by_AV_settings=fwSS_POP3_blocked_by_AV_settings, cpvIKE=cpvIKE, fwSS_smtp_total_mails=fwSS_smtp_total_mails, fgVerMajor=fgVerMajor, fwSS_total_blocked_by_archive_limit=fwSS_total_blocked_by_archive_limit, tempertureSensorTable=tempertureSensorTable, aviSMTPTopVirusesCnt=aviSMTPTopVirusesCnt, fwUfpHitRatio=fwUfpHitRatio, wamUagPort=wamUagPort, cpsemdCorrelationUnitNumEventsRcvd=cpsemdCorrelationUnitNumEventsRcvd, fwHmem64_maximum_pools=fwHmem64_maximum_pools, svnRouteModIfName=svnRouteModIfName, dlpPostfixQLen=dlpPostfixQLen, httpWorms=httpWorms, fwInspect=fwInspect, fwSS_ftp_passed_total=fwSS_ftp_passed_total, aviEngineName=aviEngineName, lsFwmIsAlive=lsFwmIsAlive, memSwapsSec=memSwapsSec, cpvGeneral=cpvGeneral, mgActiveStatus=mgActiveStatus, raidVolumeID=raidVolumeID, fwSS_ftp_ops_cvp_rej_sess=fwSS_ftp_ops_cvp_rej_sess, fwSS_POP3_sess_curr=fwSS_POP3_sess_curr, fwInspect_packets=fwInspect_packets, ufBlockedCnt=ufBlockedCnt, cpseadProcAlive=cpseadProcAlive, antiVirusSubscriptionExpDate=antiVirusSubscriptionExpDate, fanSpeedSensorIndex=fanSpeedSensorIndex, fwSS_rlogin_socket_in_use_max=fwSS_rlogin_socket_in_use_max, fwAcceptPcktsOut=fwAcceptPcktsOut, voipCACConcurrentCallsCurrentVal=voipCACConcurrentCallsCurrentVal, fwSS_POP3_port=fwSS_POP3_port, asmUDP=asmUDP, vsRoutingDest=vsRoutingDest, memActiveVirtual=memActiveVirtual, mgConnectedClientsEntry=mgConnectedClientsEntry, thresholdActiveEventCategory=thresholdActiveEventCategory, aviTopEverVirusesCnt=aviTopEverVirusesCnt, raidDiskMaxLBA=raidDiskMaxLBA, raidDiskSyncState=raidDiskSyncState, haProblemIndex=haProblemIndex, fwSS_total_blocked_by_av=fwSS_total_blocked_by_av) |
#
# PySNMP MIB module CISCO-ITP-ACT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-ITP-ACT-MIB
# Produced by pysmi-0.3.4 at Wed May 1 12:03:09 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ConstraintsIntersection, ConstraintsUnion, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsIntersection", "ConstraintsUnion", "SingleValueConstraint", "ValueRangeConstraint")
CItpTcGlobalTitleSelectorName, CItpTcLinksetId, CItpTcGtaAddr, CItpTcPointCode, CItpTcServiceIndicator = mibBuilder.importSymbols("CISCO-ITP-TC-MIB", "CItpTcGlobalTitleSelectorName", "CItpTcLinksetId", "CItpTcGtaAddr", "CItpTcPointCode", "CItpTcServiceIndicator")
ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt")
ObjectGroup, ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "ModuleCompliance", "NotificationGroup")
ModuleIdentity, Bits, Integer32, Gauge32, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, MibIdentifier, Counter64, iso, Unsigned32, TimeTicks, IpAddress, ObjectIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "Bits", "Integer32", "Gauge32", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "MibIdentifier", "Counter64", "iso", "Unsigned32", "TimeTicks", "IpAddress", "ObjectIdentity")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
ciscoItpActMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 230))
ciscoItpActMIB.setRevisions(('2002-12-18 00:00', '2001-09-26 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: ciscoItpActMIB.setRevisionsDescriptions(('The ability to allow multiple instances of Signalling Points to run in the same device has introduce a new index structure. All objects in this MIB will be deprecated and replaced by objects in the CISCO-ITP-GACT-MIB.my MIB.', 'Initial version of this MIB module.',))
if mibBuilder.loadTexts: ciscoItpActMIB.setLastUpdated('200212180000Z')
if mibBuilder.loadTexts: ciscoItpActMIB.setOrganization('Cisco Systems, Inc.')
if mibBuilder.loadTexts: ciscoItpActMIB.setContactInfo(' Cisco Systems, Inc Customer Service Postal: 170 W. Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-ss7@cisco.com')
if mibBuilder.loadTexts: ciscoItpActMIB.setDescription('The MIB for providing information specified in ITU Q752 Monitoring and Measurements for Signalling System No. 7(SS7) Network. This information can be used to manage messages transported over SS7 Network via Cisco IP Transfer Point. The Cisco IP Transfer Point (ITP) is a hardware and software solution that transports SS7 traffic using IP. Each ITP node provides function similar to SS7 signaling point. The relevant ITU documents describing this technology is the ITU Q series, including ITU Q.700: Introduction to CCITT Signalling System No. 7 and ITU Q.701 Functional description of the message transfer part (MTP) of Signalling System No. 7.')
cItpActMIBNotifs = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 0))
cItpActMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 1))
cItpActMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 2))
cItpActMtp3 = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1))
cItpActGtt = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2))
cItpActMtp3Table = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1), )
if mibBuilder.loadTexts: cItpActMtp3Table.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3Table.setDescription('This table contains information about the number of packets and bytes at the MTP3 layer. The information collected from both directions(send and receive). The information is broken down by linkset, Destination Point Code (DPC), Originating Point Code (OPC) and Signalling Indicator (SI). This provides the lowest granularity required by Q752 and allows network management stations to calculate the required fields in Q752.')
cItpActMtp3TableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1), ).setIndexNames((0, "CISCO-ITP-ACT-MIB", "cItpActMtp3TableId"), (0, "CISCO-ITP-ACT-MIB", "cItpActMtp3LinksetName"), (0, "CISCO-ITP-ACT-MIB", "cItpActMtp3Dpc"), (0, "CISCO-ITP-ACT-MIB", "cItpActMtp3Opc"), (0, "CISCO-ITP-ACT-MIB", "cItpActMtp3SI"))
if mibBuilder.loadTexts: cItpActMtp3TableEntry.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3TableEntry.setDescription('A list of MTP3 accounting objects.')
cItpActMtp3TableId = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("passed", 1), ("violation", 2))))
if mibBuilder.loadTexts: cItpActMtp3TableId.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3TableId.setDescription("The accounting table identifier. 'passed' : signifies that this table instance represents statistics for packets that matched an Access Control List (ACL) in the linkset's inbound ACL and in the outbound ACL. 'violation' : signifies that this table instance represents statistics for packets that did not match an ACL in the linkset's inbound ACL and in the outbound ACL.")
cItpActMtp3LinksetName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 2), CItpTcLinksetId())
if mibBuilder.loadTexts: cItpActMtp3LinksetName.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3LinksetName.setDescription('The name of the linkset.')
cItpActMtp3Dpc = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 3), CItpTcPointCode())
if mibBuilder.loadTexts: cItpActMtp3Dpc.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3Dpc.setDescription('The destination point code.')
cItpActMtp3Opc = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 4), CItpTcPointCode())
if mibBuilder.loadTexts: cItpActMtp3Opc.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3Opc.setDescription('The origin point code.')
cItpActMtp3SI = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 5), CItpTcServiceIndicator())
if mibBuilder.loadTexts: cItpActMtp3SI.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3SI.setDescription('The service indicator.')
cItpActMtp3RcvdPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 6), Counter32()).setUnits('packets').setMaxAccess("readonly")
if mibBuilder.loadTexts: cItpActMtp3RcvdPackets.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3RcvdPackets.setDescription('Sum of all received packets for this linkset, DPC and OPC combination.')
cItpActMtp3SentPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 7), Counter32()).setUnits('packets').setMaxAccess("readonly")
if mibBuilder.loadTexts: cItpActMtp3SentPackets.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3SentPackets.setDescription('Sum of all transmitted packets for this linkset, DPC and OPC combination.')
cItpActMtp3RcvdBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 8), Counter32()).setUnits('bytes').setMaxAccess("readonly")
if mibBuilder.loadTexts: cItpActMtp3RcvdBytes.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3RcvdBytes.setDescription('Sum of all received bytes for this linkset, DPC and OPC combination.')
cItpActMtp3SentBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 9), Counter32()).setUnits('bytes').setMaxAccess("readonly")
if mibBuilder.loadTexts: cItpActMtp3SentBytes.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3SentBytes.setDescription('Sum of all transmitted bytes for this linkset, DPC and OPC combination.')
cItpActGttTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1), )
if mibBuilder.loadTexts: cItpActGttTable.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttTable.setDescription('This table contains information about the number of packets and bytes required for global title translation.')
cItpActGttTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1), ).setIndexNames((0, "CISCO-ITP-ACT-MIB", "cItpActGttLinksetName"), (0, "CISCO-ITP-ACT-MIB", "cItpActGttSelectorName"), (0, "CISCO-ITP-ACT-MIB", "cItpActGttGta"), (0, "CISCO-ITP-ACT-MIB", "cItpActGttTranslatedPc"))
if mibBuilder.loadTexts: cItpActGttTableEntry.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttTableEntry.setDescription('A list of Gtt accounting objects.')
cItpActGttLinksetName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 1), CItpTcLinksetId())
if mibBuilder.loadTexts: cItpActGttLinksetName.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttLinksetName.setDescription('The name of the linkset.')
cItpActGttSelectorName = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 2), CItpTcGlobalTitleSelectorName())
if mibBuilder.loadTexts: cItpActGttSelectorName.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttSelectorName.setDescription('The Global Title Selector Name.')
cItpActGttGta = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 3), CItpTcGtaAddr())
if mibBuilder.loadTexts: cItpActGttGta.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttGta.setDescription('The Global Title Address.')
cItpActGttTranslatedPc = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 4), CItpTcPointCode())
if mibBuilder.loadTexts: cItpActGttTranslatedPc.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttTranslatedPc.setDescription('The translated point code.')
cItpActGttPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 5), Counter32()).setUnits('bytes').setMaxAccess("readonly")
if mibBuilder.loadTexts: cItpActGttPackets.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttPackets.setDescription('Number of packets performing Global Title Translation.')
cItpActGttBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 6), Counter32()).setUnits('bytes').setMaxAccess("readonly")
if mibBuilder.loadTexts: cItpActGttBytes.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttBytes.setDescription('Count of bytes received that required Global Title Translation.')
cItpActMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 1))
cItpActMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 2))
cItpActMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 1, 1)).setObjects(("CISCO-ITP-ACT-MIB", "cItpActMtp3Group"), ("CISCO-ITP-ACT-MIB", "cItpActGttGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cItpActMIBCompliance = cItpActMIBCompliance.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMIBCompliance.setDescription('The compliance statement for entities which implement the Cisco SP MIB')
cItpActMtp3Group = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 2, 1)).setObjects(("CISCO-ITP-ACT-MIB", "cItpActMtp3RcvdPackets"), ("CISCO-ITP-ACT-MIB", "cItpActMtp3SentPackets"), ("CISCO-ITP-ACT-MIB", "cItpActMtp3RcvdBytes"), ("CISCO-ITP-ACT-MIB", "cItpActMtp3SentBytes"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cItpActMtp3Group = cItpActMtp3Group.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActMtp3Group.setDescription('Accounting for MTP3 objects.')
cItpActGttGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 2, 2)).setObjects(("CISCO-ITP-ACT-MIB", "cItpActGttPackets"), ("CISCO-ITP-ACT-MIB", "cItpActGttBytes"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cItpActGttGroup = cItpActGttGroup.setStatus('deprecated')
if mibBuilder.loadTexts: cItpActGttGroup.setDescription('Accounting for Global Title Translation.')
mibBuilder.exportSymbols("CISCO-ITP-ACT-MIB", cItpActMIBNotifs=cItpActMIBNotifs, cItpActGttPackets=cItpActGttPackets, cItpActMIBConformance=cItpActMIBConformance, cItpActMtp3TableId=cItpActMtp3TableId, cItpActMtp3Table=cItpActMtp3Table, cItpActMtp3Dpc=cItpActMtp3Dpc, cItpActMIBGroups=cItpActMIBGroups, cItpActMIBCompliance=cItpActMIBCompliance, PYSNMP_MODULE_ID=ciscoItpActMIB, cItpActGttTable=cItpActGttTable, cItpActGttTableEntry=cItpActGttTableEntry, cItpActGtt=cItpActGtt, cItpActMtp3SI=cItpActMtp3SI, cItpActMtp3Group=cItpActMtp3Group, cItpActMtp3RcvdPackets=cItpActMtp3RcvdPackets, cItpActGttSelectorName=cItpActGttSelectorName, cItpActMIBObjects=cItpActMIBObjects, cItpActMtp3TableEntry=cItpActMtp3TableEntry, cItpActMtp3LinksetName=cItpActMtp3LinksetName, cItpActGttGta=cItpActGttGta, ciscoItpActMIB=ciscoItpActMIB, cItpActMtp3RcvdBytes=cItpActMtp3RcvdBytes, cItpActMtp3=cItpActMtp3, cItpActMtp3SentBytes=cItpActMtp3SentBytes, cItpActMtp3SentPackets=cItpActMtp3SentPackets, cItpActMtp3Opc=cItpActMtp3Opc, cItpActMIBCompliances=cItpActMIBCompliances, cItpActGttTranslatedPc=cItpActGttTranslatedPc, cItpActGttGroup=cItpActGttGroup, cItpActGttLinksetName=cItpActGttLinksetName, cItpActGttBytes=cItpActGttBytes)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, constraints_intersection, constraints_union, single_value_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueRangeConstraint')
(c_itp_tc_global_title_selector_name, c_itp_tc_linkset_id, c_itp_tc_gta_addr, c_itp_tc_point_code, c_itp_tc_service_indicator) = mibBuilder.importSymbols('CISCO-ITP-TC-MIB', 'CItpTcGlobalTitleSelectorName', 'CItpTcLinksetId', 'CItpTcGtaAddr', 'CItpTcPointCode', 'CItpTcServiceIndicator')
(cisco_mgmt,) = mibBuilder.importSymbols('CISCO-SMI', 'ciscoMgmt')
(object_group, module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ObjectGroup', 'ModuleCompliance', 'NotificationGroup')
(module_identity, bits, integer32, gauge32, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, mib_identifier, counter64, iso, unsigned32, time_ticks, ip_address, object_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'ModuleIdentity', 'Bits', 'Integer32', 'Gauge32', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'MibIdentifier', 'Counter64', 'iso', 'Unsigned32', 'TimeTicks', 'IpAddress', 'ObjectIdentity')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
cisco_itp_act_mib = module_identity((1, 3, 6, 1, 4, 1, 9, 9, 230))
ciscoItpActMIB.setRevisions(('2002-12-18 00:00', '2001-09-26 00:00'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
ciscoItpActMIB.setRevisionsDescriptions(('The ability to allow multiple instances of Signalling Points to run in the same device has introduce a new index structure. All objects in this MIB will be deprecated and replaced by objects in the CISCO-ITP-GACT-MIB.my MIB.', 'Initial version of this MIB module.'))
if mibBuilder.loadTexts:
ciscoItpActMIB.setLastUpdated('200212180000Z')
if mibBuilder.loadTexts:
ciscoItpActMIB.setOrganization('Cisco Systems, Inc.')
if mibBuilder.loadTexts:
ciscoItpActMIB.setContactInfo(' Cisco Systems, Inc Customer Service Postal: 170 W. Tasman Drive San Jose, CA 95134 USA Tel: +1 800 553-NETS E-mail: cs-ss7@cisco.com')
if mibBuilder.loadTexts:
ciscoItpActMIB.setDescription('The MIB for providing information specified in ITU Q752 Monitoring and Measurements for Signalling System No. 7(SS7) Network. This information can be used to manage messages transported over SS7 Network via Cisco IP Transfer Point. The Cisco IP Transfer Point (ITP) is a hardware and software solution that transports SS7 traffic using IP. Each ITP node provides function similar to SS7 signaling point. The relevant ITU documents describing this technology is the ITU Q series, including ITU Q.700: Introduction to CCITT Signalling System No. 7 and ITU Q.701 Functional description of the message transfer part (MTP) of Signalling System No. 7.')
c_itp_act_mib_notifs = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 0))
c_itp_act_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 1))
c_itp_act_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 2))
c_itp_act_mtp3 = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1))
c_itp_act_gtt = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2))
c_itp_act_mtp3_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1))
if mibBuilder.loadTexts:
cItpActMtp3Table.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3Table.setDescription('This table contains information about the number of packets and bytes at the MTP3 layer. The information collected from both directions(send and receive). The information is broken down by linkset, Destination Point Code (DPC), Originating Point Code (OPC) and Signalling Indicator (SI). This provides the lowest granularity required by Q752 and allows network management stations to calculate the required fields in Q752.')
c_itp_act_mtp3_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1)).setIndexNames((0, 'CISCO-ITP-ACT-MIB', 'cItpActMtp3TableId'), (0, 'CISCO-ITP-ACT-MIB', 'cItpActMtp3LinksetName'), (0, 'CISCO-ITP-ACT-MIB', 'cItpActMtp3Dpc'), (0, 'CISCO-ITP-ACT-MIB', 'cItpActMtp3Opc'), (0, 'CISCO-ITP-ACT-MIB', 'cItpActMtp3SI'))
if mibBuilder.loadTexts:
cItpActMtp3TableEntry.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3TableEntry.setDescription('A list of MTP3 accounting objects.')
c_itp_act_mtp3_table_id = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('passed', 1), ('violation', 2))))
if mibBuilder.loadTexts:
cItpActMtp3TableId.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3TableId.setDescription("The accounting table identifier. 'passed' : signifies that this table instance represents statistics for packets that matched an Access Control List (ACL) in the linkset's inbound ACL and in the outbound ACL. 'violation' : signifies that this table instance represents statistics for packets that did not match an ACL in the linkset's inbound ACL and in the outbound ACL.")
c_itp_act_mtp3_linkset_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 2), c_itp_tc_linkset_id())
if mibBuilder.loadTexts:
cItpActMtp3LinksetName.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3LinksetName.setDescription('The name of the linkset.')
c_itp_act_mtp3_dpc = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 3), c_itp_tc_point_code())
if mibBuilder.loadTexts:
cItpActMtp3Dpc.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3Dpc.setDescription('The destination point code.')
c_itp_act_mtp3_opc = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 4), c_itp_tc_point_code())
if mibBuilder.loadTexts:
cItpActMtp3Opc.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3Opc.setDescription('The origin point code.')
c_itp_act_mtp3_si = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 5), c_itp_tc_service_indicator())
if mibBuilder.loadTexts:
cItpActMtp3SI.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3SI.setDescription('The service indicator.')
c_itp_act_mtp3_rcvd_packets = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 6), counter32()).setUnits('packets').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cItpActMtp3RcvdPackets.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3RcvdPackets.setDescription('Sum of all received packets for this linkset, DPC and OPC combination.')
c_itp_act_mtp3_sent_packets = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 7), counter32()).setUnits('packets').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cItpActMtp3SentPackets.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3SentPackets.setDescription('Sum of all transmitted packets for this linkset, DPC and OPC combination.')
c_itp_act_mtp3_rcvd_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 8), counter32()).setUnits('bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cItpActMtp3RcvdBytes.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3RcvdBytes.setDescription('Sum of all received bytes for this linkset, DPC and OPC combination.')
c_itp_act_mtp3_sent_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 1, 1, 1, 9), counter32()).setUnits('bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cItpActMtp3SentBytes.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3SentBytes.setDescription('Sum of all transmitted bytes for this linkset, DPC and OPC combination.')
c_itp_act_gtt_table = mib_table((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1))
if mibBuilder.loadTexts:
cItpActGttTable.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttTable.setDescription('This table contains information about the number of packets and bytes required for global title translation.')
c_itp_act_gtt_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1)).setIndexNames((0, 'CISCO-ITP-ACT-MIB', 'cItpActGttLinksetName'), (0, 'CISCO-ITP-ACT-MIB', 'cItpActGttSelectorName'), (0, 'CISCO-ITP-ACT-MIB', 'cItpActGttGta'), (0, 'CISCO-ITP-ACT-MIB', 'cItpActGttTranslatedPc'))
if mibBuilder.loadTexts:
cItpActGttTableEntry.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttTableEntry.setDescription('A list of Gtt accounting objects.')
c_itp_act_gtt_linkset_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 1), c_itp_tc_linkset_id())
if mibBuilder.loadTexts:
cItpActGttLinksetName.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttLinksetName.setDescription('The name of the linkset.')
c_itp_act_gtt_selector_name = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 2), c_itp_tc_global_title_selector_name())
if mibBuilder.loadTexts:
cItpActGttSelectorName.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttSelectorName.setDescription('The Global Title Selector Name.')
c_itp_act_gtt_gta = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 3), c_itp_tc_gta_addr())
if mibBuilder.loadTexts:
cItpActGttGta.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttGta.setDescription('The Global Title Address.')
c_itp_act_gtt_translated_pc = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 4), c_itp_tc_point_code())
if mibBuilder.loadTexts:
cItpActGttTranslatedPc.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttTranslatedPc.setDescription('The translated point code.')
c_itp_act_gtt_packets = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 5), counter32()).setUnits('bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cItpActGttPackets.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttPackets.setDescription('Number of packets performing Global Title Translation.')
c_itp_act_gtt_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 9, 9, 230, 1, 2, 1, 1, 6), counter32()).setUnits('bytes').setMaxAccess('readonly')
if mibBuilder.loadTexts:
cItpActGttBytes.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttBytes.setDescription('Count of bytes received that required Global Title Translation.')
c_itp_act_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 1))
c_itp_act_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 2))
c_itp_act_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 1, 1)).setObjects(('CISCO-ITP-ACT-MIB', 'cItpActMtp3Group'), ('CISCO-ITP-ACT-MIB', 'cItpActGttGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
c_itp_act_mib_compliance = cItpActMIBCompliance.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMIBCompliance.setDescription('The compliance statement for entities which implement the Cisco SP MIB')
c_itp_act_mtp3_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 2, 1)).setObjects(('CISCO-ITP-ACT-MIB', 'cItpActMtp3RcvdPackets'), ('CISCO-ITP-ACT-MIB', 'cItpActMtp3SentPackets'), ('CISCO-ITP-ACT-MIB', 'cItpActMtp3RcvdBytes'), ('CISCO-ITP-ACT-MIB', 'cItpActMtp3SentBytes'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
c_itp_act_mtp3_group = cItpActMtp3Group.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActMtp3Group.setDescription('Accounting for MTP3 objects.')
c_itp_act_gtt_group = object_group((1, 3, 6, 1, 4, 1, 9, 9, 230, 2, 2, 2)).setObjects(('CISCO-ITP-ACT-MIB', 'cItpActGttPackets'), ('CISCO-ITP-ACT-MIB', 'cItpActGttBytes'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
c_itp_act_gtt_group = cItpActGttGroup.setStatus('deprecated')
if mibBuilder.loadTexts:
cItpActGttGroup.setDescription('Accounting for Global Title Translation.')
mibBuilder.exportSymbols('CISCO-ITP-ACT-MIB', cItpActMIBNotifs=cItpActMIBNotifs, cItpActGttPackets=cItpActGttPackets, cItpActMIBConformance=cItpActMIBConformance, cItpActMtp3TableId=cItpActMtp3TableId, cItpActMtp3Table=cItpActMtp3Table, cItpActMtp3Dpc=cItpActMtp3Dpc, cItpActMIBGroups=cItpActMIBGroups, cItpActMIBCompliance=cItpActMIBCompliance, PYSNMP_MODULE_ID=ciscoItpActMIB, cItpActGttTable=cItpActGttTable, cItpActGttTableEntry=cItpActGttTableEntry, cItpActGtt=cItpActGtt, cItpActMtp3SI=cItpActMtp3SI, cItpActMtp3Group=cItpActMtp3Group, cItpActMtp3RcvdPackets=cItpActMtp3RcvdPackets, cItpActGttSelectorName=cItpActGttSelectorName, cItpActMIBObjects=cItpActMIBObjects, cItpActMtp3TableEntry=cItpActMtp3TableEntry, cItpActMtp3LinksetName=cItpActMtp3LinksetName, cItpActGttGta=cItpActGttGta, ciscoItpActMIB=ciscoItpActMIB, cItpActMtp3RcvdBytes=cItpActMtp3RcvdBytes, cItpActMtp3=cItpActMtp3, cItpActMtp3SentBytes=cItpActMtp3SentBytes, cItpActMtp3SentPackets=cItpActMtp3SentPackets, cItpActMtp3Opc=cItpActMtp3Opc, cItpActMIBCompliances=cItpActMIBCompliances, cItpActGttTranslatedPc=cItpActGttTranslatedPc, cItpActGttGroup=cItpActGttGroup, cItpActGttLinksetName=cItpActGttLinksetName, cItpActGttBytes=cItpActGttBytes) |
class MPRuntimeError(Exception):
def __init__(self, msg, node):
self.msg = msg
self.node = node
class MPNameError(MPRuntimeError): pass
class MPSyntaxError(MPRuntimeError): pass
# To be thrown from functions outside the interpreter --
# will be caught during execution and displayed as a runtime error.
class MPInternalError(Exception): pass | class Mpruntimeerror(Exception):
def __init__(self, msg, node):
self.msg = msg
self.node = node
class Mpnameerror(MPRuntimeError):
pass
class Mpsyntaxerror(MPRuntimeError):
pass
class Mpinternalerror(Exception):
pass |
with open("1.in") as file:
lines = file.readlines()
lines = [line.rstrip() for line in lines]
# Part 1
increases = 0
for i in range(0, len(lines)-1):
if int(lines[i]) < int(lines[i+1]):
increases += 1
print(increases)
# Part 2
increases = 0
for i in range(0, len(lines)-3):
if (int(lines[i]) + int(lines[i+1]) + int(lines[i+2])) < (int(lines[i+1]) + int(lines[i+2]) + int(lines[i+3])):
increases += 1
print(increases)
| with open('1.in') as file:
lines = file.readlines()
lines = [line.rstrip() for line in lines]
increases = 0
for i in range(0, len(lines) - 1):
if int(lines[i]) < int(lines[i + 1]):
increases += 1
print(increases)
increases = 0
for i in range(0, len(lines) - 3):
if int(lines[i]) + int(lines[i + 1]) + int(lines[i + 2]) < int(lines[i + 1]) + int(lines[i + 2]) + int(lines[i + 3]):
increases += 1
print(increases) |
class Pizza():
pass
class PizzaBuilder():
def __init__(self, inches: int):
self.inches = inches
def addCheese(self):
pass
def addPepperoni(self):
pass
def addSalami(self):
pass
def addPimientos(self):
pass
def addCebolla(self):
pass
def addChampinones(self):
pass
def build(self):
return Pizza
if PizzaBuilder(14):
pizza = Pizza.PizzaBuilder().addPepperoni().addCheese().addCheese().build()
elif PizzaBuilder(18):
pizza = Pizza.PizzaBuilder().addCheese().build()
else:
pizza = Pizza.PizzaBuilder().addPepperoni().addCheese().addSalami().addPimientos().addCebolla().addChampinones().build()
| class Pizza:
pass
class Pizzabuilder:
def __init__(self, inches: int):
self.inches = inches
def add_cheese(self):
pass
def add_pepperoni(self):
pass
def add_salami(self):
pass
def add_pimientos(self):
pass
def add_cebolla(self):
pass
def add_champinones(self):
pass
def build(self):
return Pizza
if pizza_builder(14):
pizza = Pizza.PizzaBuilder().addPepperoni().addCheese().addCheese().build()
elif pizza_builder(18):
pizza = Pizza.PizzaBuilder().addCheese().build()
else:
pizza = Pizza.PizzaBuilder().addPepperoni().addCheese().addSalami().addPimientos().addCebolla().addChampinones().build() |
# This script will create an ELF file
### SECTION .TEXT
# mov ebx, 1 ; prints hello
# mov eax, 4
# mov ecx, HWADDR
# mov edx, HWLEN
# int 0x80
# mov eax, 1 ; exits
# mov ebx, 0x5D
# int 0x80
### SECTION .DATA
# HWADDR db "Hello World!", 0x0A
out = ''
### ELF HEADER
# e_ident(16):
out += '\x7FELF\x01\x01\x01\x00\x00\x00\x00\x00\x00\x00\x00\x10'
# e_type(2) - set it to 0x02 0x00 - ELF file:
out += '\x02\x00'
# e_machine(2) - set it to 0x03 0x00 - i386:
out += '\x03\x00'
# e_version(4):
out += '\x01\x00\x00\x00'
# e_entry(4) entry point:
out += '\x80\x80\x04\x08'
# e_phoff(4) - offset from file to program header table.
out += '\x34\x00\x00\x00'
# e_shoff(4) - offset from file to section header table.
out += '\x00\x00\x00\x00'
# e_flags(4) - we don't need flags:
out += '\x00\x00\x00\x00'
# e_ehsize(2) size of the ELF header:
out += '\x34\x00'
# e_phentsize(2) - size of a program header.
out += '\x20\x00'
# e_phnum(2) - number of program headers:
out += '\x02\x00'
# e_shentsize(2), e_shnum(2), e_shstrndx(2): irrelevant:
out += '\x00\x00\x00\x00\x00\x00'
### PROGRAM HEADER
# .text segment header
# p_type(4) type of segment:
out += '\x01\x00\x00\x00'
# p_offset(4) offset from the beginning of the file:
out += '\x80\x00\x00\x00'
# p_vaddr(4) - what virtual address to assign to segment:
out += '\x80\x80\x04\x08'
# p_paddr(4) - physical addressing is irrelevant:
out += '\x00\x00\x00\x00'
# p_filesz(4) - number of bytes in file image of segment
out += '\x24\x00\x00\x00'
# p_memsz(4) - number of bytes in memory image of segment:
out += '\x24\x00\x00\x00'
# p_flags(4):
out += '\x05\x00\x00\x00'
# p_align(4) - handles alignment to memory pages:
out += '\x00\x10\x00\x00'
# .data segment header
out += '\x01\x00\x00\x00\xA4\x00\x00\x00\xA4\x80\x04\x08\x00\x00\x00\x00'
out += '\x20\x00\x00\x00\x20\x00\x00\x00\x07\x00\x00\x00\x00\x10\x00\x00'
# padding
out += '\x00' * 12
# .text segment
out += '\xBB\x01\x00\x00\x00\xB8\x04\x00\x00\x00\xB9\xA4\x80\x04\x08\xBA'
out += '\x0D\x00\x00\x00\xCD\x80\xB8\x01\x00\x00\x00\xBB\x2A\x00\x00\x00'
out += '\xCD\x80'
# padding
out += '\x00\x00'
# .data segment
out += 'Hello World!\x0A'
f = file('elffile', 'r+wb')
f.seek(0)
f.truncate()
f.writelines([out])
f.close() | out = ''
out += '\x7fELF\x01\x01\x01\x00\x00\x00\x00\x00\x00\x00\x00\x10'
out += '\x02\x00'
out += '\x03\x00'
out += '\x01\x00\x00\x00'
out += '\x80\x80\x04\x08'
out += '4\x00\x00\x00'
out += '\x00\x00\x00\x00'
out += '\x00\x00\x00\x00'
out += '4\x00'
out += ' \x00'
out += '\x02\x00'
out += '\x00\x00\x00\x00\x00\x00'
out += '\x01\x00\x00\x00'
out += '\x80\x00\x00\x00'
out += '\x80\x80\x04\x08'
out += '\x00\x00\x00\x00'
out += '$\x00\x00\x00'
out += '$\x00\x00\x00'
out += '\x05\x00\x00\x00'
out += '\x00\x10\x00\x00'
out += '\x01\x00\x00\x00¤\x00\x00\x00¤\x80\x04\x08\x00\x00\x00\x00'
out += ' \x00\x00\x00 \x00\x00\x00\x07\x00\x00\x00\x00\x10\x00\x00'
out += '\x00' * 12
out += '»\x01\x00\x00\x00¸\x04\x00\x00\x00¹¤\x80\x04\x08º'
out += '\r\x00\x00\x00Í\x80¸\x01\x00\x00\x00»*\x00\x00\x00'
out += 'Í\x80'
out += '\x00\x00'
out += 'Hello World!\n'
f = file('elffile', 'r+wb')
f.seek(0)
f.truncate()
f.writelines([out])
f.close() |
# Copyright 2020-2021 antillia.com Toshiyuki Arai
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
# METRICS.py
#
LOSS = "loss"
VAL_LOSS = "val_loss"
FT_CLASSIFICATION_ACC = "ft_classification_acc"
CLASSIFICATION_ACC = "classification_acc"
REGRESSION_ACC = "regression_acc"
VAL_FT_CLASSIFICATION_ACC = "val_ft_classification_acc"
VAL_CLASSIFICATION_ACC = "val_classification_acc"
VAL_REGRESSION_ACC = "val_regression_acc"
| loss = 'loss'
val_loss = 'val_loss'
ft_classification_acc = 'ft_classification_acc'
classification_acc = 'classification_acc'
regression_acc = 'regression_acc'
val_ft_classification_acc = 'val_ft_classification_acc'
val_classification_acc = 'val_classification_acc'
val_regression_acc = 'val_regression_acc' |
class Settings:
CORRECTOR_DOCUMENTS_LIMIT = 20000
CORRECTOR_TIMEOUT_DAYS = 10
THREAD_COUNT = 4
CALC_TOTAL_DURATION = True
CALC_CLIENT_SS_REQUEST_DURATION = True
CALC_CLIENT_SS_RESPONSE_DURATION = True
CALC_PRODUCER_DURATION_CLIENT_VIEW = True
CALC_PRODUCER_DURATION_PRODUCER_VIEW = True
CALC_PRODUCER_SS_REQUEST_DURATION = True
CALC_PRODUCER_SS_RESPONSE_DURATION = True
CALC_PRODUCER_IS_DURATION = True
CALC_REQUEST_NW_DURATION = True
CALC_RESPONSE_NW_DURATION = True
CALC_REQUEST_SIZE = True
CALC_RESPONSE_SIZE = True
LOGGER_NAME = "test"
COMPARISON_LIST = ['clientMemberClass', 'requestMimeSize', 'serviceSubsystemCode', 'requestAttachmentCount',
'serviceSecurityServerAddress', 'messageProtocolVersion', 'responseSoapSize', 'succeeded',
'clientSubsystemCode', 'responseAttachmentCount', 'serviceMemberClass', 'messageUserId',
'serviceMemberCode', 'serviceXRoadInstance', 'clientSecurityServerAddress', 'clientMemberCode',
'clientXRoadInstance', 'messageIssue', 'serviceVersion', 'requestSoapSize', 'serviceCode',
'representedPartyClass', 'representedPartyCode', 'soapFaultCode', 'soapFaultString',
'responseMimeSize', 'messageId']
comparison_list_orphan = [
'clientMemberClass', 'serviceSubsystemCode', 'serviceSecurityServerAddress', 'messageProtocolVersion', 'succeeded',
'clientSubsystemCode', 'serviceMemberClass', 'messageUserId', 'serviceMemberCode', 'serviceXRoadInstance',
'clientSecurityServerAddress', 'clientMemberCode', 'clientXRoadInstance', 'messageIssue', 'serviceVersion',
'serviceCode', 'representedPartyClass', 'representedPartyCode', 'soapFaultCode', 'soapFaultString', 'messageId'
]
| class Settings:
corrector_documents_limit = 20000
corrector_timeout_days = 10
thread_count = 4
calc_total_duration = True
calc_client_ss_request_duration = True
calc_client_ss_response_duration = True
calc_producer_duration_client_view = True
calc_producer_duration_producer_view = True
calc_producer_ss_request_duration = True
calc_producer_ss_response_duration = True
calc_producer_is_duration = True
calc_request_nw_duration = True
calc_response_nw_duration = True
calc_request_size = True
calc_response_size = True
logger_name = 'test'
comparison_list = ['clientMemberClass', 'requestMimeSize', 'serviceSubsystemCode', 'requestAttachmentCount', 'serviceSecurityServerAddress', 'messageProtocolVersion', 'responseSoapSize', 'succeeded', 'clientSubsystemCode', 'responseAttachmentCount', 'serviceMemberClass', 'messageUserId', 'serviceMemberCode', 'serviceXRoadInstance', 'clientSecurityServerAddress', 'clientMemberCode', 'clientXRoadInstance', 'messageIssue', 'serviceVersion', 'requestSoapSize', 'serviceCode', 'representedPartyClass', 'representedPartyCode', 'soapFaultCode', 'soapFaultString', 'responseMimeSize', 'messageId']
comparison_list_orphan = ['clientMemberClass', 'serviceSubsystemCode', 'serviceSecurityServerAddress', 'messageProtocolVersion', 'succeeded', 'clientSubsystemCode', 'serviceMemberClass', 'messageUserId', 'serviceMemberCode', 'serviceXRoadInstance', 'clientSecurityServerAddress', 'clientMemberCode', 'clientXRoadInstance', 'messageIssue', 'serviceVersion', 'serviceCode', 'representedPartyClass', 'representedPartyCode', 'soapFaultCode', 'soapFaultString', 'messageId'] |
def trap():
left = [0]*n
right = [0]*n
s = 0
left[0] = A[0]
for i in range( 1, n):
left[i] = max(left[i-1], A[i])
right[n-1] = A[n-1]
for i in range(n-2, -1, -1):
right[i] = max(right[i + 1], A[i]);
for i in range(0, n):
s += min(left[i], right[i]) - A[i]
return s
if __name__=='__main__':
for _ in range(int(input())):
n = int(input())
A = list(map(int, input().rstrip().split()))
print(trap()) | def trap():
left = [0] * n
right = [0] * n
s = 0
left[0] = A[0]
for i in range(1, n):
left[i] = max(left[i - 1], A[i])
right[n - 1] = A[n - 1]
for i in range(n - 2, -1, -1):
right[i] = max(right[i + 1], A[i])
for i in range(0, n):
s += min(left[i], right[i]) - A[i]
return s
if __name__ == '__main__':
for _ in range(int(input())):
n = int(input())
a = list(map(int, input().rstrip().split()))
print(trap()) |
class LoadSql(object):
CREATE_DETECTION_TABLE = \
"""
CREATE TABLE P2Detection(
`objID` bigint NOT NULL,
detectID bigint NOT NULL,
ippObjID bigint NOT NULL,
ippDetectID bigint NOT NULL,
filterID smallint NOT NULL,
imageID bigint NOT NULL,
obsTime float NOT NULL DEFAULT -999,
xPos real NOT NULL DEFAULT -999,
yPos real NOT NULL DEFAULT -999,
xPosErr real NOT NULL DEFAULT -999,
yPosErr real NOT NULL DEFAULT -999,
instFlux real NOT NULL DEFAULT -999,
instFluxErr real NOT NULL DEFAULT -999,
psfWidMajor real NOT NULL DEFAULT -999,
psfWidMinor real NOT NULL DEFAULT -999,
psfTheta real NOT NULL DEFAULT -999,
psfLikelihood real NOT NULL DEFAULT -999,
psfCf real NOT NULL DEFAULT -999,
infoFlag int NOT NULL DEFAULT -999,
htmID float NOT NULL DEFAULT -999,
zoneID float NOT NULL DEFAULT -999,
assocDate date NOT NULL DEFAULT '28881231',
modNum smallint NOT NULL DEFAULT 0,
ra float NOT NULL,
`dec` float NOT NULL,
raErr real NOT NULL DEFAULT 0,
decErr real NOT NULL DEFAULT 0,
cx float NOT NULL DEFAULT -999,
cy float NOT NULL DEFAULT -999,
cz float NOT NULL DEFAULT -999,
peakFlux real NOT NULL DEFAULT -999,
calMag real NOT NULL DEFAULT -999,
calMagErr real NOT NULL DEFAULT -999,
calFlux real NOT NULL DEFAULT -999,
calFluxErr real NOT NULL DEFAULT -999,
calColor real NOT NULL DEFAULT -999,
calColorErr real NOT NULL DEFAULT -999,
sky real NOT NULL DEFAULT -999,
skyErr real NOT NULL DEFAULT -999,
sgSep real NOT NULL DEFAULT -999,
dataRelease smallint NOT NULL,
CONSTRAINT PK_P2Detection_objID_detectID PRIMARY KEY
(
`objID`,
detectID
))
"""
CREATE_FRAME_META_TABLE = \
"""
CREATE TABLE P2FrameMeta(
frameID int NOT NULL PRIMARY KEY,
surveyID smallint NOT NULL,
filterID smallint NOT NULL,
cameraID smallint NOT NULL,
telescopeID smallint NOT NULL,
analysisVer smallint NOT NULL,
p1Recip smallint NOT NULL DEFAULT -999,
p2Recip smallint NOT NULL DEFAULT -999,
p3Recip smallint NOT NULL DEFAULT -999,
nP2Images smallint NOT NULL DEFAULT -999,
astroScat real NOT NULL DEFAULT -999,
photoScat real NOT NULL DEFAULT -999,
nAstRef int NOT NULL DEFAULT -999,
nPhoRef int NOT NULL DEFAULT -999,
expStart float NOT NULL DEFAULT -999,
expTime real NOT NULL DEFAULT -999,
airmass real NOT NULL DEFAULT -999,
raBore float NOT NULL DEFAULT -999,
decBore float NOT NULL DEFAULT -999
)
"""
CREATE_IMAGE_META_TABLE = \
"""
CREATE TABLE P2ImageMeta(
imageID bigint NOT NULL PRIMARY KEY,
frameID int NOT NULL,
ccdID smallint NOT NULL,
photoCalID int NOT NULL,
filterID smallint NOT NULL,
bias real NOT NULL DEFAULT -999,
biasScat real NOT NULL DEFAULT -999,
sky real NOT NULL DEFAULT -999,
skyScat real NOT NULL DEFAULT -999,
nDetect int NOT NULL DEFAULT -999,
magSat real NOT NULL DEFAULT -999,
completMag real NOT NULL DEFAULT -999,
astroScat real NOT NULL DEFAULT -999,
photoScat real NOT NULL DEFAULT -999,
nAstRef int NOT NULL DEFAULT -999,
nPhoRef int NOT NULL DEFAULT -999,
nx smallint NOT NULL DEFAULT -999,
ny smallint NOT NULL DEFAULT -999,
psfFwhm real NOT NULL DEFAULT -999,
psfModelID int NOT NULL DEFAULT -999,
psfSigMajor real NOT NULL DEFAULT -999,
psfSigMinor real NOT NULL DEFAULT -999,
psfTheta real NOT NULL DEFAULT -999,
psfExtra1 real NOT NULL DEFAULT -999,
psfExtra2 real NOT NULL DEFAULT -999,
apResid real NOT NULL DEFAULT -999,
dapResid real NOT NULL DEFAULT -999,
detectorID smallint NOT NULL DEFAULT -999,
qaFlags int NOT NULL DEFAULT -999,
detrend1 bigint NOT NULL DEFAULT -999,
detrend2 bigint NOT NULL DEFAULT -999,
detrend3 bigint NOT NULL DEFAULT -999,
detrend4 bigint NOT NULL DEFAULT -999,
detrend5 bigint NOT NULL DEFAULT -999,
detrend6 bigint NOT NULL DEFAULT -999,
detrend7 bigint NOT NULL DEFAULT -999,
detrend8 bigint NOT NULL DEFAULT -999,
photoZero real NOT NULL DEFAULT -999,
photoColor real NOT NULL DEFAULT -999,
projection1 varchar(8000) NOT NULL DEFAULT '-999',
projection2 varchar(8000) NOT NULL DEFAULT '-999',
crval1 float NOT NULL DEFAULT -999,
crval2 float NOT NULL DEFAULT -999,
crpix1 float NOT NULL DEFAULT -999,
crpix2 float NOT NULL DEFAULT -999,
pc001001 float NOT NULL DEFAULT -999,
pc001002 float NOT NULL DEFAULT -999,
pc002001 float NOT NULL DEFAULT -999,
pc002002 float NOT NULL DEFAULT -999,
polyOrder int NOT NULL DEFAULT -999,
pca1x3y0 float NOT NULL DEFAULT -999,
pca1x2y1 float NOT NULL DEFAULT -999,
pca1x1y2 float NOT NULL DEFAULT -999,
pca1x0y3 float NOT NULL DEFAULT -999,
pca1x2y0 float NOT NULL DEFAULT -999,
pca1x1y1 float NOT NULL DEFAULT -999,
pca1x0y2 float NOT NULL DEFAULT -999,
pca2x3y0 float NOT NULL DEFAULT -999,
pca2x2y1 float NOT NULL DEFAULT -999,
pca2x1y2 float NOT NULL DEFAULT -999,
pca2x0y3 float NOT NULL DEFAULT -999,
pca2x2y0 float NOT NULL DEFAULT -999,
pca2x1y1 float NOT NULL DEFAULT -999,
pca2x0y2 float NOT NULL DEFAULT -999
)
"""
| class Loadsql(object):
create_detection_table = "\nCREATE TABLE P2Detection(\n `objID` bigint NOT NULL,\n detectID bigint NOT NULL,\n ippObjID bigint NOT NULL,\n ippDetectID bigint NOT NULL,\n filterID smallint NOT NULL,\n imageID bigint NOT NULL,\n obsTime float NOT NULL DEFAULT -999,\n xPos real NOT NULL DEFAULT -999,\n yPos real NOT NULL DEFAULT -999,\n xPosErr real NOT NULL DEFAULT -999,\n yPosErr real NOT NULL DEFAULT -999,\n instFlux real NOT NULL DEFAULT -999,\n instFluxErr real NOT NULL DEFAULT -999,\n psfWidMajor real NOT NULL DEFAULT -999,\n psfWidMinor real NOT NULL DEFAULT -999,\n psfTheta real NOT NULL DEFAULT -999,\n psfLikelihood real NOT NULL DEFAULT -999,\n psfCf real NOT NULL DEFAULT -999,\n infoFlag int NOT NULL DEFAULT -999,\n htmID float NOT NULL DEFAULT -999,\n zoneID float NOT NULL DEFAULT -999,\n assocDate date NOT NULL DEFAULT '28881231',\n modNum smallint NOT NULL DEFAULT 0,\n ra float NOT NULL,\n `dec` float NOT NULL,\n raErr real NOT NULL DEFAULT 0,\n decErr real NOT NULL DEFAULT 0,\n cx float NOT NULL DEFAULT -999,\n cy float NOT NULL DEFAULT -999,\n cz float NOT NULL DEFAULT -999,\n peakFlux real NOT NULL DEFAULT -999,\n calMag real NOT NULL DEFAULT -999,\n calMagErr real NOT NULL DEFAULT -999,\n calFlux real NOT NULL DEFAULT -999,\n calFluxErr real NOT NULL DEFAULT -999,\n calColor real NOT NULL DEFAULT -999,\n calColorErr real NOT NULL DEFAULT -999,\n sky real NOT NULL DEFAULT -999,\n skyErr real NOT NULL DEFAULT -999,\n sgSep real NOT NULL DEFAULT -999,\n dataRelease smallint NOT NULL,\n CONSTRAINT PK_P2Detection_objID_detectID PRIMARY KEY\n(\n `objID`,\n detectID\n))\n"
create_frame_meta_table = '\nCREATE TABLE P2FrameMeta(\n frameID int NOT NULL PRIMARY KEY,\n surveyID smallint NOT NULL,\n filterID smallint NOT NULL,\n cameraID smallint NOT NULL,\n telescopeID smallint NOT NULL,\n analysisVer smallint NOT NULL,\n p1Recip smallint NOT NULL DEFAULT -999,\n p2Recip smallint NOT NULL DEFAULT -999,\n p3Recip smallint NOT NULL DEFAULT -999,\n nP2Images smallint NOT NULL DEFAULT -999,\n astroScat real NOT NULL DEFAULT -999,\n photoScat real NOT NULL DEFAULT -999,\n nAstRef int NOT NULL DEFAULT -999,\n nPhoRef int NOT NULL DEFAULT -999,\n expStart float NOT NULL DEFAULT -999,\n expTime real NOT NULL DEFAULT -999,\n airmass real NOT NULL DEFAULT -999,\n raBore float NOT NULL DEFAULT -999,\n decBore float NOT NULL DEFAULT -999\n)\n'
create_image_meta_table = "\nCREATE TABLE P2ImageMeta(\n imageID bigint NOT NULL PRIMARY KEY,\n frameID int NOT NULL,\n ccdID smallint NOT NULL,\n photoCalID int NOT NULL,\n filterID smallint NOT NULL,\n bias real NOT NULL DEFAULT -999,\n biasScat real NOT NULL DEFAULT -999,\n sky real NOT NULL DEFAULT -999,\n skyScat real NOT NULL DEFAULT -999,\n nDetect int NOT NULL DEFAULT -999,\n magSat real NOT NULL DEFAULT -999,\n completMag real NOT NULL DEFAULT -999,\n astroScat real NOT NULL DEFAULT -999,\n photoScat real NOT NULL DEFAULT -999,\n nAstRef int NOT NULL DEFAULT -999,\n nPhoRef int NOT NULL DEFAULT -999,\n nx smallint NOT NULL DEFAULT -999,\n ny smallint NOT NULL DEFAULT -999,\n psfFwhm real NOT NULL DEFAULT -999,\n psfModelID int NOT NULL DEFAULT -999,\n psfSigMajor real NOT NULL DEFAULT -999,\n psfSigMinor real NOT NULL DEFAULT -999,\n psfTheta real NOT NULL DEFAULT -999,\n psfExtra1 real NOT NULL DEFAULT -999,\n psfExtra2 real NOT NULL DEFAULT -999,\n apResid real NOT NULL DEFAULT -999,\n dapResid real NOT NULL DEFAULT -999,\n detectorID smallint NOT NULL DEFAULT -999,\n qaFlags int NOT NULL DEFAULT -999,\n detrend1 bigint NOT NULL DEFAULT -999,\n detrend2 bigint NOT NULL DEFAULT -999,\n detrend3 bigint NOT NULL DEFAULT -999,\n detrend4 bigint NOT NULL DEFAULT -999,\n detrend5 bigint NOT NULL DEFAULT -999,\n detrend6 bigint NOT NULL DEFAULT -999,\n detrend7 bigint NOT NULL DEFAULT -999,\n detrend8 bigint NOT NULL DEFAULT -999,\n photoZero real NOT NULL DEFAULT -999,\n photoColor real NOT NULL DEFAULT -999,\n projection1 varchar(8000) NOT NULL DEFAULT '-999',\n projection2 varchar(8000) NOT NULL DEFAULT '-999',\n crval1 float NOT NULL DEFAULT -999,\n crval2 float NOT NULL DEFAULT -999,\n crpix1 float NOT NULL DEFAULT -999,\n crpix2 float NOT NULL DEFAULT -999,\n pc001001 float NOT NULL DEFAULT -999,\n pc001002 float NOT NULL DEFAULT -999,\n pc002001 float NOT NULL DEFAULT -999,\n pc002002 float NOT NULL DEFAULT -999,\n polyOrder int NOT NULL DEFAULT -999,\n pca1x3y0 float NOT NULL DEFAULT -999,\n pca1x2y1 float NOT NULL DEFAULT -999,\n pca1x1y2 float NOT NULL DEFAULT -999,\n pca1x0y3 float NOT NULL DEFAULT -999,\n pca1x2y0 float NOT NULL DEFAULT -999,\n pca1x1y1 float NOT NULL DEFAULT -999,\n pca1x0y2 float NOT NULL DEFAULT -999,\n pca2x3y0 float NOT NULL DEFAULT -999,\n pca2x2y1 float NOT NULL DEFAULT -999,\n pca2x1y2 float NOT NULL DEFAULT -999,\n pca2x0y3 float NOT NULL DEFAULT -999,\n pca2x2y0 float NOT NULL DEFAULT -999,\n pca2x1y1 float NOT NULL DEFAULT -999,\n pca2x0y2 float NOT NULL DEFAULT -999\n)\n" |
# Copyright (c) 2022 Tulir Asokan
#
# This Source Code Form is subject to the terms of the Mozilla Public
# License, v. 2.0. If a copy of the MPL was not distributed with this
# file, You can obtain one at http://mozilla.org/MPL/2.0/.
def _pluralize(count: int, singular: str) -> str:
return singular if count == 1 else f"{singular}s"
def _include_if_positive(count: int, word: str) -> str:
return f"{count} {_pluralize(count, word)}" if count > 0 else ""
def format_duration(seconds: int) -> str:
"""
Format seconds as a simple duration in weeks/days/hours/minutes/seconds.
Args:
seconds: The number of seconds as an integer. Must be positive.
Returns:
The formatted duration.
Examples:
>>> from mautrix.util.format_duration import format_duration
>>> format_duration(1234)
'20 minutes and 34 seconds'
>>> format_duration(987654)
'1 week, 4 days, 10 hours, 20 minutes and 54 seconds'
>>> format_duration(60)
'1 minute'
Raises:
ValueError: if the duration is not positive.
"""
if seconds <= 0:
raise ValueError("format_duration only accepts positive values")
minutes, seconds = divmod(seconds, 60)
hours, minutes = divmod(minutes, 60)
days, hours = divmod(hours, 24)
weeks, days = divmod(days, 7)
parts = [
_include_if_positive(weeks, "week"),
_include_if_positive(days, "day"),
_include_if_positive(hours, "hour"),
_include_if_positive(minutes, "minute"),
_include_if_positive(seconds, "second"),
]
parts = [part for part in parts if part]
if len(parts) > 2:
parts = [", ".join(parts[:-1]), parts[-1]]
return " and ".join(parts)
| def _pluralize(count: int, singular: str) -> str:
return singular if count == 1 else f'{singular}s'
def _include_if_positive(count: int, word: str) -> str:
return f'{count} {_pluralize(count, word)}' if count > 0 else ''
def format_duration(seconds: int) -> str:
"""
Format seconds as a simple duration in weeks/days/hours/minutes/seconds.
Args:
seconds: The number of seconds as an integer. Must be positive.
Returns:
The formatted duration.
Examples:
>>> from mautrix.util.format_duration import format_duration
>>> format_duration(1234)
'20 minutes and 34 seconds'
>>> format_duration(987654)
'1 week, 4 days, 10 hours, 20 minutes and 54 seconds'
>>> format_duration(60)
'1 minute'
Raises:
ValueError: if the duration is not positive.
"""
if seconds <= 0:
raise value_error('format_duration only accepts positive values')
(minutes, seconds) = divmod(seconds, 60)
(hours, minutes) = divmod(minutes, 60)
(days, hours) = divmod(hours, 24)
(weeks, days) = divmod(days, 7)
parts = [_include_if_positive(weeks, 'week'), _include_if_positive(days, 'day'), _include_if_positive(hours, 'hour'), _include_if_positive(minutes, 'minute'), _include_if_positive(seconds, 'second')]
parts = [part for part in parts if part]
if len(parts) > 2:
parts = [', '.join(parts[:-1]), parts[-1]]
return ' and '.join(parts) |
#!/usr/bin/env python3
def squares(start, end):
"""The squares function uses a list comprehension to create a list of
squared numbers (n*n). It receives the variables start and end, and returns
a list of squares of consecutive numbers between start and end inclusively.
For example, squares(2, 3) should return [4, 9]."""
return [x*x for x in range(start, end + 1)]
print(squares(2, 3)) # Should be [4, 9]
print(squares(1, 5)) # Should be [1, 4, 9, 16, 25]
print(squares(0, 10)) # Should be [0, 1, 4, 9, 16, 25, 36, 49, 64, 81, 100]
| def squares(start, end):
"""The squares function uses a list comprehension to create a list of
squared numbers (n*n). It receives the variables start and end, and returns
a list of squares of consecutive numbers between start and end inclusively.
For example, squares(2, 3) should return [4, 9]."""
return [x * x for x in range(start, end + 1)]
print(squares(2, 3))
print(squares(1, 5))
print(squares(0, 10)) |
def head(file_name: str, n: int = 10):
try:
with open(file_name) as f:
for i, line in enumerate(f):
if i == n:
break
print(line.rstrip())
except FileNotFoundError:
print(f"No such file {file_name}")
def tail(file_name: str, n: int = 10):
try:
with open(file_name) as f:
reversed_lines = list(reversed(f.readlines()))
print("".join(list(reversed(reversed_lines[:n]))))
except FileNotFoundError:
print(f"No such file {file_name}")
def nl(*file_names: str):
for file_path in file_names:
if len(file_names) > 1:
print(f"\t\t{file_path}")
try:
with open(file_path) as f:
counter = 1
for line in f:
if not line.isspace():
print(f"{counter}.\t{line.rstrip()}")
counter += 1
else:
print(line.rstrip())
except FileNotFoundError:
print(f"No such file {file_path}")
def wc(*file_names: str):
total_lines, total_words, total_bytes = 0, 0, 0
for file_path in file_names:
try:
with open(file_path) as f:
n_lines, n_words, n_bytes = 0, 0, 0
for line in f:
n_lines += 1
n_words += len(line.split())
n_bytes += len(line.encode("utf-8"))
total_lines += n_lines
total_words += n_words
total_bytes += n_bytes
print(f"{file_path}: lines = {n_lines}, words = {n_words}, bytes = {n_bytes}")
except FileNotFoundError:
print(f"No such file {file_path}")
if len(file_names) > 1:
print(f"Total: lines = {total_lines}, words = {total_words}, bytes = {total_bytes}")
| def head(file_name: str, n: int=10):
try:
with open(file_name) as f:
for (i, line) in enumerate(f):
if i == n:
break
print(line.rstrip())
except FileNotFoundError:
print(f'No such file {file_name}')
def tail(file_name: str, n: int=10):
try:
with open(file_name) as f:
reversed_lines = list(reversed(f.readlines()))
print(''.join(list(reversed(reversed_lines[:n]))))
except FileNotFoundError:
print(f'No such file {file_name}')
def nl(*file_names: str):
for file_path in file_names:
if len(file_names) > 1:
print(f'\t\t{file_path}')
try:
with open(file_path) as f:
counter = 1
for line in f:
if not line.isspace():
print(f'{counter}.\t{line.rstrip()}')
counter += 1
else:
print(line.rstrip())
except FileNotFoundError:
print(f'No such file {file_path}')
def wc(*file_names: str):
(total_lines, total_words, total_bytes) = (0, 0, 0)
for file_path in file_names:
try:
with open(file_path) as f:
(n_lines, n_words, n_bytes) = (0, 0, 0)
for line in f:
n_lines += 1
n_words += len(line.split())
n_bytes += len(line.encode('utf-8'))
total_lines += n_lines
total_words += n_words
total_bytes += n_bytes
print(f'{file_path}: lines = {n_lines}, words = {n_words}, bytes = {n_bytes}')
except FileNotFoundError:
print(f'No such file {file_path}')
if len(file_names) > 1:
print(f'Total: lines = {total_lines}, words = {total_words}, bytes = {total_bytes}') |
ADMIN_INSTALLED_APPS = (
'fluent_dashboard',
'admin_tools',
'admin_tools.theming',
'admin_tools.menu',
'admin_tools.dashboard',
'django.contrib.admin',
)
# FIXME: Move generic (not related to admin) context processors to base_settings
# Note: replace 'django.core.context_processors' with 'django.template.context_processors' in Django 1.8+
ADMIN_TEMPLATE_CONTEXT_PROCESSORS = (
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
'django.core.context_processors.debug',
'django.core.context_processors.i18n',
'django.core.context_processors.media',
'django.core.context_processors.request', # required by django-admin-tools >= 0.7.0
'django.core.context_processors.static',
'django.core.context_processors.tz',
)
ADMIN_TEMPLATE_LOADERS = (
'admin_tools.template_loaders.Loader', # required by django-admin-tools >= 0.7.0
)
FLUENT_DASHBOARD_APP_ICONS = {
'structure/customer': 'system-users.png',
'structure/servicesettings': 'preferences-other.png',
'structure/project': 'folder.png',
'structure/projectgroup': 'folder-bookmark.png',
'backup/backup': 'document-export-table.png',
'backup/backupschedule': 'view-resource-calendar.png',
'nodeconductor_killbill/invoice': 'help-donate.png',
'cost_tracking/pricelistitem': 'view-bank-account.png',
'cost_tracking/priceestimate': 'feed-subscribe.png',
'cost_tracking/defaultpricelistitem': 'view-calendar-list.png'
}
ADMIN_TOOLS_INDEX_DASHBOARD = 'nodeconductor.server.admin.dashboard.CustomIndexDashboard'
ADMIN_TOOLS_APP_INDEX_DASHBOARD = 'nodeconductor.server.admin.dashboard.CustomAppIndexDashboard'
ADMIN_TOOLS_MENU = 'nodeconductor.server.admin.menu.CustomMenu'
# Should be specified, otherwise all Applications dashboard will be included.
FLUENT_DASHBOARD_APP_GROUPS = ()
| admin_installed_apps = ('fluent_dashboard', 'admin_tools', 'admin_tools.theming', 'admin_tools.menu', 'admin_tools.dashboard', 'django.contrib.admin')
admin_template_context_processors = ('django.contrib.auth.context_processors.auth', 'django.contrib.messages.context_processors.messages', 'django.core.context_processors.debug', 'django.core.context_processors.i18n', 'django.core.context_processors.media', 'django.core.context_processors.request', 'django.core.context_processors.static', 'django.core.context_processors.tz')
admin_template_loaders = ('admin_tools.template_loaders.Loader',)
fluent_dashboard_app_icons = {'structure/customer': 'system-users.png', 'structure/servicesettings': 'preferences-other.png', 'structure/project': 'folder.png', 'structure/projectgroup': 'folder-bookmark.png', 'backup/backup': 'document-export-table.png', 'backup/backupschedule': 'view-resource-calendar.png', 'nodeconductor_killbill/invoice': 'help-donate.png', 'cost_tracking/pricelistitem': 'view-bank-account.png', 'cost_tracking/priceestimate': 'feed-subscribe.png', 'cost_tracking/defaultpricelistitem': 'view-calendar-list.png'}
admin_tools_index_dashboard = 'nodeconductor.server.admin.dashboard.CustomIndexDashboard'
admin_tools_app_index_dashboard = 'nodeconductor.server.admin.dashboard.CustomAppIndexDashboard'
admin_tools_menu = 'nodeconductor.server.admin.menu.CustomMenu'
fluent_dashboard_app_groups = () |
# This is the qasim package, containing the module qasim.qasim in the .so file.
#
# Note that a valid module is one of:
#
# 1. a directory with a modulename/__init__.py file
# 2. a file named modulename.py
# 3. a file named modulename.PLATFORMINFO.so
#
# Since a .so ends up as a module all on its own, we have to include it in a
# parent module (i.e. "package") if we want to distribute other pieces
# alongside it in the same namespace, e.g. qasim_cli.py.
#
name = "qasim"
| name = 'qasim' |
def test_unique_names(run_validator_for_test_files):
errors = run_validator_for_test_files(
'test_not_unique.py',
force_unique_test_names=True,
)
assert len(errors) == 2
assert errors[0][2] == 'FP009 Duplicate name test case (test_not_uniq)'
assert errors[1][2] == 'FP009 Duplicate name test case (test_not_uniq_with_decorator)'
| def test_unique_names(run_validator_for_test_files):
errors = run_validator_for_test_files('test_not_unique.py', force_unique_test_names=True)
assert len(errors) == 2
assert errors[0][2] == 'FP009 Duplicate name test case (test_not_uniq)'
assert errors[1][2] == 'FP009 Duplicate name test case (test_not_uniq_with_decorator)' |
num = 12
if num > 5:
print("Bigger than 5")
if num <= 47:
print("Between 6 and 47")
| num = 12
if num > 5:
print('Bigger than 5')
if num <= 47:
print('Between 6 and 47') |
class PlatformError(Exception):
"""
The error is thrown when you try to use function
that are only available for windows
"""
| class Platformerror(Exception):
"""
The error is thrown when you try to use function
that are only available for windows
""" |
'''
Igmp Genie Ops Object Outputs for NXOS.
'''
class IgmpOutput(object):
ShowIpIgmpInterface = {
"vrfs": {
"default": {
"groups_count": 2,
"interface": {
"Ethernet2/2": {
"query_max_response_time": 10,
"vrf_name": "default",
"statistics": {
"general": {
"sent": {
"v2_reports": 0,
"v2_queries": 16,
"v2_leaves": 0
},
"received": {
"v2_reports": 0,
"v2_queries": 16,
"v2_leaves": 0
}
}
},
"configured_query_max_response_time": 10,
"pim_dr": True,
"vrf_id": 1,
"querier": "10.1.3.1",
"membership_count": 0,
"last_member": {
"query_count": 2,
"mrt": 1,
},
"startup_query": {
"interval": 31,
"configured_interval": 31,
"count": 2,
},
"link_status": "up",
"subnet": "10.1.3.0/24",
"address": "10.1.3.1",
"link_local_groups_reporting": False,
"unsolicited_report_interval": 10,
"enable_refcount": 1,
"enable": True,
"next_query_sent_in": "00:00:55",
"configured_query_interval": 125,
"old_membership_count": 0,
"group_timeout": 260,
"configured_robustness_variable": 2,
"vpc_svi": False,
"querier_version": 2,
"version": 2,
"query_interval": 125,
"querier_timeout": 255,
"immediate_leave": False,
"configured_group_timeout": 260,
"host_version": 2,
"configured_querier_timeout": 255,
"robustness_variable": 2,
"oper_status": "up"
},
"Ethernet2/1": {
"query_max_response_time": 15,
"vrf_name": "default",
"statistics": {
"errors": {
"router_alert_check": 19,
},
"general": {
"sent": {
"v2_reports": 0,
"v3_queries": 11,
"v2_leaves": 0,
"v3_reports": 56,
"v2_queries": 5
},
"received": {
"v2_reports": 0,
"v3_queries": 11,
"v2_leaves": 0,
"v3_reports": 56,
"v2_queries": 5
}
}
},
"configured_query_max_response_time": 15,
"max_groups": 10,
"vrf_id": 1,
"querier": "10.1.2.1",
"membership_count": 4,
"last_member": {
"query_count": 5,
"mrt": 1,
},
"startup_query": {
"interval": 33,
"configured_interval": 31,
"count": 5,
},
"pim_dr": True,
"link_status": "up",
"subnet": "10.1.2.0/24",
"address": "10.1.2.1",
"link_local_groups_reporting": False,
"unsolicited_report_interval": 10,
"enable_refcount": 9,
"enable": True,
"group_policy": "access-group-filter",
"next_query_sent_in": "00:00:47",
"configured_query_interval": 133,
"old_membership_count": 0,
"group_timeout": 680,
"configured_robustness_variable": 5,
"vpc_svi": False,
"querier_version": 3,
"available_groups": 10,
"version": 3,
"query_interval": 133,
"querier_timeout": 672,
"immediate_leave": True,
"configured_group_timeout": 260,
"host_version": 3,
"configured_querier_timeout": 255,
"robustness_variable": 5,
"oper_status": "up"
}
}
},
"VRF1": {
"groups_count": 2,
"interface": {
"Ethernet2/4": {
"query_max_response_time": 15,
"vrf_name": "VRF1",
"statistics": {
"general": {
"sent": {
"v2_reports": 0,
"v3_queries": 8,
"v2_leaves": 0,
"v3_reports": 44,
"v2_queries": 8
},
"received": {
"v2_reports": 0,
"v3_queries": 8,
"v2_leaves": 0,
"v3_reports": 44,
"v2_queries": 8
}
}
},
"configured_query_max_response_time": 15,
"max_groups": 10,
"vrf_id": 3,
"querier": "20.1.2.1",
"membership_count": 4,
"last_member": {
"query_count": 5,
"mrt": 1,
},
"startup_query": {
"interval": 33,
"configured_interval": 31,
"count": 5,
},
"pim_dr": True,
"link_status": "up",
"subnet": "20.1.2.0/24",
"address": "20.1.2.1",
"link_local_groups_reporting": False,
"unsolicited_report_interval": 10,
"enable_refcount": 9,
"enable": True,
"group_policy": "access-group-filter",
"next_query_sent_in": "00:00:06",
"configured_query_interval": 133,
"old_membership_count": 0,
"group_timeout": 680,
"configured_robustness_variable": 5,
"vpc_svi": False,
"querier_version": 3,
"available_groups": 10,
"version": 3,
"query_interval": 133,
"querier_timeout": 672,
"immediate_leave": True,
"configured_group_timeout": 260,
"host_version": 3,
"configured_querier_timeout": 255,
"robustness_variable": 5,
"oper_status": "up"
},
"Ethernet2/3": {
"query_max_response_time": 10,
"vrf_name": "VRF1",
"statistics": {
"general": {
"sent": {
"v2_reports": 0,
"v2_queries": 16,
"v2_leaves": 0
},
"received": {
"v2_reports": 0,
"v2_queries": 16,
"v2_leaves": 0
}
}
},
"configured_query_max_response_time": 10,
"pim_dr": True,
"vrf_id": 3,
"querier": "20.1.3.1",
"membership_count": 0,
"last_member": {
"query_count": 2,
"mrt": 1,
},
"startup_query": {
"interval": 31,
"configured_interval": 31,
"count": 2,
},
"link_status": "up",
"subnet": "20.1.3.0/24",
"address": "20.1.3.1",
"link_local_groups_reporting": False,
"unsolicited_report_interval": 10,
"enable_refcount": 1,
"enable": True,
"next_query_sent_in": "00:00:47",
"configured_query_interval": 125,
"old_membership_count": 0,
"group_timeout": 260,
"configured_robustness_variable": 2,
"vpc_svi": False,
"querier_version": 2,
"version": 2,
"query_interval": 125,
"querier_timeout": 255,
"immediate_leave": False,
"configured_group_timeout": 260,
"host_version": 2,
"configured_querier_timeout": 255,
"robustness_variable": 2,
"oper_status": "up"
}
}
},
"tenant1": {
"groups_count": 0,
},
"manegement": {
"groups_count": 0,
}
}
}
ShowIpIgmpGroups = {
"vrfs": {
"VRF1": {
"interface": {
"Ethernet2/4": {
"group": {
"239.6.6.6": {
"expire": "never",
"type": "S",
"last_reporter": "20.1.2.1",
"up_time": "00:15:27"
},
"239.8.8.8": {
"source": {
"2.2.2.2": {
"expire": "never",
"type": "S",
"last_reporter": "20.1.2.1",
"up_time": "00:15:27"
}
},
},
"239.5.5.5": {
"expire": "never",
"type": "S",
"last_reporter": "20.1.2.1",
"up_time": "00:15:27"
},
"239.7.7.7": {
"source": {
"2.2.2.1": {
"expire": "never",
"type": "S",
"last_reporter": "20.1.2.1",
"up_time": "00:15:27"
}
},
}
}
}
},
"total_entries": 4
},
"default": {
"interface": {
"Ethernet2/1": {
"group": {
"239.6.6.6": {
"expire": "never",
"type": "S",
"last_reporter": "10.1.2.1",
"up_time": "00:20:53"
},
"239.8.8.8": {
"source": {
"2.2.2.2": {
"expire": "never",
"type": "S",
"last_reporter": "10.1.2.1",
"up_time": "00:20:34"
}
},
},
"239.5.5.5": {
"expire": "never",
"type": "S",
"last_reporter": "10.1.2.1",
"up_time": "00:21:00"
},
"239.7.7.7": {
"source": {
"2.2.2.1": {
"expire": "never",
"type": "S",
"last_reporter": "10.1.2.1",
"up_time": "00:20:42"
}
},
}
}
}
},
"total_entries": 4
}
}
}
ShowIpIgmpLocalGroups = {
"vrfs": {
"default": {
"interface": {
"Ethernet2/1": {
"join_group": {
"239.1.1.1 *": {
"source": "*",
"group": "239.1.1.1"
},
"239.3.3.3 1.1.1.1": {
"source": "1.1.1.1",
"group": "239.3.3.3"
},
"239.2.2.2 *": {
"source": "*",
"group": "239.2.2.2"
},
"239.4.4.4 1.1.1.2": {
"source": "1.1.1.2",
"group": "239.4.4.4"
}
},
"static_group": {
"239.5.5.5 *": {
"source": "*",
"group": "239.5.5.5"
},
"239.8.8.8 2.2.2.2": {
"source": "2.2.2.2",
"group": "239.8.8.8"
},
"239.6.6.6 *": {
"source": "*",
"group": "239.6.6.6"
},
"239.7.7.7 2.2.2.1": {
"source": "2.2.2.1",
"group": "239.7.7.7"
}
},
"group": {
"239.1.1.1": {
"last_reporter": "00:00:13",
"type": "local"
},
"239.8.8.8": {
"source": {
"2.2.2.2": {
"last_reporter": "01:06:47",
"type": "static"
}
},
},
"239.2.2.2": {
"last_reporter": "00:00:18",
"type": "local"
},
"239.4.4.4": {
"source": {
"1.1.1.2": {
"last_reporter": "00:00:06",
"type": "local"
}
},
},
"239.6.6.6": {
"last_reporter": "01:06:47",
"type": "static"
},
"239.5.5.5": {
"last_reporter": "01:06:47",
"type": "static"
},
"239.3.3.3": {
"source": {
"1.1.1.1": {
"last_reporter": "00:00:11",
"type": "local"
}
},
},
"239.7.7.7": {
"source": {
"2.2.2.1": {
"last_reporter": "01:06:47",
"type": "static"
}
},
}
}
}
}
},
"VRF1": {
"interface": {
"Ethernet2/4": {
"join_group": {
"239.1.1.1 *": {
"source": "*",
"group": "239.1.1.1"
},
"239.3.3.3 1.1.1.1": {
"source": "1.1.1.1",
"group": "239.3.3.3"
},
"239.2.2.2 *": {
"source": "*",
"group": "239.2.2.2"
},
"239.4.4.4 1.1.1.2": {
"source": "1.1.1.2",
"group": "239.4.4.4"
}
},
"static_group": {
"239.5.5.5 *": {
"source": "*",
"group": "239.5.5.5"
},
"239.8.8.8 2.2.2.2": {
"source": "2.2.2.2",
"group": "239.8.8.8"
},
"239.6.6.6 *": {
"source": "*",
"group": "239.6.6.6"
},
"239.7.7.7 2.2.2.1": {
"source": "2.2.2.1",
"group": "239.7.7.7"
}
},
"group": {
"239.1.1.1": {
"last_reporter": "00:00:50",
"type": "local"
},
"239.8.8.8": {
"source": {
"2.2.2.2": {
"last_reporter": "01:06:47",
"type": "static"
}
},
},
"239.2.2.2": {
"last_reporter": "00:00:54",
"type": "local"
},
"239.4.4.4": {
"source": {
"1.1.1.2": {
"last_reporter": "00:00:55",
"type": "local"
}
},
},
"239.6.6.6": {
"last_reporter": "01:06:47",
"type": "static"
},
"239.5.5.5": {
"last_reporter": "01:06:47",
"type": "static"
},
"239.3.3.3": {
"source": {
"1.1.1.1": {
"last_reporter": "00:01:01",
"type": "local"
}
},
},
"239.7.7.7": {
"source": {
"2.2.2.1": {
"last_reporter": "01:06:47",
"type": "static"
}
},
}}}}}}
}
Igmp_info = {
"vrfs": {
"VRF1": {
"interfaces": {
"Ethernet2/4": {
"querier": "20.1.2.1",
"group_policy": "access-group-filter",
"robustness_variable": 5,
"join_group": {
"239.3.3.3 1.1.1.1": {
"source": "1.1.1.1",
"group": "239.3.3.3"
},
"239.4.4.4 1.1.1.2": {
"source": "1.1.1.2",
"group": "239.4.4.4"
},
"239.1.1.1 *": {
"source": "*",
"group": "239.1.1.1"
},
"239.2.2.2 *": {
"source": "*",
"group": "239.2.2.2"
}
},
"immediate_leave": True,
"max_groups": 10,
"enable": True,
"version": 3,
"oper_status": "up",
"group": {
"239.5.5.5": {
"up_time": "00:15:27",
"last_reporter": "20.1.2.1",
"expire": "never"
},
"239.6.6.6": {
"up_time": "00:15:27",
"last_reporter": "20.1.2.1",
"expire": "never"
},
"239.8.8.8": {
"source": {
"2.2.2.2": {
"last_reporter": "20.1.2.1",
"up_time": "00:15:27",
"expire": "never"
}
}
},
"239.7.7.7": {
"source": {
"2.2.2.1": {
"last_reporter": "20.1.2.1",
"up_time": "00:15:27",
"expire": "never"
}
}
}
},
"static_group": {
"239.7.7.7 2.2.2.1": {
"source": "2.2.2.1",
"group": "239.7.7.7"
},
"239.5.5.5 *": {
"source": "*",
"group": "239.5.5.5"
},
"239.6.6.6 *": {
"source": "*",
"group": "239.6.6.6"
},
"239.8.8.8 2.2.2.2": {
"source": "2.2.2.2",
"group": "239.8.8.8"
}
},
"query_max_response_time": 15,
"query_interval": 133
},
"Ethernet2/3": {
"querier": "20.1.3.1",
"immediate_leave": False,
"enable": True,
"version": 2,
"oper_status": "up",
"query_max_response_time": 10,
"robustness_variable": 2,
"query_interval": 125
}
},
"groups_count": 2
},
"manegement": {
"groups_count": 0
},
"tenant1": {
"groups_count": 0
},
"default": {
"interfaces": {
"Ethernet2/2": {
"querier": "10.1.3.1",
"immediate_leave": False,
"enable": True,
"version": 2,
"oper_status": "up",
"query_max_response_time": 10,
"robustness_variable": 2,
"query_interval": 125
},
"Ethernet2/1": {
"querier": "10.1.2.1",
"group_policy": "access-group-filter",
"robustness_variable": 5,
"join_group": {
"239.3.3.3 1.1.1.1": {
"source": "1.1.1.1",
"group": "239.3.3.3"
},
"239.4.4.4 1.1.1.2": {
"source": "1.1.1.2",
"group": "239.4.4.4"
},
"239.1.1.1 *": {
"source": "*",
"group": "239.1.1.1"
},
"239.2.2.2 *": {
"source": "*",
"group": "239.2.2.2"
}
},
"immediate_leave": True,
"max_groups": 10,
"enable": True,
"version": 3,
"oper_status": "up",
"group": {
"239.5.5.5": {
"up_time": "00:21:00",
"last_reporter": "10.1.2.1",
"expire": "never"
},
"239.6.6.6": {
"up_time": "00:20:53",
"last_reporter": "10.1.2.1",
"expire": "never"
},
"239.8.8.8": {
"source": {
"2.2.2.2": {
"last_reporter": "10.1.2.1",
"up_time": "00:20:34",
"expire": "never"
}
}
},
"239.7.7.7": {
"source": {
"2.2.2.1": {
"last_reporter": "10.1.2.1",
"up_time": "00:20:42",
"expire": "never"
}
}
}
},
"static_group": {
"239.7.7.7 2.2.2.1": {
"source": "2.2.2.1",
"group": "239.7.7.7"
},
"239.5.5.5 *": {
"source": "*",
"group": "239.5.5.5"
},
"239.6.6.6 *": {
"source": "*",
"group": "239.6.6.6"
},
"239.8.8.8 2.2.2.2": {
"source": "2.2.2.2",
"group": "239.8.8.8"
}
},
"query_max_response_time": 15,
"query_interval": 133
}
},
"groups_count": 2
}
}
}
| """
Igmp Genie Ops Object Outputs for NXOS.
"""
class Igmpoutput(object):
show_ip_igmp_interface = {'vrfs': {'default': {'groups_count': 2, 'interface': {'Ethernet2/2': {'query_max_response_time': 10, 'vrf_name': 'default', 'statistics': {'general': {'sent': {'v2_reports': 0, 'v2_queries': 16, 'v2_leaves': 0}, 'received': {'v2_reports': 0, 'v2_queries': 16, 'v2_leaves': 0}}}, 'configured_query_max_response_time': 10, 'pim_dr': True, 'vrf_id': 1, 'querier': '10.1.3.1', 'membership_count': 0, 'last_member': {'query_count': 2, 'mrt': 1}, 'startup_query': {'interval': 31, 'configured_interval': 31, 'count': 2}, 'link_status': 'up', 'subnet': '10.1.3.0/24', 'address': '10.1.3.1', 'link_local_groups_reporting': False, 'unsolicited_report_interval': 10, 'enable_refcount': 1, 'enable': True, 'next_query_sent_in': '00:00:55', 'configured_query_interval': 125, 'old_membership_count': 0, 'group_timeout': 260, 'configured_robustness_variable': 2, 'vpc_svi': False, 'querier_version': 2, 'version': 2, 'query_interval': 125, 'querier_timeout': 255, 'immediate_leave': False, 'configured_group_timeout': 260, 'host_version': 2, 'configured_querier_timeout': 255, 'robustness_variable': 2, 'oper_status': 'up'}, 'Ethernet2/1': {'query_max_response_time': 15, 'vrf_name': 'default', 'statistics': {'errors': {'router_alert_check': 19}, 'general': {'sent': {'v2_reports': 0, 'v3_queries': 11, 'v2_leaves': 0, 'v3_reports': 56, 'v2_queries': 5}, 'received': {'v2_reports': 0, 'v3_queries': 11, 'v2_leaves': 0, 'v3_reports': 56, 'v2_queries': 5}}}, 'configured_query_max_response_time': 15, 'max_groups': 10, 'vrf_id': 1, 'querier': '10.1.2.1', 'membership_count': 4, 'last_member': {'query_count': 5, 'mrt': 1}, 'startup_query': {'interval': 33, 'configured_interval': 31, 'count': 5}, 'pim_dr': True, 'link_status': 'up', 'subnet': '10.1.2.0/24', 'address': '10.1.2.1', 'link_local_groups_reporting': False, 'unsolicited_report_interval': 10, 'enable_refcount': 9, 'enable': True, 'group_policy': 'access-group-filter', 'next_query_sent_in': '00:00:47', 'configured_query_interval': 133, 'old_membership_count': 0, 'group_timeout': 680, 'configured_robustness_variable': 5, 'vpc_svi': False, 'querier_version': 3, 'available_groups': 10, 'version': 3, 'query_interval': 133, 'querier_timeout': 672, 'immediate_leave': True, 'configured_group_timeout': 260, 'host_version': 3, 'configured_querier_timeout': 255, 'robustness_variable': 5, 'oper_status': 'up'}}}, 'VRF1': {'groups_count': 2, 'interface': {'Ethernet2/4': {'query_max_response_time': 15, 'vrf_name': 'VRF1', 'statistics': {'general': {'sent': {'v2_reports': 0, 'v3_queries': 8, 'v2_leaves': 0, 'v3_reports': 44, 'v2_queries': 8}, 'received': {'v2_reports': 0, 'v3_queries': 8, 'v2_leaves': 0, 'v3_reports': 44, 'v2_queries': 8}}}, 'configured_query_max_response_time': 15, 'max_groups': 10, 'vrf_id': 3, 'querier': '20.1.2.1', 'membership_count': 4, 'last_member': {'query_count': 5, 'mrt': 1}, 'startup_query': {'interval': 33, 'configured_interval': 31, 'count': 5}, 'pim_dr': True, 'link_status': 'up', 'subnet': '20.1.2.0/24', 'address': '20.1.2.1', 'link_local_groups_reporting': False, 'unsolicited_report_interval': 10, 'enable_refcount': 9, 'enable': True, 'group_policy': 'access-group-filter', 'next_query_sent_in': '00:00:06', 'configured_query_interval': 133, 'old_membership_count': 0, 'group_timeout': 680, 'configured_robustness_variable': 5, 'vpc_svi': False, 'querier_version': 3, 'available_groups': 10, 'version': 3, 'query_interval': 133, 'querier_timeout': 672, 'immediate_leave': True, 'configured_group_timeout': 260, 'host_version': 3, 'configured_querier_timeout': 255, 'robustness_variable': 5, 'oper_status': 'up'}, 'Ethernet2/3': {'query_max_response_time': 10, 'vrf_name': 'VRF1', 'statistics': {'general': {'sent': {'v2_reports': 0, 'v2_queries': 16, 'v2_leaves': 0}, 'received': {'v2_reports': 0, 'v2_queries': 16, 'v2_leaves': 0}}}, 'configured_query_max_response_time': 10, 'pim_dr': True, 'vrf_id': 3, 'querier': '20.1.3.1', 'membership_count': 0, 'last_member': {'query_count': 2, 'mrt': 1}, 'startup_query': {'interval': 31, 'configured_interval': 31, 'count': 2}, 'link_status': 'up', 'subnet': '20.1.3.0/24', 'address': '20.1.3.1', 'link_local_groups_reporting': False, 'unsolicited_report_interval': 10, 'enable_refcount': 1, 'enable': True, 'next_query_sent_in': '00:00:47', 'configured_query_interval': 125, 'old_membership_count': 0, 'group_timeout': 260, 'configured_robustness_variable': 2, 'vpc_svi': False, 'querier_version': 2, 'version': 2, 'query_interval': 125, 'querier_timeout': 255, 'immediate_leave': False, 'configured_group_timeout': 260, 'host_version': 2, 'configured_querier_timeout': 255, 'robustness_variable': 2, 'oper_status': 'up'}}}, 'tenant1': {'groups_count': 0}, 'manegement': {'groups_count': 0}}}
show_ip_igmp_groups = {'vrfs': {'VRF1': {'interface': {'Ethernet2/4': {'group': {'239.6.6.6': {'expire': 'never', 'type': 'S', 'last_reporter': '20.1.2.1', 'up_time': '00:15:27'}, '239.8.8.8': {'source': {'2.2.2.2': {'expire': 'never', 'type': 'S', 'last_reporter': '20.1.2.1', 'up_time': '00:15:27'}}}, '239.5.5.5': {'expire': 'never', 'type': 'S', 'last_reporter': '20.1.2.1', 'up_time': '00:15:27'}, '239.7.7.7': {'source': {'2.2.2.1': {'expire': 'never', 'type': 'S', 'last_reporter': '20.1.2.1', 'up_time': '00:15:27'}}}}}}, 'total_entries': 4}, 'default': {'interface': {'Ethernet2/1': {'group': {'239.6.6.6': {'expire': 'never', 'type': 'S', 'last_reporter': '10.1.2.1', 'up_time': '00:20:53'}, '239.8.8.8': {'source': {'2.2.2.2': {'expire': 'never', 'type': 'S', 'last_reporter': '10.1.2.1', 'up_time': '00:20:34'}}}, '239.5.5.5': {'expire': 'never', 'type': 'S', 'last_reporter': '10.1.2.1', 'up_time': '00:21:00'}, '239.7.7.7': {'source': {'2.2.2.1': {'expire': 'never', 'type': 'S', 'last_reporter': '10.1.2.1', 'up_time': '00:20:42'}}}}}}, 'total_entries': 4}}}
show_ip_igmp_local_groups = {'vrfs': {'default': {'interface': {'Ethernet2/1': {'join_group': {'239.1.1.1 *': {'source': '*', 'group': '239.1.1.1'}, '239.3.3.3 1.1.1.1': {'source': '1.1.1.1', 'group': '239.3.3.3'}, '239.2.2.2 *': {'source': '*', 'group': '239.2.2.2'}, '239.4.4.4 1.1.1.2': {'source': '1.1.1.2', 'group': '239.4.4.4'}}, 'static_group': {'239.5.5.5 *': {'source': '*', 'group': '239.5.5.5'}, '239.8.8.8 2.2.2.2': {'source': '2.2.2.2', 'group': '239.8.8.8'}, '239.6.6.6 *': {'source': '*', 'group': '239.6.6.6'}, '239.7.7.7 2.2.2.1': {'source': '2.2.2.1', 'group': '239.7.7.7'}}, 'group': {'239.1.1.1': {'last_reporter': '00:00:13', 'type': 'local'}, '239.8.8.8': {'source': {'2.2.2.2': {'last_reporter': '01:06:47', 'type': 'static'}}}, '239.2.2.2': {'last_reporter': '00:00:18', 'type': 'local'}, '239.4.4.4': {'source': {'1.1.1.2': {'last_reporter': '00:00:06', 'type': 'local'}}}, '239.6.6.6': {'last_reporter': '01:06:47', 'type': 'static'}, '239.5.5.5': {'last_reporter': '01:06:47', 'type': 'static'}, '239.3.3.3': {'source': {'1.1.1.1': {'last_reporter': '00:00:11', 'type': 'local'}}}, '239.7.7.7': {'source': {'2.2.2.1': {'last_reporter': '01:06:47', 'type': 'static'}}}}}}}, 'VRF1': {'interface': {'Ethernet2/4': {'join_group': {'239.1.1.1 *': {'source': '*', 'group': '239.1.1.1'}, '239.3.3.3 1.1.1.1': {'source': '1.1.1.1', 'group': '239.3.3.3'}, '239.2.2.2 *': {'source': '*', 'group': '239.2.2.2'}, '239.4.4.4 1.1.1.2': {'source': '1.1.1.2', 'group': '239.4.4.4'}}, 'static_group': {'239.5.5.5 *': {'source': '*', 'group': '239.5.5.5'}, '239.8.8.8 2.2.2.2': {'source': '2.2.2.2', 'group': '239.8.8.8'}, '239.6.6.6 *': {'source': '*', 'group': '239.6.6.6'}, '239.7.7.7 2.2.2.1': {'source': '2.2.2.1', 'group': '239.7.7.7'}}, 'group': {'239.1.1.1': {'last_reporter': '00:00:50', 'type': 'local'}, '239.8.8.8': {'source': {'2.2.2.2': {'last_reporter': '01:06:47', 'type': 'static'}}}, '239.2.2.2': {'last_reporter': '00:00:54', 'type': 'local'}, '239.4.4.4': {'source': {'1.1.1.2': {'last_reporter': '00:00:55', 'type': 'local'}}}, '239.6.6.6': {'last_reporter': '01:06:47', 'type': 'static'}, '239.5.5.5': {'last_reporter': '01:06:47', 'type': 'static'}, '239.3.3.3': {'source': {'1.1.1.1': {'last_reporter': '00:01:01', 'type': 'local'}}}, '239.7.7.7': {'source': {'2.2.2.1': {'last_reporter': '01:06:47', 'type': 'static'}}}}}}}}}
igmp_info = {'vrfs': {'VRF1': {'interfaces': {'Ethernet2/4': {'querier': '20.1.2.1', 'group_policy': 'access-group-filter', 'robustness_variable': 5, 'join_group': {'239.3.3.3 1.1.1.1': {'source': '1.1.1.1', 'group': '239.3.3.3'}, '239.4.4.4 1.1.1.2': {'source': '1.1.1.2', 'group': '239.4.4.4'}, '239.1.1.1 *': {'source': '*', 'group': '239.1.1.1'}, '239.2.2.2 *': {'source': '*', 'group': '239.2.2.2'}}, 'immediate_leave': True, 'max_groups': 10, 'enable': True, 'version': 3, 'oper_status': 'up', 'group': {'239.5.5.5': {'up_time': '00:15:27', 'last_reporter': '20.1.2.1', 'expire': 'never'}, '239.6.6.6': {'up_time': '00:15:27', 'last_reporter': '20.1.2.1', 'expire': 'never'}, '239.8.8.8': {'source': {'2.2.2.2': {'last_reporter': '20.1.2.1', 'up_time': '00:15:27', 'expire': 'never'}}}, '239.7.7.7': {'source': {'2.2.2.1': {'last_reporter': '20.1.2.1', 'up_time': '00:15:27', 'expire': 'never'}}}}, 'static_group': {'239.7.7.7 2.2.2.1': {'source': '2.2.2.1', 'group': '239.7.7.7'}, '239.5.5.5 *': {'source': '*', 'group': '239.5.5.5'}, '239.6.6.6 *': {'source': '*', 'group': '239.6.6.6'}, '239.8.8.8 2.2.2.2': {'source': '2.2.2.2', 'group': '239.8.8.8'}}, 'query_max_response_time': 15, 'query_interval': 133}, 'Ethernet2/3': {'querier': '20.1.3.1', 'immediate_leave': False, 'enable': True, 'version': 2, 'oper_status': 'up', 'query_max_response_time': 10, 'robustness_variable': 2, 'query_interval': 125}}, 'groups_count': 2}, 'manegement': {'groups_count': 0}, 'tenant1': {'groups_count': 0}, 'default': {'interfaces': {'Ethernet2/2': {'querier': '10.1.3.1', 'immediate_leave': False, 'enable': True, 'version': 2, 'oper_status': 'up', 'query_max_response_time': 10, 'robustness_variable': 2, 'query_interval': 125}, 'Ethernet2/1': {'querier': '10.1.2.1', 'group_policy': 'access-group-filter', 'robustness_variable': 5, 'join_group': {'239.3.3.3 1.1.1.1': {'source': '1.1.1.1', 'group': '239.3.3.3'}, '239.4.4.4 1.1.1.2': {'source': '1.1.1.2', 'group': '239.4.4.4'}, '239.1.1.1 *': {'source': '*', 'group': '239.1.1.1'}, '239.2.2.2 *': {'source': '*', 'group': '239.2.2.2'}}, 'immediate_leave': True, 'max_groups': 10, 'enable': True, 'version': 3, 'oper_status': 'up', 'group': {'239.5.5.5': {'up_time': '00:21:00', 'last_reporter': '10.1.2.1', 'expire': 'never'}, '239.6.6.6': {'up_time': '00:20:53', 'last_reporter': '10.1.2.1', 'expire': 'never'}, '239.8.8.8': {'source': {'2.2.2.2': {'last_reporter': '10.1.2.1', 'up_time': '00:20:34', 'expire': 'never'}}}, '239.7.7.7': {'source': {'2.2.2.1': {'last_reporter': '10.1.2.1', 'up_time': '00:20:42', 'expire': 'never'}}}}, 'static_group': {'239.7.7.7 2.2.2.1': {'source': '2.2.2.1', 'group': '239.7.7.7'}, '239.5.5.5 *': {'source': '*', 'group': '239.5.5.5'}, '239.6.6.6 *': {'source': '*', 'group': '239.6.6.6'}, '239.8.8.8 2.2.2.2': {'source': '2.2.2.2', 'group': '239.8.8.8'}}, 'query_max_response_time': 15, 'query_interval': 133}}, 'groups_count': 2}}} |
name = 'GLOBAL VARIABLE'
def scope_func():
print('before initializing/assigning any local variables: ',locals())
pages = 10
print('after local variable declaration and assignment')
print(locals()) # returns dictionary containing all local variable
print('inside function name is : ', name)
scope_func()
print('outside function name is : ', name)
print('\nall global varibles: ')
print(globals())
| name = 'GLOBAL VARIABLE'
def scope_func():
print('before initializing/assigning any local variables: ', locals())
pages = 10
print('after local variable declaration and assignment')
print(locals())
print('inside function name is : ', name)
scope_func()
print('outside function name is : ', name)
print('\nall global varibles: ')
print(globals()) |
class Complex:
def __repr__(self):
imag = self.imag
sign = '+'
if self.imag < 0:
imag = -self.imag
sign = '-'
return f"{self.real} {sign} {imag}j"
def __init__(self, real=None, imag=None):
self.real = 0 if real == None else real;
self.imag = 0 if imag == None else imag;
def __add__(self, z):
return Complex(self.real + z.real, self.imag + z.imag)
def main():
z1 = Complex(96, 30);
z2 = Complex(6, -42);
print(' z1 =', z1);
print(' z2 =', z2);
z_sum = z1 + z2;
print('z1 + z2 =', z_sum);
if __name__ == '__main__':
main()
| class Complex:
def __repr__(self):
imag = self.imag
sign = '+'
if self.imag < 0:
imag = -self.imag
sign = '-'
return f'{self.real} {sign} {imag}j'
def __init__(self, real=None, imag=None):
self.real = 0 if real == None else real
self.imag = 0 if imag == None else imag
def __add__(self, z):
return complex(self.real + z.real, self.imag + z.imag)
def main():
z1 = complex(96, 30)
z2 = complex(6, -42)
print(' z1 =', z1)
print(' z2 =', z2)
z_sum = z1 + z2
print('z1 + z2 =', z_sum)
if __name__ == '__main__':
main() |
def is_palindrome(phrase):
"""Is phrase a palindrome?
Return True/False if phrase is a palindrome (same read backwards and
forwards).
>>> is_palindrome('tacocat')
True
>>> is_palindrome('noon')
True
>>> is_palindrome('robert')
False
Should ignore capitalization/spaces when deciding:
>>> is_palindrome('taco cat')
True
>>> is_palindrome('Noon')
True
"""
normalized = phrase.lower().replace(' ', '')
return normalized == normalized[::-1]
| def is_palindrome(phrase):
"""Is phrase a palindrome?
Return True/False if phrase is a palindrome (same read backwards and
forwards).
>>> is_palindrome('tacocat')
True
>>> is_palindrome('noon')
True
>>> is_palindrome('robert')
False
Should ignore capitalization/spaces when deciding:
>>> is_palindrome('taco cat')
True
>>> is_palindrome('Noon')
True
"""
normalized = phrase.lower().replace(' ', '')
return normalized == normalized[::-1] |
# Databricks notebook source
#setup the configuration for Azure Data Lake Storage Gen 2
configs = {"fs.azure.account.auth.type": "OAuth",
"fs.azure.account.oauth.provider.type": "org.apache.hadoop.fs.azurebfs.oauth2.ClientCredsTokenProvider",
"fs.azure.account.oauth2.client.id": "f62b9429-c55e-4ba4-bb93-bdfa4c0934b3",
"fs.azure.account.oauth2.client.secret": dbutils.secrets.get(scope="keyvaultscope",key="keyvaultdatabricks1"),
"fs.azure.account.oauth2.client.endpoint": "https://login.microsoftonline.com/e5eaa9eb-6662-451d-ab83-b25dc3376b45/oauth2/token"}
dbutils.fs.mount(
source = "abfss://data@adwdatalake.dfs.core.windows.net/",
mount_point = "/mnt/adwdatalake",
extra_configs = configs)
# COMMAND ----------
#Unmounting when finished
dbutils.fs.unmount("/mnt/adwdatalake")
| configs = {'fs.azure.account.auth.type': 'OAuth', 'fs.azure.account.oauth.provider.type': 'org.apache.hadoop.fs.azurebfs.oauth2.ClientCredsTokenProvider', 'fs.azure.account.oauth2.client.id': 'f62b9429-c55e-4ba4-bb93-bdfa4c0934b3', 'fs.azure.account.oauth2.client.secret': dbutils.secrets.get(scope='keyvaultscope', key='keyvaultdatabricks1'), 'fs.azure.account.oauth2.client.endpoint': 'https://login.microsoftonline.com/e5eaa9eb-6662-451d-ab83-b25dc3376b45/oauth2/token'}
dbutils.fs.mount(source='abfss://data@adwdatalake.dfs.core.windows.net/', mount_point='/mnt/adwdatalake', extra_configs=configs)
dbutils.fs.unmount('/mnt/adwdatalake') |
# problem 53
# Project Euler
__author__ = 'Libao Jin'
__date__ = 'July 17, 2015'
def factorial(n):
if n <= 1:
return 1
product = 1
while n > 1:
product *= n
n -= 1
return product
def factorialSeries(n):
fSeries = []
for i in range(n):
if i == 0:
fSeries.append(1)
else:
value = fSeries[i-1] * i
fSeries.append(value)
return fSeries
def NChooseR(N, R):
#nchooser = fSeries[N] / (fSeries[R] * fSeries[N-R])
nchooser = factorial(N) // (factorial(R) * factorial(N-R))
return nchooser
def combinatoricSelection(start, end, BOUND):
n = range(start, end+1)
selectedSeries = []
for i in n:
r = range(i)
for j in r:
nchooser = NChooseR(i, j)
if nchooser > BOUND:
selectedSeries.append((i, j, nchooser))
return (len(selectedSeries), selectedSeries)
def solution():
selectedSeriesInfo = combinatoricSelection(1, 100, 1000000)
for i,e in enumerate(selectedSeriesInfo):
if i == 0:
print(e)
else:
for j in e:
print(j)
#print(selectedSeriesInfo)
solution()
| __author__ = 'Libao Jin'
__date__ = 'July 17, 2015'
def factorial(n):
if n <= 1:
return 1
product = 1
while n > 1:
product *= n
n -= 1
return product
def factorial_series(n):
f_series = []
for i in range(n):
if i == 0:
fSeries.append(1)
else:
value = fSeries[i - 1] * i
fSeries.append(value)
return fSeries
def n_choose_r(N, R):
nchooser = factorial(N) // (factorial(R) * factorial(N - R))
return nchooser
def combinatoric_selection(start, end, BOUND):
n = range(start, end + 1)
selected_series = []
for i in n:
r = range(i)
for j in r:
nchooser = n_choose_r(i, j)
if nchooser > BOUND:
selectedSeries.append((i, j, nchooser))
return (len(selectedSeries), selectedSeries)
def solution():
selected_series_info = combinatoric_selection(1, 100, 1000000)
for (i, e) in enumerate(selectedSeriesInfo):
if i == 0:
print(e)
else:
for j in e:
print(j)
solution() |
numero = int(input(""))
if numero < 5 or numero > 2000:
numero = int(input(""))
par = 1
while par <= numero:
if par % 2 == 0:
numero_quadrado = par ** 2
print("{}^2 = {}".format(par, numero_quadrado))
par += 1
| numero = int(input(''))
if numero < 5 or numero > 2000:
numero = int(input(''))
par = 1
while par <= numero:
if par % 2 == 0:
numero_quadrado = par ** 2
print('{}^2 = {}'.format(par, numero_quadrado))
par += 1 |
class Solution:
def dailyTemperatures(self, temp: List[int]) -> List[int]:
dp = [0] *len(temp)
st = []
for i,n in enumerate(temp):
while st and temp[st[-1]] < n :
x = st.pop()
dp[x] = i - x
st.append(i)
return dp
| class Solution:
def daily_temperatures(self, temp: List[int]) -> List[int]:
dp = [0] * len(temp)
st = []
for (i, n) in enumerate(temp):
while st and temp[st[-1]] < n:
x = st.pop()
dp[x] = i - x
st.append(i)
return dp |
# Basic Calculator II: https://leetcode.com/problems/basic-calculator-ii/
# Given a string s which represents an expression, evaluate this expression and return its value.
# The integer division should truncate toward zero.
# Note: You are not allowed to use any built-in function which evaluates strings as mathematical expressions, such as eval().
# So this problem wants us to figure out expressions and honestly we have to worry about having the correct order of operations
# Luckily we know that we can do any */ first and then any +- after so we could loop through the string twice doing the first
# two and then the second two
# Or we can use a stack and evaluate all */ as we go and then pop off the stack to evaluate the +- also this
# is made even easier since we don't have negtives
class Solution:
def calculate(self, s: str) -> int:
stack = []
# This is to get the editor to stop complaining
operand = 0
sign = '+'
for index in range(len(s)):
if s[index].isdigit():
operand = (operand * 10) + int(s[index])
# My initial thought had me doing the above in a while loop
# just to speed things up but because of the white chars
# this is a simpler solution
# while index < len(s) and s[index].isdigit():
# operand = (operand * 10) + int(s[index])
# index += 1
if s[index] in '+-/*' or index == len(s) - 1:
if sign == "+":
stack.append(operand)
elif sign == "-":
stack.append(-operand)
elif sign == "*":
stack.append(stack.pop()*operand)
else:
stack.append(int(stack.pop()/operand))
# Reset the values for next number
operand = 0
sign = s[index]
# Loop through and add everything because we have already done / * and made sure our numbers are negative if needed
result = 0
while len(stack) != 0:
result += stack.pop()
return result
# Score Card
# Did I need hints? Nope
# Did you finish within 30 min? 45
# Was the solution optimal? This is not the optimal solution you can use no stack in the above if you keep
# a running result variable and a operand variable
# Were there any bugs? Yes I had a slight hiccup with making sure we have negatives where they need to be
# 5 3 3 3 = 3.5
| class Solution:
def calculate(self, s: str) -> int:
stack = []
operand = 0
sign = '+'
for index in range(len(s)):
if s[index].isdigit():
operand = operand * 10 + int(s[index])
if s[index] in '+-/*' or index == len(s) - 1:
if sign == '+':
stack.append(operand)
elif sign == '-':
stack.append(-operand)
elif sign == '*':
stack.append(stack.pop() * operand)
else:
stack.append(int(stack.pop() / operand))
operand = 0
sign = s[index]
result = 0
while len(stack) != 0:
result += stack.pop()
return result |
#this it the graphics file to Sam's Battle Simulator
#Copyright 2018 Henry Morin
def title():
print("""
_______ _______ _______ _ _______ ______ _________________________ _______ _______________________
( ____ ( ___ | | | ____ \ ( ___ \( ___ )__ __|__ __( \ ( ____ \ ( ____ \__ __( )
| ( \/ ( ) | () () |/| ( \/ | ( ) ) ( ) | ) ( ) ( | ( | ( \/ | ( \/ ) ( | () () |
| (_____| (___) | || || | | (_____ | (__/ /| (___) | | | | | | | | (__ | (_____ | | | || || |
(_____ ) ___ | |(_)| | (_____ ) | __ ( | ___ | | | | | | | | __) (_____ ) | | | |(_)| |
) | ( ) | | | | ) | | ( \ \| ( ) | | | | | | | | ( ) | | | | | | |
/\____) | ) ( | ) ( | /\____) | | )___) ) ) ( | | | | | | (____/\ (____/\ /\____) |__) (__| ) ( |
\_______)/ \|/ \| \_______) |/ \___/|/ \| )_( )_( (_______(_______/ \_______)_______// \|
""")
def monimg():
print("""
|
\_ /; _.._
`\~--.._ //' ,(+=\\\\
`//////\ \\/;' /~ (\\\\
~/////\~\`)' /; ))))
`~' | ((`~/((((\
;'_\'\ /')) )))))
/~/ '" "' _. /'/\_ /^\`((( \
`\/' _.-~/--/ ( =( | , |
_/~\_)_}___/^\/~`\.__\|==|
/uUUU) ) | |
( / | _-=o|\__ /'/~ \
' /' | /(((((\`\( |~\/
/' | /' )))))"`\`\|/_/---.._,$$,
.,ssS$$$Sss|._/_..-(((' )\)>>> ~\$
,sS$$$$$$$$$$$|$$$$$$$ |/ //'~`o `\
,$$$$$$$$$$$$$$|$$S$$$$' ( / \
,$$$$$$$$$$$$S$$|$$$$$$$' | / ,s$$$
s$$$$$S$$$$$$$$$S|$$$$$$$$ | / $$$$$$
_~,$S""'' ``"S|$$S$$$$$" (_,`\, ,$$$$$$$;
/~ ,"' / 'S$$$$$" \_./| s$$$$$$$$$$
(~' _, \==~~) / "'' \ | $$$$$$$$$$$$
(0\ /0/ \-' /' \ | | ,$$$$$$$$$$$$$,
`/' ' _-~ |= \_-\ $$$$$$$$$$$$$$s
(~~~) _.-~_- \ \ ,s|= | `"$$$$$$$$$$$$$$$
( `-' )/>-~ _/-__ | |,$$$|_/, `"$$$$$$$$$$$$
/V^^^^V~/' _/~/~~ ~~-| |$$$$$$$$ "$$$$$$$$$$,
/ (^^^^),/' /' ) /S$$$$$$$; ,$$$$$$$$$$$,
,$$_ `~~~'.,/' / _-ss, /(/-(/-(/' ,s$$$$$$$$$$$$$
,s$$$$$ssSS$$$' ,$'.s$$$$$$$$' (/-(/-(/-(/-(/'
S$$$$$$$$$$$$$$ ,$$$$$$$$$$$$$'
(/-(/-(/-(/-(/' _s$$$$$$$$$$$$$$
(/-(/-(/-(/-(/-'
""")
| def title():
print('\n \n _______ _______ _______ _ _______ ______ _________________________ _______ _______________________ \n( ____ ( ___ | | | ____ \\ ( ___ \\( ___ )__ __|__ __( \\ ( ____ \\ ( ____ \\__ __( )\n| ( \\/ ( ) | () () |/| ( \\/ | ( ) ) ( ) | ) ( ) ( | ( | ( \\/ | ( \\/ ) ( | () () |\n| (_____| (___) | || || | | (_____ | (__/ /| (___) | | | | | | | | (__ | (_____ | | | || || |\n(_____ ) ___ | |(_)| | (_____ ) | __ ( | ___ | | | | | | | | __) (_____ ) | | | |(_)| |\n ) | ( ) | | | | ) | | ( \\ \\| ( ) | | | | | | | | ( ) | | | | | | |\n/\\____) | ) ( | ) ( | /\\____) | | )___) ) ) ( | | | | | | (____/\\ (____/\\ /\\____) |__) (__| ) ( |\n\\_______)/ \\|/ \\| \\_______) |/ \\___/|/ \\| )_( )_( (_______(_______/ \\_______)_______// \\|\n \n ')
def monimg():
print('\n\n |\n \\_ /; _.._\n `\\~--.._ //\' ,(+=\\\\\n `//////\\ \\/;\' /~ (\\\\\n ~/////\\~\\`)\' /; ))))\n `~\' | ((`~/(((( ;\'_\'\\ /\')) )))))\n /~/ \'" "\' _. /\'/\\_ /^\\`((( `\\/\' _.-~/--/ ( =( | , |\n _/~\\_)_}___/^\\/~`\\.__\\|==|\n /uUUU) ) | |\n ( / | _-=o|\\__ /\'/~ \' /\' | /(((((\\`\\( |~\\/\n /\' | /\' )))))"`\\`\\|/_/---.._,$$,\n .,ssS$$$Sss|._/_..-(((\' )\\)>>> ~\\$\n ,sS$$$$$$$$$$$|$$$$$$$ |/ //\'~`o ` ,$$$$$$$$$$$$$$|$$S$$$$\' ( / ,$$$$$$$$$$$$S$$|$$$$$$$\' | / ,s$$$\n s$$$$$S$$$$$$$$$S|$$$$$$$$ | / $$$$$$\n _~,$S""\'\' ``"S|$$S$$$$$" (_,`\\, ,$$$$$$$;\n /~ ,"\' / \'S$$$$$" \\_./| s$$$$$$$$$$\n (~\' _, \\==~~) / "\'\' \\ | $$$$$$$$$$$$\n (0\\ /0/ \\-\' /\' \\ | | ,$$$$$$$$$$$$$,\n `/\' \' _-~ |= \\_-\\ $$$$$$$$$$$$$$s\n (~~~) _.-~_- \\ \\ ,s|= | `"$$$$$$$$$$$$$$$\n ( `-\' )/>-~ _/-__ | |,$$$|_/, `"$$$$$$$$$$$$\n /V^^^^V~/\' _/~/~~ ~~-| |$$$$$$$$ "$$$$$$$$$$,\n / (^^^^),/\' /\' ) /S$$$$$$$; ,$$$$$$$$$$$,\n ,$$_ `~~~\'.,/\' / _-ss, /(/-(/-(/\' ,s$$$$$$$$$$$$$\n ,s$$$$$ssSS$$$\' ,$\'.s$$$$$$$$\' (/-(/-(/-(/-(/\'\n S$$$$$$$$$$$$$$ ,$$$$$$$$$$$$$\'\n(/-(/-(/-(/-(/\' _s$$$$$$$$$$$$$$\n (/-(/-(/-(/-(/-\'\n\n ') |
class SecunitError(Exception):
...
class KeyNotInConfig(SecunitError):
...
class InvalidFlaskEnv(SecunitError):
...
| class Secuniterror(Exception):
...
class Keynotinconfig(SecunitError):
...
class Invalidflaskenv(SecunitError):
... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.