content
stringlengths 7
1.05M
| fixed_cases
stringlengths 1
1.28M
|
---|---|
class Tree:
def __init__(self,data):
self.tree = [data, [],[]]
def left_subtree(self,branch):
left_list = self.tree.pop(1)
if len(left_list) > 1:
branch.tree[1]=left_list
self.tree.insert(1,branch.tree)
else:
self.tree.insert(1,branch.tree)
def right_subtree(self,branch):
right_list = self.tree.pop(2)
if len(right_list) > 1:
branch.tree[2]=right_list
self.tree.insert(2,branch.tree)
else:
self.tree.insert(2,branch.tree)
#EXECUTION
print("Create Root Node")
root = Tree("Root_node")
print("Value of Root = ",root.tree)
print("Create Left Tree")
tree_left = Tree("Tree_Left")
root.left_subtree(tree_left)
print("Value of Tree_Left = ",root.tree)
print("Create Right Tree")
tree_right = Tree("Tree_Right")
root.right_subtree(tree_right)
print("Value of Tree_Right = ",root.tree)
print("Create Left Inbetween")
tree_inbtw = Tree("Tree left in between")
root.left_subtree(tree_inbtw)
print("Value of Tree_Left = ",root.tree)
print("Create TreeLL")
treell = Tree("TreeLL")
tree_left.left_subtree(treell)
print("Value of TREE = ",root.tree)
| class Tree:
def __init__(self, data):
self.tree = [data, [], []]
def left_subtree(self, branch):
left_list = self.tree.pop(1)
if len(left_list) > 1:
branch.tree[1] = left_list
self.tree.insert(1, branch.tree)
else:
self.tree.insert(1, branch.tree)
def right_subtree(self, branch):
right_list = self.tree.pop(2)
if len(right_list) > 1:
branch.tree[2] = right_list
self.tree.insert(2, branch.tree)
else:
self.tree.insert(2, branch.tree)
print('Create Root Node')
root = tree('Root_node')
print('Value of Root = ', root.tree)
print('Create Left Tree')
tree_left = tree('Tree_Left')
root.left_subtree(tree_left)
print('Value of Tree_Left = ', root.tree)
print('Create Right Tree')
tree_right = tree('Tree_Right')
root.right_subtree(tree_right)
print('Value of Tree_Right = ', root.tree)
print('Create Left Inbetween')
tree_inbtw = tree('Tree left in between')
root.left_subtree(tree_inbtw)
print('Value of Tree_Left = ', root.tree)
print('Create TreeLL')
treell = tree('TreeLL')
tree_left.left_subtree(treell)
print('Value of TREE = ', root.tree) |
class Point:
def __init__(self, x, y):
self.x = x
self.y = y
def __str__(self):
return f"[{self.x},{self.y}]"
class X(Point):
def __init__(self, x, y):
super().__init__(x, y)
def __str__(self):
return "X" + super().__str__()
class O(Point):
def __init__(self, x, y):
super().__init__(x, y)
def __str__(self):
return "O" + super().__str__()
class Board:
def __init__(self):
self._board = [
[" ", " ", " "],
[" ", " ", " "],
[" ", " ", " "],
]
@property
def board(self):
return self._board
@board.setter
def board(self, val):
x = int(val[1]) - 1
y = int(val[2]) - 1
self._board[x][y] = val[0]
def __str__(self):
"""
| X | O | |
| O | | |
| | X | |
"""
board_str = ""
for line in self._board:
board_str += "| " + " | ".join(line) + " |\n"
return board_str
# if __name__ == "__main__":
# board = Board()
# print(board)
#
# x = X(x=1, y=1)
# print(X.__name__)
| class Point:
def __init__(self, x, y):
self.x = x
self.y = y
def __str__(self):
return f'[{self.x},{self.y}]'
class X(Point):
def __init__(self, x, y):
super().__init__(x, y)
def __str__(self):
return 'X' + super().__str__()
class O(Point):
def __init__(self, x, y):
super().__init__(x, y)
def __str__(self):
return 'O' + super().__str__()
class Board:
def __init__(self):
self._board = [[' ', ' ', ' '], [' ', ' ', ' '], [' ', ' ', ' ']]
@property
def board(self):
return self._board
@board.setter
def board(self, val):
x = int(val[1]) - 1
y = int(val[2]) - 1
self._board[x][y] = val[0]
def __str__(self):
"""
| X | O | |
| O | | |
| | X | |
"""
board_str = ''
for line in self._board:
board_str += '| ' + ' | '.join(line) + ' |\n'
return board_str |
def input_dimension():
while True:
dimension = input("Enter your board dimensions: ").split()
len_x1 = 0
len_y1 = 0
if len(dimension) != 2:
print("Invalid dimensions!")
continue
try:
len_x1 = int(dimension[0])
len_y1 = int(dimension[1])
except ValueError:
print("Invalid dimensions!")
continue
if len_x1 <= 0 or len_y1 <= 0:
print("Invalid dimensions!")
else:
break
return len_x1, len_y1
def input_starting():
while True:
position = input("Enter the knight's starting position: ").split()
x1, y1 = 0, 0
if len(position) != 2:
print("Invalid dimensions!")
continue
try:
x1 = int(position[0])
y1 = int(position[1])
except ValueError:
print("Invalid dimensions!")
continue
if not 1 <= x1 <= len_x or not 1 <= y1 <= len_y:
print("Invalid dimensions!")
else:
break
return x1, y1
def create_board():
for _i in range(len_x):
current_row = []
for _j in range(len_y):
current_row.append("_")
board.append(current_row)
def print_board(board1):
max_len = len(str(len_x * len_y))
print(" " + "-" * (len_x * (max_len + 1) + 3))
for i in range(len_y, 0, -1):
s = ""
for j in range(1, len_x + 1):
if board1[j - 1][i - 1] != '_':
s += " " + " " * (max_len - len(board1[j - 1][i - 1])) + board1[j - 1][i - 1]
elif count(board1, j, i, 'X') != 0:
next_count = str(count(board1, j, i, '_'))
s += " " + " " * (max_len - len(next_count)) + next_count
else:
s += " " + "_" * max_len
print(f"{i}|{s} |")
print(" " + "-" * (len_x * (max_len + 1) + 3))
s = ''
for i in range(len_x):
s += " " * max_len + str(i + 1)
print(" " + s + " ")
print()
def count(board1, x1, y1, symbol):
value = 0
if x1 + 1 <= len_x and y1 + 2 <= len_y and board1[x1][y1 + 1] == symbol:
value += 1
if x1 + 1 <= len_x and y1 - 2 > 0 and board1[x1][y1 - 3] == symbol:
value += 1
if x1 - 1 > 0 and y1 + 2 <= len_y and board1[x1 - 2][y1 + 1] == symbol:
value += 1
if x1 - 1 > 0 and y1 - 2 > 0 and board1[x1 - 2][y1 - 3] == symbol:
value += 1
if x1 + 2 <= len_x and y1 + 1 <= len_y and board1[x1 + 1][y1] == symbol:
value += 1
if x1 + 2 <= len_x and y1 - 1 > 0 and board1[x1 + 1][y1 - 2] == symbol:
value += 1
if x1 - 2 > 0 and y1 + 1 <= len_y and board1[x1 - 3][y1] == symbol:
value += 1
if x1 - 2 > 0 and y1 - 1 > 0 and board1[x1 - 3][y1 - 2] == symbol:
value += 1
return value
def move(board1, new_x1, new_y1):
board2 = []
for i in range(len_x):
current_row = []
for j in range(len_y):
if board1[i][j] == 'X':
current_row.append('*')
else:
current_row.append(board1[i][j])
board2.append(current_row)
board2[new_x1 - 1][new_y1 - 1] = "X"
return board2
def next_step(board1, new_x1, new_y1, index):
board2 = []
for i in range(len_x):
current_row = []
for j in range(len_y):
current_row.append(board1[i][j])
board2.append(current_row)
board2[new_x1 - 1][new_y1 - 1] = str(index)
return board2
def check_solution(board1):
total = 0
for i in range(len_x):
for j in range(len_y):
if board1[i][j] == '_' and count(board1, i + 1, j + 1, 'X') != 0:
board2 = move(board1, i + 1, j + 1)
if check_solution(board2):
return True
elif board1[i][j] in '*X':
total += 1
return total == len_x * len_y
def play_game(board1):
print_board(board1)
invalid = False
count_squares = 1
while True:
movie = input("Invalid move! Enter your next move: " if invalid else 'Enter your next move: ').split()
new_x = int(movie[0])
new_y = int(movie[1])
if board1[new_x - 1][new_y - 1] != '_' or count(board1, new_x, new_y, 'X') == 0:
invalid = True
else:
invalid = False
board1 = move(board1, new_x, new_y)
count_squares += 1
if count(board1, new_x, new_y, '_') == 0:
if len_x * len_y == count_squares:
print('What a great tour! Congratulations!')
else:
print('No more possible moves!')
print(f'Your knight visited {count_squares} squares!')
break
print_board(board1)
def print_solution(board1):
board2 = fill_board(board1, 1)
print_board(board2)
def fill_board(board1, index):
for i in range(len_x):
for j in range(len_y):
if board1[i][j] == '_' and count(board1, i + 1, j + 1, str(index)) != 0:
board2 = next_step(board1, i + 1, j + 1, index + 1)
if index + 1 == len_x * len_y:
return board2
board3 = fill_board(board2, index + 1)
if board3 is not None:
return board3
return None
board = []
len_x, len_y = input_dimension()
create_board()
x, y = input_starting()
board[x - 1][y - 1] = "X"
while True:
try_puzzle = input('Do you want to try the puzzle? (y/n): ')
if try_puzzle == 'y':
if not check_solution(list(board)):
print('No solution exists!')
exit()
play_game(board)
break
elif try_puzzle == 'n':
if not check_solution(list(board)):
print('No solution exists!')
exit()
board[x - 1][y - 1] = "1"
print("Here's the solution!")
print_solution(board)
break
else:
print('Invalid dimensions!')
| def input_dimension():
while True:
dimension = input('Enter your board dimensions: ').split()
len_x1 = 0
len_y1 = 0
if len(dimension) != 2:
print('Invalid dimensions!')
continue
try:
len_x1 = int(dimension[0])
len_y1 = int(dimension[1])
except ValueError:
print('Invalid dimensions!')
continue
if len_x1 <= 0 or len_y1 <= 0:
print('Invalid dimensions!')
else:
break
return (len_x1, len_y1)
def input_starting():
while True:
position = input("Enter the knight's starting position: ").split()
(x1, y1) = (0, 0)
if len(position) != 2:
print('Invalid dimensions!')
continue
try:
x1 = int(position[0])
y1 = int(position[1])
except ValueError:
print('Invalid dimensions!')
continue
if not 1 <= x1 <= len_x or not 1 <= y1 <= len_y:
print('Invalid dimensions!')
else:
break
return (x1, y1)
def create_board():
for _i in range(len_x):
current_row = []
for _j in range(len_y):
current_row.append('_')
board.append(current_row)
def print_board(board1):
max_len = len(str(len_x * len_y))
print(' ' + '-' * (len_x * (max_len + 1) + 3))
for i in range(len_y, 0, -1):
s = ''
for j in range(1, len_x + 1):
if board1[j - 1][i - 1] != '_':
s += ' ' + ' ' * (max_len - len(board1[j - 1][i - 1])) + board1[j - 1][i - 1]
elif count(board1, j, i, 'X') != 0:
next_count = str(count(board1, j, i, '_'))
s += ' ' + ' ' * (max_len - len(next_count)) + next_count
else:
s += ' ' + '_' * max_len
print(f'{i}|{s} |')
print(' ' + '-' * (len_x * (max_len + 1) + 3))
s = ''
for i in range(len_x):
s += ' ' * max_len + str(i + 1)
print(' ' + s + ' ')
print()
def count(board1, x1, y1, symbol):
value = 0
if x1 + 1 <= len_x and y1 + 2 <= len_y and (board1[x1][y1 + 1] == symbol):
value += 1
if x1 + 1 <= len_x and y1 - 2 > 0 and (board1[x1][y1 - 3] == symbol):
value += 1
if x1 - 1 > 0 and y1 + 2 <= len_y and (board1[x1 - 2][y1 + 1] == symbol):
value += 1
if x1 - 1 > 0 and y1 - 2 > 0 and (board1[x1 - 2][y1 - 3] == symbol):
value += 1
if x1 + 2 <= len_x and y1 + 1 <= len_y and (board1[x1 + 1][y1] == symbol):
value += 1
if x1 + 2 <= len_x and y1 - 1 > 0 and (board1[x1 + 1][y1 - 2] == symbol):
value += 1
if x1 - 2 > 0 and y1 + 1 <= len_y and (board1[x1 - 3][y1] == symbol):
value += 1
if x1 - 2 > 0 and y1 - 1 > 0 and (board1[x1 - 3][y1 - 2] == symbol):
value += 1
return value
def move(board1, new_x1, new_y1):
board2 = []
for i in range(len_x):
current_row = []
for j in range(len_y):
if board1[i][j] == 'X':
current_row.append('*')
else:
current_row.append(board1[i][j])
board2.append(current_row)
board2[new_x1 - 1][new_y1 - 1] = 'X'
return board2
def next_step(board1, new_x1, new_y1, index):
board2 = []
for i in range(len_x):
current_row = []
for j in range(len_y):
current_row.append(board1[i][j])
board2.append(current_row)
board2[new_x1 - 1][new_y1 - 1] = str(index)
return board2
def check_solution(board1):
total = 0
for i in range(len_x):
for j in range(len_y):
if board1[i][j] == '_' and count(board1, i + 1, j + 1, 'X') != 0:
board2 = move(board1, i + 1, j + 1)
if check_solution(board2):
return True
elif board1[i][j] in '*X':
total += 1
return total == len_x * len_y
def play_game(board1):
print_board(board1)
invalid = False
count_squares = 1
while True:
movie = input('Invalid move! Enter your next move: ' if invalid else 'Enter your next move: ').split()
new_x = int(movie[0])
new_y = int(movie[1])
if board1[new_x - 1][new_y - 1] != '_' or count(board1, new_x, new_y, 'X') == 0:
invalid = True
else:
invalid = False
board1 = move(board1, new_x, new_y)
count_squares += 1
if count(board1, new_x, new_y, '_') == 0:
if len_x * len_y == count_squares:
print('What a great tour! Congratulations!')
else:
print('No more possible moves!')
print(f'Your knight visited {count_squares} squares!')
break
print_board(board1)
def print_solution(board1):
board2 = fill_board(board1, 1)
print_board(board2)
def fill_board(board1, index):
for i in range(len_x):
for j in range(len_y):
if board1[i][j] == '_' and count(board1, i + 1, j + 1, str(index)) != 0:
board2 = next_step(board1, i + 1, j + 1, index + 1)
if index + 1 == len_x * len_y:
return board2
board3 = fill_board(board2, index + 1)
if board3 is not None:
return board3
return None
board = []
(len_x, len_y) = input_dimension()
create_board()
(x, y) = input_starting()
board[x - 1][y - 1] = 'X'
while True:
try_puzzle = input('Do you want to try the puzzle? (y/n): ')
if try_puzzle == 'y':
if not check_solution(list(board)):
print('No solution exists!')
exit()
play_game(board)
break
elif try_puzzle == 'n':
if not check_solution(list(board)):
print('No solution exists!')
exit()
board[x - 1][y - 1] = '1'
print("Here's the solution!")
print_solution(board)
break
else:
print('Invalid dimensions!') |
"""Mirror of release info
TODO: generate this file from GitHub API"""
# The integrity hashes can be computed with
# shasum -b -a 384 [downloaded file] | awk '{ print $1 }' | xxd -r -p | base64
TOOL_VERSIONS = {
"7.0.1-rc1": {
"darwin_arm64": "sha384-PMTl7GMV01JnwQ0yoURCuEVq+xUUlhayLzBFzqId8ebIBQ8g8aWnbiRX0e4xwdY1",
},
}
# shasum -b -a 384 /Users/thesayyn/Downloads/go-containerregistry_Darwin_arm64.tar.gz | awk '{ print $1 }' | xxd -r -p | base64 | """Mirror of release info
TODO: generate this file from GitHub API"""
tool_versions = {'7.0.1-rc1': {'darwin_arm64': 'sha384-PMTl7GMV01JnwQ0yoURCuEVq+xUUlhayLzBFzqId8ebIBQ8g8aWnbiRX0e4xwdY1'}} |
with open("input.txt") as file:
data = file.read()
m = [-1, 0, 1]
def neight(grid, x, y):
for a in m:
for b in m:
if a == b == 0:
continue
xx = x+a
yy = y+b
if 0 <= xx < len(grid) and 0 <= yy < len(grid[xx]):
yield grid[xx][yy]
def neight_on(grid, x, y):
return sum(1 for c in neight(grid, x, y) if c == '#')
def update_corners(grid):
new_grid = []
for x in range(len(grid)):
l = []
for y in range(len(grid[x])):
if x in (0, len(grid)-1) and y in (0, len(grid[x])-1):
l.append('#')
else: # pass
l.append(grid[x][y])
new_grid.append("".join(l))
return new_grid
def update(grid):
new_grid = []
for x in range(len(grid)):
l = []
for y in range(len(grid[x])):
on_count = neight_on(grid,x,y)
if x in (0, len(grid)-1) and y in (0, len(grid[x])-1):
l.append('#')
elif grid[x][y] == '#': # on
l.append('#' if on_count in (2,3) else '.')
else: # pass
l.append('#' if on_count == 3 else '.')
new_grid.append("".join(l))
return new_grid
# TEST
grid = """.#.#.#
...##.
#....#
..#...
#.#..#
####..""".splitlines()
for i in range(4):
grid = update(grid)
print("\n".join(grid) + "\n")
# PART 1
grid = data.splitlines()
for i in range(100):
grid = update(grid)
s = sum(1 for row in grid for c in row if c == '#')
print(s)
# TEST 2
grid = """.#.#.#
...##.
#....#
..#...
#.#..#
####..""".splitlines()
grid = update_corners(grid)
for i in range(5):
grid = update_corners(update(grid))
print("\n".join(grid) + "\n")
# PART 1
grid = data.splitlines()
grid = update_corners(grid)
for i in range(100):
grid = update_corners(update(grid))
s = sum(1 for row in grid for c in row if c == '#')
print(s) | with open('input.txt') as file:
data = file.read()
m = [-1, 0, 1]
def neight(grid, x, y):
for a in m:
for b in m:
if a == b == 0:
continue
xx = x + a
yy = y + b
if 0 <= xx < len(grid) and 0 <= yy < len(grid[xx]):
yield grid[xx][yy]
def neight_on(grid, x, y):
return sum((1 for c in neight(grid, x, y) if c == '#'))
def update_corners(grid):
new_grid = []
for x in range(len(grid)):
l = []
for y in range(len(grid[x])):
if x in (0, len(grid) - 1) and y in (0, len(grid[x]) - 1):
l.append('#')
else:
l.append(grid[x][y])
new_grid.append(''.join(l))
return new_grid
def update(grid):
new_grid = []
for x in range(len(grid)):
l = []
for y in range(len(grid[x])):
on_count = neight_on(grid, x, y)
if x in (0, len(grid) - 1) and y in (0, len(grid[x]) - 1):
l.append('#')
elif grid[x][y] == '#':
l.append('#' if on_count in (2, 3) else '.')
else:
l.append('#' if on_count == 3 else '.')
new_grid.append(''.join(l))
return new_grid
grid = '.#.#.#\n...##.\n#....#\n..#...\n#.#..#\n####..'.splitlines()
for i in range(4):
grid = update(grid)
print('\n'.join(grid) + '\n')
grid = data.splitlines()
for i in range(100):
grid = update(grid)
s = sum((1 for row in grid for c in row if c == '#'))
print(s)
grid = '.#.#.#\n...##.\n#....#\n..#...\n#.#..#\n####..'.splitlines()
grid = update_corners(grid)
for i in range(5):
grid = update_corners(update(grid))
print('\n'.join(grid) + '\n')
grid = data.splitlines()
grid = update_corners(grid)
for i in range(100):
grid = update_corners(update(grid))
s = sum((1 for row in grid for c in row if c == '#'))
print(s) |
#
# This file contains the Python code from Program 6.2 of
# "Data Structures and Algorithms
# with Object-Oriented Design Patterns in Python"
# by Bruno R. Preiss.
#
# Copyright (c) 2003 by Bruno R. Preiss, P.Eng. All rights reserved.
#
# http://www.brpreiss.com/books/opus7/programs/pgm06_02.txt
#
class StackAsArray(Stack):
def __init__(self, size = 0):
super(StackAsArray, self).__init__()
self._array = Array(size)
def purge(self):
while self._count > 0:
self._array[self._count] = None
self._count -= 1
#...
| class Stackasarray(Stack):
def __init__(self, size=0):
super(StackAsArray, self).__init__()
self._array = array(size)
def purge(self):
while self._count > 0:
self._array[self._count] = None
self._count -= 1 |
n = input()
split =n.split()
limak = int(split[0])
bob = int(split[-1])
years = 0
while True:
limak*=3
bob*=2
years+=1
if limak>bob:
break
print(years)
| n = input()
split = n.split()
limak = int(split[0])
bob = int(split[-1])
years = 0
while True:
limak *= 3
bob *= 2
years += 1
if limak > bob:
break
print(years) |
fizz = 3
buzz = 5
upto = 100
for n in range(1,(upto + 1)):
if n % fizz == 0:
if n % buzz == 0:
print("FizzBuzz")
else:
print("Fizz")
elif n % buzz == 0:
print("Buzz")
else:
print(n)
| fizz = 3
buzz = 5
upto = 100
for n in range(1, upto + 1):
if n % fizz == 0:
if n % buzz == 0:
print('FizzBuzz')
else:
print('Fizz')
elif n % buzz == 0:
print('Buzz')
else:
print(n) |
#!/usr/bin/env python3
def count_combos(coins, total):
len_coins = len(coins)
memo = {}
def count(tot, i):
if tot == 0:
return 1
if i == len_coins:
return 0
subproblem = (tot, i)
try:
return memo[subproblem]
except KeyError:
j = i + 1
subtotals = range(0, total + 1, coins[i])
combos = sum(count(tot - subtot, j) for subtot in subtotals)
memo[subproblem] = combos
return combos
return count(total, 0)
def read_record():
return map(int, input().split())
total, _ = read_record() # don't need m
coins = list(read_record())
print(count_combos(coins, total))
| def count_combos(coins, total):
len_coins = len(coins)
memo = {}
def count(tot, i):
if tot == 0:
return 1
if i == len_coins:
return 0
subproblem = (tot, i)
try:
return memo[subproblem]
except KeyError:
j = i + 1
subtotals = range(0, total + 1, coins[i])
combos = sum((count(tot - subtot, j) for subtot in subtotals))
memo[subproblem] = combos
return combos
return count(total, 0)
def read_record():
return map(int, input().split())
(total, _) = read_record()
coins = list(read_record())
print(count_combos(coins, total)) |
ans = []
n = int(input())
for i in range(n):
a, b = list(map(int, input().split()))
ans.append(a + b)
for i in range(len(ans)):
print("Case #{}: {}".format(i+1, ans[i])) | ans = []
n = int(input())
for i in range(n):
(a, b) = list(map(int, input().split()))
ans.append(a + b)
for i in range(len(ans)):
print('Case #{}: {}'.format(i + 1, ans[i])) |
SYSDIGERR = -1
NOPROCESS = -2
NOFUNCS = -3
NOATTACH = -4
CONSTOP = -5
HSTOPS = -6
HLOGLEN = -7
HNOKILL = -8
HNORUN = -9
CACHE = ".cache"
LIBFILENAME = "libs.out"
LANGFILENAME = ".lang.cache"
BINLISTCACHE = ".binlist.cache"
LIBLISTCACHE = ".liblist.cache"
BINTOLIBCACHE = ".bintolib.cache"
TOOLNAME = "CONFINE"
SECCOMPCPROG = "seccomp"
DOCKERENTRYSCRIPT = "docker-entrypoint.sh"
DOCKERENTRYSCRIPTMODIFIED = "docker-entrypoint.wseccomp.sh"
ERRTOMSG = dict()
ERRTOMSG[SYSDIGERR] = "There was an error running sysdig, please make sure it is installed and the script has enough privileges to run it"
ERRTOMSG[NOPROCESS] = "Sysdig was not able to identify any processes. This causes our dynamic analysis to fail and the static analysis cannot analyze anything"
ERRTOMSG[NOFUNCS] = "No imported functions could be extracted from any of the binaries and libraries required by the container"
ERRTOMSG[NOATTACH] = "The container did not run in attached mode"
ERRTOMSG[CONSTOP] = "The container got killed after being launched in attach mode"
ERRTOMSG[HSTOPS] = "The hardened container stops running. Probably due to a problem in generating the SECCOMP profile and prohibiting access to a required system call"
ERRTOMSG[HLOGLEN] = "While the container has been hardened successfully, the log length doesn't match the original log length, which was run without any SECCOMP profile"
ERRTOMSG[HNOKILL] = "The container has been hardened successfully, but we could not kill it afterwards. This usually means that the container has died. If so, the generated profile has a problem"
ERRTOMSG[HNORUN] = "The hardened container does not run at all. The generated SECCOMP profile has a problem"
| sysdigerr = -1
noprocess = -2
nofuncs = -3
noattach = -4
constop = -5
hstops = -6
hloglen = -7
hnokill = -8
hnorun = -9
cache = '.cache'
libfilename = 'libs.out'
langfilename = '.lang.cache'
binlistcache = '.binlist.cache'
liblistcache = '.liblist.cache'
bintolibcache = '.bintolib.cache'
toolname = 'CONFINE'
seccompcprog = 'seccomp'
dockerentryscript = 'docker-entrypoint.sh'
dockerentryscriptmodified = 'docker-entrypoint.wseccomp.sh'
errtomsg = dict()
ERRTOMSG[SYSDIGERR] = 'There was an error running sysdig, please make sure it is installed and the script has enough privileges to run it'
ERRTOMSG[NOPROCESS] = 'Sysdig was not able to identify any processes. This causes our dynamic analysis to fail and the static analysis cannot analyze anything'
ERRTOMSG[NOFUNCS] = 'No imported functions could be extracted from any of the binaries and libraries required by the container'
ERRTOMSG[NOATTACH] = 'The container did not run in attached mode'
ERRTOMSG[CONSTOP] = 'The container got killed after being launched in attach mode'
ERRTOMSG[HSTOPS] = 'The hardened container stops running. Probably due to a problem in generating the SECCOMP profile and prohibiting access to a required system call'
ERRTOMSG[HLOGLEN] = "While the container has been hardened successfully, the log length doesn't match the original log length, which was run without any SECCOMP profile"
ERRTOMSG[HNOKILL] = 'The container has been hardened successfully, but we could not kill it afterwards. This usually means that the container has died. If so, the generated profile has a problem'
ERRTOMSG[HNORUN] = 'The hardened container does not run at all. The generated SECCOMP profile has a problem' |
class ChatObject:
def __init__(self, service, json):
"""Base class for objects emmitted from chat services."""
self.json = json
self.service = service
| class Chatobject:
def __init__(self, service, json):
"""Base class for objects emmitted from chat services."""
self.json = json
self.service = service |
def test_tcp_id(self):
"""
Comprobacion de que el puerto (objeto heredado) coincide con el asociado al Protocolos
Returns:
"""
port = Ports.objects.get(Tag="ssh")
tcp = Tcp.objects.get(id=port)
self.assertEqual(tcp.get_id(), port)
| def test_tcp_id(self):
"""
Comprobacion de que el puerto (objeto heredado) coincide con el asociado al Protocolos
Returns:
"""
port = Ports.objects.get(Tag='ssh')
tcp = Tcp.objects.get(id=port)
self.assertEqual(tcp.get_id(), port) |
class GMHazardError(BaseException):
"""Base GMHazard error"""
def __init__(self, message: str):
self.message = message
class ExceedanceOutOfRangeError(GMHazardError):
"""Raised when the specified exceedance value is out of range when
going from exceedance to IM on the hazard curve"""
def __init__(self, im: str, exceedance: float, message: str):
super().__init__(message)
self.exceedance = exceedance
self.im = im
| class Gmhazarderror(BaseException):
"""Base GMHazard error"""
def __init__(self, message: str):
self.message = message
class Exceedanceoutofrangeerror(GMHazardError):
"""Raised when the specified exceedance value is out of range when
going from exceedance to IM on the hazard curve"""
def __init__(self, im: str, exceedance: float, message: str):
super().__init__(message)
self.exceedance = exceedance
self.im = im |
#Given an array nums and a value val, 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 1:
#Given nums = [3,2,2,3], val = 3,
#Your function should return length = 2, with the first two elements of nums being 2.
#It doesn't matter what you leave beyond the returned length.
#Example 2:
#Given nums = [0,1,2,2,3,0,4,2], val = 2,
#Your function should return length = 5, with the first five elements of nums containing 0, 1, 3, 0, and 4.
#Note that the order of those five elements can be arbitrary.
#It doesn't matter what values are set beyond the returned length.
#Clarification:
#Confused why the returned value is an integer but your answer is an array?
#Note that the input array is passed in by reference, which means modification to the input array will be known to the caller as well.
#Internally you can think of this:
#// nums is passed in by reference. (i.e., without making a copy)
#int len = removeElement(nums, val);
#// any modification to nums in your function would be known by the caller.
#// using the length returned by your function, it prints the first len elements.
#for (int i = 0; i < len; i++) {
# print(nums[i]);
#}
class Solution:
def removeElement(self, nums: List[int], val: int) -> int:
result=[]
m=0
for n in range(len(nums)):
if nums[n]!=val:
nums[m]=nums[n]
m+=1
return m
| class Solution:
def remove_element(self, nums: List[int], val: int) -> int:
result = []
m = 0
for n in range(len(nums)):
if nums[n] != val:
nums[m] = nums[n]
m += 1
return m |
class Button():
LEFT = 0
CENTER = 1
RIGHT = 2
class Key():
""" Key codes for InputEmulation.Keyboard object.
Can be entered directly or concatenated with an existing string, e.g. ``type(Key.TAB)`` """
ENTER = "{ENTER}"
ESC = "{ESC}"
BACKSPACE = "{BACKSPACE}"
DELETE = "{DELETE}"
F1 = "{F1}"
F2 = "{F2}"
F3 = "{F3}"
F4 = "{F4}"
F5 = "{F5}"
F6 = "{F6}"
F7 = "{F7}"
F8 = "{F8}"
F9 = "{F9}"
F10 = "{F10}"
F11 = "{F11}"
F12 = "{F12}"
F13 = "{F13}"
F14 = "{F14}"
F15 = "{F15}"
F16 = "{F16}"
HOME = "{HOME}"
END = "{END}"
LEFT = "{LEFT}"
RIGHT = "{RIGHT}"
DOWN = "{DOWN}"
UP = "{UP}"
PAGE_DOWN = "{PAGE_DOWN}"
PAGE_UP = "{PAGE_UP}"
TAB = "{TAB}"
CAPS_LOCK = "{CAPS_LOCK}"
NUM_LOCK = "{NUM_LOCK}"
SCROLL_LOCK = "{SCROLL_LOCK}"
INSERT = "{INSERT}"
SPACE = "{SPACE}"
PRINTSCREEN = "{PRINTSCREEN}"
ALT = "{ALT}"
CMD = "{CMD}"
CTRL = "{CTRL}"
META = "{META}"
SHIFT = "{SHIFT}"
WIN = "{WIN}"
PAUSE = "{PAUSE}"
NUM0 = "{NUM0}"
NUM1 = "{NUM1}"
NUM2 = "{NUM2}"
NUM3 = "{NUM3}"
NUM4 = "{NUM4}"
NUM5 = "{NUM5}"
NUM6 = "{NUM6}"
NUM7 = "{NUM7}"
NUM8 = "{NUM8}"
NUM9 = "{NUM9}"
SEPARATOR = "{SEPARATOR}"
ADD = "{ADD}"
MINUS = "{MINUS}"
MULTIPLY = "{MULTIPLY}"
DIVIDE = "{DIVIDE}"
class KeyModifier():
""" Can be used with type() to modify another key, e.g. ``type(Key.DELETE, Key.CTRL+Key.ALT)`` """
CTRL = "{CTRL}"
SHIFT = "{SHIFT}"
ALT = "{ALT}"
META = "{META}"
CMD = "{CMD}"
WIN = "{WIN}" | class Button:
left = 0
center = 1
right = 2
class Key:
""" Key codes for InputEmulation.Keyboard object.
Can be entered directly or concatenated with an existing string, e.g. ``type(Key.TAB)`` """
enter = '{ENTER}'
esc = '{ESC}'
backspace = '{BACKSPACE}'
delete = '{DELETE}'
f1 = '{F1}'
f2 = '{F2}'
f3 = '{F3}'
f4 = '{F4}'
f5 = '{F5}'
f6 = '{F6}'
f7 = '{F7}'
f8 = '{F8}'
f9 = '{F9}'
f10 = '{F10}'
f11 = '{F11}'
f12 = '{F12}'
f13 = '{F13}'
f14 = '{F14}'
f15 = '{F15}'
f16 = '{F16}'
home = '{HOME}'
end = '{END}'
left = '{LEFT}'
right = '{RIGHT}'
down = '{DOWN}'
up = '{UP}'
page_down = '{PAGE_DOWN}'
page_up = '{PAGE_UP}'
tab = '{TAB}'
caps_lock = '{CAPS_LOCK}'
num_lock = '{NUM_LOCK}'
scroll_lock = '{SCROLL_LOCK}'
insert = '{INSERT}'
space = '{SPACE}'
printscreen = '{PRINTSCREEN}'
alt = '{ALT}'
cmd = '{CMD}'
ctrl = '{CTRL}'
meta = '{META}'
shift = '{SHIFT}'
win = '{WIN}'
pause = '{PAUSE}'
num0 = '{NUM0}'
num1 = '{NUM1}'
num2 = '{NUM2}'
num3 = '{NUM3}'
num4 = '{NUM4}'
num5 = '{NUM5}'
num6 = '{NUM6}'
num7 = '{NUM7}'
num8 = '{NUM8}'
num9 = '{NUM9}'
separator = '{SEPARATOR}'
add = '{ADD}'
minus = '{MINUS}'
multiply = '{MULTIPLY}'
divide = '{DIVIDE}'
class Keymodifier:
""" Can be used with type() to modify another key, e.g. ``type(Key.DELETE, Key.CTRL+Key.ALT)`` """
ctrl = '{CTRL}'
shift = '{SHIFT}'
alt = '{ALT}'
meta = '{META}'
cmd = '{CMD}'
win = '{WIN}' |
#!/bin/env/python
infileList = []
keyList = []
cList = (
"GBR",
"FIN",
"CHS",
"PUR",
"CLM",
"IBS",
"CEU",
"YRI",
"CHB",
"JPT",
"LWK",
"ASW",
"MXL",
"TSI",
)
for i in range(17,23):
infileList.append("proc_input.chr" + str(i) + ".vcf")
keyList.append("cluster_chr" + str(i))
infileList.append("proc_input.chrX.vcf")
keyList.append("cluster_chrX")
for l in range(len(infileList)):
files = open(infileList[l], "r")
outFile = open("output/" + keyList[l], "w")
logFile = open("output/cluster.log", "w")
line = files.readline()
count = 0
cDict = {}
while line:
if not count == 0:
tmp = line.split(",")
for k in range(len(tmp)):
if not k == 0:
value = tmp[k].split(":")
if count == 1:
cDict[cList[k - 1]] = value
logFile.write("cList: " + str(cList[k-1]))
for j in range(len(cDict[cList[k - 1]])):
cDict[cList[k - 1]][j] = int(cDict[cList[k - 1]][j])
else:
for j in range(len(value)):
if not j == 3:
cDict[cList[k - 1]][j] += int(value[j])
count += 1
line = files.readline()
print(str(count) + " end")
logFile.write("cDict: " + str(cDict))
for k, list in cDict.items():
sum = 0
for v in list:
sum += int(v)
logFile.write("sum: " + str(sum))
for v in range(len(list)):
if not v == len(list) - 1:
outFile.write(str(round((float(list[v]) / float(sum)) * 100, 2)) + ",")
else:
outFile.write(str(round((float(list[v]) / float(sum)) * 100, 2)) + "\n")
print(infileList[l] + " success")
files.close()
outFile.close()
logFile.close()
| infile_list = []
key_list = []
c_list = ('GBR', 'FIN', 'CHS', 'PUR', 'CLM', 'IBS', 'CEU', 'YRI', 'CHB', 'JPT', 'LWK', 'ASW', 'MXL', 'TSI')
for i in range(17, 23):
infileList.append('proc_input.chr' + str(i) + '.vcf')
keyList.append('cluster_chr' + str(i))
infileList.append('proc_input.chrX.vcf')
keyList.append('cluster_chrX')
for l in range(len(infileList)):
files = open(infileList[l], 'r')
out_file = open('output/' + keyList[l], 'w')
log_file = open('output/cluster.log', 'w')
line = files.readline()
count = 0
c_dict = {}
while line:
if not count == 0:
tmp = line.split(',')
for k in range(len(tmp)):
if not k == 0:
value = tmp[k].split(':')
if count == 1:
cDict[cList[k - 1]] = value
logFile.write('cList: ' + str(cList[k - 1]))
for j in range(len(cDict[cList[k - 1]])):
cDict[cList[k - 1]][j] = int(cDict[cList[k - 1]][j])
else:
for j in range(len(value)):
if not j == 3:
cDict[cList[k - 1]][j] += int(value[j])
count += 1
line = files.readline()
print(str(count) + ' end')
logFile.write('cDict: ' + str(cDict))
for (k, list) in cDict.items():
sum = 0
for v in list:
sum += int(v)
logFile.write('sum: ' + str(sum))
for v in range(len(list)):
if not v == len(list) - 1:
outFile.write(str(round(float(list[v]) / float(sum) * 100, 2)) + ',')
else:
outFile.write(str(round(float(list[v]) / float(sum) * 100, 2)) + '\n')
print(infileList[l] + ' success')
files.close()
outFile.close()
logFile.close() |
n = int(input())
sumI = 0
for i in range(n):
sumI = sumI + int(input())
o = int(input())
for i in range(o):
sumI = sumI + int(input())
print('{:.3f}'.format((round(sumI*1000/(n+i+1)))/1000))
| n = int(input())
sum_i = 0
for i in range(n):
sum_i = sumI + int(input())
o = int(input())
for i in range(o):
sum_i = sumI + int(input())
print('{:.3f}'.format(round(sumI * 1000 / (n + i + 1)) / 1000)) |
class HeapError(Exception):
pass
class Heap(object):
def __init__(self, iterable=()):
self._heap = []
for value in iterable:
self.push(value)
def _get(self, node):
if not self._heap:
raise HeapError("empty heap")
if node is None:
return self._heap[0]
if len(self._heap) <= node._index or self._heap[node._index] is not node:
raise HeapError("node not in the heap")
return node
def push(self, value):
node = _Node(len(self._heap), value)
self._heap.append(node)
_up(self._heap, node)
return node
def peek(self, node=None):
return self._get(node)._value
def pop(self, node=None):
node = self._get(node)
last = self._heap.pop()
if last is not node:
self._heap[node._index] = last
last._index = node._index
_down(self._heap, last)
_up(self._heap, last)
return node._value
def head(self):
return self._get(None)
def __len__(self):
return len(self._heap)
class _Node(object):
__slots__ = "_index", "_value"
def __init__(self, index, value):
self._index = index
self._value = value
def _swap(array, left, right):
array[left._index] = right
array[right._index] = left
left._index, right._index = right._index, left._index
def _up(array, node):
while node._index > 0:
parent = array[(node._index - 1) // 2]
if parent._value <= node._value:
break
_swap(array, node, parent)
def _down(array, node):
length = len(array)
while True:
smallest = node
left_index = 2 * node._index + 1
if left_index < length:
left = array[left_index]
if left._value < smallest._value:
smallest = left
right_index = left_index + 1
if right_index < length:
right = array[right_index]
if right._value < smallest._value:
smallest = right
if node is smallest:
break
_swap(array, node, smallest)
| class Heaperror(Exception):
pass
class Heap(object):
def __init__(self, iterable=()):
self._heap = []
for value in iterable:
self.push(value)
def _get(self, node):
if not self._heap:
raise heap_error('empty heap')
if node is None:
return self._heap[0]
if len(self._heap) <= node._index or self._heap[node._index] is not node:
raise heap_error('node not in the heap')
return node
def push(self, value):
node = __node(len(self._heap), value)
self._heap.append(node)
_up(self._heap, node)
return node
def peek(self, node=None):
return self._get(node)._value
def pop(self, node=None):
node = self._get(node)
last = self._heap.pop()
if last is not node:
self._heap[node._index] = last
last._index = node._index
_down(self._heap, last)
_up(self._heap, last)
return node._value
def head(self):
return self._get(None)
def __len__(self):
return len(self._heap)
class _Node(object):
__slots__ = ('_index', '_value')
def __init__(self, index, value):
self._index = index
self._value = value
def _swap(array, left, right):
array[left._index] = right
array[right._index] = left
(left._index, right._index) = (right._index, left._index)
def _up(array, node):
while node._index > 0:
parent = array[(node._index - 1) // 2]
if parent._value <= node._value:
break
_swap(array, node, parent)
def _down(array, node):
length = len(array)
while True:
smallest = node
left_index = 2 * node._index + 1
if left_index < length:
left = array[left_index]
if left._value < smallest._value:
smallest = left
right_index = left_index + 1
if right_index < length:
right = array[right_index]
if right._value < smallest._value:
smallest = right
if node is smallest:
break
_swap(array, node, smallest) |
# Sum of numbers 3
def get_sum(x, y):
s = 0
if x > y:
for index in range(y, x + 1):
s = s + index
return s
elif x < y:
for index in range(x, y + 1):
s = s + index
return s
else:
return x
print(get_sum(2, 1))
print(get_sum(0, -1))
| def get_sum(x, y):
s = 0
if x > y:
for index in range(y, x + 1):
s = s + index
return s
elif x < y:
for index in range(x, y + 1):
s = s + index
return s
else:
return x
print(get_sum(2, 1))
print(get_sum(0, -1)) |
# EMPTY = "L"
# OCCUPIED = "#"
# FIXED = "."
EMPTY = 0
OCCUPIED = 1
FIXED = -1
def read_input(file_name):
seats = []
with open(file_name) as input_file:
for line in input_file:
line = line.strip()
seats.append( list(map(map_input, line) ))
return seats
# Failed attempt to speed up the program
def map_input(x):
if x == ".":
return FIXED
elif x == "L":
return EMPTY
elif x == "#":
return OCCUPIED
else:
raise RuntimeError("Unhandled input")
# The following rules are applied to every seat simultaneously:
# If a seat is empty (L) and there are no occupied seats adjacent to it, the seat becomes occupied.
# If a seat is occupied (#) and four or more seats adjacent to it are also occupied, the seat becomes empty.
# Otherwise, the seat's state does not change.
# Floor (.) never changes; seats don't move, and nobody sits on the floor.
# adjacent = left, right, or diagonal from the seat
def part1(seats):
# My answer: 2303
return run_iterations(seats, 1, 4)
# Part 2: like part 1, but different rules for state change
def part2(seats):
# my answer: 2057
return run_iterations(seats, max(len(seats), len(seats[0])), 5)
def run_iterations(seats, max_extent, occupied_limit):
num_cycles = 0
num_rows = len(seats)
num_columns = len(seats[0])
seats_copy = [row.copy() for row in seats]
new_seat_state = [ [FIXED for j in range(num_columns)] for i in range(num_rows) ]
while True:
num_cycles += 1
num_changes = 0
for row in range(num_rows):
for column in range(num_columns):
current_state = seats_copy[row][column]
if current_state != FIXED:
occupied = count_occupied(seats_copy, row, column, max_extent)
if current_state == EMPTY and occupied == 0:
new_seat_state[row][column] = OCCUPIED
num_changes += 1
elif current_state == OCCUPIED and occupied >= occupied_limit:
new_seat_state[row][column] = EMPTY
num_changes += 1
else:
new_seat_state[row][column] = current_state
if num_changes == 0 or num_cycles > 1000:
break
# else:
# print("Iteration {} num changes: {}".format(num_cycles, num_changes))
tmp = new_seat_state
new_seat_state = seats_copy
seats_copy = tmp
num_occupied = 0
for row in seats_copy:
for seat in row:
if seat == OCCUPIED:
num_occupied += 1
return num_occupied
def count_occupied(seats, row, column, max_extent):
occupied = 0
offsets = [-1, 0, 1]
num_rows = len(seats)
num_columns = len(seats[0])
for r in offsets:
for c in offsets:
if r == 0 and c == 0:
continue
for i in range(1, max_extent + 1):
offset_row = row + r * i
if offset_row < 0 or offset_row >= num_rows:
break
offset_column = column + c * i
if offset_column < 0 or offset_column >= num_columns:
break
current_state = seats[offset_row][offset_column]
if current_state == OCCUPIED:
occupied += 1
break
elif current_state == EMPTY:
break
return occupied
# This is pathetically slow. Not sure why, this would be fast in Java.
seats = read_input('day11_input.txt')
num_seats_filled = part1(seats)
print("Part 1: number of seats filled : {}".format(num_seats_filled))
num_seats_filled = part2(seats)
print("Part 2: number of seats filled {}".format(num_seats_filled))
| empty = 0
occupied = 1
fixed = -1
def read_input(file_name):
seats = []
with open(file_name) as input_file:
for line in input_file:
line = line.strip()
seats.append(list(map(map_input, line)))
return seats
def map_input(x):
if x == '.':
return FIXED
elif x == 'L':
return EMPTY
elif x == '#':
return OCCUPIED
else:
raise runtime_error('Unhandled input')
def part1(seats):
return run_iterations(seats, 1, 4)
def part2(seats):
return run_iterations(seats, max(len(seats), len(seats[0])), 5)
def run_iterations(seats, max_extent, occupied_limit):
num_cycles = 0
num_rows = len(seats)
num_columns = len(seats[0])
seats_copy = [row.copy() for row in seats]
new_seat_state = [[FIXED for j in range(num_columns)] for i in range(num_rows)]
while True:
num_cycles += 1
num_changes = 0
for row in range(num_rows):
for column in range(num_columns):
current_state = seats_copy[row][column]
if current_state != FIXED:
occupied = count_occupied(seats_copy, row, column, max_extent)
if current_state == EMPTY and occupied == 0:
new_seat_state[row][column] = OCCUPIED
num_changes += 1
elif current_state == OCCUPIED and occupied >= occupied_limit:
new_seat_state[row][column] = EMPTY
num_changes += 1
else:
new_seat_state[row][column] = current_state
if num_changes == 0 or num_cycles > 1000:
break
tmp = new_seat_state
new_seat_state = seats_copy
seats_copy = tmp
num_occupied = 0
for row in seats_copy:
for seat in row:
if seat == OCCUPIED:
num_occupied += 1
return num_occupied
def count_occupied(seats, row, column, max_extent):
occupied = 0
offsets = [-1, 0, 1]
num_rows = len(seats)
num_columns = len(seats[0])
for r in offsets:
for c in offsets:
if r == 0 and c == 0:
continue
for i in range(1, max_extent + 1):
offset_row = row + r * i
if offset_row < 0 or offset_row >= num_rows:
break
offset_column = column + c * i
if offset_column < 0 or offset_column >= num_columns:
break
current_state = seats[offset_row][offset_column]
if current_state == OCCUPIED:
occupied += 1
break
elif current_state == EMPTY:
break
return occupied
seats = read_input('day11_input.txt')
num_seats_filled = part1(seats)
print('Part 1: number of seats filled : {}'.format(num_seats_filled))
num_seats_filled = part2(seats)
print('Part 2: number of seats filled {}'.format(num_seats_filled)) |
# When user enters 'exit', exit program
while (True):
inp = raw_input('> ')
if inp.lower() == 'exit':
break
else:
print(inp)
| while True:
inp = raw_input('> ')
if inp.lower() == 'exit':
break
else:
print(inp) |
"""
Constants for the CLI.
"""
WELCOME_MESSAGE = "Welcome to [bold green]{{cookiecutter.project_slug}}!![/bold green] Your CLI is working!"
| """
Constants for the CLI.
"""
welcome_message = 'Welcome to [bold green]{{cookiecutter.project_slug}}!![/bold green] Your CLI is working!' |
"""Constants for ThermiaGenesis integration."""
KEY_ATTRIBUTES = 'attributes'
KEY_ADDRESS = 'address'
KEY_RANGES = 'ranges'
KEY_SCALE = 'scale'
KEY_REG_TYPE = 'register_type'
KEY_BITS = 'bits'
KEY_DATATYPE = 'datatype'
TYPE_BIT = 'bit'
TYPE_INT = 'int'
TYPE_UINT = 'uint'
TYPE_LONG = 'long'
TYPE_STATUS = 'status'
REG_COIL = 'coil'
REG_DISCRETE_INPUT = 'dinput'
REG_INPUT = 'input'
REG_HOLDING = 'holding'
REG_TYPES = [REG_COIL, REG_DISCRETE_INPUT, REG_INPUT, REG_HOLDING]
DOMAIN = "thermiagenesis"
MODEL_MEGA = 'mega'
MODEL_INVERTER = 'inverter'
REGISTER_RANGES = {
MODEL_MEGA: {
REG_COIL: [[3, 28],[28, 59]],
REG_DISCRETE_INPUT: [[0,3], [9, 83], [199, 247]],
REG_INPUT: [[0, 100], [100, 174]],
REG_HOLDING: [[0, 115], [116,116], [199, 217], [239, 257], [299, 321]],
},
MODEL_INVERTER: {
#REG_COIL: [[3, 22],[23, 41]],
#REG_DISCRETE_INPUT: [[0,3], [9, 45], [46, 83], [199, 247]],
#REG_INPUT: [[0, 50], [51, 100], [100, 174]],
#REG_HOLDING: [[0, 29], [30, 58], [59, 87], [88, 116], [199, 217], [239, 257], [299, 305]],
REG_COIL: [[3, 41]],
REG_DISCRETE_INPUT: [[0,3], [9, 45], [46, 83], [199, 247]],
REG_INPUT: [[0, 174]],
REG_HOLDING: [[0, 115],[116,116],[199, 217], [239, 257], [299, 305]],
}
}
ATTR_COIL_RESET_ALL_ALARMS = "coil_reset_all_alarms"
ATTR_COIL_ENABLE_INTERNAL_ADDITIONAL_HEATER = "coil_enable_internal_additional_heater"
ATTR_COIL_ENABLE_EXTERNAL_ADDITIONAL_HEATER = "coil_enable_external_additional_heater"
ATTR_COIL_ENABLE_HGW = "coil_enable_hgw"
ATTR_COIL_ENABLE_FLOW_SWITCH_PRESSURE_SWITCH = "coil_enable_flow_switch_pressure_switch"
ATTR_COIL_ENABLE_TAP_WATER = "coil_enable_tap_water"
ATTR_COIL_ENABLE_HEAT = "coil_enable_heat"
ATTR_COIL_ENABLE_ACTIVE_COOLING = "coil_enable_active_cooling"
ATTR_COIL_ENABLE_MIX_VALVE_1 = "coil_enable_mix_valve_1"
ATTR_COIL_ENABLE_TWC = "coil_enable_twc"
ATTR_COIL_ENABLE_WCS = "coil_enable_wcs"
ATTR_COIL_ENABLE_HOT_GAS_PUMP = "coil_enable_hot_gas_pump"
ATTR_COIL_ENABLE_MIX_VALVE_2 = "coil_enable_mix_valve_2"
ATTR_COIL_ENABLE_MIX_VALVE_3 = "coil_enable_mix_valve_3"
ATTR_COIL_ENABLE_MIX_VALVE_4 = "coil_enable_mix_valve_4"
ATTR_COIL_ENABLE_MIX_VALVE_5 = "coil_enable_mix_valve_5"
ATTR_COIL_ENABLE_BRINE_OUT_MONITORING = "coil_enable_brine_out_monitoring"
ATTR_COIL_ENABLE_BRINE_PUMP_CONTINUOUS_OPERATION = "coil_enable_brine_pump_continuous_operation"
ATTR_COIL_ENABLE_SYSTEM_CIRCULATION_PUMP = "coil_enable_system_circulation_pump"
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION = "coil_enable_dew_point_calculation"
ATTR_COIL_ENABLE_ANTI_LEGIONELLA = "coil_enable_anti_legionella"
ATTR_COIL_ENABLE_ADDITIONAL_HEATER_ONLY = "coil_enable_additional_heater_only"
ATTR_COIL_ENABLE_CURRENT_LIMITATION = "coil_enable_current_limitation"
ATTR_COIL_ENABLE_POOL = "coil_enable_pool"
ATTR_COIL_ENABLE_SURPLUS_HEAT_CHILLER = "coil_enable_surplus_heat_chiller"
ATTR_COIL_ENABLE_SURPLUS_HEAT_BOREHOLE = "coil_enable_surplus_heat_borehole"
ATTR_COIL_ENABLE_EXTERNAL_ADDITIONAL_HEATER_FOR_POOL = "coil_enable_external_additional_heater_for_pool"
ATTR_COIL_ENABLE_INTERNAL_ADDITIONAL_HEATER_FOR_POOL = "coil_enable_internal_additional_heater_for_pool"
ATTR_COIL_ENABLE_PASSIVE_COOLING = "coil_enable_passive_cooling"
ATTR_COIL_ENABLE_VARIABLE_SPEED_MODE_FOR_CONDENSER_PUMP = "coil_enable_variable_speed_mode_for_condenser_pump"
ATTR_COIL_ENABLE_VARIABLE_SPEED_MODE_FOR_BRINE_PUMP = "coil_enable_variable_speed_mode_for_brine_pump"
ATTR_COIL_ENABLE_COOLING_MODE_FOR_MIXING_VALVE_1 = "coil_enable_cooling_mode_for_mixing_valve_1"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_1 = "coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_1"
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_1 = "coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_1"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_EXTERNAL_HEATER = "coil_enable_outdoor_temp_dependent_for_external_heater"
ATTR_COIL_ENABLE_BRINE_IN_MONITORING = "coil_enable_brine_in_monitoring"
ATTR_COIL_ENABLE_FIXED_SYSTEM_SUPPLY_SET_POINT = "coil_enable_fixed_system_supply_set_point"
ATTR_COIL_ENABLE_EVAPORATOR_FREEZE_PROTECTION = "coil_enable_evaporator_freeze_protection"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_2 = "coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_2"
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_2 = "coil_enable_dew_point_calculation_on_mixing_valve_2"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_2 = "coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_2"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_3 = "coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_3"
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_3 = "coil_enable_dew_point_calculation_on_mixing_valve_3"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_3 = "coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_3"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_4 = "coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_4"
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_4 = "coil_enable_dew_point_calculation_on_mixing_valve_4"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_4 = "coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_4"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_5 = "coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_5"
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_5 = "coil_enable_dew_point_calculation_on_mixing_valve_5"
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_5 = "coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_5"
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_2 = "coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_2"
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_3 = "coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_3"
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_4 = "coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_4"
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_5 = "coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_5"
ATTR_DINPUT_ALARM_ACTIVE_CLASS_A = "dinput_alarm_active_class_a"
ATTR_DINPUT_ALARM_ACTIVE_CLASS_B = "dinput_alarm_active_class_b"
ATTR_DINPUT_ALARM_ACTIVE_CLASS_C = "dinput_alarm_active_class_c"
ATTR_DINPUT_ALARM_ACTIVE_CLASS_D = "dinput_alarm_active_class_d"
ATTR_DINPUT_ALARM_ACTIVE_CLASS_E = "dinput_alarm_active_class_e"
ATTR_DINPUT_HIGH_PRESSURE_SWITCH_ALARM = "dinput_high_pressure_switch_alarm"
ATTR_DINPUT_LOW_PRESSURE_LEVEL_ALARM = "dinput_low_pressure_level_alarm"
ATTR_DINPUT_HIGH_DISCHARGE_PIPE_TEMPERATURE_ALARM = "dinput_high_discharge_pipe_temperature_alarm"
ATTR_DINPUT_OPERATING_PRESSURE_LIMIT_INDICATION = "dinput_operating_pressure_limit_indication"
ATTR_DINPUT_DISCHARGE_PIPE_SENSOR_ALARM = "dinput_discharge_pipe_sensor_alarm"
ATTR_DINPUT_LIQUID_LINE_SENSOR_ALARM = "dinput_liquid_line_sensor_alarm"
ATTR_DINPUT_SUCTION_GAS_SENSOR_ALARM = "dinput_suction_gas_sensor_alarm"
ATTR_DINPUT_FLOW_PRESSURE_SWITCH_ALARM = "dinput_flow_pressure_switch_alarm"
ATTR_DINPUT_POWER_INPUT_PHASE_DETECTION_ALARM = "dinput_power_input_phase_detection_alarm"
ATTR_DINPUT_INVERTER_UNIT_ALARM = "dinput_inverter_unit_alarm"
ATTR_DINPUT_SYSTEM_SUPPLY_LOW_TEMPERATURE_ALARM = "dinput_system_supply_low_temperature_alarm"
ATTR_DINPUT_COMPRESSOR_LOW_SPEED_ALARM = "dinput_compressor_low_speed_alarm"
ATTR_DINPUT_LOW_SUPER_HEAT_ALARM = "dinput_low_super_heat_alarm"
ATTR_DINPUT_PRESSURE_RATIO_OUT_OF_RANGE_ALARM = "dinput_pressure_ratio_out_of_range_alarm"
ATTR_DINPUT_COMPRESSOR_PRESSURE_OUTSIDE_ENVELOPE_ALARM = "dinput_compressor_pressure_outside_envelope_alarm"
ATTR_DINPUT_BRINE_TEMPERATURE_OUT_OF_RANGE_ALARM = "dinput_brine_temperature_out_of_range_alarm"
ATTR_DINPUT_BRINE_IN_SENSOR_ALARM = "dinput_brine_in_sensor_alarm"
ATTR_DINPUT_BRINE_OUT_SENSOR_ALARM = "dinput_brine_out_sensor_alarm"
ATTR_DINPUT_CONDENSER_IN_SENSOR_ALARM = "dinput_condenser_in_sensor_alarm"
ATTR_DINPUT_CONDENSER_OUT_SENSOR_ALARM = "dinput_condenser_out_sensor_alarm"
ATTR_DINPUT_OUTDOOR_SENSOR_ALARM = "dinput_outdoor_sensor_alarm"
ATTR_DINPUT_SYSTEM_SUPPLY_LINE_SENSOR_ALARM = "dinput_system_supply_line_sensor_alarm"
ATTR_DINPUT_MIX_VALVE_1_SUPPLY_LINE_SENSOR_ALARM = "dinput_mix_valve_1_supply_line_sensor_alarm"
ATTR_DINPUT_MIX_VALVE_2_SUPPLY_LINE_SENSOR_ALARM = "dinput_mix_valve_2_supply_line_sensor_alarm"
ATTR_DINPUT_MIX_VALVE_3_SUPPLY_LINE_SENSOR_ALARM = "dinput_mix_valve_3_supply_line_sensor_alarm"
ATTR_DINPUT_MIX_VALVE_4_SUPPLY_LINE_SENSOR_ALARM = "dinput_mix_valve_4_supply_line_sensor_alarm"
ATTR_DINPUT_MIX_VALVE_5_SUPPLY_LINE_SENSOR_ALARM = "dinput_mix_valve_5_supply_line_sensor_alarm"
ATTR_DINPUT_WCS_RETURN_LINE_SENSOR_ALARM = "dinput_wcs_return_line_sensor_alarm"
ATTR_DINPUT_TWC_SUPPLY_LINE_SENSOR_ALARM = "dinput_twc_supply_line_sensor_alarm"
ATTR_DINPUT_COOLING_TANK_SENSOR_ALARM = "dinput_cooling_tank_sensor_alarm"
ATTR_DINPUT_COOLING_SUPPLY_LINE_SENSOR_ALARM = "dinput_cooling_supply_line_sensor_alarm"
ATTR_DINPUT_COOLING_CIRCUIT_RETURN_LINE_SENSOR_ALARM = "dinput_cooling_circuit_return_line_sensor_alarm"
ATTR_DINPUT_BRINE_DELTA_OUT_OF_RANGE_ALARM = "dinput_brine_delta_out_of_range_alarm"
ATTR_DINPUT_TAP_WATER_MID_SENSOR_ALARM = "dinput_tap_water_mid_sensor_alarm"
ATTR_DINPUT_TWC_CIRCULATION_RETURN_SENSOR_ALARM = "dinput_twc_circulation_return_sensor_alarm"
ATTR_DINPUT_HGW_SENSOR_ALARM = "dinput_hgw_sensor_alarm"
ATTR_DINPUT_INTERNAL_ADDITIONAL_HEATER_ALARM = "dinput_internal_additional_heater_alarm"
ATTR_DINPUT_BRINE_IN_HIGH_TEMPERATURE_ALARM = "dinput_brine_in_high_temperature_alarm"
ATTR_DINPUT_BRINE_IN_LOW_TEMPERATURE_ALARM = "dinput_brine_in_low_temperature_alarm"
ATTR_DINPUT_BRINE_OUT_LOW_TEMPERATURE_ALARM = "dinput_brine_out_low_temperature_alarm"
ATTR_DINPUT_TWC_CIRCULATION_RETURN_LOW_TEMPERATURE_ALARM = "dinput_twc_circulation_return_low_temperature_alarm"
ATTR_DINPUT_TWC_SUPPLY_LOW_TEMPERATURE_ALARM = "dinput_twc_supply_low_temperature_alarm"
ATTR_DINPUT_MIX_VALVE_1_SUPPLY_TEMPERATURE_DEVIATION_ALARM = "dinput_mix_valve_1_supply_temperature_deviation_alarm"
ATTR_DINPUT_MIX_VALVE_2_SUPPLY_TEMPERATURE_DEVIATION_ALARM = "dinput_mix_valve_2_supply_temperature_deviation_alarm"
ATTR_DINPUT_MIX_VALVE_3_SUPPLY_TEMPERATURE_DEVIATION_ALARM = "dinput_mix_valve_3_supply_temperature_deviation_alarm"
ATTR_DINPUT_MIX_VALVE_4_SUPPLY_TEMPERATURE_DEVIATION_ALARM = "dinput_mix_valve_4_supply_temperature_deviation_alarm"
ATTR_DINPUT_MIX_VALVE_5_SUPPLY_TEMPERATURE_DEVIATION_ALARM = "dinput_mix_valve_5_supply_temperature_deviation_alarm"
ATTR_DINPUT_WCS_RETURN_LINE_TEMPERATURE_DEVIATION_ALARM = "dinput_wcs_return_line_temperature_deviation_alarm"
ATTR_DINPUT_SUM_ALARM = "dinput_sum_alarm"
ATTR_DINPUT_COOLING_CIRCUIT_SUPPLY_LINE_TEMPERATURE_DEVIATION_ALARM = "dinput_cooling_circuit_supply_line_temperature_deviation_alarm"
ATTR_DINPUT_COOLING_TANK_TEMPERATURE_DEVIATION_ALARM = "dinput_cooling_tank_temperature_deviation_alarm"
ATTR_DINPUT_SURPLUS_HEAT_TEMPERATURE_DEVIATION_ALARM = "dinput_surplus_heat_temperature_deviation_alarm"
ATTR_DINPUT_HUMIDITY_ROOM_SENSOR_ALARM = "dinput_humidity_room_sensor_alarm"
ATTR_DINPUT_SURPLUS_HEAT_SUPPLY_LINE_SENSOR_ALARM = "dinput_surplus_heat_supply_line_sensor_alarm"
ATTR_DINPUT_SURPLUS_HEAT_RETURN_LINE_SENSOR_ALARM = "dinput_surplus_heat_return_line_sensor_alarm"
ATTR_DINPUT_COOLING_TANK_RETURN_LINE_SENSOR_ALARM = "dinput_cooling_tank_return_line_sensor_alarm"
ATTR_DINPUT_TEMPERATURE_ROOM_SENSOR_ALARM = "dinput_temperature_room_sensor_alarm"
ATTR_DINPUT_INVERTER_UNIT_COMMUNICATION_ALARM = "dinput_inverter_unit_communication_alarm"
ATTR_DINPUT_POOL_RETURN_LINE_SENSOR_ALARM = "dinput_pool_return_line_sensor_alarm"
ATTR_DINPUT_EXTERNAL_STOP_FOR_POOL = "dinput_external_stop_for_pool"
ATTR_DINPUT_EXTERNAL_START_BRINE_PUMP = "dinput_external_start_brine_pump"
ATTR_DINPUT_EXTERNAL_RELAY_FOR_BRINE_GROUND_WATER_PUMP = "dinput_external_relay_for_brine_ground_water_pump"
ATTR_DINPUT_TAP_WATER_END_TANK_SENSOR_ALARM = "dinput_tap_water_end_tank_sensor_alarm"
ATTR_DINPUT_MAXIMUM_TIME_FOR_ANTI_LEGIONELLA_EXCEEDED_ALARM = "dinput_maximum_time_for_anti_legionella_exceeded_alarm"
ATTR_DINPUT_GENESIS_SECONDARY_UNIT_ALARM = "dinput_genesis_secondary_unit_alarm"
ATTR_DINPUT_PRIMARY_UNIT_CONFLICT_ALARM = "dinput_primary_unit_conflict_alarm"
ATTR_DINPUT_PRIMARY_UNIT_NO_SECONDARY_ALARM = "dinput_primary_unit_no_secondary_alarm"
ATTR_DINPUT_OIL_BOOST_IN_PROGRESS = "dinput_oil_boost_in_progress"
ATTR_DINPUT_COMPRESSOR_CONTROL_SIGNAL = "dinput_compressor_control_signal"
ATTR_DINPUT_SMART_GRID_1 = "dinput_smart_grid_1"
ATTR_DINPUT_EXTERNAL_ALARM_INPUT = "dinput_external_alarm_input"
ATTR_DINPUT_SMART_GRID_2 = "dinput_smart_grid_2"
ATTR_DINPUT_EXTERNAL_ADDITIONAL_HEATER_CONTROL_SIGNAL = "dinput_external_additional_heater_control_signal"
ATTR_DINPUT_MIX_VALVE_1_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_mix_valve_1_circulation_pump_control_signal"
ATTR_DINPUT_CONDENSER_PUMP_ON_OFF_CONTROL = "dinput_condenser_pump_on_off_control"
ATTR_DINPUT_SYSTEM_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_system_circulation_pump_control_signal"
ATTR_DINPUT_HOT_GAS_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_hot_gas_circulation_pump_control_signal"
ATTR_DINPUT_BRINE_PUMP_ON_OFF_CONTROL = "dinput_brine_pump_on_off_control"
ATTR_DINPUT_EXTERNAL_HEATER_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_external_heater_circulation_pump_control_signal"
ATTR_DINPUT_HEATING_SEASON_ACTIVE = "dinput_heating_season_active"
ATTR_DINPUT_EXTERNAL_ADDITIONAL_HEATER_ACTIVE = "dinput_external_additional_heater_active"
ATTR_DINPUT_INTERNAL_ADDITIONAL_HEATER_ACTIVE = "dinput_internal_additional_heater_active"
ATTR_DINPUT_HGW_REGULATION_CONTROL_SIGNAL = "dinput_hgw_regulation_control_signal"
ATTR_DINPUT_HEAT_PUMP_STOPPING = "dinput_heat_pump_stopping"
ATTR_DINPUT_HEAT_PUMP_OK_TO_START = "dinput_heat_pump_ok_to_start"
ATTR_DINPUT_TWC_SUPPLY_LINE_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_twc_supply_line_circulation_pump_control_signal"
ATTR_DINPUT_WCS_REGULATION_CONTROL_SIGNAL = "dinput_wcs_regulation_control_signal"
ATTR_DINPUT_WCS_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_wcs_circulation_pump_control_signal"
ATTR_DINPUT_TWC_END_TANK_HEATER_CONTROL_SIGNAL = "dinput_twc_end_tank_heater_control_signal"
ATTR_DINPUT_POOL_DIRECTIONAL_VALVE_POSITION = "dinput_pool_directional_valve_position"
ATTR_DINPUT_COOLING_CIRCUIT_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_cooling_circuit_circulation_pump_control_signal"
ATTR_DINPUT_POOL_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_pool_circulation_pump_control_signal"
ATTR_DINPUT_SURPLUS_HEAT_DIRECTIONAL_VALVE_POSITION = "dinput_surplus_heat_directional_valve_position"
ATTR_DINPUT_SURPLUS_HEAT_CIRCULATION_PUMP_CONTROL_SIGNAL = "dinput_surplus_heat_circulation_pump_control_signal"
ATTR_DINPUT_COOLING_CIRCUIT_REGULATION_CONTROL_SIGNAL = "dinput_cooling_circuit_regulation_control_signal"
ATTR_DINPUT_SURPLUS_HEAT_REGULATION_CONTROL_SIGNAL = "dinput_surplus_heat_regulation_control_signal"
ATTR_DINPUT_ACTIVE_COOLING_DIRECTIONAL_VALVE_POSITION = "dinput_active_cooling_directional_valve_position"
ATTR_DINPUT_PASSIVE_ACTIVE_COOLING_DIRECTIONAL_VALVE_POSITION = "dinput_passive_active_cooling_directional_valve_position"
ATTR_DINPUT_POOL_REGULATION_CONTROL_SIGNAL = "dinput_pool_regulation_control_signal"
ATTR_DINPUT_INDICATION_WHEN_MIXING_VALVE_1_IS_PRODUCING_PASSIVE_COOLING = "dinput_indication_when_mixing_valve_1_is_producing_passive_cooling"
ATTR_DINPUT_COMPRESSOR_IS_UNABLE_TO_SPEED_UP = "dinput_compressor_is_unable_to_speed_up"
ATTR_INPUT_FIRST_PRIORITISED_DEMAND = "input_first_prioritised_demand"
ATTR_INPUT_COMPRESSOR_AVAILABLE_GEARS = "input_compressor_available_gears"
ATTR_INPUT_COMPRESSOR_SPEED_RPM = "input_compressor_speed_rpm"
ATTR_INPUT_EXTERNAL_ADDITIONAL_HEATER_CURRENT_DEMAND = "input_external_additional_heater_current_demand"
ATTR_INPUT_DISCHARGE_PIPE_TEMPERATURE = "input_discharge_pipe_temperature"
ATTR_INPUT_CONDENSER_IN_TEMPERATURE = "input_condenser_in_temperature"
ATTR_INPUT_CONDENSER_OUT_TEMPERATURE = "input_condenser_out_temperature"
ATTR_INPUT_BRINE_IN_TEMPERATURE = "input_brine_in_temperature"
ATTR_INPUT_BRINE_OUT_TEMPERATURE = "input_brine_out_temperature"
ATTR_INPUT_SYSTEM_SUPPLY_LINE_TEMPERATURE = "input_system_supply_line_temperature"
ATTR_INPUT_OUTDOOR_TEMPERATURE = "input_outdoor_temperature"
ATTR_INPUT_TAP_WATER_TOP_TEMPERATURE = "input_tap_water_top_temperature"
ATTR_INPUT_TAP_WATER_LOWER_TEMPERATURE = "input_tap_water_lower_temperature"
ATTR_INPUT_TAP_WATER_WEIGHTED_TEMPERATURE = "input_tap_water_weighted_temperature"
ATTR_INPUT_SYSTEM_SUPPLY_LINE_CALCULATED_SET_POINT = "input_system_supply_line_calculated_set_point"
ATTR_INPUT_SELECTED_HEAT_CURVE = "input_selected_heat_curve"
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_1 = "input_heat_curve_x_coordinate_1"
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_2 = "input_heat_curve_x_coordinate_2"
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_3 = "input_heat_curve_x_coordinate_3"
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_4 = "input_heat_curve_x_coordinate_4"
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_5 = "input_heat_curve_x_coordinate_5"
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_6 = "input_heat_curve_x_coordinate_6"
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_7 = "input_heat_curve_x_coordinate_7"
ATTR_INPUT_COOLING_SEASON_INTEGRAL_VALUE = "input_cooling_season_integral_value"
ATTR_INPUT_CONDENSER_CIRCULATION_PUMP_SPEED = "input_condenser_circulation_pump_speed"
ATTR_INPUT_MIX_VALVE_1_SUPPLY_LINE_TEMPERATURE = "input_mix_valve_1_supply_line_temperature"
ATTR_INPUT_BUFFER_TANK_TEMPERATURE = "input_buffer_tank_temperature"
ATTR_INPUT_MIX_VALVE_1_POSITION = "input_mix_valve_1_position"
ATTR_INPUT_BRINE_CIRCULATION_PUMP_SPEED = "input_brine_circulation_pump_speed"
ATTR_INPUT_HGW_SUPPLY_LINE_TEMPERATURE = "input_hgw_supply_line_temperature"
ATTR_INPUT_HOT_WATER_DIRECTIONAL_VALVE_POSITION = "input_hot_water_directional_valve_position"
ATTR_INPUT_COMPRESSOR_OPERATING_HOURS = "input_compressor_operating_hours"
ATTR_INPUT_TAP_WATER_OPERATING_HOURS = "input_tap_water_operating_hours"
ATTR_INPUT_EXTERNAL_ADDITIONAL_HEATER_OPERATING_HOURS = "input_external_additional_heater_operating_hours"
ATTR_INPUT_COMPRESSOR_SPEED_PERCENT = "input_compressor_speed_percent"
ATTR_INPUT_SECOND_PRIORITISED_DEMAND = "input_second_prioritised_demand"
ATTR_INPUT_THIRD_PRIORITISED_DEMAND = "input_third_prioritised_demand"
ATTR_INPUT_SOFTWARE_VERSION_MAJOR = "input_software_version_major"
ATTR_INPUT_SOFTWARE_VERSION_MINOR = "input_software_version_minor"
ATTR_INPUT_SOFTWARE_VERSION_MICRO = "input_software_version_micro"
ATTR_INPUT_COMPRESSOR_TEMPORARILY_BLOCKED = "input_compressor_temporarily_blocked"
ATTR_INPUT_COMPRESSOR_CURRENT_GEAR = "input_compressor_current_gear"
ATTR_INPUT_QUEUED_DEMAND_FIRST_PRIORITY = "input_queued_demand_first_priority"
ATTR_INPUT_QUEUED_DEMAND_SECOND_PRIORITY = "input_queued_demand_second_priority"
ATTR_INPUT_QUEUED_DEMAND_THIRD_PRIORITY = "input_queued_demand_third_priority"
ATTR_INPUT_QUEUED_DEMAND_FOURTH_PRIORITY = "input_queued_demand_fourth_priority"
ATTR_INPUT_QUEUED_DEMAND_FIFTH_PRIORITY = "input_queued_demand_fifth_priority"
ATTR_INPUT_INTERNAL_ADDITIONAL_HEATER_CURRENT_STEP = "input_internal_additional_heater_current_step"
ATTR_INPUT_BUFFER_TANK_CHARGE_SET_POINT = "input_buffer_tank_charge_set_point"
ATTR_INPUT_ELECTRIC_METER_L1_CURRENT = "input_electric_meter_l1_current"
ATTR_INPUT_ELECTRIC_METER_L2_CURRENT = "input_electric_meter_l2_current"
ATTR_INPUT_ELECTRIC_METER_L3_CURRENT = "input_electric_meter_l3_current"
ATTR_INPUT_ELECTRIC_METER_L1_0_VOLTAGE = "input_electric_meter_l1_0_voltage"
ATTR_INPUT_ELECTRIC_METER_L2_0_VOLTAGE = "input_electric_meter_l2_0_voltage"
ATTR_INPUT_ELECTRIC_METER_L3_0_VOLTAGE = "input_electric_meter_l3_0_voltage"
ATTR_INPUT_ELECTRIC_METER_L1_L2_VOLTAGE = "input_electric_meter_l1_l2_voltage"
ATTR_INPUT_ELECTRIC_METER_L2_L3_VOLTAGE = "input_electric_meter_l2_l3_voltage"
ATTR_INPUT_ELECTRIC_METER_L3_L1_VOLTAGE = "input_electric_meter_l3_l1_voltage"
ATTR_INPUT_ELECTRIC_METER_L1_POWER = "input_electric_meter_l1_power"
ATTR_INPUT_ELECTRIC_METER_L2_POWER = "input_electric_meter_l2_power"
ATTR_INPUT_ELECTRIC_METER_L3_POWER = "input_electric_meter_l3_power"
ATTR_INPUT_ELECTRIC_METER_METER_VALUE = "input_electric_meter_meter_value"
ATTR_INPUT_COMFORT_MODE = "input_comfort_mode"
ATTR_INPUT_ELECTRIC_METER_KWH_TOTAL = "input_electric_meter_kwh_total"
ATTR_INPUT_WCS_VALVE_POSITION = "input_wcs_valve_position"
ATTR_INPUT_TWC_VALVE_POSITION = "input_twc_valve_position"
ATTR_INPUT_MIX_VALVE_2_POSITION = "input_mix_valve_2_position"
ATTR_INPUT_MIX_VALVE_3_POSITION = "input_mix_valve_3_position"
ATTR_INPUT_MIX_VALVE_4_POSITION = "input_mix_valve_4_position"
ATTR_INPUT_MIX_VALVE_5_POSITION = "input_mix_valve_5_position"
ATTR_INPUT_DEW_POINT_ROOM = "input_dew_point_room"
ATTR_INPUT_COOLING_SUPPLY_LINE_MIX_VALVE_POSITION = "input_cooling_supply_line_mix_valve_position"
ATTR_INPUT_SURPLUS_HEAT_FAN_SPEED = "input_surplus_heat_fan_speed"
ATTR_INPUT_POOL_SUPPLY_LINE_MIX_VALVE_POSITION = "input_pool_supply_line_mix_valve_position"
ATTR_INPUT_TWC_SUPPLY_LINE_TEMPERATURE = "input_twc_supply_line_temperature"
ATTR_INPUT_TWC_RETURN_TEMPERATURE = "input_twc_return_temperature"
ATTR_INPUT_WCS_RETURN_LINE_TEMPERATURE = "input_wcs_return_line_temperature"
ATTR_INPUT_TWC_END_TANK_TEMPERATURE = "input_twc_end_tank_temperature"
ATTR_INPUT_MIX_VALVE_2_SUPPLY_LINE_TEMPERATURE = "input_mix_valve_2_supply_line_temperature"
ATTR_INPUT_MIX_VALVE_3_SUPPLY_LINE_TEMPERATURE = "input_mix_valve_3_supply_line_temperature"
ATTR_INPUT_MIX_VALVE_4_SUPPLY_LINE_TEMPERATURE = "input_mix_valve_4_supply_line_temperature"
ATTR_INPUT_COOLING_CIRCUIT_RETURN_LINE_TEMPERATURE = "input_cooling_circuit_return_line_temperature"
ATTR_INPUT_COOLING_TANK_TEMPERATURE = "input_cooling_tank_temperature"
ATTR_INPUT_COOLING_TANK_RETURN_LINE_TEMPERATURE = "input_cooling_tank_return_line_temperature"
ATTR_INPUT_COOLING_CIRCUIT_SUPPLY_LINE_TEMPERATURE = "input_cooling_circuit_supply_line_temperature"
ATTR_INPUT_MIX_VALVE_5_SUPPLY_LINE_TEMPERATURE = "input_mix_valve_5_supply_line_temperature"
ATTR_INPUT_MIX_VALVE_2_RETURN_LINE_TEMPERATURE = "input_mix_valve_2_return_line_temperature"
ATTR_INPUT_MIX_VALVE_3_RETURN_LINE_TEMPERATURE = "input_mix_valve_3_return_line_temperature"
ATTR_INPUT_MIX_VALVE_4_RETURN_LINE_TEMPERATURE = "input_mix_valve_4_return_line_temperature"
ATTR_INPUT_MIX_VALVE_5_RETURN_LINE_TEMPERATURE = "input_mix_valve_5_return_line_temperature"
ATTR_INPUT_SURPLUS_HEAT_RETURN_LINE_TEMPERATURE = "input_surplus_heat_return_line_temperature"
ATTR_INPUT_SURPLUS_HEAT_SUPPLY_LINE_TEMPERATURE = "input_surplus_heat_supply_line_temperature"
ATTR_INPUT_POOL_SUPPLY_LINE_TEMPERATURE = "input_pool_supply_line_temperature"
ATTR_INPUT_POOL_RETURN_LINE_TEMPERATURE = "input_pool_return_line_temperature"
ATTR_INPUT_ROOM_TEMPERATURE_SENSOR = "input_room_temperature_sensor"
ATTR_INPUT_BUBBLE_POINT = "input_bubble_point"
ATTR_INPUT_DEW_POINT = "input_dew_point"
ATTR_INPUT_DEW_POINT = "input_dew_point"
ATTR_INPUT_SUPERHEAT_TEMPERATURE = "input_superheat_temperature"
ATTR_INPUT_SUB_COOLING_TEMPERATURE = "input_sub_cooling_temperature"
ATTR_INPUT_LOW_PRESSURE_SIDE = "input_low_pressure_side"
ATTR_INPUT_HIGH_PRESSURE_SIDE = "input_high_pressure_side"
ATTR_INPUT_LIQUID_LINE_TEMPERATURE = "input_liquid_line_temperature"
ATTR_INPUT_SUCTION_GAS_TEMPERATURE = "input_suction_gas_temperature"
ATTR_INPUT_HEATING_SEASON_INTEGRAL_VALUE = "input_heating_season_integral_value"
ATTR_INPUT_P_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION = "input_p_value_for_gear_shifting_and_demand_calculation"
ATTR_INPUT_I_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION = "input_i_value_for_gear_shifting_and_demand_calculation"
ATTR_INPUT_D_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION = "input_d_value_for_gear_shifting_and_demand_calculation"
ATTR_INPUT_I_VALUE_FOR_COMPRESSOR_ON_OFF_BUFFER_TANK = "input_i_value_for_compressor_on_off_buffer_tank"
ATTR_INPUT_P_VALUE_FOR_COMPRESSOR_ON_OFF_BUFFER_TANK = "input_p_value_for_compressor_on_off_buffer_tank"
ATTR_INPUT_MIX_VALVE_COOLING_OPENING_DEGREE = "input_mix_valve_cooling_opening_degree"
ATTR_INPUT_DESIRED_GEAR_FOR_TAP_WATER = "input_desired_gear_for_tap_water"
ATTR_INPUT_DESIRED_GEAR_FOR_HEATING = "input_desired_gear_for_heating"
ATTR_INPUT_DESIRED_GEAR_FOR_COOLING = "input_desired_gear_for_cooling"
ATTR_INPUT_DESIRED_GEAR_FOR_POOL = "input_desired_gear_for_pool"
ATTR_INPUT_NUMBER_OF_AVAILABLE_SECONDARIES_GENESIS = "input_number_of_available_secondaries_genesis"
ATTR_INPUT_NUMBER_OF_AVAILABLE_SECONDARIES_LEGACY = "input_number_of_available_secondaries_legacy"
ATTR_INPUT_TOTAL_DISTRIBUTED_GEARS_TO_ALL_UNITS = "input_total_distributed_gears_to_all_units"
ATTR_INPUT_MAXIMUM_GEAR_OUT_OF_ALL_THE_CURRENTLY_REQUESTED_GEARS = "input_maximum_gear_out_of_all_the_currently_requested_gears"
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_1 = "input_desired_temperature_distribution_circuit_mix_valve_1"
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_2 = "input_desired_temperature_distribution_circuit_mix_valve_2"
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_3 = "input_desired_temperature_distribution_circuit_mix_valve_3"
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_4 = "input_desired_temperature_distribution_circuit_mix_valve_4"
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_5 = "input_desired_temperature_distribution_circuit_mix_valve_5"
ATTR_INPUT_DISCONNECT_HOT_GAS_END_TANK = "input_disconnect_hot_gas_end_tank"
ATTR_INPUT_LEGACY_HEAT_PUMP_COMPRESSOR_RUNNING = "input_legacy_heat_pump_compressor_running"
ATTR_INPUT_LEGACY_HEAT_PUMP_REPORTING_ALARM = "input_legacy_heat_pump_reporting_alarm"
ATTR_INPUT_LEGACY_HEAT_PUMP_START_SIGNAL = "input_legacy_heat_pump_start_signal"
ATTR_INPUT_LEGACY_HEAT_PUMP_TAP_WATER_SIGNAL = "input_legacy_heat_pump_tap_water_signal"
ATTR_INPUT_PRIMARY_UNIT_ALARM_COMBINED_OUTPUT_OF_ALL_CLASS_D_ALARMS = "input_primary_unit_alarm_combined_output_of_all_class_d_alarms"
ATTR_INPUT_PRIMARY_UNIT_ALARM_PRIMARY_UNIT_HAS_LOST_COMMUNICATION = "input_primary_unit_alarm_primary_unit_has_lost_communication"
ATTR_INPUT_PRIMARY_UNIT_ALARM_CLASS_A_ALARM_DETECTED_ON_THE_GENESIS_SECONDARY = "input_primary_unit_alarm_class_a_alarm_detected_on_the_genesis_secondary"
ATTR_INPUT_PRIMARY_UNIT_ALARM_CLASS_B_ALARM_DETECTED_ON_THE_GENESIS_SECONDARY = "input_primary_unit_alarm_class_b_alarm_detected_on_the_genesis_secondary"
ATTR_INPUT_PRIMARY_UNIT_ALARM_COMBINED_OUTPUT_OF_ALL_CLASS_E_ALARMS = "input_primary_unit_alarm_combined_output_of_all_class_e_alarms"
ATTR_INPUT_PRIMARY_UNIT_ALARM_GENERAL_LEGACY_HEAT_PUMP_ALARM = "input_primary_unit_alarm_general_legacy_heat_pump_alarm"
ATTR_INPUT_PRIMARY_UNIT_ALARM_PRIMARY_UNIT_CAN_NOT_COMMUNICATE_WITH_EXPANSION = "input_primary_unit_alarm_primary_unit_can_not_communicate_with_expansion"
ATTR_HOLDING_OPERATIONAL_MODE = "holding_operational_mode"
ATTR_HOLDING_MAX_LIMITATION = "holding_max_limitation"
ATTR_HOLDING_MIN_LIMITATION = "holding_min_limitation"
ATTR_HOLDING_COMFORT_WHEEL_SETTING = "holding_comfort_wheel_setting"
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_1 = "holding_set_point_heat_curve_y_1"
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_2 = "holding_set_point_heat_curve_y_2"
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_3 = "holding_set_point_heat_curve_y_3"
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_4 = "holding_set_point_heat_curve_y_4"
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_5 = "holding_set_point_heat_curve_y_5"
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_6 = "holding_set_point_heat_curve_y_6"
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_7 = "holding_set_point_heat_curve_y_7"
ATTR_HOLDING_HEATING_SEASON_STOP_TEMPERATURE = "holding_heating_season_stop_temperature"
ATTR_HOLDING_START_TEMPERATURE_TAP_WATER = "holding_start_temperature_tap_water"
ATTR_HOLDING_STOP_TEMPERATURE_TAP_WATER = "holding_stop_temperature_tap_water"
ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_HEATING = "holding_minimum_allowed_gear_in_heating"
ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_HEATING = "holding_maximum_allowed_gear_in_heating"
ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_TAP_WATER = "holding_maximum_allowed_gear_in_tap_water"
ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_TAP_WATER = "holding_minimum_allowed_gear_in_tap_water"
ATTR_HOLDING_COOLING_MIX_VALVE_SET_POINT = "holding_cooling_mix_valve_set_point"
ATTR_HOLDING_TWC_MIX_VALVE_SET_POINT = "holding_twc_mix_valve_set_point"
ATTR_HOLDING_WCS_RETURN_LINE_SET_POINT = "holding_wcs_return_line_set_point"
ATTR_HOLDING_TWC_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE = "holding_twc_mix_valve_lowest_allowed_opening_degree"
ATTR_HOLDING_TWC_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_twc_mix_valve_highest_allowed_opening_degree"
ATTR_HOLDING_TWC_START_TEMPERATURE_IMMERSION_HEATER = "holding_twc_start_temperature_immersion_heater"
ATTR_HOLDING_TWC_START_DELAY_IMMERSION_HEATER = "holding_twc_start_delay_immersion_heater"
ATTR_HOLDING_TWC_STOP_TEMPERATURE_IMMERSION_HEATER = "holding_twc_stop_temperature_immersion_heater"
ATTR_HOLDING_WCS_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE = "holding_wcs_mix_valve_lowest_allowed_opening_degree"
ATTR_HOLDING_WCS_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_wcs_mix_valve_highest_allowed_opening_degree"
ATTR_HOLDING_MIX_VALVE_2_LOWEST_ALLOWED_OPENING_DEGREE = "holding_mix_valve_2_lowest_allowed_opening_degree"
ATTR_HOLDING_MIX_VALVE_2_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_mix_valve_2_highest_allowed_opening_degree"
ATTR_HOLDING_MIX_VALVE_3_LOWEST_ALLOWED_OPENING_DEGREE = "holding_mix_valve_3_lowest_allowed_opening_degree"
ATTR_HOLDING_MIX_VALVE_3_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_mix_valve_3_highest_allowed_opening_degree"
ATTR_HOLDING_MIX_VALVE_4_LOWEST_ALLOWED_OPENING_DEGREE = "holding_mix_valve_4_lowest_allowed_opening_degree"
ATTR_HOLDING_MIX_VALVE_4_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_mix_valve_4_highest_allowed_opening_degree"
ATTR_HOLDING_MIX_VALVE_5_LOWEST_ALLOWED_OPENING_DEGREE = "holding_mix_valve_5_lowest_allowed_opening_degree"
ATTR_HOLDING_MIX_VALVE_5_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_mix_valve_5_highest_allowed_opening_degree"
ATTR_HOLDING_SURPLUS_HEAT_CHILLER_SET_POINT = "holding_surplus_heat_chiller_set_point"
ATTR_HOLDING_COOLING_SUPPLY_LINE_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE = "holding_cooling_supply_line_mix_valve_lowest_allowed_opening_degree"
ATTR_HOLDING_COOLING_SUPPLY_LINE_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_cooling_supply_line_mix_valve_highest_allowed_opening_degree"
ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STARTING_FAN_1 = "holding_surplus_heat_opening_degree_for_starting_fan_1"
ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STARTING_FAN_2 = "holding_surplus_heat_opening_degree_for_starting_fan_2"
ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STOPPING_FAN_1 = "holding_surplus_heat_opening_degree_for_stopping_fan_1"
ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STOPPING_FAN_2 = "holding_surplus_heat_opening_degree_for_stopping_fan_2"
ATTR_HOLDING_SURPLUS_HEAT_LOWEST_ALLOWED_OPENING_DEGREE = "holding_surplus_heat_lowest_allowed_opening_degree"
ATTR_HOLDING_SURPLUS_HEAT_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_surplus_heat_highest_allowed_opening_degree"
ATTR_HOLDING_POOL_CHARGE_SET_POINT = "holding_pool_charge_set_point"
ATTR_HOLDING_POOL_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE = "holding_pool_mix_valve_lowest_allowed_opening_degree"
ATTR_HOLDING_POOL_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE = "holding_pool_mix_valve_highest_allowed_opening_degree"
ATTR_HOLDING_GEAR_SHIFT_DELAY_HEATING = "holding_gear_shift_delay_heating"
ATTR_HOLDING_GEAR_SHIFT_DELAY_POOL = "holding_gear_shift_delay_pool"
ATTR_HOLDING_GEAR_SHIFT_DELAY_COOLING = "holding_gear_shift_delay_cooling"
ATTR_HOLDING_BRINE_IN_HIGH_ALARM_LIMIT = "holding_brine_in_high_alarm_limit"
ATTR_HOLDING_BRINE_IN_LOW_ALARM_LIMIT = "holding_brine_in_low_alarm_limit"
ATTR_HOLDING_BRINE_OUT_LOW_ALARM_LIMIT = "holding_brine_out_low_alarm_limit"
ATTR_HOLDING_BRINE_MAX_DELTA_LIMIT = "holding_brine_max_delta_limit"
ATTR_HOLDING_HOT_GAS_PUMP_START_TEMPERATURE_DISCHARGE_PIPE = "holding_hot_gas_pump_start_temperature_discharge_pipe"
ATTR_HOLDING_HOT_GAS_PUMP_LOWER_STOP_LIMIT_TEMPERATURE_DISCHARGE_PIPE = "holding_hot_gas_pump_lower_stop_limit_temperature_discharge_pipe"
ATTR_HOLDING_HOT_GAS_PUMP_UPPER_STOP_LIMIT_TEMPERATURE_DISCHARGE_PIPE = "holding_hot_gas_pump_upper_stop_limit_temperature_discharge_pipe"
ATTR_HOLDING_EXTERNAL_ADDITIONAL_HEATER_START = "holding_external_additional_heater_start"
ATTR_HOLDING_CONDENSER_PUMP_LOWEST_ALLOWED_SPEED = "holding_condenser_pump_lowest_allowed_speed"
ATTR_HOLDING_BRINE_PUMP_LOWEST_ALLOWED_SPEED = "holding_brine_pump_lowest_allowed_speed"
ATTR_HOLDING_EXTERNAL_ADDITIONAL_HEATER_STOP = "holding_external_additional_heater_stop"
ATTR_HOLDING_CONDENSER_PUMP_HIGHEST_ALLOWED_SPEED = "holding_condenser_pump_highest_allowed_speed"
ATTR_HOLDING_BRINE_PUMP_HIGHEST_ALLOWED_SPEED = "holding_brine_pump_highest_allowed_speed"
ATTR_HOLDING_CONDENSER_PUMP_STANDBY_SPEED = "holding_condenser_pump_standby_speed"
ATTR_HOLDING_BRINE_PUMP_STANDBY_SPEED = "holding_brine_pump_standby_speed"
ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_POOL = "holding_minimum_allowed_gear_in_pool"
ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_POOL = "holding_maximum_allowed_gear_in_pool"
ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_COOLING = "holding_minimum_allowed_gear_in_cooling"
ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_COOLING = "holding_maximum_allowed_gear_in_cooling"
ATTR_HOLDING_START_TEMP_FOR_COOLING = "holding_start_temp_for_cooling"
ATTR_HOLDING_STOP_TEMP_FOR_COOLING = "holding_stop_temp_for_cooling"
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_1 = "holding_min_limitation_set_point_curve_radiator_mix_valve_1"
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_1 = "holding_max_limitation_set_point_curve_radiator_mix_valve_1"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_1 = "holding_set_point_curve_y_coordinate_1_mix_valve_1"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_1 = "holding_set_point_curve_y_coordinate_2_mix_valve_1"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_1 = "holding_set_point_curve_y_coordinate_3_mix_valve_1"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_1 = "holding_set_point_curve_y_coordinate_4_mix_valve_1"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_1 = "holding_set_point_curve_y_coordinate_5_mix_valve_1"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_1 = "holding_set_point_curve_y_coordinate_6_mix_valve_1"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_1 = "holding_set_point_curve_y_coordinate_7_mix_valve_1"
ATTR_HOLDING_FIXED_SYSTEM_SUPPLY_SET_POINT = "holding_fixed_system_supply_set_point"
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_2 = "holding_min_limitation_set_point_curve_radiator_mix_valve_2"
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_2 = "holding_max_limitation_set_point_curve_radiator_mix_valve_2"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_2 = "holding_set_point_curve_y_coordinate_1_mix_valve_2"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_2 = "holding_set_point_curve_y_coordinate_2_mix_valve_2"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_2 = "holding_set_point_curve_y_coordinate_3_mix_valve_2"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_2 = "holding_set_point_curve_y_coordinate_4_mix_valve_2"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_2 = "holding_set_point_curve_y_coordinate_5_mix_valve_2"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_2 = "holding_set_point_curve_y_coordinate_6_mix_valve_2"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_2 = "holding_set_point_curve_y_coordinate_7_mix_valve_2"
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_3 = "holding_min_limitation_set_point_curve_radiator_mix_valve_3"
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_3 = "holding_max_limitation_set_point_curve_radiator_mix_valve_3"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_3 = "holding_set_point_curve_y_coordinate_1_mix_valve_3"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_3 = "holding_set_point_curve_y_coordinate_2_mix_valve_3"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_3 = "holding_set_point_curve_y_coordinate_3_mix_valve_3"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_3 = "holding_set_point_curve_y_coordinate_4_mix_valve_3"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_3 = "holding_set_point_curve_y_coordinate_5_mix_valve_3"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_3 = "holding_set_point_curve_y_coordinate_6_mix_valve_3"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_3 = "holding_set_point_curve_y_coordinate_7_mix_valve_3"
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_4 = "holding_min_limitation_set_point_curve_radiator_mix_valve_4"
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_4 = "holding_max_limitation_set_point_curve_radiator_mix_valve_4"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_4 = "holding_set_point_curve_y_coordinate_1_mix_valve_4"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_4 = "holding_set_point_curve_y_coordinate_2_mix_valve_4"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_4 = "holding_set_point_curve_y_coordinate_3_mix_valve_4"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_4 = "holding_set_point_curve_y_coordinate_4_mix_valve_4"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_4 = "holding_set_point_curve_y_coordinate_5_mix_valve_4"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_4 = "holding_set_point_curve_y_coordinate_6_mix_valve_4"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_4 = "holding_set_point_curve_y_coordinate_7_mix_valve_4"
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_5 = "holding_min_limitation_set_point_curve_radiator_mix_valve_5"
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_5 = "holding_max_limitation_set_point_curve_radiator_mix_valve_5"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_5 = "holding_set_point_curve_y_coordinate_1_mix_valve_5"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_5 = "holding_set_point_curve_y_coordinate_2_mix_valve_5"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_5 = "holding_set_point_curve_y_coordinate_3_mix_valve_5"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_5 = "holding_set_point_curve_y_coordinate_4_mix_valve_5"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_5 = "holding_set_point_curve_y_coordinate_5_mix_valve_5"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_5 = "holding_set_point_curve_y_coordinate_6_mix_valve_5"
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_5 = "holding_set_point_curve_y_coordinate_7_mix_valve_5"
ATTR_HOLDING_SET_POINT_RETURN_TEMP_FROM_POOL_TO_HEAT_EXCHANGER = "holding_set_point_return_temp_from_pool_to_heat_exchanger"
ATTR_HOLDING_SET_POINT_POOL_HYSTERESIS = "holding_set_point_pool_hysteresis"
ATTR_HOLDING_SET_POINT_FOR_SUPPLY_LINE_TEMP_PASSIVE_COOLING_WITH_MIXING_VALVE_1 = "holding_set_point_for_supply_line_temp_passive_cooling_with_mixing_valve_1"
ATTR_HOLDING_SET_POINT_MINIMUM_OUTDOOR_TEMP_WHEN_COOLING_IS_PERMITTED = "holding_set_point_minimum_outdoor_temp_when_cooling_is_permitted"
ATTR_HOLDING_EXTERNAL_HEATER_OUTDOOR_TEMP_LIMIT = "holding_external_heater_outdoor_temp_limit"
ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_2 = "holding_selected_mode_for_mixing_valve_2"
ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_2 = "holding_desired_cooling_temperature_setpoint_mixing_valve_2"
ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_2 = "holding_seasonal_cooling_temperature_outdoor_mixing_valve_2"
ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_2 = "holding_seasonal_heating_temperature_outdoor_mixing_valve_2"
ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_3 = "holding_selected_mode_for_mixing_valve_3"
ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_3 = "holding_desired_cooling_temperature_setpoint_mixing_valve_3"
ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_3 = "holding_seasonal_cooling_temperature_outdoor_mixing_valve_3"
ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_3 = "holding_seasonal_heating_temperature_outdoor_mixing_valve_3"
ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_4 = "holding_selected_mode_for_mixing_valve_4"
ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_4 = "holding_desired_cooling_temperature_setpoint_mixing_valve_4"
ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_4 = "holding_seasonal_cooling_temperature_outdoor_mixing_valve_4"
ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_TEMP_MIXING_VALVE_4 = "holding_seasonal_heating_temperature_outdoor_temp_mixing_valve_4"
ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_5 = "holding_selected_mode_for_mixing_valve_5"
ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_5 = "holding_desired_cooling_temperature_setpoint_mixing_valve_5"
ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_5 = "holding_seasonal_cooling_temperature_outdoor_mixing_valve_5"
ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_5 = "holding_seasonal_heating_temperature_outdoor_mixing_valve_5"
REGISTERS = {
ATTR_COIL_RESET_ALL_ALARMS:
{ KEY_ADDRESS: 3, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_INTERNAL_ADDITIONAL_HEATER:
{ KEY_ADDRESS: 4, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_EXTERNAL_ADDITIONAL_HEATER:
{ KEY_ADDRESS: 5, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_HGW:
{ KEY_ADDRESS: 6, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_FLOW_SWITCH_PRESSURE_SWITCH:
{ KEY_ADDRESS: 7, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_TAP_WATER:
{ KEY_ADDRESS: 8, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_HEAT:
{ KEY_ADDRESS: 9, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_ACTIVE_COOLING:
{ KEY_ADDRESS: 10, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_MIX_VALVE_1:
{ KEY_ADDRESS: 11, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_TWC:
{ KEY_ADDRESS: 12, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_WCS:
{ KEY_ADDRESS: 13, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_HOT_GAS_PUMP:
{ KEY_ADDRESS: 14, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_MIX_VALVE_2:
{ KEY_ADDRESS: 16, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_MIX_VALVE_3:
{ KEY_ADDRESS: 17, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_MIX_VALVE_4:
{ KEY_ADDRESS: 18, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_MIX_VALVE_5:
{ KEY_ADDRESS: 19, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_BRINE_OUT_MONITORING:
{ KEY_ADDRESS: 20, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_BRINE_PUMP_CONTINUOUS_OPERATION:
{ KEY_ADDRESS: 21, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_SYSTEM_CIRCULATION_PUMP:
{ KEY_ADDRESS: 22, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION:
{ KEY_ADDRESS: 23, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_ANTI_LEGIONELLA:
{ KEY_ADDRESS: 24, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_ADDITIONAL_HEATER_ONLY:
{ KEY_ADDRESS: 25, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_CURRENT_LIMITATION:
{ KEY_ADDRESS: 26, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_POOL:
{ KEY_ADDRESS: 28, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_SURPLUS_HEAT_CHILLER:
{ KEY_ADDRESS: 29, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_SURPLUS_HEAT_BOREHOLE:
{ KEY_ADDRESS: 30, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_EXTERNAL_ADDITIONAL_HEATER_FOR_POOL:
{ KEY_ADDRESS: 31, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_INTERNAL_ADDITIONAL_HEATER_FOR_POOL:
{ KEY_ADDRESS: 32, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_PASSIVE_COOLING:
{ KEY_ADDRESS: 33, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_VARIABLE_SPEED_MODE_FOR_CONDENSER_PUMP:
{ KEY_ADDRESS: 34, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_VARIABLE_SPEED_MODE_FOR_BRINE_PUMP:
{ KEY_ADDRESS: 35, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_COOLING_MODE_FOR_MIXING_VALVE_1:
{ KEY_ADDRESS: 36, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_1:
{ KEY_ADDRESS: 37, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_1:
{ KEY_ADDRESS: 38, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_EXTERNAL_HEATER:
{ KEY_ADDRESS: 39, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_BRINE_IN_MONITORING:
{ KEY_ADDRESS: 40, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_COIL_ENABLE_FIXED_SYSTEM_SUPPLY_SET_POINT:
{ KEY_ADDRESS: 41, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_EVAPORATOR_FREEZE_PROTECTION:
{ KEY_ADDRESS: 42, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_2:
{ KEY_ADDRESS: 43, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_2:
{ KEY_ADDRESS: 44, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_2:
{ KEY_ADDRESS: 45, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_3:
{ KEY_ADDRESS: 46, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_3:
{ KEY_ADDRESS: 47, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_3:
{ KEY_ADDRESS: 48, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_4:
{ KEY_ADDRESS: 49, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_4:
{ KEY_ADDRESS: 50, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_4:
{ KEY_ADDRESS: 51, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_5:
{ KEY_ADDRESS: 52, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_5:
{ KEY_ADDRESS: 53, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_5:
{ KEY_ADDRESS: 54, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_2:
{ KEY_ADDRESS: 55, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_3:
{ KEY_ADDRESS: 56, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_4:
{ KEY_ADDRESS: 57, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_5:
{ KEY_ADDRESS: 58, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_ALARM_ACTIVE_CLASS_A:
{ KEY_ADDRESS: 0, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_ALARM_ACTIVE_CLASS_B:
{ KEY_ADDRESS: 1, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_ALARM_ACTIVE_CLASS_C:
{ KEY_ADDRESS: 2, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_ALARM_ACTIVE_CLASS_D:
{ KEY_ADDRESS: 3, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_ALARM_ACTIVE_CLASS_E:
{ KEY_ADDRESS: 4, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_HIGH_PRESSURE_SWITCH_ALARM:
{ KEY_ADDRESS: 9, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_LOW_PRESSURE_LEVEL_ALARM:
{ KEY_ADDRESS: 10, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_HIGH_DISCHARGE_PIPE_TEMPERATURE_ALARM:
{ KEY_ADDRESS: 11, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_OPERATING_PRESSURE_LIMIT_INDICATION:
{ KEY_ADDRESS: 12, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_DISCHARGE_PIPE_SENSOR_ALARM:
{ KEY_ADDRESS: 13, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_LIQUID_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 14, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_SUCTION_GAS_SENSOR_ALARM:
{ KEY_ADDRESS: 15, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_FLOW_PRESSURE_SWITCH_ALARM:
{ KEY_ADDRESS: 16, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_POWER_INPUT_PHASE_DETECTION_ALARM:
{ KEY_ADDRESS: 22, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_INVERTER_UNIT_ALARM:
{ KEY_ADDRESS: 23, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_SYSTEM_SUPPLY_LOW_TEMPERATURE_ALARM:
{ KEY_ADDRESS: 24, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_COMPRESSOR_LOW_SPEED_ALARM:
{ KEY_ADDRESS: 25, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_LOW_SUPER_HEAT_ALARM:
{ KEY_ADDRESS: 26, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_PRESSURE_RATIO_OUT_OF_RANGE_ALARM:
{ KEY_ADDRESS: 27, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_COMPRESSOR_PRESSURE_OUTSIDE_ENVELOPE_ALARM:
{ KEY_ADDRESS: 28, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_BRINE_TEMPERATURE_OUT_OF_RANGE_ALARM:
{ KEY_ADDRESS: 29, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_BRINE_IN_SENSOR_ALARM:
{ KEY_ADDRESS: 30, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_BRINE_OUT_SENSOR_ALARM:
{ KEY_ADDRESS: 31, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_CONDENSER_IN_SENSOR_ALARM:
{ KEY_ADDRESS: 32, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_CONDENSER_OUT_SENSOR_ALARM:
{ KEY_ADDRESS: 33, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_OUTDOOR_SENSOR_ALARM:
{ KEY_ADDRESS: 34, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_SYSTEM_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 35, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_1_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 36, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_2_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 37, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_3_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 38, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_4_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 39, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_5_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 40, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_WCS_RETURN_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 44, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_TWC_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 45, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_COOLING_TANK_SENSOR_ALARM:
{ KEY_ADDRESS: 46, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_COOLING_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 47, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_COOLING_CIRCUIT_RETURN_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 48, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_BRINE_DELTA_OUT_OF_RANGE_ALARM:
{ KEY_ADDRESS: 49, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_TAP_WATER_MID_SENSOR_ALARM:
{ KEY_ADDRESS: 50, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_TWC_CIRCULATION_RETURN_SENSOR_ALARM:
{ KEY_ADDRESS: 51, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_HGW_SENSOR_ALARM:
{ KEY_ADDRESS: 52, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_DINPUT_INTERNAL_ADDITIONAL_HEATER_ALARM:
{ KEY_ADDRESS: 53, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_DINPUT_BRINE_IN_HIGH_TEMPERATURE_ALARM:
{ KEY_ADDRESS: 55, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_BRINE_IN_LOW_TEMPERATURE_ALARM:
{ KEY_ADDRESS: 56, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_BRINE_OUT_LOW_TEMPERATURE_ALARM:
{ KEY_ADDRESS: 57, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_TWC_CIRCULATION_RETURN_LOW_TEMPERATURE_ALARM:
{ KEY_ADDRESS: 58, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_TWC_SUPPLY_LOW_TEMPERATURE_ALARM:
{ KEY_ADDRESS: 59, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_1_SUPPLY_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 60, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_2_SUPPLY_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 61, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_3_SUPPLY_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 62, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_4_SUPPLY_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 63, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_5_SUPPLY_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 64, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_WCS_RETURN_LINE_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 65, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_SUM_ALARM:
{ KEY_ADDRESS: 66, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_COOLING_CIRCUIT_SUPPLY_LINE_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 67, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_COOLING_TANK_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 68, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_SURPLUS_HEAT_TEMPERATURE_DEVIATION_ALARM:
{ KEY_ADDRESS: 69, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_HUMIDITY_ROOM_SENSOR_ALARM:
{ KEY_ADDRESS: 70, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_SURPLUS_HEAT_SUPPLY_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 71, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_SURPLUS_HEAT_RETURN_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 72, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_COOLING_TANK_RETURN_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 73, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_TEMPERATURE_ROOM_SENSOR_ALARM:
{ KEY_ADDRESS: 74, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_INVERTER_UNIT_COMMUNICATION_ALARM:
{ KEY_ADDRESS: 75, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_POOL_RETURN_LINE_SENSOR_ALARM:
{ KEY_ADDRESS: 76, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_EXTERNAL_STOP_FOR_POOL:
{ KEY_ADDRESS: 77, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_EXTERNAL_START_BRINE_PUMP:
{ KEY_ADDRESS: 78, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_EXTERNAL_RELAY_FOR_BRINE_GROUND_WATER_PUMP:
{ KEY_ADDRESS: 79, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_TAP_WATER_END_TANK_SENSOR_ALARM:
{ KEY_ADDRESS: 81, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MAXIMUM_TIME_FOR_ANTI_LEGIONELLA_EXCEEDED_ALARM:
{ KEY_ADDRESS: 82, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_DINPUT_GENESIS_SECONDARY_UNIT_ALARM:
{ KEY_ADDRESS: 83, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_PRIMARY_UNIT_CONFLICT_ALARM:
{ KEY_ADDRESS: 84, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_PRIMARY_UNIT_NO_SECONDARY_ALARM:
{ KEY_ADDRESS: 85, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_OIL_BOOST_IN_PROGRESS:
{ KEY_ADDRESS: 86, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_COMPRESSOR_CONTROL_SIGNAL:
{ KEY_ADDRESS: 199, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_SMART_GRID_1:
{ KEY_ADDRESS: 201, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_EXTERNAL_ALARM_INPUT:
{ KEY_ADDRESS: 202, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_SMART_GRID_2:
{ KEY_ADDRESS: 204, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_EXTERNAL_ADDITIONAL_HEATER_CONTROL_SIGNAL:
{ KEY_ADDRESS: 206, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_MIX_VALVE_1_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 209, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_CONDENSER_PUMP_ON_OFF_CONTROL:
{ KEY_ADDRESS: 210, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_SYSTEM_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 211, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_HOT_GAS_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 213, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_BRINE_PUMP_ON_OFF_CONTROL:
{ KEY_ADDRESS: 218, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_EXTERNAL_HEATER_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 219, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_HEATING_SEASON_ACTIVE:
{ KEY_ADDRESS: 220, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_EXTERNAL_ADDITIONAL_HEATER_ACTIVE:
{ KEY_ADDRESS: 221, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_INTERNAL_ADDITIONAL_HEATER_ACTIVE:
{ KEY_ADDRESS: 222, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_DINPUT_HGW_REGULATION_CONTROL_SIGNAL:
{ KEY_ADDRESS: 223, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_DINPUT_HEAT_PUMP_STOPPING:
{ KEY_ADDRESS: 224, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_HEAT_PUMP_OK_TO_START:
{ KEY_ADDRESS: 225, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_TWC_SUPPLY_LINE_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 230, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_WCS_REGULATION_CONTROL_SIGNAL:
{ KEY_ADDRESS: 232, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_WCS_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 233, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_TWC_END_TANK_HEATER_CONTROL_SIGNAL:
{ KEY_ADDRESS: 234, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_POOL_DIRECTIONAL_VALVE_POSITION:
{ KEY_ADDRESS: 235, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_COOLING_CIRCUIT_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 236, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_POOL_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 237, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_SURPLUS_HEAT_DIRECTIONAL_VALVE_POSITION:
{ KEY_ADDRESS: 238, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_SURPLUS_HEAT_CIRCULATION_PUMP_CONTROL_SIGNAL:
{ KEY_ADDRESS: 239, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_COOLING_CIRCUIT_REGULATION_CONTROL_SIGNAL:
{ KEY_ADDRESS: 240, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_SURPLUS_HEAT_REGULATION_CONTROL_SIGNAL:
{ KEY_ADDRESS: 241, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_ACTIVE_COOLING_DIRECTIONAL_VALVE_POSITION:
{ KEY_ADDRESS: 242, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_PASSIVE_ACTIVE_COOLING_DIRECTIONAL_VALVE_POSITION:
{ KEY_ADDRESS: 243, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_DINPUT_POOL_REGULATION_CONTROL_SIGNAL:
{ KEY_ADDRESS: 244, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_INDICATION_WHEN_MIXING_VALVE_1_IS_PRODUCING_PASSIVE_COOLING:
{ KEY_ADDRESS: 245, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_DINPUT_COMPRESSOR_IS_UNABLE_TO_SPEED_UP:
{ KEY_ADDRESS: 246, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_FIRST_PRIORITISED_DEMAND:
{ KEY_ADDRESS: 1, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_COMPRESSOR_AVAILABLE_GEARS:
{ KEY_ADDRESS: 4, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_COMPRESSOR_SPEED_RPM:
{ KEY_ADDRESS: 5, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_EXTERNAL_ADDITIONAL_HEATER_CURRENT_DEMAND:
{ KEY_ADDRESS: 6, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DISCHARGE_PIPE_TEMPERATURE:
{ KEY_ADDRESS: 7, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_CONDENSER_IN_TEMPERATURE:
{ KEY_ADDRESS: 8, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_CONDENSER_OUT_TEMPERATURE:
{ KEY_ADDRESS: 9, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_BRINE_IN_TEMPERATURE:
{ KEY_ADDRESS: 10, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_BRINE_OUT_TEMPERATURE:
{ KEY_ADDRESS: 11, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SYSTEM_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 12, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_OUTDOOR_TEMPERATURE:
{ KEY_ADDRESS: 13, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_TAP_WATER_TOP_TEMPERATURE:
{ KEY_ADDRESS: 15, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_TAP_WATER_LOWER_TEMPERATURE:
{ KEY_ADDRESS: 16, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_TAP_WATER_WEIGHTED_TEMPERATURE:
{ KEY_ADDRESS: 17, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SYSTEM_SUPPLY_LINE_CALCULATED_SET_POINT:
{ KEY_ADDRESS: 18, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SELECTED_HEAT_CURVE:
{ KEY_ADDRESS: 19, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_1:
{ KEY_ADDRESS: 20, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_2:
{ KEY_ADDRESS: 21, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_3:
{ KEY_ADDRESS: 22, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_4:
{ KEY_ADDRESS: 23, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_5:
{ KEY_ADDRESS: 24, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_6:
{ KEY_ADDRESS: 25, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HEAT_CURVE_X_COORDINATE_7:
{ KEY_ADDRESS: 26, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_COOLING_SEASON_INTEGRAL_VALUE:
{ KEY_ADDRESS: 36, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_CONDENSER_CIRCULATION_PUMP_SPEED:
{ KEY_ADDRESS: 39, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_1_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 40, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_BUFFER_TANK_TEMPERATURE:
{ KEY_ADDRESS: 41, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_1_POSITION:
{ KEY_ADDRESS: 43, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_BRINE_CIRCULATION_PUMP_SPEED:
{ KEY_ADDRESS: 44, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HGW_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 45, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_HOT_WATER_DIRECTIONAL_VALVE_POSITION:
{ KEY_ADDRESS: 47, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_COMPRESSOR_OPERATING_HOURS:
{ KEY_ADDRESS: 48, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_LONG, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_TAP_WATER_OPERATING_HOURS:
{ KEY_ADDRESS: 50, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_LONG, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_EXTERNAL_ADDITIONAL_HEATER_OPERATING_HOURS:
{ KEY_ADDRESS: 52, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_LONG, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_COMPRESSOR_SPEED_PERCENT:
{ KEY_ADDRESS: 54, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SECOND_PRIORITISED_DEMAND:
{ KEY_ADDRESS: 55, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_THIRD_PRIORITISED_DEMAND:
{ KEY_ADDRESS: 56, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SOFTWARE_VERSION_MAJOR:
{ KEY_ADDRESS: 57, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SOFTWARE_VERSION_MINOR:
{ KEY_ADDRESS: 58, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SOFTWARE_VERSION_MICRO:
{ KEY_ADDRESS: 59, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_COMPRESSOR_TEMPORARILY_BLOCKED:
{ KEY_ADDRESS: 60, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_COMPRESSOR_CURRENT_GEAR:
{ KEY_ADDRESS: 61, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_QUEUED_DEMAND_FIRST_PRIORITY:
{ KEY_ADDRESS: 62, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_QUEUED_DEMAND_SECOND_PRIORITY:
{ KEY_ADDRESS: 63, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_QUEUED_DEMAND_THIRD_PRIORITY:
{ KEY_ADDRESS: 64, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_QUEUED_DEMAND_FOURTH_PRIORITY:
{ KEY_ADDRESS: 65, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_QUEUED_DEMAND_FIFTH_PRIORITY:
{ KEY_ADDRESS: 66, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_INTERNAL_ADDITIONAL_HEATER_CURRENT_STEP:
{ KEY_ADDRESS: 67, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_BUFFER_TANK_CHARGE_SET_POINT:
{ KEY_ADDRESS: 68, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L1_CURRENT:
{ KEY_ADDRESS: 69, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L2_CURRENT:
{ KEY_ADDRESS: 70, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L3_CURRENT:
{ KEY_ADDRESS: 71, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L1_0_VOLTAGE:
{ KEY_ADDRESS: 72, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L2_0_VOLTAGE:
{ KEY_ADDRESS: 73, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L3_0_VOLTAGE:
{ KEY_ADDRESS: 74, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L1_L2_VOLTAGE:
{ KEY_ADDRESS: 75, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L2_L3_VOLTAGE:
{ KEY_ADDRESS: 76, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L3_L1_VOLTAGE:
{ KEY_ADDRESS: 77, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L1_POWER:
{ KEY_ADDRESS: 78, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L2_POWER:
{ KEY_ADDRESS: 79, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_L3_POWER:
{ KEY_ADDRESS: 80, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_METER_VALUE:
{ KEY_ADDRESS: 81, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_COMFORT_MODE:
{ KEY_ADDRESS: 82, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_ELECTRIC_METER_KWH_TOTAL:
{ KEY_ADDRESS: 83, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_LONG, MODEL_MEGA: False, MODEL_INVERTER: True },
ATTR_INPUT_WCS_VALVE_POSITION:
{ KEY_ADDRESS: 85, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_TWC_VALVE_POSITION:
{ KEY_ADDRESS: 86, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_2_POSITION:
{ KEY_ADDRESS: 87, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_3_POSITION:
{ KEY_ADDRESS: 88, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_4_POSITION:
{ KEY_ADDRESS: 89, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_5_POSITION:
{ KEY_ADDRESS: 90, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DEW_POINT_ROOM:
{ KEY_ADDRESS: 91, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_COOLING_SUPPLY_LINE_MIX_VALVE_POSITION:
{ KEY_ADDRESS: 92, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_SURPLUS_HEAT_FAN_SPEED:
{ KEY_ADDRESS: 93, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_POOL_SUPPLY_LINE_MIX_VALVE_POSITION:
{ KEY_ADDRESS: 94, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_TWC_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 95, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_TWC_RETURN_TEMPERATURE:
{ KEY_ADDRESS: 96, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_WCS_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 97, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_TWC_END_TANK_TEMPERATURE:
{ KEY_ADDRESS: 98, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_2_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 99, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_3_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 100, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_4_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 101, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_COOLING_CIRCUIT_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 103, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_COOLING_TANK_TEMPERATURE:
{ KEY_ADDRESS: 104, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_COOLING_TANK_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 105, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_COOLING_CIRCUIT_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 106, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_MIX_VALVE_5_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 107, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_2_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 109, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_3_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 111, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_4_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 113, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_5_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 115, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SURPLUS_HEAT_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 117, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_SURPLUS_HEAT_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 118, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_POOL_SUPPLY_LINE_TEMPERATURE:
{ KEY_ADDRESS: 119, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_POOL_RETURN_LINE_TEMPERATURE:
{ KEY_ADDRESS: 120, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_ROOM_TEMPERATURE_SENSOR:
{ KEY_ADDRESS: 121, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_BUBBLE_POINT:
{ KEY_ADDRESS: 122, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DEW_POINT:
{ KEY_ADDRESS: 124, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SUPERHEAT_TEMPERATURE:
{ KEY_ADDRESS: 125, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SUB_COOLING_TEMPERATURE:
{ KEY_ADDRESS: 126, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_LOW_PRESSURE_SIDE:
{ KEY_ADDRESS: 127, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HIGH_PRESSURE_SIDE:
{ KEY_ADDRESS: 128, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_LIQUID_LINE_TEMPERATURE:
{ KEY_ADDRESS: 129, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_SUCTION_GAS_TEMPERATURE:
{ KEY_ADDRESS: 130, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_HEATING_SEASON_INTEGRAL_VALUE:
{ KEY_ADDRESS: 131, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_P_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION:
{ KEY_ADDRESS: 132, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_I_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION:
{ KEY_ADDRESS: 133, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_D_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION:
{ KEY_ADDRESS: 134, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_I_VALUE_FOR_COMPRESSOR_ON_OFF_BUFFER_TANK:
{ KEY_ADDRESS: 135, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_P_VALUE_FOR_COMPRESSOR_ON_OFF_BUFFER_TANK:
{ KEY_ADDRESS: 136, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MIX_VALVE_COOLING_OPENING_DEGREE:
{ KEY_ADDRESS: 137, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_GEAR_FOR_TAP_WATER:
{ KEY_ADDRESS: 139, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_GEAR_FOR_HEATING:
{ KEY_ADDRESS: 140, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_GEAR_FOR_COOLING:
{ KEY_ADDRESS: 141, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_GEAR_FOR_POOL:
{ KEY_ADDRESS: 142, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_NUMBER_OF_AVAILABLE_SECONDARIES_GENESIS:
{ KEY_ADDRESS: 143, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_NUMBER_OF_AVAILABLE_SECONDARIES_LEGACY:
{ KEY_ADDRESS: 144, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_TOTAL_DISTRIBUTED_GEARS_TO_ALL_UNITS:
{ KEY_ADDRESS: 145, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_MAXIMUM_GEAR_OUT_OF_ALL_THE_CURRENTLY_REQUESTED_GEARS:
{ KEY_ADDRESS: 146, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_1:
{ KEY_ADDRESS: 147, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_2:
{ KEY_ADDRESS: 148, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_3:
{ KEY_ADDRESS: 149, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_4:
{ KEY_ADDRESS: 150, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_5:
{ KEY_ADDRESS: 151, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_INPUT_DISCONNECT_HOT_GAS_END_TANK:
{ KEY_ADDRESS: 152, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_LEGACY_HEAT_PUMP_COMPRESSOR_RUNNING:
{ KEY_ADDRESS: 153, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_LEGACY_HEAT_PUMP_REPORTING_ALARM:
{ KEY_ADDRESS: 154, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_LEGACY_HEAT_PUMP_START_SIGNAL:
{ KEY_ADDRESS: 155, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_LEGACY_HEAT_PUMP_TAP_WATER_SIGNAL:
{ KEY_ADDRESS: 156, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_PRIMARY_UNIT_ALARM_COMBINED_OUTPUT_OF_ALL_CLASS_D_ALARMS:
{ KEY_ADDRESS: 160, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_PRIMARY_UNIT_ALARM_PRIMARY_UNIT_HAS_LOST_COMMUNICATION:
{ KEY_ADDRESS: 161, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_PRIMARY_UNIT_ALARM_CLASS_A_ALARM_DETECTED_ON_THE_GENESIS_SECONDARY:
{ KEY_ADDRESS: 162, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_PRIMARY_UNIT_ALARM_CLASS_B_ALARM_DETECTED_ON_THE_GENESIS_SECONDARY:
{ KEY_ADDRESS: 163, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_PRIMARY_UNIT_ALARM_COMBINED_OUTPUT_OF_ALL_CLASS_E_ALARMS:
{ KEY_ADDRESS: 170, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_PRIMARY_UNIT_ALARM_GENERAL_LEGACY_HEAT_PUMP_ALARM:
{ KEY_ADDRESS: 171, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_INPUT_PRIMARY_UNIT_ALARM_PRIMARY_UNIT_CAN_NOT_COMMUNICATE_WITH_EXPANSION:
{ KEY_ADDRESS: 173, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_OPERATIONAL_MODE:
{ KEY_ADDRESS: 0, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAX_LIMITATION:
{ KEY_ADDRESS: 3, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIN_LIMITATION:
{ KEY_ADDRESS: 4, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_COMFORT_WHEEL_SETTING:
{ KEY_ADDRESS: 5, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_1:
{ KEY_ADDRESS: 6, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_2:
{ KEY_ADDRESS: 7, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_3:
{ KEY_ADDRESS: 8, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_4:
{ KEY_ADDRESS: 9, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_5:
{ KEY_ADDRESS: 10, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_6:
{ KEY_ADDRESS: 11, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_7:
{ KEY_ADDRESS: 12, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_HEATING_SEASON_STOP_TEMPERATURE:
{ KEY_ADDRESS: 16, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_START_TEMPERATURE_TAP_WATER:
{ KEY_ADDRESS: 22, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_STOP_TEMPERATURE_TAP_WATER:
{ KEY_ADDRESS: 23, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_HEATING:
{ KEY_ADDRESS: 26, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_HEATING:
{ KEY_ADDRESS: 27, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_TAP_WATER:
{ KEY_ADDRESS: 28, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_TAP_WATER:
{ KEY_ADDRESS: 29, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_COOLING_MIX_VALVE_SET_POINT:
{ KEY_ADDRESS: 30, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_TWC_MIX_VALVE_SET_POINT:
{ KEY_ADDRESS: 31, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_WCS_RETURN_LINE_SET_POINT:
{ KEY_ADDRESS: 32, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_TWC_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 33, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_TWC_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 34, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_TWC_START_TEMPERATURE_IMMERSION_HEATER:
{ KEY_ADDRESS: 35, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_TWC_START_DELAY_IMMERSION_HEATER:
{ KEY_ADDRESS: 36, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_TWC_STOP_TEMPERATURE_IMMERSION_HEATER:
{ KEY_ADDRESS: 37, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_WCS_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 38, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_WCS_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 39, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_MIX_VALVE_2_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 40, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIX_VALVE_2_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 41, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIX_VALVE_3_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 42, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIX_VALVE_3_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 43, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIX_VALVE_4_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 44, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIX_VALVE_4_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 45, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIX_VALVE_5_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 46, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIX_VALVE_5_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 47, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SURPLUS_HEAT_CHILLER_SET_POINT:
{ KEY_ADDRESS: 48, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_COOLING_SUPPLY_LINE_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 49, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_COOLING_SUPPLY_LINE_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 50, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STARTING_FAN_1:
{ KEY_ADDRESS: 51, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STARTING_FAN_2:
{ KEY_ADDRESS: 52, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STOPPING_FAN_1:
{ KEY_ADDRESS: 53, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STOPPING_FAN_2:
{ KEY_ADDRESS: 54, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SURPLUS_HEAT_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 55, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SURPLUS_HEAT_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 56, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_POOL_CHARGE_SET_POINT:
{ KEY_ADDRESS: 58, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_POOL_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 59, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_POOL_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE:
{ KEY_ADDRESS: 60, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_GEAR_SHIFT_DELAY_HEATING:
{ KEY_ADDRESS: 61, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_GEAR_SHIFT_DELAY_POOL:
{ KEY_ADDRESS: 62, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_GEAR_SHIFT_DELAY_COOLING:
{ KEY_ADDRESS: 63, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_BRINE_IN_HIGH_ALARM_LIMIT:
{ KEY_ADDRESS: 67, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_BRINE_IN_LOW_ALARM_LIMIT:
{ KEY_ADDRESS: 68, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_BRINE_OUT_LOW_ALARM_LIMIT:
{ KEY_ADDRESS: 69, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_BRINE_MAX_DELTA_LIMIT:
{ KEY_ADDRESS: 70, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_HOT_GAS_PUMP_START_TEMPERATURE_DISCHARGE_PIPE:
{ KEY_ADDRESS: 71, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_HOT_GAS_PUMP_LOWER_STOP_LIMIT_TEMPERATURE_DISCHARGE_PIPE:
{ KEY_ADDRESS: 72, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_HOT_GAS_PUMP_UPPER_STOP_LIMIT_TEMPERATURE_DISCHARGE_PIPE:
{ KEY_ADDRESS: 73, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_EXTERNAL_ADDITIONAL_HEATER_START:
{ KEY_ADDRESS: 75, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_CONDENSER_PUMP_LOWEST_ALLOWED_SPEED:
{ KEY_ADDRESS: 76, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_BRINE_PUMP_LOWEST_ALLOWED_SPEED:
{ KEY_ADDRESS: 77, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_EXTERNAL_ADDITIONAL_HEATER_STOP:
{ KEY_ADDRESS: 78, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_CONDENSER_PUMP_HIGHEST_ALLOWED_SPEED:
{ KEY_ADDRESS: 79, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_BRINE_PUMP_HIGHEST_ALLOWED_SPEED:
{ KEY_ADDRESS: 80, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_CONDENSER_PUMP_STANDBY_SPEED:
{ KEY_ADDRESS: 81, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_BRINE_PUMP_STANDBY_SPEED:
{ KEY_ADDRESS: 82, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_POOL:
{ KEY_ADDRESS: 85, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_POOL:
{ KEY_ADDRESS: 86, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_COOLING:
{ KEY_ADDRESS: 87, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_COOLING:
{ KEY_ADDRESS: 88, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_START_TEMP_FOR_COOLING:
{ KEY_ADDRESS: 105, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_STOP_TEMP_FOR_COOLING:
{ KEY_ADDRESS: 106, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_1:
{ KEY_ADDRESS: 107, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_1:
{ KEY_ADDRESS: 108, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_1:
{ KEY_ADDRESS: 109, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_1:
{ KEY_ADDRESS: 110, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_1:
{ KEY_ADDRESS: 111, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_1:
{ KEY_ADDRESS: 112, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_1:
{ KEY_ADDRESS: 113, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_1:
{ KEY_ADDRESS: 114, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_1:
{ KEY_ADDRESS: 115, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_FIXED_SYSTEM_SUPPLY_SET_POINT:
{ KEY_ADDRESS: 116, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_2:
{ KEY_ADDRESS: 199, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_2:
{ KEY_ADDRESS: 200, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_2:
{ KEY_ADDRESS: 201, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_2:
{ KEY_ADDRESS: 202, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_2:
{ KEY_ADDRESS: 203, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_2:
{ KEY_ADDRESS: 204, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_2:
{ KEY_ADDRESS: 205, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_2:
{ KEY_ADDRESS: 206, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_2:
{ KEY_ADDRESS: 207, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_3:
{ KEY_ADDRESS: 208, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_3:
{ KEY_ADDRESS: 209, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_3:
{ KEY_ADDRESS: 210, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_3:
{ KEY_ADDRESS: 211, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_3:
{ KEY_ADDRESS: 212, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_3:
{ KEY_ADDRESS: 213, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_3:
{ KEY_ADDRESS: 214, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_3:
{ KEY_ADDRESS: 215, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_3:
{ KEY_ADDRESS: 216, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_4:
{ KEY_ADDRESS: 239, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_4:
{ KEY_ADDRESS: 240, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_4:
{ KEY_ADDRESS: 241, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_4:
{ KEY_ADDRESS: 242, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_4:
{ KEY_ADDRESS: 243, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_4:
{ KEY_ADDRESS: 244, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_4:
{ KEY_ADDRESS: 245, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_4:
{ KEY_ADDRESS: 246, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_4:
{ KEY_ADDRESS: 247, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_5:
{ KEY_ADDRESS: 248, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_5:
{ KEY_ADDRESS: 249, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_5:
{ KEY_ADDRESS: 250, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_5:
{ KEY_ADDRESS: 251, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_5:
{ KEY_ADDRESS: 252, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_5:
{ KEY_ADDRESS: 253, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_5:
{ KEY_ADDRESS: 254, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_5:
{ KEY_ADDRESS: 255, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_5:
{ KEY_ADDRESS: 256, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_RETURN_TEMP_FROM_POOL_TO_HEAT_EXCHANGER:
{ KEY_ADDRESS: 299, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_POOL_HYSTERESIS:
{ KEY_ADDRESS: 300, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_FOR_SUPPLY_LINE_TEMP_PASSIVE_COOLING_WITH_MIXING_VALVE_1:
{ KEY_ADDRESS: 302, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SET_POINT_MINIMUM_OUTDOOR_TEMP_WHEN_COOLING_IS_PERMITTED:
{ KEY_ADDRESS: 303, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_EXTERNAL_HEATER_OUTDOOR_TEMP_LIMIT:
{ KEY_ADDRESS: 304, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True },
ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_2:
{ KEY_ADDRESS: 305, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_2:
{ KEY_ADDRESS: 306, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_2:
{ KEY_ADDRESS: 307, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_2:
{ KEY_ADDRESS: 308, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_3:
{ KEY_ADDRESS: 309, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_3:
{ KEY_ADDRESS: 310, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_3:
{ KEY_ADDRESS: 311, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_3:
{ KEY_ADDRESS: 312, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_4:
{ KEY_ADDRESS: 313, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_4:
{ KEY_ADDRESS: 314, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_4:
{ KEY_ADDRESS: 315, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_TEMP_MIXING_VALVE_4:
{ KEY_ADDRESS: 316, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_5:
{ KEY_ADDRESS: 317, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_5:
{ KEY_ADDRESS: 318, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_5:
{ KEY_ADDRESS: 319, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_5:
{ KEY_ADDRESS: 320, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False },
}
| """Constants for ThermiaGenesis integration."""
key_attributes = 'attributes'
key_address = 'address'
key_ranges = 'ranges'
key_scale = 'scale'
key_reg_type = 'register_type'
key_bits = 'bits'
key_datatype = 'datatype'
type_bit = 'bit'
type_int = 'int'
type_uint = 'uint'
type_long = 'long'
type_status = 'status'
reg_coil = 'coil'
reg_discrete_input = 'dinput'
reg_input = 'input'
reg_holding = 'holding'
reg_types = [REG_COIL, REG_DISCRETE_INPUT, REG_INPUT, REG_HOLDING]
domain = 'thermiagenesis'
model_mega = 'mega'
model_inverter = 'inverter'
register_ranges = {MODEL_MEGA: {REG_COIL: [[3, 28], [28, 59]], REG_DISCRETE_INPUT: [[0, 3], [9, 83], [199, 247]], REG_INPUT: [[0, 100], [100, 174]], REG_HOLDING: [[0, 115], [116, 116], [199, 217], [239, 257], [299, 321]]}, MODEL_INVERTER: {REG_COIL: [[3, 41]], REG_DISCRETE_INPUT: [[0, 3], [9, 45], [46, 83], [199, 247]], REG_INPUT: [[0, 174]], REG_HOLDING: [[0, 115], [116, 116], [199, 217], [239, 257], [299, 305]]}}
attr_coil_reset_all_alarms = 'coil_reset_all_alarms'
attr_coil_enable_internal_additional_heater = 'coil_enable_internal_additional_heater'
attr_coil_enable_external_additional_heater = 'coil_enable_external_additional_heater'
attr_coil_enable_hgw = 'coil_enable_hgw'
attr_coil_enable_flow_switch_pressure_switch = 'coil_enable_flow_switch_pressure_switch'
attr_coil_enable_tap_water = 'coil_enable_tap_water'
attr_coil_enable_heat = 'coil_enable_heat'
attr_coil_enable_active_cooling = 'coil_enable_active_cooling'
attr_coil_enable_mix_valve_1 = 'coil_enable_mix_valve_1'
attr_coil_enable_twc = 'coil_enable_twc'
attr_coil_enable_wcs = 'coil_enable_wcs'
attr_coil_enable_hot_gas_pump = 'coil_enable_hot_gas_pump'
attr_coil_enable_mix_valve_2 = 'coil_enable_mix_valve_2'
attr_coil_enable_mix_valve_3 = 'coil_enable_mix_valve_3'
attr_coil_enable_mix_valve_4 = 'coil_enable_mix_valve_4'
attr_coil_enable_mix_valve_5 = 'coil_enable_mix_valve_5'
attr_coil_enable_brine_out_monitoring = 'coil_enable_brine_out_monitoring'
attr_coil_enable_brine_pump_continuous_operation = 'coil_enable_brine_pump_continuous_operation'
attr_coil_enable_system_circulation_pump = 'coil_enable_system_circulation_pump'
attr_coil_enable_dew_point_calculation = 'coil_enable_dew_point_calculation'
attr_coil_enable_anti_legionella = 'coil_enable_anti_legionella'
attr_coil_enable_additional_heater_only = 'coil_enable_additional_heater_only'
attr_coil_enable_current_limitation = 'coil_enable_current_limitation'
attr_coil_enable_pool = 'coil_enable_pool'
attr_coil_enable_surplus_heat_chiller = 'coil_enable_surplus_heat_chiller'
attr_coil_enable_surplus_heat_borehole = 'coil_enable_surplus_heat_borehole'
attr_coil_enable_external_additional_heater_for_pool = 'coil_enable_external_additional_heater_for_pool'
attr_coil_enable_internal_additional_heater_for_pool = 'coil_enable_internal_additional_heater_for_pool'
attr_coil_enable_passive_cooling = 'coil_enable_passive_cooling'
attr_coil_enable_variable_speed_mode_for_condenser_pump = 'coil_enable_variable_speed_mode_for_condenser_pump'
attr_coil_enable_variable_speed_mode_for_brine_pump = 'coil_enable_variable_speed_mode_for_brine_pump'
attr_coil_enable_cooling_mode_for_mixing_valve_1 = 'coil_enable_cooling_mode_for_mixing_valve_1'
attr_coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_1 = 'coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_1'
attr_coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_1 = 'coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_1'
attr_coil_enable_outdoor_temp_dependent_for_external_heater = 'coil_enable_outdoor_temp_dependent_for_external_heater'
attr_coil_enable_brine_in_monitoring = 'coil_enable_brine_in_monitoring'
attr_coil_enable_fixed_system_supply_set_point = 'coil_enable_fixed_system_supply_set_point'
attr_coil_enable_evaporator_freeze_protection = 'coil_enable_evaporator_freeze_protection'
attr_coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_2 = 'coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_2'
attr_coil_enable_dew_point_calculation_on_mixing_valve_2 = 'coil_enable_dew_point_calculation_on_mixing_valve_2'
attr_coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_2 = 'coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_2'
attr_coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_3 = 'coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_3'
attr_coil_enable_dew_point_calculation_on_mixing_valve_3 = 'coil_enable_dew_point_calculation_on_mixing_valve_3'
attr_coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_3 = 'coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_3'
attr_coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_4 = 'coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_4'
attr_coil_enable_dew_point_calculation_on_mixing_valve_4 = 'coil_enable_dew_point_calculation_on_mixing_valve_4'
attr_coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_4 = 'coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_4'
attr_coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_5 = 'coil_enable_outdoor_temp_dependent_for_cooling_with_mixing_valve_5'
attr_coil_enable_dew_point_calculation_on_mixing_valve_5 = 'coil_enable_dew_point_calculation_on_mixing_valve_5'
attr_coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_5 = 'coil_enable_outdoor_temp_dependent_for_heating_with_mixing_valve_5'
attr_coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_2 = 'coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_2'
attr_coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_3 = 'coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_3'
attr_coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_4 = 'coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_4'
attr_coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_5 = 'coil_enable_internal_brine_pump_to_start_when_cooling_is_active_for_mixing_valve_5'
attr_dinput_alarm_active_class_a = 'dinput_alarm_active_class_a'
attr_dinput_alarm_active_class_b = 'dinput_alarm_active_class_b'
attr_dinput_alarm_active_class_c = 'dinput_alarm_active_class_c'
attr_dinput_alarm_active_class_d = 'dinput_alarm_active_class_d'
attr_dinput_alarm_active_class_e = 'dinput_alarm_active_class_e'
attr_dinput_high_pressure_switch_alarm = 'dinput_high_pressure_switch_alarm'
attr_dinput_low_pressure_level_alarm = 'dinput_low_pressure_level_alarm'
attr_dinput_high_discharge_pipe_temperature_alarm = 'dinput_high_discharge_pipe_temperature_alarm'
attr_dinput_operating_pressure_limit_indication = 'dinput_operating_pressure_limit_indication'
attr_dinput_discharge_pipe_sensor_alarm = 'dinput_discharge_pipe_sensor_alarm'
attr_dinput_liquid_line_sensor_alarm = 'dinput_liquid_line_sensor_alarm'
attr_dinput_suction_gas_sensor_alarm = 'dinput_suction_gas_sensor_alarm'
attr_dinput_flow_pressure_switch_alarm = 'dinput_flow_pressure_switch_alarm'
attr_dinput_power_input_phase_detection_alarm = 'dinput_power_input_phase_detection_alarm'
attr_dinput_inverter_unit_alarm = 'dinput_inverter_unit_alarm'
attr_dinput_system_supply_low_temperature_alarm = 'dinput_system_supply_low_temperature_alarm'
attr_dinput_compressor_low_speed_alarm = 'dinput_compressor_low_speed_alarm'
attr_dinput_low_super_heat_alarm = 'dinput_low_super_heat_alarm'
attr_dinput_pressure_ratio_out_of_range_alarm = 'dinput_pressure_ratio_out_of_range_alarm'
attr_dinput_compressor_pressure_outside_envelope_alarm = 'dinput_compressor_pressure_outside_envelope_alarm'
attr_dinput_brine_temperature_out_of_range_alarm = 'dinput_brine_temperature_out_of_range_alarm'
attr_dinput_brine_in_sensor_alarm = 'dinput_brine_in_sensor_alarm'
attr_dinput_brine_out_sensor_alarm = 'dinput_brine_out_sensor_alarm'
attr_dinput_condenser_in_sensor_alarm = 'dinput_condenser_in_sensor_alarm'
attr_dinput_condenser_out_sensor_alarm = 'dinput_condenser_out_sensor_alarm'
attr_dinput_outdoor_sensor_alarm = 'dinput_outdoor_sensor_alarm'
attr_dinput_system_supply_line_sensor_alarm = 'dinput_system_supply_line_sensor_alarm'
attr_dinput_mix_valve_1_supply_line_sensor_alarm = 'dinput_mix_valve_1_supply_line_sensor_alarm'
attr_dinput_mix_valve_2_supply_line_sensor_alarm = 'dinput_mix_valve_2_supply_line_sensor_alarm'
attr_dinput_mix_valve_3_supply_line_sensor_alarm = 'dinput_mix_valve_3_supply_line_sensor_alarm'
attr_dinput_mix_valve_4_supply_line_sensor_alarm = 'dinput_mix_valve_4_supply_line_sensor_alarm'
attr_dinput_mix_valve_5_supply_line_sensor_alarm = 'dinput_mix_valve_5_supply_line_sensor_alarm'
attr_dinput_wcs_return_line_sensor_alarm = 'dinput_wcs_return_line_sensor_alarm'
attr_dinput_twc_supply_line_sensor_alarm = 'dinput_twc_supply_line_sensor_alarm'
attr_dinput_cooling_tank_sensor_alarm = 'dinput_cooling_tank_sensor_alarm'
attr_dinput_cooling_supply_line_sensor_alarm = 'dinput_cooling_supply_line_sensor_alarm'
attr_dinput_cooling_circuit_return_line_sensor_alarm = 'dinput_cooling_circuit_return_line_sensor_alarm'
attr_dinput_brine_delta_out_of_range_alarm = 'dinput_brine_delta_out_of_range_alarm'
attr_dinput_tap_water_mid_sensor_alarm = 'dinput_tap_water_mid_sensor_alarm'
attr_dinput_twc_circulation_return_sensor_alarm = 'dinput_twc_circulation_return_sensor_alarm'
attr_dinput_hgw_sensor_alarm = 'dinput_hgw_sensor_alarm'
attr_dinput_internal_additional_heater_alarm = 'dinput_internal_additional_heater_alarm'
attr_dinput_brine_in_high_temperature_alarm = 'dinput_brine_in_high_temperature_alarm'
attr_dinput_brine_in_low_temperature_alarm = 'dinput_brine_in_low_temperature_alarm'
attr_dinput_brine_out_low_temperature_alarm = 'dinput_brine_out_low_temperature_alarm'
attr_dinput_twc_circulation_return_low_temperature_alarm = 'dinput_twc_circulation_return_low_temperature_alarm'
attr_dinput_twc_supply_low_temperature_alarm = 'dinput_twc_supply_low_temperature_alarm'
attr_dinput_mix_valve_1_supply_temperature_deviation_alarm = 'dinput_mix_valve_1_supply_temperature_deviation_alarm'
attr_dinput_mix_valve_2_supply_temperature_deviation_alarm = 'dinput_mix_valve_2_supply_temperature_deviation_alarm'
attr_dinput_mix_valve_3_supply_temperature_deviation_alarm = 'dinput_mix_valve_3_supply_temperature_deviation_alarm'
attr_dinput_mix_valve_4_supply_temperature_deviation_alarm = 'dinput_mix_valve_4_supply_temperature_deviation_alarm'
attr_dinput_mix_valve_5_supply_temperature_deviation_alarm = 'dinput_mix_valve_5_supply_temperature_deviation_alarm'
attr_dinput_wcs_return_line_temperature_deviation_alarm = 'dinput_wcs_return_line_temperature_deviation_alarm'
attr_dinput_sum_alarm = 'dinput_sum_alarm'
attr_dinput_cooling_circuit_supply_line_temperature_deviation_alarm = 'dinput_cooling_circuit_supply_line_temperature_deviation_alarm'
attr_dinput_cooling_tank_temperature_deviation_alarm = 'dinput_cooling_tank_temperature_deviation_alarm'
attr_dinput_surplus_heat_temperature_deviation_alarm = 'dinput_surplus_heat_temperature_deviation_alarm'
attr_dinput_humidity_room_sensor_alarm = 'dinput_humidity_room_sensor_alarm'
attr_dinput_surplus_heat_supply_line_sensor_alarm = 'dinput_surplus_heat_supply_line_sensor_alarm'
attr_dinput_surplus_heat_return_line_sensor_alarm = 'dinput_surplus_heat_return_line_sensor_alarm'
attr_dinput_cooling_tank_return_line_sensor_alarm = 'dinput_cooling_tank_return_line_sensor_alarm'
attr_dinput_temperature_room_sensor_alarm = 'dinput_temperature_room_sensor_alarm'
attr_dinput_inverter_unit_communication_alarm = 'dinput_inverter_unit_communication_alarm'
attr_dinput_pool_return_line_sensor_alarm = 'dinput_pool_return_line_sensor_alarm'
attr_dinput_external_stop_for_pool = 'dinput_external_stop_for_pool'
attr_dinput_external_start_brine_pump = 'dinput_external_start_brine_pump'
attr_dinput_external_relay_for_brine_ground_water_pump = 'dinput_external_relay_for_brine_ground_water_pump'
attr_dinput_tap_water_end_tank_sensor_alarm = 'dinput_tap_water_end_tank_sensor_alarm'
attr_dinput_maximum_time_for_anti_legionella_exceeded_alarm = 'dinput_maximum_time_for_anti_legionella_exceeded_alarm'
attr_dinput_genesis_secondary_unit_alarm = 'dinput_genesis_secondary_unit_alarm'
attr_dinput_primary_unit_conflict_alarm = 'dinput_primary_unit_conflict_alarm'
attr_dinput_primary_unit_no_secondary_alarm = 'dinput_primary_unit_no_secondary_alarm'
attr_dinput_oil_boost_in_progress = 'dinput_oil_boost_in_progress'
attr_dinput_compressor_control_signal = 'dinput_compressor_control_signal'
attr_dinput_smart_grid_1 = 'dinput_smart_grid_1'
attr_dinput_external_alarm_input = 'dinput_external_alarm_input'
attr_dinput_smart_grid_2 = 'dinput_smart_grid_2'
attr_dinput_external_additional_heater_control_signal = 'dinput_external_additional_heater_control_signal'
attr_dinput_mix_valve_1_circulation_pump_control_signal = 'dinput_mix_valve_1_circulation_pump_control_signal'
attr_dinput_condenser_pump_on_off_control = 'dinput_condenser_pump_on_off_control'
attr_dinput_system_circulation_pump_control_signal = 'dinput_system_circulation_pump_control_signal'
attr_dinput_hot_gas_circulation_pump_control_signal = 'dinput_hot_gas_circulation_pump_control_signal'
attr_dinput_brine_pump_on_off_control = 'dinput_brine_pump_on_off_control'
attr_dinput_external_heater_circulation_pump_control_signal = 'dinput_external_heater_circulation_pump_control_signal'
attr_dinput_heating_season_active = 'dinput_heating_season_active'
attr_dinput_external_additional_heater_active = 'dinput_external_additional_heater_active'
attr_dinput_internal_additional_heater_active = 'dinput_internal_additional_heater_active'
attr_dinput_hgw_regulation_control_signal = 'dinput_hgw_regulation_control_signal'
attr_dinput_heat_pump_stopping = 'dinput_heat_pump_stopping'
attr_dinput_heat_pump_ok_to_start = 'dinput_heat_pump_ok_to_start'
attr_dinput_twc_supply_line_circulation_pump_control_signal = 'dinput_twc_supply_line_circulation_pump_control_signal'
attr_dinput_wcs_regulation_control_signal = 'dinput_wcs_regulation_control_signal'
attr_dinput_wcs_circulation_pump_control_signal = 'dinput_wcs_circulation_pump_control_signal'
attr_dinput_twc_end_tank_heater_control_signal = 'dinput_twc_end_tank_heater_control_signal'
attr_dinput_pool_directional_valve_position = 'dinput_pool_directional_valve_position'
attr_dinput_cooling_circuit_circulation_pump_control_signal = 'dinput_cooling_circuit_circulation_pump_control_signal'
attr_dinput_pool_circulation_pump_control_signal = 'dinput_pool_circulation_pump_control_signal'
attr_dinput_surplus_heat_directional_valve_position = 'dinput_surplus_heat_directional_valve_position'
attr_dinput_surplus_heat_circulation_pump_control_signal = 'dinput_surplus_heat_circulation_pump_control_signal'
attr_dinput_cooling_circuit_regulation_control_signal = 'dinput_cooling_circuit_regulation_control_signal'
attr_dinput_surplus_heat_regulation_control_signal = 'dinput_surplus_heat_regulation_control_signal'
attr_dinput_active_cooling_directional_valve_position = 'dinput_active_cooling_directional_valve_position'
attr_dinput_passive_active_cooling_directional_valve_position = 'dinput_passive_active_cooling_directional_valve_position'
attr_dinput_pool_regulation_control_signal = 'dinput_pool_regulation_control_signal'
attr_dinput_indication_when_mixing_valve_1_is_producing_passive_cooling = 'dinput_indication_when_mixing_valve_1_is_producing_passive_cooling'
attr_dinput_compressor_is_unable_to_speed_up = 'dinput_compressor_is_unable_to_speed_up'
attr_input_first_prioritised_demand = 'input_first_prioritised_demand'
attr_input_compressor_available_gears = 'input_compressor_available_gears'
attr_input_compressor_speed_rpm = 'input_compressor_speed_rpm'
attr_input_external_additional_heater_current_demand = 'input_external_additional_heater_current_demand'
attr_input_discharge_pipe_temperature = 'input_discharge_pipe_temperature'
attr_input_condenser_in_temperature = 'input_condenser_in_temperature'
attr_input_condenser_out_temperature = 'input_condenser_out_temperature'
attr_input_brine_in_temperature = 'input_brine_in_temperature'
attr_input_brine_out_temperature = 'input_brine_out_temperature'
attr_input_system_supply_line_temperature = 'input_system_supply_line_temperature'
attr_input_outdoor_temperature = 'input_outdoor_temperature'
attr_input_tap_water_top_temperature = 'input_tap_water_top_temperature'
attr_input_tap_water_lower_temperature = 'input_tap_water_lower_temperature'
attr_input_tap_water_weighted_temperature = 'input_tap_water_weighted_temperature'
attr_input_system_supply_line_calculated_set_point = 'input_system_supply_line_calculated_set_point'
attr_input_selected_heat_curve = 'input_selected_heat_curve'
attr_input_heat_curve_x_coordinate_1 = 'input_heat_curve_x_coordinate_1'
attr_input_heat_curve_x_coordinate_2 = 'input_heat_curve_x_coordinate_2'
attr_input_heat_curve_x_coordinate_3 = 'input_heat_curve_x_coordinate_3'
attr_input_heat_curve_x_coordinate_4 = 'input_heat_curve_x_coordinate_4'
attr_input_heat_curve_x_coordinate_5 = 'input_heat_curve_x_coordinate_5'
attr_input_heat_curve_x_coordinate_6 = 'input_heat_curve_x_coordinate_6'
attr_input_heat_curve_x_coordinate_7 = 'input_heat_curve_x_coordinate_7'
attr_input_cooling_season_integral_value = 'input_cooling_season_integral_value'
attr_input_condenser_circulation_pump_speed = 'input_condenser_circulation_pump_speed'
attr_input_mix_valve_1_supply_line_temperature = 'input_mix_valve_1_supply_line_temperature'
attr_input_buffer_tank_temperature = 'input_buffer_tank_temperature'
attr_input_mix_valve_1_position = 'input_mix_valve_1_position'
attr_input_brine_circulation_pump_speed = 'input_brine_circulation_pump_speed'
attr_input_hgw_supply_line_temperature = 'input_hgw_supply_line_temperature'
attr_input_hot_water_directional_valve_position = 'input_hot_water_directional_valve_position'
attr_input_compressor_operating_hours = 'input_compressor_operating_hours'
attr_input_tap_water_operating_hours = 'input_tap_water_operating_hours'
attr_input_external_additional_heater_operating_hours = 'input_external_additional_heater_operating_hours'
attr_input_compressor_speed_percent = 'input_compressor_speed_percent'
attr_input_second_prioritised_demand = 'input_second_prioritised_demand'
attr_input_third_prioritised_demand = 'input_third_prioritised_demand'
attr_input_software_version_major = 'input_software_version_major'
attr_input_software_version_minor = 'input_software_version_minor'
attr_input_software_version_micro = 'input_software_version_micro'
attr_input_compressor_temporarily_blocked = 'input_compressor_temporarily_blocked'
attr_input_compressor_current_gear = 'input_compressor_current_gear'
attr_input_queued_demand_first_priority = 'input_queued_demand_first_priority'
attr_input_queued_demand_second_priority = 'input_queued_demand_second_priority'
attr_input_queued_demand_third_priority = 'input_queued_demand_third_priority'
attr_input_queued_demand_fourth_priority = 'input_queued_demand_fourth_priority'
attr_input_queued_demand_fifth_priority = 'input_queued_demand_fifth_priority'
attr_input_internal_additional_heater_current_step = 'input_internal_additional_heater_current_step'
attr_input_buffer_tank_charge_set_point = 'input_buffer_tank_charge_set_point'
attr_input_electric_meter_l1_current = 'input_electric_meter_l1_current'
attr_input_electric_meter_l2_current = 'input_electric_meter_l2_current'
attr_input_electric_meter_l3_current = 'input_electric_meter_l3_current'
attr_input_electric_meter_l1_0_voltage = 'input_electric_meter_l1_0_voltage'
attr_input_electric_meter_l2_0_voltage = 'input_electric_meter_l2_0_voltage'
attr_input_electric_meter_l3_0_voltage = 'input_electric_meter_l3_0_voltage'
attr_input_electric_meter_l1_l2_voltage = 'input_electric_meter_l1_l2_voltage'
attr_input_electric_meter_l2_l3_voltage = 'input_electric_meter_l2_l3_voltage'
attr_input_electric_meter_l3_l1_voltage = 'input_electric_meter_l3_l1_voltage'
attr_input_electric_meter_l1_power = 'input_electric_meter_l1_power'
attr_input_electric_meter_l2_power = 'input_electric_meter_l2_power'
attr_input_electric_meter_l3_power = 'input_electric_meter_l3_power'
attr_input_electric_meter_meter_value = 'input_electric_meter_meter_value'
attr_input_comfort_mode = 'input_comfort_mode'
attr_input_electric_meter_kwh_total = 'input_electric_meter_kwh_total'
attr_input_wcs_valve_position = 'input_wcs_valve_position'
attr_input_twc_valve_position = 'input_twc_valve_position'
attr_input_mix_valve_2_position = 'input_mix_valve_2_position'
attr_input_mix_valve_3_position = 'input_mix_valve_3_position'
attr_input_mix_valve_4_position = 'input_mix_valve_4_position'
attr_input_mix_valve_5_position = 'input_mix_valve_5_position'
attr_input_dew_point_room = 'input_dew_point_room'
attr_input_cooling_supply_line_mix_valve_position = 'input_cooling_supply_line_mix_valve_position'
attr_input_surplus_heat_fan_speed = 'input_surplus_heat_fan_speed'
attr_input_pool_supply_line_mix_valve_position = 'input_pool_supply_line_mix_valve_position'
attr_input_twc_supply_line_temperature = 'input_twc_supply_line_temperature'
attr_input_twc_return_temperature = 'input_twc_return_temperature'
attr_input_wcs_return_line_temperature = 'input_wcs_return_line_temperature'
attr_input_twc_end_tank_temperature = 'input_twc_end_tank_temperature'
attr_input_mix_valve_2_supply_line_temperature = 'input_mix_valve_2_supply_line_temperature'
attr_input_mix_valve_3_supply_line_temperature = 'input_mix_valve_3_supply_line_temperature'
attr_input_mix_valve_4_supply_line_temperature = 'input_mix_valve_4_supply_line_temperature'
attr_input_cooling_circuit_return_line_temperature = 'input_cooling_circuit_return_line_temperature'
attr_input_cooling_tank_temperature = 'input_cooling_tank_temperature'
attr_input_cooling_tank_return_line_temperature = 'input_cooling_tank_return_line_temperature'
attr_input_cooling_circuit_supply_line_temperature = 'input_cooling_circuit_supply_line_temperature'
attr_input_mix_valve_5_supply_line_temperature = 'input_mix_valve_5_supply_line_temperature'
attr_input_mix_valve_2_return_line_temperature = 'input_mix_valve_2_return_line_temperature'
attr_input_mix_valve_3_return_line_temperature = 'input_mix_valve_3_return_line_temperature'
attr_input_mix_valve_4_return_line_temperature = 'input_mix_valve_4_return_line_temperature'
attr_input_mix_valve_5_return_line_temperature = 'input_mix_valve_5_return_line_temperature'
attr_input_surplus_heat_return_line_temperature = 'input_surplus_heat_return_line_temperature'
attr_input_surplus_heat_supply_line_temperature = 'input_surplus_heat_supply_line_temperature'
attr_input_pool_supply_line_temperature = 'input_pool_supply_line_temperature'
attr_input_pool_return_line_temperature = 'input_pool_return_line_temperature'
attr_input_room_temperature_sensor = 'input_room_temperature_sensor'
attr_input_bubble_point = 'input_bubble_point'
attr_input_dew_point = 'input_dew_point'
attr_input_dew_point = 'input_dew_point'
attr_input_superheat_temperature = 'input_superheat_temperature'
attr_input_sub_cooling_temperature = 'input_sub_cooling_temperature'
attr_input_low_pressure_side = 'input_low_pressure_side'
attr_input_high_pressure_side = 'input_high_pressure_side'
attr_input_liquid_line_temperature = 'input_liquid_line_temperature'
attr_input_suction_gas_temperature = 'input_suction_gas_temperature'
attr_input_heating_season_integral_value = 'input_heating_season_integral_value'
attr_input_p_value_for_gear_shifting_and_demand_calculation = 'input_p_value_for_gear_shifting_and_demand_calculation'
attr_input_i_value_for_gear_shifting_and_demand_calculation = 'input_i_value_for_gear_shifting_and_demand_calculation'
attr_input_d_value_for_gear_shifting_and_demand_calculation = 'input_d_value_for_gear_shifting_and_demand_calculation'
attr_input_i_value_for_compressor_on_off_buffer_tank = 'input_i_value_for_compressor_on_off_buffer_tank'
attr_input_p_value_for_compressor_on_off_buffer_tank = 'input_p_value_for_compressor_on_off_buffer_tank'
attr_input_mix_valve_cooling_opening_degree = 'input_mix_valve_cooling_opening_degree'
attr_input_desired_gear_for_tap_water = 'input_desired_gear_for_tap_water'
attr_input_desired_gear_for_heating = 'input_desired_gear_for_heating'
attr_input_desired_gear_for_cooling = 'input_desired_gear_for_cooling'
attr_input_desired_gear_for_pool = 'input_desired_gear_for_pool'
attr_input_number_of_available_secondaries_genesis = 'input_number_of_available_secondaries_genesis'
attr_input_number_of_available_secondaries_legacy = 'input_number_of_available_secondaries_legacy'
attr_input_total_distributed_gears_to_all_units = 'input_total_distributed_gears_to_all_units'
attr_input_maximum_gear_out_of_all_the_currently_requested_gears = 'input_maximum_gear_out_of_all_the_currently_requested_gears'
attr_input_desired_temperature_distribution_circuit_mix_valve_1 = 'input_desired_temperature_distribution_circuit_mix_valve_1'
attr_input_desired_temperature_distribution_circuit_mix_valve_2 = 'input_desired_temperature_distribution_circuit_mix_valve_2'
attr_input_desired_temperature_distribution_circuit_mix_valve_3 = 'input_desired_temperature_distribution_circuit_mix_valve_3'
attr_input_desired_temperature_distribution_circuit_mix_valve_4 = 'input_desired_temperature_distribution_circuit_mix_valve_4'
attr_input_desired_temperature_distribution_circuit_mix_valve_5 = 'input_desired_temperature_distribution_circuit_mix_valve_5'
attr_input_disconnect_hot_gas_end_tank = 'input_disconnect_hot_gas_end_tank'
attr_input_legacy_heat_pump_compressor_running = 'input_legacy_heat_pump_compressor_running'
attr_input_legacy_heat_pump_reporting_alarm = 'input_legacy_heat_pump_reporting_alarm'
attr_input_legacy_heat_pump_start_signal = 'input_legacy_heat_pump_start_signal'
attr_input_legacy_heat_pump_tap_water_signal = 'input_legacy_heat_pump_tap_water_signal'
attr_input_primary_unit_alarm_combined_output_of_all_class_d_alarms = 'input_primary_unit_alarm_combined_output_of_all_class_d_alarms'
attr_input_primary_unit_alarm_primary_unit_has_lost_communication = 'input_primary_unit_alarm_primary_unit_has_lost_communication'
attr_input_primary_unit_alarm_class_a_alarm_detected_on_the_genesis_secondary = 'input_primary_unit_alarm_class_a_alarm_detected_on_the_genesis_secondary'
attr_input_primary_unit_alarm_class_b_alarm_detected_on_the_genesis_secondary = 'input_primary_unit_alarm_class_b_alarm_detected_on_the_genesis_secondary'
attr_input_primary_unit_alarm_combined_output_of_all_class_e_alarms = 'input_primary_unit_alarm_combined_output_of_all_class_e_alarms'
attr_input_primary_unit_alarm_general_legacy_heat_pump_alarm = 'input_primary_unit_alarm_general_legacy_heat_pump_alarm'
attr_input_primary_unit_alarm_primary_unit_can_not_communicate_with_expansion = 'input_primary_unit_alarm_primary_unit_can_not_communicate_with_expansion'
attr_holding_operational_mode = 'holding_operational_mode'
attr_holding_max_limitation = 'holding_max_limitation'
attr_holding_min_limitation = 'holding_min_limitation'
attr_holding_comfort_wheel_setting = 'holding_comfort_wheel_setting'
attr_holding_set_point_heat_curve_y_1 = 'holding_set_point_heat_curve_y_1'
attr_holding_set_point_heat_curve_y_2 = 'holding_set_point_heat_curve_y_2'
attr_holding_set_point_heat_curve_y_3 = 'holding_set_point_heat_curve_y_3'
attr_holding_set_point_heat_curve_y_4 = 'holding_set_point_heat_curve_y_4'
attr_holding_set_point_heat_curve_y_5 = 'holding_set_point_heat_curve_y_5'
attr_holding_set_point_heat_curve_y_6 = 'holding_set_point_heat_curve_y_6'
attr_holding_set_point_heat_curve_y_7 = 'holding_set_point_heat_curve_y_7'
attr_holding_heating_season_stop_temperature = 'holding_heating_season_stop_temperature'
attr_holding_start_temperature_tap_water = 'holding_start_temperature_tap_water'
attr_holding_stop_temperature_tap_water = 'holding_stop_temperature_tap_water'
attr_holding_minimum_allowed_gear_in_heating = 'holding_minimum_allowed_gear_in_heating'
attr_holding_maximum_allowed_gear_in_heating = 'holding_maximum_allowed_gear_in_heating'
attr_holding_maximum_allowed_gear_in_tap_water = 'holding_maximum_allowed_gear_in_tap_water'
attr_holding_minimum_allowed_gear_in_tap_water = 'holding_minimum_allowed_gear_in_tap_water'
attr_holding_cooling_mix_valve_set_point = 'holding_cooling_mix_valve_set_point'
attr_holding_twc_mix_valve_set_point = 'holding_twc_mix_valve_set_point'
attr_holding_wcs_return_line_set_point = 'holding_wcs_return_line_set_point'
attr_holding_twc_mix_valve_lowest_allowed_opening_degree = 'holding_twc_mix_valve_lowest_allowed_opening_degree'
attr_holding_twc_mix_valve_highest_allowed_opening_degree = 'holding_twc_mix_valve_highest_allowed_opening_degree'
attr_holding_twc_start_temperature_immersion_heater = 'holding_twc_start_temperature_immersion_heater'
attr_holding_twc_start_delay_immersion_heater = 'holding_twc_start_delay_immersion_heater'
attr_holding_twc_stop_temperature_immersion_heater = 'holding_twc_stop_temperature_immersion_heater'
attr_holding_wcs_mix_valve_lowest_allowed_opening_degree = 'holding_wcs_mix_valve_lowest_allowed_opening_degree'
attr_holding_wcs_mix_valve_highest_allowed_opening_degree = 'holding_wcs_mix_valve_highest_allowed_opening_degree'
attr_holding_mix_valve_2_lowest_allowed_opening_degree = 'holding_mix_valve_2_lowest_allowed_opening_degree'
attr_holding_mix_valve_2_highest_allowed_opening_degree = 'holding_mix_valve_2_highest_allowed_opening_degree'
attr_holding_mix_valve_3_lowest_allowed_opening_degree = 'holding_mix_valve_3_lowest_allowed_opening_degree'
attr_holding_mix_valve_3_highest_allowed_opening_degree = 'holding_mix_valve_3_highest_allowed_opening_degree'
attr_holding_mix_valve_4_lowest_allowed_opening_degree = 'holding_mix_valve_4_lowest_allowed_opening_degree'
attr_holding_mix_valve_4_highest_allowed_opening_degree = 'holding_mix_valve_4_highest_allowed_opening_degree'
attr_holding_mix_valve_5_lowest_allowed_opening_degree = 'holding_mix_valve_5_lowest_allowed_opening_degree'
attr_holding_mix_valve_5_highest_allowed_opening_degree = 'holding_mix_valve_5_highest_allowed_opening_degree'
attr_holding_surplus_heat_chiller_set_point = 'holding_surplus_heat_chiller_set_point'
attr_holding_cooling_supply_line_mix_valve_lowest_allowed_opening_degree = 'holding_cooling_supply_line_mix_valve_lowest_allowed_opening_degree'
attr_holding_cooling_supply_line_mix_valve_highest_allowed_opening_degree = 'holding_cooling_supply_line_mix_valve_highest_allowed_opening_degree'
attr_holding_surplus_heat_opening_degree_for_starting_fan_1 = 'holding_surplus_heat_opening_degree_for_starting_fan_1'
attr_holding_surplus_heat_opening_degree_for_starting_fan_2 = 'holding_surplus_heat_opening_degree_for_starting_fan_2'
attr_holding_surplus_heat_opening_degree_for_stopping_fan_1 = 'holding_surplus_heat_opening_degree_for_stopping_fan_1'
attr_holding_surplus_heat_opening_degree_for_stopping_fan_2 = 'holding_surplus_heat_opening_degree_for_stopping_fan_2'
attr_holding_surplus_heat_lowest_allowed_opening_degree = 'holding_surplus_heat_lowest_allowed_opening_degree'
attr_holding_surplus_heat_highest_allowed_opening_degree = 'holding_surplus_heat_highest_allowed_opening_degree'
attr_holding_pool_charge_set_point = 'holding_pool_charge_set_point'
attr_holding_pool_mix_valve_lowest_allowed_opening_degree = 'holding_pool_mix_valve_lowest_allowed_opening_degree'
attr_holding_pool_mix_valve_highest_allowed_opening_degree = 'holding_pool_mix_valve_highest_allowed_opening_degree'
attr_holding_gear_shift_delay_heating = 'holding_gear_shift_delay_heating'
attr_holding_gear_shift_delay_pool = 'holding_gear_shift_delay_pool'
attr_holding_gear_shift_delay_cooling = 'holding_gear_shift_delay_cooling'
attr_holding_brine_in_high_alarm_limit = 'holding_brine_in_high_alarm_limit'
attr_holding_brine_in_low_alarm_limit = 'holding_brine_in_low_alarm_limit'
attr_holding_brine_out_low_alarm_limit = 'holding_brine_out_low_alarm_limit'
attr_holding_brine_max_delta_limit = 'holding_brine_max_delta_limit'
attr_holding_hot_gas_pump_start_temperature_discharge_pipe = 'holding_hot_gas_pump_start_temperature_discharge_pipe'
attr_holding_hot_gas_pump_lower_stop_limit_temperature_discharge_pipe = 'holding_hot_gas_pump_lower_stop_limit_temperature_discharge_pipe'
attr_holding_hot_gas_pump_upper_stop_limit_temperature_discharge_pipe = 'holding_hot_gas_pump_upper_stop_limit_temperature_discharge_pipe'
attr_holding_external_additional_heater_start = 'holding_external_additional_heater_start'
attr_holding_condenser_pump_lowest_allowed_speed = 'holding_condenser_pump_lowest_allowed_speed'
attr_holding_brine_pump_lowest_allowed_speed = 'holding_brine_pump_lowest_allowed_speed'
attr_holding_external_additional_heater_stop = 'holding_external_additional_heater_stop'
attr_holding_condenser_pump_highest_allowed_speed = 'holding_condenser_pump_highest_allowed_speed'
attr_holding_brine_pump_highest_allowed_speed = 'holding_brine_pump_highest_allowed_speed'
attr_holding_condenser_pump_standby_speed = 'holding_condenser_pump_standby_speed'
attr_holding_brine_pump_standby_speed = 'holding_brine_pump_standby_speed'
attr_holding_minimum_allowed_gear_in_pool = 'holding_minimum_allowed_gear_in_pool'
attr_holding_maximum_allowed_gear_in_pool = 'holding_maximum_allowed_gear_in_pool'
attr_holding_minimum_allowed_gear_in_cooling = 'holding_minimum_allowed_gear_in_cooling'
attr_holding_maximum_allowed_gear_in_cooling = 'holding_maximum_allowed_gear_in_cooling'
attr_holding_start_temp_for_cooling = 'holding_start_temp_for_cooling'
attr_holding_stop_temp_for_cooling = 'holding_stop_temp_for_cooling'
attr_holding_min_limitation_set_point_curve_radiator_mix_valve_1 = 'holding_min_limitation_set_point_curve_radiator_mix_valve_1'
attr_holding_max_limitation_set_point_curve_radiator_mix_valve_1 = 'holding_max_limitation_set_point_curve_radiator_mix_valve_1'
attr_holding_set_point_curve_y_coordinate_1_mix_valve_1 = 'holding_set_point_curve_y_coordinate_1_mix_valve_1'
attr_holding_set_point_curve_y_coordinate_2_mix_valve_1 = 'holding_set_point_curve_y_coordinate_2_mix_valve_1'
attr_holding_set_point_curve_y_coordinate_3_mix_valve_1 = 'holding_set_point_curve_y_coordinate_3_mix_valve_1'
attr_holding_set_point_curve_y_coordinate_4_mix_valve_1 = 'holding_set_point_curve_y_coordinate_4_mix_valve_1'
attr_holding_set_point_curve_y_coordinate_5_mix_valve_1 = 'holding_set_point_curve_y_coordinate_5_mix_valve_1'
attr_holding_set_point_curve_y_coordinate_6_mix_valve_1 = 'holding_set_point_curve_y_coordinate_6_mix_valve_1'
attr_holding_set_point_curve_y_coordinate_7_mix_valve_1 = 'holding_set_point_curve_y_coordinate_7_mix_valve_1'
attr_holding_fixed_system_supply_set_point = 'holding_fixed_system_supply_set_point'
attr_holding_min_limitation_set_point_curve_radiator_mix_valve_2 = 'holding_min_limitation_set_point_curve_radiator_mix_valve_2'
attr_holding_max_limitation_set_point_curve_radiator_mix_valve_2 = 'holding_max_limitation_set_point_curve_radiator_mix_valve_2'
attr_holding_set_point_curve_y_coordinate_1_mix_valve_2 = 'holding_set_point_curve_y_coordinate_1_mix_valve_2'
attr_holding_set_point_curve_y_coordinate_2_mix_valve_2 = 'holding_set_point_curve_y_coordinate_2_mix_valve_2'
attr_holding_set_point_curve_y_coordinate_3_mix_valve_2 = 'holding_set_point_curve_y_coordinate_3_mix_valve_2'
attr_holding_set_point_curve_y_coordinate_4_mix_valve_2 = 'holding_set_point_curve_y_coordinate_4_mix_valve_2'
attr_holding_set_point_curve_y_coordinate_5_mix_valve_2 = 'holding_set_point_curve_y_coordinate_5_mix_valve_2'
attr_holding_set_point_curve_y_coordinate_6_mix_valve_2 = 'holding_set_point_curve_y_coordinate_6_mix_valve_2'
attr_holding_set_point_curve_y_coordinate_7_mix_valve_2 = 'holding_set_point_curve_y_coordinate_7_mix_valve_2'
attr_holding_min_limitation_set_point_curve_radiator_mix_valve_3 = 'holding_min_limitation_set_point_curve_radiator_mix_valve_3'
attr_holding_max_limitation_set_point_curve_radiator_mix_valve_3 = 'holding_max_limitation_set_point_curve_radiator_mix_valve_3'
attr_holding_set_point_curve_y_coordinate_1_mix_valve_3 = 'holding_set_point_curve_y_coordinate_1_mix_valve_3'
attr_holding_set_point_curve_y_coordinate_2_mix_valve_3 = 'holding_set_point_curve_y_coordinate_2_mix_valve_3'
attr_holding_set_point_curve_y_coordinate_3_mix_valve_3 = 'holding_set_point_curve_y_coordinate_3_mix_valve_3'
attr_holding_set_point_curve_y_coordinate_4_mix_valve_3 = 'holding_set_point_curve_y_coordinate_4_mix_valve_3'
attr_holding_set_point_curve_y_coordinate_5_mix_valve_3 = 'holding_set_point_curve_y_coordinate_5_mix_valve_3'
attr_holding_set_point_curve_y_coordinate_6_mix_valve_3 = 'holding_set_point_curve_y_coordinate_6_mix_valve_3'
attr_holding_set_point_curve_y_coordinate_7_mix_valve_3 = 'holding_set_point_curve_y_coordinate_7_mix_valve_3'
attr_holding_min_limitation_set_point_curve_radiator_mix_valve_4 = 'holding_min_limitation_set_point_curve_radiator_mix_valve_4'
attr_holding_max_limitation_set_point_curve_radiator_mix_valve_4 = 'holding_max_limitation_set_point_curve_radiator_mix_valve_4'
attr_holding_set_point_curve_y_coordinate_1_mix_valve_4 = 'holding_set_point_curve_y_coordinate_1_mix_valve_4'
attr_holding_set_point_curve_y_coordinate_2_mix_valve_4 = 'holding_set_point_curve_y_coordinate_2_mix_valve_4'
attr_holding_set_point_curve_y_coordinate_3_mix_valve_4 = 'holding_set_point_curve_y_coordinate_3_mix_valve_4'
attr_holding_set_point_curve_y_coordinate_4_mix_valve_4 = 'holding_set_point_curve_y_coordinate_4_mix_valve_4'
attr_holding_set_point_curve_y_coordinate_5_mix_valve_4 = 'holding_set_point_curve_y_coordinate_5_mix_valve_4'
attr_holding_set_point_curve_y_coordinate_6_mix_valve_4 = 'holding_set_point_curve_y_coordinate_6_mix_valve_4'
attr_holding_set_point_curve_y_coordinate_7_mix_valve_4 = 'holding_set_point_curve_y_coordinate_7_mix_valve_4'
attr_holding_min_limitation_set_point_curve_radiator_mix_valve_5 = 'holding_min_limitation_set_point_curve_radiator_mix_valve_5'
attr_holding_max_limitation_set_point_curve_radiator_mix_valve_5 = 'holding_max_limitation_set_point_curve_radiator_mix_valve_5'
attr_holding_set_point_curve_y_coordinate_1_mix_valve_5 = 'holding_set_point_curve_y_coordinate_1_mix_valve_5'
attr_holding_set_point_curve_y_coordinate_2_mix_valve_5 = 'holding_set_point_curve_y_coordinate_2_mix_valve_5'
attr_holding_set_point_curve_y_coordinate_3_mix_valve_5 = 'holding_set_point_curve_y_coordinate_3_mix_valve_5'
attr_holding_set_point_curve_y_coordinate_4_mix_valve_5 = 'holding_set_point_curve_y_coordinate_4_mix_valve_5'
attr_holding_set_point_curve_y_coordinate_5_mix_valve_5 = 'holding_set_point_curve_y_coordinate_5_mix_valve_5'
attr_holding_set_point_curve_y_coordinate_6_mix_valve_5 = 'holding_set_point_curve_y_coordinate_6_mix_valve_5'
attr_holding_set_point_curve_y_coordinate_7_mix_valve_5 = 'holding_set_point_curve_y_coordinate_7_mix_valve_5'
attr_holding_set_point_return_temp_from_pool_to_heat_exchanger = 'holding_set_point_return_temp_from_pool_to_heat_exchanger'
attr_holding_set_point_pool_hysteresis = 'holding_set_point_pool_hysteresis'
attr_holding_set_point_for_supply_line_temp_passive_cooling_with_mixing_valve_1 = 'holding_set_point_for_supply_line_temp_passive_cooling_with_mixing_valve_1'
attr_holding_set_point_minimum_outdoor_temp_when_cooling_is_permitted = 'holding_set_point_minimum_outdoor_temp_when_cooling_is_permitted'
attr_holding_external_heater_outdoor_temp_limit = 'holding_external_heater_outdoor_temp_limit'
attr_holding_selected_mode_for_mixing_valve_2 = 'holding_selected_mode_for_mixing_valve_2'
attr_holding_desired_cooling_temperature_setpoint_mixing_valve_2 = 'holding_desired_cooling_temperature_setpoint_mixing_valve_2'
attr_holding_seasonal_cooling_temperature_outdoor_mixing_valve_2 = 'holding_seasonal_cooling_temperature_outdoor_mixing_valve_2'
attr_holding_seasonal_heating_temperature_outdoor_mixing_valve_2 = 'holding_seasonal_heating_temperature_outdoor_mixing_valve_2'
attr_holding_selected_mode_for_mixing_valve_3 = 'holding_selected_mode_for_mixing_valve_3'
attr_holding_desired_cooling_temperature_setpoint_mixing_valve_3 = 'holding_desired_cooling_temperature_setpoint_mixing_valve_3'
attr_holding_seasonal_cooling_temperature_outdoor_mixing_valve_3 = 'holding_seasonal_cooling_temperature_outdoor_mixing_valve_3'
attr_holding_seasonal_heating_temperature_outdoor_mixing_valve_3 = 'holding_seasonal_heating_temperature_outdoor_mixing_valve_3'
attr_holding_selected_mode_for_mixing_valve_4 = 'holding_selected_mode_for_mixing_valve_4'
attr_holding_desired_cooling_temperature_setpoint_mixing_valve_4 = 'holding_desired_cooling_temperature_setpoint_mixing_valve_4'
attr_holding_seasonal_cooling_temperature_outdoor_mixing_valve_4 = 'holding_seasonal_cooling_temperature_outdoor_mixing_valve_4'
attr_holding_seasonal_heating_temperature_outdoor_temp_mixing_valve_4 = 'holding_seasonal_heating_temperature_outdoor_temp_mixing_valve_4'
attr_holding_selected_mode_for_mixing_valve_5 = 'holding_selected_mode_for_mixing_valve_5'
attr_holding_desired_cooling_temperature_setpoint_mixing_valve_5 = 'holding_desired_cooling_temperature_setpoint_mixing_valve_5'
attr_holding_seasonal_cooling_temperature_outdoor_mixing_valve_5 = 'holding_seasonal_cooling_temperature_outdoor_mixing_valve_5'
attr_holding_seasonal_heating_temperature_outdoor_mixing_valve_5 = 'holding_seasonal_heating_temperature_outdoor_mixing_valve_5'
registers = {ATTR_COIL_RESET_ALL_ALARMS: {KEY_ADDRESS: 3, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_INTERNAL_ADDITIONAL_HEATER: {KEY_ADDRESS: 4, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_EXTERNAL_ADDITIONAL_HEATER: {KEY_ADDRESS: 5, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_HGW: {KEY_ADDRESS: 6, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_FLOW_SWITCH_PRESSURE_SWITCH: {KEY_ADDRESS: 7, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_TAP_WATER: {KEY_ADDRESS: 8, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_HEAT: {KEY_ADDRESS: 9, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_ACTIVE_COOLING: {KEY_ADDRESS: 10, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_MIX_VALVE_1: {KEY_ADDRESS: 11, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_TWC: {KEY_ADDRESS: 12, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_WCS: {KEY_ADDRESS: 13, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_HOT_GAS_PUMP: {KEY_ADDRESS: 14, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_MIX_VALVE_2: {KEY_ADDRESS: 16, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_MIX_VALVE_3: {KEY_ADDRESS: 17, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_MIX_VALVE_4: {KEY_ADDRESS: 18, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_MIX_VALVE_5: {KEY_ADDRESS: 19, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_BRINE_OUT_MONITORING: {KEY_ADDRESS: 20, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_BRINE_PUMP_CONTINUOUS_OPERATION: {KEY_ADDRESS: 21, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_SYSTEM_CIRCULATION_PUMP: {KEY_ADDRESS: 22, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_DEW_POINT_CALCULATION: {KEY_ADDRESS: 23, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_ANTI_LEGIONELLA: {KEY_ADDRESS: 24, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_ADDITIONAL_HEATER_ONLY: {KEY_ADDRESS: 25, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_CURRENT_LIMITATION: {KEY_ADDRESS: 26, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_POOL: {KEY_ADDRESS: 28, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_SURPLUS_HEAT_CHILLER: {KEY_ADDRESS: 29, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_SURPLUS_HEAT_BOREHOLE: {KEY_ADDRESS: 30, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_EXTERNAL_ADDITIONAL_HEATER_FOR_POOL: {KEY_ADDRESS: 31, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_INTERNAL_ADDITIONAL_HEATER_FOR_POOL: {KEY_ADDRESS: 32, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_PASSIVE_COOLING: {KEY_ADDRESS: 33, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_VARIABLE_SPEED_MODE_FOR_CONDENSER_PUMP: {KEY_ADDRESS: 34, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_VARIABLE_SPEED_MODE_FOR_BRINE_PUMP: {KEY_ADDRESS: 35, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_COOLING_MODE_FOR_MIXING_VALVE_1: {KEY_ADDRESS: 36, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_1: {KEY_ADDRESS: 37, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_1: {KEY_ADDRESS: 38, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_EXTERNAL_HEATER: {KEY_ADDRESS: 39, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_BRINE_IN_MONITORING: {KEY_ADDRESS: 40, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_COIL_ENABLE_FIXED_SYSTEM_SUPPLY_SET_POINT: {KEY_ADDRESS: 41, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_EVAPORATOR_FREEZE_PROTECTION: {KEY_ADDRESS: 42, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_2: {KEY_ADDRESS: 43, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_2: {KEY_ADDRESS: 44, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_2: {KEY_ADDRESS: 45, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_3: {KEY_ADDRESS: 46, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_3: {KEY_ADDRESS: 47, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_3: {KEY_ADDRESS: 48, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_4: {KEY_ADDRESS: 49, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_4: {KEY_ADDRESS: 50, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_4: {KEY_ADDRESS: 51, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_COOLING_WITH_MIXING_VALVE_5: {KEY_ADDRESS: 52, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_DEW_POINT_CALCULATION_ON_MIXING_VALVE_5: {KEY_ADDRESS: 53, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_OUTDOOR_TEMP_DEPENDENT_FOR_HEATING_WITH_MIXING_VALVE_5: {KEY_ADDRESS: 54, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_2: {KEY_ADDRESS: 55, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_3: {KEY_ADDRESS: 56, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_4: {KEY_ADDRESS: 57, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_COIL_ENABLE_INTERNAL_BRINE_PUMP_TO_START_WHEN_COOLING_IS_ACTIVE_FOR_MIXING_VALVE_5: {KEY_ADDRESS: 58, KEY_REG_TYPE: REG_COIL, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_ALARM_ACTIVE_CLASS_A: {KEY_ADDRESS: 0, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_ALARM_ACTIVE_CLASS_B: {KEY_ADDRESS: 1, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_ALARM_ACTIVE_CLASS_C: {KEY_ADDRESS: 2, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_ALARM_ACTIVE_CLASS_D: {KEY_ADDRESS: 3, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_ALARM_ACTIVE_CLASS_E: {KEY_ADDRESS: 4, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_HIGH_PRESSURE_SWITCH_ALARM: {KEY_ADDRESS: 9, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_LOW_PRESSURE_LEVEL_ALARM: {KEY_ADDRESS: 10, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_HIGH_DISCHARGE_PIPE_TEMPERATURE_ALARM: {KEY_ADDRESS: 11, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_OPERATING_PRESSURE_LIMIT_INDICATION: {KEY_ADDRESS: 12, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_DISCHARGE_PIPE_SENSOR_ALARM: {KEY_ADDRESS: 13, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_LIQUID_LINE_SENSOR_ALARM: {KEY_ADDRESS: 14, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_SUCTION_GAS_SENSOR_ALARM: {KEY_ADDRESS: 15, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_FLOW_PRESSURE_SWITCH_ALARM: {KEY_ADDRESS: 16, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_POWER_INPUT_PHASE_DETECTION_ALARM: {KEY_ADDRESS: 22, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_INVERTER_UNIT_ALARM: {KEY_ADDRESS: 23, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_SYSTEM_SUPPLY_LOW_TEMPERATURE_ALARM: {KEY_ADDRESS: 24, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_COMPRESSOR_LOW_SPEED_ALARM: {KEY_ADDRESS: 25, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_LOW_SUPER_HEAT_ALARM: {KEY_ADDRESS: 26, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_PRESSURE_RATIO_OUT_OF_RANGE_ALARM: {KEY_ADDRESS: 27, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_COMPRESSOR_PRESSURE_OUTSIDE_ENVELOPE_ALARM: {KEY_ADDRESS: 28, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_BRINE_TEMPERATURE_OUT_OF_RANGE_ALARM: {KEY_ADDRESS: 29, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_BRINE_IN_SENSOR_ALARM: {KEY_ADDRESS: 30, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_BRINE_OUT_SENSOR_ALARM: {KEY_ADDRESS: 31, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_CONDENSER_IN_SENSOR_ALARM: {KEY_ADDRESS: 32, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_CONDENSER_OUT_SENSOR_ALARM: {KEY_ADDRESS: 33, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_OUTDOOR_SENSOR_ALARM: {KEY_ADDRESS: 34, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_SYSTEM_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 35, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_1_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 36, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_2_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 37, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_3_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 38, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_4_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 39, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_5_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 40, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_WCS_RETURN_LINE_SENSOR_ALARM: {KEY_ADDRESS: 44, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_TWC_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 45, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_COOLING_TANK_SENSOR_ALARM: {KEY_ADDRESS: 46, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_COOLING_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 47, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_COOLING_CIRCUIT_RETURN_LINE_SENSOR_ALARM: {KEY_ADDRESS: 48, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_BRINE_DELTA_OUT_OF_RANGE_ALARM: {KEY_ADDRESS: 49, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_TAP_WATER_MID_SENSOR_ALARM: {KEY_ADDRESS: 50, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_TWC_CIRCULATION_RETURN_SENSOR_ALARM: {KEY_ADDRESS: 51, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_HGW_SENSOR_ALARM: {KEY_ADDRESS: 52, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_DINPUT_INTERNAL_ADDITIONAL_HEATER_ALARM: {KEY_ADDRESS: 53, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_DINPUT_BRINE_IN_HIGH_TEMPERATURE_ALARM: {KEY_ADDRESS: 55, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_BRINE_IN_LOW_TEMPERATURE_ALARM: {KEY_ADDRESS: 56, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_BRINE_OUT_LOW_TEMPERATURE_ALARM: {KEY_ADDRESS: 57, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_TWC_CIRCULATION_RETURN_LOW_TEMPERATURE_ALARM: {KEY_ADDRESS: 58, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_TWC_SUPPLY_LOW_TEMPERATURE_ALARM: {KEY_ADDRESS: 59, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_1_SUPPLY_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 60, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_2_SUPPLY_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 61, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_3_SUPPLY_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 62, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_4_SUPPLY_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 63, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_5_SUPPLY_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 64, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_WCS_RETURN_LINE_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 65, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_SUM_ALARM: {KEY_ADDRESS: 66, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_COOLING_CIRCUIT_SUPPLY_LINE_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 67, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_COOLING_TANK_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 68, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_SURPLUS_HEAT_TEMPERATURE_DEVIATION_ALARM: {KEY_ADDRESS: 69, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_HUMIDITY_ROOM_SENSOR_ALARM: {KEY_ADDRESS: 70, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_SURPLUS_HEAT_SUPPLY_LINE_SENSOR_ALARM: {KEY_ADDRESS: 71, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_SURPLUS_HEAT_RETURN_LINE_SENSOR_ALARM: {KEY_ADDRESS: 72, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_COOLING_TANK_RETURN_LINE_SENSOR_ALARM: {KEY_ADDRESS: 73, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_TEMPERATURE_ROOM_SENSOR_ALARM: {KEY_ADDRESS: 74, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_INVERTER_UNIT_COMMUNICATION_ALARM: {KEY_ADDRESS: 75, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_POOL_RETURN_LINE_SENSOR_ALARM: {KEY_ADDRESS: 76, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_EXTERNAL_STOP_FOR_POOL: {KEY_ADDRESS: 77, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_EXTERNAL_START_BRINE_PUMP: {KEY_ADDRESS: 78, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_EXTERNAL_RELAY_FOR_BRINE_GROUND_WATER_PUMP: {KEY_ADDRESS: 79, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_TAP_WATER_END_TANK_SENSOR_ALARM: {KEY_ADDRESS: 81, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MAXIMUM_TIME_FOR_ANTI_LEGIONELLA_EXCEEDED_ALARM: {KEY_ADDRESS: 82, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_DINPUT_GENESIS_SECONDARY_UNIT_ALARM: {KEY_ADDRESS: 83, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_PRIMARY_UNIT_CONFLICT_ALARM: {KEY_ADDRESS: 84, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_PRIMARY_UNIT_NO_SECONDARY_ALARM: {KEY_ADDRESS: 85, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_OIL_BOOST_IN_PROGRESS: {KEY_ADDRESS: 86, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_COMPRESSOR_CONTROL_SIGNAL: {KEY_ADDRESS: 199, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_SMART_GRID_1: {KEY_ADDRESS: 201, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_EXTERNAL_ALARM_INPUT: {KEY_ADDRESS: 202, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_SMART_GRID_2: {KEY_ADDRESS: 204, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_EXTERNAL_ADDITIONAL_HEATER_CONTROL_SIGNAL: {KEY_ADDRESS: 206, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_MIX_VALVE_1_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 209, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_CONDENSER_PUMP_ON_OFF_CONTROL: {KEY_ADDRESS: 210, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_SYSTEM_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 211, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_HOT_GAS_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 213, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_BRINE_PUMP_ON_OFF_CONTROL: {KEY_ADDRESS: 218, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_EXTERNAL_HEATER_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 219, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_HEATING_SEASON_ACTIVE: {KEY_ADDRESS: 220, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_EXTERNAL_ADDITIONAL_HEATER_ACTIVE: {KEY_ADDRESS: 221, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_INTERNAL_ADDITIONAL_HEATER_ACTIVE: {KEY_ADDRESS: 222, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_DINPUT_HGW_REGULATION_CONTROL_SIGNAL: {KEY_ADDRESS: 223, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_DINPUT_HEAT_PUMP_STOPPING: {KEY_ADDRESS: 224, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_HEAT_PUMP_OK_TO_START: {KEY_ADDRESS: 225, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_TWC_SUPPLY_LINE_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 230, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_WCS_REGULATION_CONTROL_SIGNAL: {KEY_ADDRESS: 232, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_WCS_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 233, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_TWC_END_TANK_HEATER_CONTROL_SIGNAL: {KEY_ADDRESS: 234, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_POOL_DIRECTIONAL_VALVE_POSITION: {KEY_ADDRESS: 235, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_COOLING_CIRCUIT_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 236, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_POOL_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 237, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_SURPLUS_HEAT_DIRECTIONAL_VALVE_POSITION: {KEY_ADDRESS: 238, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_SURPLUS_HEAT_CIRCULATION_PUMP_CONTROL_SIGNAL: {KEY_ADDRESS: 239, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_COOLING_CIRCUIT_REGULATION_CONTROL_SIGNAL: {KEY_ADDRESS: 240, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_SURPLUS_HEAT_REGULATION_CONTROL_SIGNAL: {KEY_ADDRESS: 241, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_ACTIVE_COOLING_DIRECTIONAL_VALVE_POSITION: {KEY_ADDRESS: 242, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_PASSIVE_ACTIVE_COOLING_DIRECTIONAL_VALVE_POSITION: {KEY_ADDRESS: 243, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_DINPUT_POOL_REGULATION_CONTROL_SIGNAL: {KEY_ADDRESS: 244, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_INDICATION_WHEN_MIXING_VALVE_1_IS_PRODUCING_PASSIVE_COOLING: {KEY_ADDRESS: 245, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_DINPUT_COMPRESSOR_IS_UNABLE_TO_SPEED_UP: {KEY_ADDRESS: 246, KEY_REG_TYPE: REG_DISCRETE_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_BIT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_FIRST_PRIORITISED_DEMAND: {KEY_ADDRESS: 1, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_COMPRESSOR_AVAILABLE_GEARS: {KEY_ADDRESS: 4, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_COMPRESSOR_SPEED_RPM: {KEY_ADDRESS: 5, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_EXTERNAL_ADDITIONAL_HEATER_CURRENT_DEMAND: {KEY_ADDRESS: 6, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DISCHARGE_PIPE_TEMPERATURE: {KEY_ADDRESS: 7, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_CONDENSER_IN_TEMPERATURE: {KEY_ADDRESS: 8, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_CONDENSER_OUT_TEMPERATURE: {KEY_ADDRESS: 9, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_BRINE_IN_TEMPERATURE: {KEY_ADDRESS: 10, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_BRINE_OUT_TEMPERATURE: {KEY_ADDRESS: 11, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SYSTEM_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 12, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_OUTDOOR_TEMPERATURE: {KEY_ADDRESS: 13, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_TAP_WATER_TOP_TEMPERATURE: {KEY_ADDRESS: 15, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_TAP_WATER_LOWER_TEMPERATURE: {KEY_ADDRESS: 16, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_TAP_WATER_WEIGHTED_TEMPERATURE: {KEY_ADDRESS: 17, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SYSTEM_SUPPLY_LINE_CALCULATED_SET_POINT: {KEY_ADDRESS: 18, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SELECTED_HEAT_CURVE: {KEY_ADDRESS: 19, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HEAT_CURVE_X_COORDINATE_1: {KEY_ADDRESS: 20, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HEAT_CURVE_X_COORDINATE_2: {KEY_ADDRESS: 21, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HEAT_CURVE_X_COORDINATE_3: {KEY_ADDRESS: 22, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HEAT_CURVE_X_COORDINATE_4: {KEY_ADDRESS: 23, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HEAT_CURVE_X_COORDINATE_5: {KEY_ADDRESS: 24, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HEAT_CURVE_X_COORDINATE_6: {KEY_ADDRESS: 25, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HEAT_CURVE_X_COORDINATE_7: {KEY_ADDRESS: 26, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_COOLING_SEASON_INTEGRAL_VALUE: {KEY_ADDRESS: 36, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_CONDENSER_CIRCULATION_PUMP_SPEED: {KEY_ADDRESS: 39, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_1_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 40, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_BUFFER_TANK_TEMPERATURE: {KEY_ADDRESS: 41, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_1_POSITION: {KEY_ADDRESS: 43, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_BRINE_CIRCULATION_PUMP_SPEED: {KEY_ADDRESS: 44, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HGW_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 45, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_HOT_WATER_DIRECTIONAL_VALVE_POSITION: {KEY_ADDRESS: 47, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_COMPRESSOR_OPERATING_HOURS: {KEY_ADDRESS: 48, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_LONG, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_TAP_WATER_OPERATING_HOURS: {KEY_ADDRESS: 50, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_LONG, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_EXTERNAL_ADDITIONAL_HEATER_OPERATING_HOURS: {KEY_ADDRESS: 52, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_LONG, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_COMPRESSOR_SPEED_PERCENT: {KEY_ADDRESS: 54, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SECOND_PRIORITISED_DEMAND: {KEY_ADDRESS: 55, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_THIRD_PRIORITISED_DEMAND: {KEY_ADDRESS: 56, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SOFTWARE_VERSION_MAJOR: {KEY_ADDRESS: 57, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SOFTWARE_VERSION_MINOR: {KEY_ADDRESS: 58, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SOFTWARE_VERSION_MICRO: {KEY_ADDRESS: 59, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_COMPRESSOR_TEMPORARILY_BLOCKED: {KEY_ADDRESS: 60, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_COMPRESSOR_CURRENT_GEAR: {KEY_ADDRESS: 61, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_QUEUED_DEMAND_FIRST_PRIORITY: {KEY_ADDRESS: 62, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_QUEUED_DEMAND_SECOND_PRIORITY: {KEY_ADDRESS: 63, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_QUEUED_DEMAND_THIRD_PRIORITY: {KEY_ADDRESS: 64, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_QUEUED_DEMAND_FOURTH_PRIORITY: {KEY_ADDRESS: 65, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_QUEUED_DEMAND_FIFTH_PRIORITY: {KEY_ADDRESS: 66, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_STATUS, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_INTERNAL_ADDITIONAL_HEATER_CURRENT_STEP: {KEY_ADDRESS: 67, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_BUFFER_TANK_CHARGE_SET_POINT: {KEY_ADDRESS: 68, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L1_CURRENT: {KEY_ADDRESS: 69, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L2_CURRENT: {KEY_ADDRESS: 70, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L3_CURRENT: {KEY_ADDRESS: 71, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L1_0_VOLTAGE: {KEY_ADDRESS: 72, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L2_0_VOLTAGE: {KEY_ADDRESS: 73, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L3_0_VOLTAGE: {KEY_ADDRESS: 74, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L1_L2_VOLTAGE: {KEY_ADDRESS: 75, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L2_L3_VOLTAGE: {KEY_ADDRESS: 76, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L3_L1_VOLTAGE: {KEY_ADDRESS: 77, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L1_POWER: {KEY_ADDRESS: 78, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L2_POWER: {KEY_ADDRESS: 79, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_L3_POWER: {KEY_ADDRESS: 80, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_METER_VALUE: {KEY_ADDRESS: 81, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_COMFORT_MODE: {KEY_ADDRESS: 82, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_ELECTRIC_METER_KWH_TOTAL: {KEY_ADDRESS: 83, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_LONG, MODEL_MEGA: False, MODEL_INVERTER: True}, ATTR_INPUT_WCS_VALVE_POSITION: {KEY_ADDRESS: 85, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_TWC_VALVE_POSITION: {KEY_ADDRESS: 86, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_2_POSITION: {KEY_ADDRESS: 87, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_3_POSITION: {KEY_ADDRESS: 88, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_4_POSITION: {KEY_ADDRESS: 89, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_5_POSITION: {KEY_ADDRESS: 90, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DEW_POINT_ROOM: {KEY_ADDRESS: 91, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_COOLING_SUPPLY_LINE_MIX_VALVE_POSITION: {KEY_ADDRESS: 92, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_SURPLUS_HEAT_FAN_SPEED: {KEY_ADDRESS: 93, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_POOL_SUPPLY_LINE_MIX_VALVE_POSITION: {KEY_ADDRESS: 94, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_TWC_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 95, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_TWC_RETURN_TEMPERATURE: {KEY_ADDRESS: 96, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_WCS_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 97, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_TWC_END_TANK_TEMPERATURE: {KEY_ADDRESS: 98, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_2_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 99, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_3_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 100, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_4_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 101, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_COOLING_CIRCUIT_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 103, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_COOLING_TANK_TEMPERATURE: {KEY_ADDRESS: 104, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_COOLING_TANK_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 105, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_COOLING_CIRCUIT_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 106, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_MIX_VALVE_5_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 107, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_2_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 109, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_3_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 111, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_4_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 113, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_5_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 115, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SURPLUS_HEAT_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 117, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_SURPLUS_HEAT_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 118, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_POOL_SUPPLY_LINE_TEMPERATURE: {KEY_ADDRESS: 119, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_POOL_RETURN_LINE_TEMPERATURE: {KEY_ADDRESS: 120, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_ROOM_TEMPERATURE_SENSOR: {KEY_ADDRESS: 121, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_BUBBLE_POINT: {KEY_ADDRESS: 122, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DEW_POINT: {KEY_ADDRESS: 124, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SUPERHEAT_TEMPERATURE: {KEY_ADDRESS: 125, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SUB_COOLING_TEMPERATURE: {KEY_ADDRESS: 126, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_LOW_PRESSURE_SIDE: {KEY_ADDRESS: 127, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HIGH_PRESSURE_SIDE: {KEY_ADDRESS: 128, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_LIQUID_LINE_TEMPERATURE: {KEY_ADDRESS: 129, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_SUCTION_GAS_TEMPERATURE: {KEY_ADDRESS: 130, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_HEATING_SEASON_INTEGRAL_VALUE: {KEY_ADDRESS: 131, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_P_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION: {KEY_ADDRESS: 132, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_I_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION: {KEY_ADDRESS: 133, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_D_VALUE_FOR_GEAR_SHIFTING_AND_DEMAND_CALCULATION: {KEY_ADDRESS: 134, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_I_VALUE_FOR_COMPRESSOR_ON_OFF_BUFFER_TANK: {KEY_ADDRESS: 135, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_P_VALUE_FOR_COMPRESSOR_ON_OFF_BUFFER_TANK: {KEY_ADDRESS: 136, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MIX_VALVE_COOLING_OPENING_DEGREE: {KEY_ADDRESS: 137, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_GEAR_FOR_TAP_WATER: {KEY_ADDRESS: 139, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_GEAR_FOR_HEATING: {KEY_ADDRESS: 140, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_GEAR_FOR_COOLING: {KEY_ADDRESS: 141, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_GEAR_FOR_POOL: {KEY_ADDRESS: 142, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_NUMBER_OF_AVAILABLE_SECONDARIES_GENESIS: {KEY_ADDRESS: 143, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_NUMBER_OF_AVAILABLE_SECONDARIES_LEGACY: {KEY_ADDRESS: 144, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_TOTAL_DISTRIBUTED_GEARS_TO_ALL_UNITS: {KEY_ADDRESS: 145, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_MAXIMUM_GEAR_OUT_OF_ALL_THE_CURRENTLY_REQUESTED_GEARS: {KEY_ADDRESS: 146, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_1: {KEY_ADDRESS: 147, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_2: {KEY_ADDRESS: 148, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_3: {KEY_ADDRESS: 149, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_4: {KEY_ADDRESS: 150, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DESIRED_TEMPERATURE_DISTRIBUTION_CIRCUIT_MIX_VALVE_5: {KEY_ADDRESS: 151, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_INPUT_DISCONNECT_HOT_GAS_END_TANK: {KEY_ADDRESS: 152, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_LEGACY_HEAT_PUMP_COMPRESSOR_RUNNING: {KEY_ADDRESS: 153, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_LEGACY_HEAT_PUMP_REPORTING_ALARM: {KEY_ADDRESS: 154, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_LEGACY_HEAT_PUMP_START_SIGNAL: {KEY_ADDRESS: 155, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_LEGACY_HEAT_PUMP_TAP_WATER_SIGNAL: {KEY_ADDRESS: 156, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_PRIMARY_UNIT_ALARM_COMBINED_OUTPUT_OF_ALL_CLASS_D_ALARMS: {KEY_ADDRESS: 160, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_PRIMARY_UNIT_ALARM_PRIMARY_UNIT_HAS_LOST_COMMUNICATION: {KEY_ADDRESS: 161, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_PRIMARY_UNIT_ALARM_CLASS_A_ALARM_DETECTED_ON_THE_GENESIS_SECONDARY: {KEY_ADDRESS: 162, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_PRIMARY_UNIT_ALARM_CLASS_B_ALARM_DETECTED_ON_THE_GENESIS_SECONDARY: {KEY_ADDRESS: 163, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_PRIMARY_UNIT_ALARM_COMBINED_OUTPUT_OF_ALL_CLASS_E_ALARMS: {KEY_ADDRESS: 170, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_PRIMARY_UNIT_ALARM_GENERAL_LEGACY_HEAT_PUMP_ALARM: {KEY_ADDRESS: 171, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_INPUT_PRIMARY_UNIT_ALARM_PRIMARY_UNIT_CAN_NOT_COMMUNICATE_WITH_EXPANSION: {KEY_ADDRESS: 173, KEY_REG_TYPE: REG_INPUT, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_OPERATIONAL_MODE: {KEY_ADDRESS: 0, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAX_LIMITATION: {KEY_ADDRESS: 3, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIN_LIMITATION: {KEY_ADDRESS: 4, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_COMFORT_WHEEL_SETTING: {KEY_ADDRESS: 5, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_1: {KEY_ADDRESS: 6, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_2: {KEY_ADDRESS: 7, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_3: {KEY_ADDRESS: 8, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_4: {KEY_ADDRESS: 9, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_5: {KEY_ADDRESS: 10, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_6: {KEY_ADDRESS: 11, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_HEAT_CURVE_Y_7: {KEY_ADDRESS: 12, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_HEATING_SEASON_STOP_TEMPERATURE: {KEY_ADDRESS: 16, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_START_TEMPERATURE_TAP_WATER: {KEY_ADDRESS: 22, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_STOP_TEMPERATURE_TAP_WATER: {KEY_ADDRESS: 23, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_HEATING: {KEY_ADDRESS: 26, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_HEATING: {KEY_ADDRESS: 27, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_TAP_WATER: {KEY_ADDRESS: 28, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_TAP_WATER: {KEY_ADDRESS: 29, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_COOLING_MIX_VALVE_SET_POINT: {KEY_ADDRESS: 30, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_TWC_MIX_VALVE_SET_POINT: {KEY_ADDRESS: 31, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_WCS_RETURN_LINE_SET_POINT: {KEY_ADDRESS: 32, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_TWC_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 33, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_TWC_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 34, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_TWC_START_TEMPERATURE_IMMERSION_HEATER: {KEY_ADDRESS: 35, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_TWC_START_DELAY_IMMERSION_HEATER: {KEY_ADDRESS: 36, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_TWC_STOP_TEMPERATURE_IMMERSION_HEATER: {KEY_ADDRESS: 37, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_WCS_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 38, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_WCS_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 39, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_MIX_VALVE_2_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 40, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIX_VALVE_2_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 41, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIX_VALVE_3_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 42, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIX_VALVE_3_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 43, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIX_VALVE_4_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 44, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIX_VALVE_4_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 45, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIX_VALVE_5_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 46, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIX_VALVE_5_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 47, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SURPLUS_HEAT_CHILLER_SET_POINT: {KEY_ADDRESS: 48, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_COOLING_SUPPLY_LINE_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 49, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_COOLING_SUPPLY_LINE_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 50, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STARTING_FAN_1: {KEY_ADDRESS: 51, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STARTING_FAN_2: {KEY_ADDRESS: 52, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STOPPING_FAN_1: {KEY_ADDRESS: 53, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SURPLUS_HEAT_OPENING_DEGREE_FOR_STOPPING_FAN_2: {KEY_ADDRESS: 54, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SURPLUS_HEAT_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 55, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SURPLUS_HEAT_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 56, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_POOL_CHARGE_SET_POINT: {KEY_ADDRESS: 58, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_POOL_MIX_VALVE_LOWEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 59, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_POOL_MIX_VALVE_HIGHEST_ALLOWED_OPENING_DEGREE: {KEY_ADDRESS: 60, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_GEAR_SHIFT_DELAY_HEATING: {KEY_ADDRESS: 61, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_GEAR_SHIFT_DELAY_POOL: {KEY_ADDRESS: 62, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_GEAR_SHIFT_DELAY_COOLING: {KEY_ADDRESS: 63, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_BRINE_IN_HIGH_ALARM_LIMIT: {KEY_ADDRESS: 67, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_BRINE_IN_LOW_ALARM_LIMIT: {KEY_ADDRESS: 68, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_BRINE_OUT_LOW_ALARM_LIMIT: {KEY_ADDRESS: 69, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_BRINE_MAX_DELTA_LIMIT: {KEY_ADDRESS: 70, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_HOT_GAS_PUMP_START_TEMPERATURE_DISCHARGE_PIPE: {KEY_ADDRESS: 71, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_HOT_GAS_PUMP_LOWER_STOP_LIMIT_TEMPERATURE_DISCHARGE_PIPE: {KEY_ADDRESS: 72, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_HOT_GAS_PUMP_UPPER_STOP_LIMIT_TEMPERATURE_DISCHARGE_PIPE: {KEY_ADDRESS: 73, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_EXTERNAL_ADDITIONAL_HEATER_START: {KEY_ADDRESS: 75, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_CONDENSER_PUMP_LOWEST_ALLOWED_SPEED: {KEY_ADDRESS: 76, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_BRINE_PUMP_LOWEST_ALLOWED_SPEED: {KEY_ADDRESS: 77, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_EXTERNAL_ADDITIONAL_HEATER_STOP: {KEY_ADDRESS: 78, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_CONDENSER_PUMP_HIGHEST_ALLOWED_SPEED: {KEY_ADDRESS: 79, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_BRINE_PUMP_HIGHEST_ALLOWED_SPEED: {KEY_ADDRESS: 80, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_CONDENSER_PUMP_STANDBY_SPEED: {KEY_ADDRESS: 81, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_BRINE_PUMP_STANDBY_SPEED: {KEY_ADDRESS: 82, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_POOL: {KEY_ADDRESS: 85, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_POOL: {KEY_ADDRESS: 86, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MINIMUM_ALLOWED_GEAR_IN_COOLING: {KEY_ADDRESS: 87, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAXIMUM_ALLOWED_GEAR_IN_COOLING: {KEY_ADDRESS: 88, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_START_TEMP_FOR_COOLING: {KEY_ADDRESS: 105, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_STOP_TEMP_FOR_COOLING: {KEY_ADDRESS: 106, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_1: {KEY_ADDRESS: 107, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_1: {KEY_ADDRESS: 108, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_1: {KEY_ADDRESS: 109, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_1: {KEY_ADDRESS: 110, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_1: {KEY_ADDRESS: 111, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_1: {KEY_ADDRESS: 112, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_1: {KEY_ADDRESS: 113, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_1: {KEY_ADDRESS: 114, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_1: {KEY_ADDRESS: 115, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_FIXED_SYSTEM_SUPPLY_SET_POINT: {KEY_ADDRESS: 116, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_2: {KEY_ADDRESS: 199, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_2: {KEY_ADDRESS: 200, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_2: {KEY_ADDRESS: 201, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_2: {KEY_ADDRESS: 202, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_2: {KEY_ADDRESS: 203, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_2: {KEY_ADDRESS: 204, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_2: {KEY_ADDRESS: 205, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_2: {KEY_ADDRESS: 206, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_2: {KEY_ADDRESS: 207, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_3: {KEY_ADDRESS: 208, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_3: {KEY_ADDRESS: 209, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_3: {KEY_ADDRESS: 210, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_3: {KEY_ADDRESS: 211, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_3: {KEY_ADDRESS: 212, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_3: {KEY_ADDRESS: 213, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_3: {KEY_ADDRESS: 214, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_3: {KEY_ADDRESS: 215, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_3: {KEY_ADDRESS: 216, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_4: {KEY_ADDRESS: 239, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_4: {KEY_ADDRESS: 240, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_4: {KEY_ADDRESS: 241, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_4: {KEY_ADDRESS: 242, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_4: {KEY_ADDRESS: 243, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_4: {KEY_ADDRESS: 244, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_4: {KEY_ADDRESS: 245, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_4: {KEY_ADDRESS: 246, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_4: {KEY_ADDRESS: 247, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MIN_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_5: {KEY_ADDRESS: 248, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_MAX_LIMITATION_SET_POINT_CURVE_RADIATOR_MIX_VALVE_5: {KEY_ADDRESS: 249, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_1_MIX_VALVE_5: {KEY_ADDRESS: 250, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_2_MIX_VALVE_5: {KEY_ADDRESS: 251, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_3_MIX_VALVE_5: {KEY_ADDRESS: 252, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_4_MIX_VALVE_5: {KEY_ADDRESS: 253, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_5_MIX_VALVE_5: {KEY_ADDRESS: 254, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_6_MIX_VALVE_5: {KEY_ADDRESS: 255, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_CURVE_Y_COORDINATE_7_MIX_VALVE_5: {KEY_ADDRESS: 256, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_RETURN_TEMP_FROM_POOL_TO_HEAT_EXCHANGER: {KEY_ADDRESS: 299, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_POOL_HYSTERESIS: {KEY_ADDRESS: 300, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 10, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_FOR_SUPPLY_LINE_TEMP_PASSIVE_COOLING_WITH_MIXING_VALVE_1: {KEY_ADDRESS: 302, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SET_POINT_MINIMUM_OUTDOOR_TEMP_WHEN_COOLING_IS_PERMITTED: {KEY_ADDRESS: 303, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_EXTERNAL_HEATER_OUTDOOR_TEMP_LIMIT: {KEY_ADDRESS: 304, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: True}, ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_2: {KEY_ADDRESS: 305, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_2: {KEY_ADDRESS: 306, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_2: {KEY_ADDRESS: 307, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_2: {KEY_ADDRESS: 308, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_3: {KEY_ADDRESS: 309, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_3: {KEY_ADDRESS: 310, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_3: {KEY_ADDRESS: 311, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_3: {KEY_ADDRESS: 312, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_4: {KEY_ADDRESS: 313, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_4: {KEY_ADDRESS: 314, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_4: {KEY_ADDRESS: 315, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_TEMP_MIXING_VALVE_4: {KEY_ADDRESS: 316, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SELECTED_MODE_FOR_MIXING_VALVE_5: {KEY_ADDRESS: 317, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 1, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_DESIRED_COOLING_TEMPERATURE_SETPOINT_MIXING_VALVE_5: {KEY_ADDRESS: 318, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SEASONAL_COOLING_TEMPERATURE_OUTDOOR_MIXING_VALVE_5: {KEY_ADDRESS: 319, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}, ATTR_HOLDING_SEASONAL_HEATING_TEMPERATURE_OUTDOOR_MIXING_VALVE_5: {KEY_ADDRESS: 320, KEY_REG_TYPE: REG_HOLDING, KEY_SCALE: 100, KEY_DATATYPE: TYPE_INT, MODEL_MEGA: True, MODEL_INVERTER: False}} |
# https://leetcode.com/problems/bulls-and-cows
class Solution:
def getHint(self, secret, guess):
s_used, g_used = set(), set()
bull = 0
for idx, (s_char, g_char) in enumerate(zip(secret, guess)):
if s_char == g_char:
bull += 1
s_used.add(idx)
g_used.add(idx)
print(s_used)
print(g_used)
cow = 0
for i, s_char in enumerate(secret):
for j, g_char in enumerate(guess):
if (s_char == g_char) and (i not in s_used) and (j not in g_used):
cow += 1
s_used.add(i)
g_used.add(j)
print(s_used)
print(g_used)
return "{}A{}B".format(bull, cow)
| class Solution:
def get_hint(self, secret, guess):
(s_used, g_used) = (set(), set())
bull = 0
for (idx, (s_char, g_char)) in enumerate(zip(secret, guess)):
if s_char == g_char:
bull += 1
s_used.add(idx)
g_used.add(idx)
print(s_used)
print(g_used)
cow = 0
for (i, s_char) in enumerate(secret):
for (j, g_char) in enumerate(guess):
if s_char == g_char and i not in s_used and (j not in g_used):
cow += 1
s_used.add(i)
g_used.add(j)
print(s_used)
print(g_used)
return '{}A{}B'.format(bull, cow) |
__version__ = '0.2.2'
default_app_config = 'cid.apps.CidAppConfig'
| __version__ = '0.2.2'
default_app_config = 'cid.apps.CidAppConfig' |
# -*- coding: utf-8 -*-
"""FamilySearch Discovery submodule"""
# Python imports
# Magic
class Discovery(object):
"""https://familysearch.org/developers/docs/api/tree/FamilySearch_Collections_resource"""
def __init__(self):
"""https://familysearch.org/developers/docs/api/resources#discovery"""
# TODO: Set it up so that it doesn't need to call the submodules
# until absolutely necessary...
self.root_collection = self.get(self.base + '/.well-known/collection')
self.subcollections = self.get(self.root_collection['response']
['collections'][0]['links']
['subcollections']['href'])
self.collections = {}
self.fix_discovery()
def update_collection(self, collection):
response = self.get(self.collections[collection]['url'])['response']
self.collections[collection]['response'] = response
def fix_discovery(self):
"""The Hypermedia items are semi-permanent. Some things change
based on who's logged in (or out).
"""
for item in self.subcollections['response']['collections']:
self.collections[item['id']] = {}
self.collections[item['id']]['url'] = item['links']['self']['href']
if item['id'] == 'LDSO':
try:
self.update_collection("LDSO")
except KeyError:
self.lds_user = False
else:
self.lds_user = True
try:
self.user = self.get_current_user()['response']['users'][0]
except:
self.user = ""
| """FamilySearch Discovery submodule"""
class Discovery(object):
"""https://familysearch.org/developers/docs/api/tree/FamilySearch_Collections_resource"""
def __init__(self):
"""https://familysearch.org/developers/docs/api/resources#discovery"""
self.root_collection = self.get(self.base + '/.well-known/collection')
self.subcollections = self.get(self.root_collection['response']['collections'][0]['links']['subcollections']['href'])
self.collections = {}
self.fix_discovery()
def update_collection(self, collection):
response = self.get(self.collections[collection]['url'])['response']
self.collections[collection]['response'] = response
def fix_discovery(self):
"""The Hypermedia items are semi-permanent. Some things change
based on who's logged in (or out).
"""
for item in self.subcollections['response']['collections']:
self.collections[item['id']] = {}
self.collections[item['id']]['url'] = item['links']['self']['href']
if item['id'] == 'LDSO':
try:
self.update_collection('LDSO')
except KeyError:
self.lds_user = False
else:
self.lds_user = True
try:
self.user = self.get_current_user()['response']['users'][0]
except:
self.user = '' |
#
# PySNMP MIB module HH3C-IDS-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HH3C-IDS-MIB
# Produced by pysmi-0.3.4 at Wed May 1 13:27:21 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, SingleValueConstraint, ConstraintsUnion, ValueRangeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ValueRangeConstraint", "ConstraintsIntersection")
hh3cCommon, = mibBuilder.importSymbols("HH3C-OID-MIB", "hh3cCommon")
InetAddressType, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddress")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
Bits, Counter64, ModuleIdentity, Unsigned32, TimeTicks, IpAddress, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, ObjectIdentity, iso, Integer32, MibIdentifier, Gauge32, NotificationType = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "Counter64", "ModuleIdentity", "Unsigned32", "TimeTicks", "IpAddress", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "ObjectIdentity", "iso", "Integer32", "MibIdentifier", "Gauge32", "NotificationType")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
hh3cIDSMib = ModuleIdentity((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1))
if mibBuilder.loadTexts: hh3cIDSMib.setLastUpdated('200507141942Z')
if mibBuilder.loadTexts: hh3cIDSMib.setOrganization('Hangzhou H3C Tech. Co., Ltd.')
if mibBuilder.loadTexts: hh3cIDSMib.setContactInfo('Platform Team Hangzhou H3C Tech. Co., Ltd. Hai-Dian District Beijing P.R. China http://www.h3c.com Zip:100085 ')
if mibBuilder.loadTexts: hh3cIDSMib.setDescription('This MIB describes IDS private information. IDS(Instruction Detecting System) is used to detect intruder activity. ')
hh3cIds = MibIdentifier((1, 3, 6, 1, 4, 1, 25506, 2, 47))
hh3cIDSTrapGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1))
hh3cIDSTrapInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1))
hh3cIDSTrapIPFragmentQueueLen = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 1), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapIPFragmentQueueLen.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapIPFragmentQueueLen.setDescription('The length of IP fragment queue.')
hh3cIDSTrapStatSessionTabLen = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 2), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapStatSessionTabLen.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapStatSessionTabLen.setDescription('The length of status session table.')
hh3cIDSTrapIPAddressType = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 3), InetAddressType()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapIPAddressType.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapIPAddressType.setDescription('The type of IP Address.')
hh3cIDSTrapIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 4), InetAddress()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapIPAddress.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapIPAddress.setDescription('IP Address.')
hh3cIDSTrapUserName = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapUserName.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapUserName.setDescription('User name.')
hh3cIDSTrapLoginType = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("telnet", 1), ("ssh", 2), ("web", 3)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapLoginType.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapLoginType.setDescription('Login type, including telnet, ssh and web.')
hh3cIDSTrapUpgradeType = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("programme", 1), ("crb", 2), ("vrb", 3)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapUpgradeType.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapUpgradeType.setDescription('Upgrade type, including programme(system image), crb(custom rule base, one kind of configuration file), vrb(vendor rule base, one kind of configuration file).')
hh3cIDSTrapCRLName = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapCRLName.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapCRLName.setDescription('CRL(Certificate Revoke List) name.')
hh3cIDSTrapCertName = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapCertName.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapCertName.setDescription('Certificate name.')
hh3cIDSTrapDetectRuleID = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 10), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapDetectRuleID.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapDetectRuleID.setDescription('The rule ID which is a unique identifier for a specified detect rule.')
hh3cIDSTrapEngineID = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 11), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapEngineID.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapEngineID.setDescription('A unique number used to identify an interface.')
hh3cIDSTrapFileName = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 12), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapFileName.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapFileName.setDescription('The file name.')
hh3cIDSTrapCfgLineInFile = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 13), Unsigned32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapCfgLineInFile.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapCfgLineInFile.setDescription('The line number in the configuration file.')
hh3cIDSTrapReasonForError = MibScalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 14), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: hh3cIDSTrapReasonForError.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapReasonForError.setDescription('The information of the notification. Although the format and content of this object are device specific, they should be defined uniformly in the device.')
hh3cIDSTrap = MibIdentifier((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2))
hh3cIDSTrapPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0))
hh3cIDSTrapIPFragQueueFull = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 1)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapIPFragmentQueueLen"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapIPFragQueueFull.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapIPFragQueueFull.setDescription('This notification will be generated when the IP fragment queue is full. The hh3cIDSTrapIPFragmentQueueLen describes the length of current fragment queue. The hh3cIDSTrapReasonForError describes reason for error.')
hh3cIDSTrapStatSessTabFull = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 2)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapStatSessionTabLen"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapStatSessTabFull.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapStatSessTabFull.setDescription('This notification will be generated when the status session table is full. The hh3cIDSTrapStatSessionTabLen describes the length of current status session table. The hh3cIDSTrapReasonForError describes reason for error.')
hh3cIDSTrapDetectRuleParseFail = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 3)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapDetectRuleID"), ("HH3C-IDS-MIB", "hh3cIDSTrapEngineID"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapDetectRuleParseFail.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapDetectRuleParseFail.setDescription('This notification will be generated when failing to parse the rules for detecting. The hh3cIDSTrapDetectRuleID object describes rule ID. The hh3cIDSTrapEngineID object identifies an interface the rule applies to. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapDBConnLost = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 4)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapIPAddressType"), ("HH3C-IDS-MIB", "hh3cIDSTrapIPAddress"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapDBConnLost.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapDBConnLost.setDescription('This notification will be generated when connecting with database server fails. The hh3cIDSTrapIPAddressType object describes the IP address type of database server. The hh3cIDSTrapIPAddress object describes the IP address of database server. The hh3cIDSTrapReasonForError describes reason of connecting failure.')
hh3cIDSTrapCRLNeedUpdate = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 5)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapCRLName"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapCRLNeedUpdate.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapCRLNeedUpdate.setDescription('This notification will be generated when IDS device detects that CRL is out of date. The hh3cIDSTrapCRLName object describes the CRL(Certificate Revoke List) name. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapCertOverdue = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 6)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapCertName"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapCertOverdue.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapCertOverdue.setDescription('This notification will be generated when IDS device detects that certificate is overdue. The hh3cIDSTrapCertName object describes the certificate name. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapTooManyLoginFail = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 7)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapUserName"), ("HH3C-IDS-MIB", "hh3cIDSTrapIPAddressType"), ("HH3C-IDS-MIB", "hh3cIDSTrapIPAddress"), ("HH3C-IDS-MIB", "hh3cIDSTrapLoginType"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapTooManyLoginFail.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapTooManyLoginFail.setDescription('This notification will be generated when the login failure times of a user over a certain number. The hh3cIDSTrapUserName object describes the user name when logging in. The hh3cIDSTrapIPAddressType object describes the IP address type of client. The hh3cIDSTrapIPAddress object describes the IP address of client. The hh3cIDSTrapLoginType object describes login type, including: telnet, ssh, web. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapUpgradeError = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 8)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapUpgradeType"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapUpgradeError.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapUpgradeError.setDescription('This notification will be generated when upgrading fails. The hh3cIDSTrapUpgradeType object describes upgrade type, including: programme, vrb. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapFileAccessError = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 9)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapFileName"), ("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapFileAccessError.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapFileAccessError.setDescription('This notification will be generated when accessing file fails. The hh3cIDSTrapFileName object describes the name of file accessed. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapConsArithMemLow = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 10)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapConsArithMemLow.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapConsArithMemLow.setDescription('This notification will be generated when memory used by constructing the arithmetic to seek content is lacking. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapSSRAMOperFail = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 11)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapSSRAMOperFail.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapSSRAMOperFail.setDescription('This notification will be generated when reading or writing SSRAM of CIE card fails. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapPacketProcessDisorder = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 12)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapReasonForError"))
if mibBuilder.loadTexts: hh3cIDSTrapPacketProcessDisorder.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapPacketProcessDisorder.setDescription('This notification will be generated when packets processed is in disorder. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3cIDSTrapCfgFileFormatError = NotificationType((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 13)).setObjects(("HH3C-IDS-MIB", "hh3cIDSTrapFileName"), ("HH3C-IDS-MIB", "hh3cIDSTrapCfgLineInFile"))
if mibBuilder.loadTexts: hh3cIDSTrapCfgFileFormatError.setStatus('current')
if mibBuilder.loadTexts: hh3cIDSTrapCfgFileFormatError.setDescription('When devices startup and load the configuration file, if format error is found, this notification will be generated. The hh3cIDSTrapFileName object describes the name of configuration file. The hh3cIDSTrapCfgLineInFile object describes the line number in the file.')
mibBuilder.exportSymbols("HH3C-IDS-MIB", hh3cIDSTrapCertName=hh3cIDSTrapCertName, hh3cIDSTrapUpgradeError=hh3cIDSTrapUpgradeError, hh3cIDSTrapDetectRuleParseFail=hh3cIDSTrapDetectRuleParseFail, hh3cIDSTrapCfgFileFormatError=hh3cIDSTrapCfgFileFormatError, hh3cIDSTrapIPFragmentQueueLen=hh3cIDSTrapIPFragmentQueueLen, hh3cIDSTrapPrefix=hh3cIDSTrapPrefix, hh3cIDSTrapConsArithMemLow=hh3cIDSTrapConsArithMemLow, hh3cIDSTrapCRLNeedUpdate=hh3cIDSTrapCRLNeedUpdate, hh3cIDSTrapStatSessionTabLen=hh3cIDSTrapStatSessionTabLen, hh3cIDSTrapPacketProcessDisorder=hh3cIDSTrapPacketProcessDisorder, hh3cIDSTrapEngineID=hh3cIDSTrapEngineID, hh3cIDSTrapCfgLineInFile=hh3cIDSTrapCfgLineInFile, hh3cIDSTrapIPFragQueueFull=hh3cIDSTrapIPFragQueueFull, hh3cIDSTrapFileName=hh3cIDSTrapFileName, hh3cIDSTrapDBConnLost=hh3cIDSTrapDBConnLost, hh3cIDSTrapFileAccessError=hh3cIDSTrapFileAccessError, hh3cIDSTrapCertOverdue=hh3cIDSTrapCertOverdue, hh3cIDSMib=hh3cIDSMib, hh3cIDSTrapInfo=hh3cIDSTrapInfo, hh3cIDSTrapTooManyLoginFail=hh3cIDSTrapTooManyLoginFail, hh3cIDSTrapCRLName=hh3cIDSTrapCRLName, hh3cIDSTrapIPAddressType=hh3cIDSTrapIPAddressType, hh3cIDSTrapIPAddress=hh3cIDSTrapIPAddress, hh3cIDSTrapLoginType=hh3cIDSTrapLoginType, hh3cIDSTrapUserName=hh3cIDSTrapUserName, hh3cIDSTrapSSRAMOperFail=hh3cIDSTrapSSRAMOperFail, hh3cIds=hh3cIds, hh3cIDSTrap=hh3cIDSTrap, PYSNMP_MODULE_ID=hh3cIDSMib, hh3cIDSTrapGroup=hh3cIDSTrapGroup, hh3cIDSTrapUpgradeType=hh3cIDSTrapUpgradeType, hh3cIDSTrapDetectRuleID=hh3cIDSTrapDetectRuleID, hh3cIDSTrapStatSessTabFull=hh3cIDSTrapStatSessTabFull, hh3cIDSTrapReasonForError=hh3cIDSTrapReasonForError)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, single_value_constraint, constraints_union, value_range_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueRangeConstraint', 'ConstraintsIntersection')
(hh3c_common,) = mibBuilder.importSymbols('HH3C-OID-MIB', 'hh3cCommon')
(inet_address_type, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddress')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(bits, counter64, module_identity, unsigned32, time_ticks, ip_address, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, object_identity, iso, integer32, mib_identifier, gauge32, notification_type) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'Counter64', 'ModuleIdentity', 'Unsigned32', 'TimeTicks', 'IpAddress', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'ObjectIdentity', 'iso', 'Integer32', 'MibIdentifier', 'Gauge32', 'NotificationType')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
hh3c_ids_mib = module_identity((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1))
if mibBuilder.loadTexts:
hh3cIDSMib.setLastUpdated('200507141942Z')
if mibBuilder.loadTexts:
hh3cIDSMib.setOrganization('Hangzhou H3C Tech. Co., Ltd.')
if mibBuilder.loadTexts:
hh3cIDSMib.setContactInfo('Platform Team Hangzhou H3C Tech. Co., Ltd. Hai-Dian District Beijing P.R. China http://www.h3c.com Zip:100085 ')
if mibBuilder.loadTexts:
hh3cIDSMib.setDescription('This MIB describes IDS private information. IDS(Instruction Detecting System) is used to detect intruder activity. ')
hh3c_ids = mib_identifier((1, 3, 6, 1, 4, 1, 25506, 2, 47))
hh3c_ids_trap_group = mib_identifier((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1))
hh3c_ids_trap_info = mib_identifier((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1))
hh3c_ids_trap_ip_fragment_queue_len = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 1), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapIPFragmentQueueLen.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapIPFragmentQueueLen.setDescription('The length of IP fragment queue.')
hh3c_ids_trap_stat_session_tab_len = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 2), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapStatSessionTabLen.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapStatSessionTabLen.setDescription('The length of status session table.')
hh3c_ids_trap_ip_address_type = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 3), inet_address_type()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapIPAddressType.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapIPAddressType.setDescription('The type of IP Address.')
hh3c_ids_trap_ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 4), inet_address()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapIPAddress.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapIPAddress.setDescription('IP Address.')
hh3c_ids_trap_user_name = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapUserName.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapUserName.setDescription('User name.')
hh3c_ids_trap_login_type = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('telnet', 1), ('ssh', 2), ('web', 3)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapLoginType.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapLoginType.setDescription('Login type, including telnet, ssh and web.')
hh3c_ids_trap_upgrade_type = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('programme', 1), ('crb', 2), ('vrb', 3)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapUpgradeType.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapUpgradeType.setDescription('Upgrade type, including programme(system image), crb(custom rule base, one kind of configuration file), vrb(vendor rule base, one kind of configuration file).')
hh3c_ids_trap_crl_name = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapCRLName.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapCRLName.setDescription('CRL(Certificate Revoke List) name.')
hh3c_ids_trap_cert_name = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapCertName.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapCertName.setDescription('Certificate name.')
hh3c_ids_trap_detect_rule_id = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 10), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapDetectRuleID.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapDetectRuleID.setDescription('The rule ID which is a unique identifier for a specified detect rule.')
hh3c_ids_trap_engine_id = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 11), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapEngineID.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapEngineID.setDescription('A unique number used to identify an interface.')
hh3c_ids_trap_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 12), octet_string().subtype(subtypeSpec=value_size_constraint(0, 256))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapFileName.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapFileName.setDescription('The file name.')
hh3c_ids_trap_cfg_line_in_file = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 13), unsigned32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapCfgLineInFile.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapCfgLineInFile.setDescription('The line number in the configuration file.')
hh3c_ids_trap_reason_for_error = mib_scalar((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 1, 14), octet_string().subtype(subtypeSpec=value_size_constraint(0, 256))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
hh3cIDSTrapReasonForError.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapReasonForError.setDescription('The information of the notification. Although the format and content of this object are device specific, they should be defined uniformly in the device.')
hh3c_ids_trap = mib_identifier((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2))
hh3c_ids_trap_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0))
hh3c_ids_trap_ip_frag_queue_full = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 1)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapIPFragmentQueueLen'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapIPFragQueueFull.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapIPFragQueueFull.setDescription('This notification will be generated when the IP fragment queue is full. The hh3cIDSTrapIPFragmentQueueLen describes the length of current fragment queue. The hh3cIDSTrapReasonForError describes reason for error.')
hh3c_ids_trap_stat_sess_tab_full = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 2)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapStatSessionTabLen'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapStatSessTabFull.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapStatSessTabFull.setDescription('This notification will be generated when the status session table is full. The hh3cIDSTrapStatSessionTabLen describes the length of current status session table. The hh3cIDSTrapReasonForError describes reason for error.')
hh3c_ids_trap_detect_rule_parse_fail = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 3)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapDetectRuleID'), ('HH3C-IDS-MIB', 'hh3cIDSTrapEngineID'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapDetectRuleParseFail.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapDetectRuleParseFail.setDescription('This notification will be generated when failing to parse the rules for detecting. The hh3cIDSTrapDetectRuleID object describes rule ID. The hh3cIDSTrapEngineID object identifies an interface the rule applies to. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_db_conn_lost = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 4)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapIPAddressType'), ('HH3C-IDS-MIB', 'hh3cIDSTrapIPAddress'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapDBConnLost.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapDBConnLost.setDescription('This notification will be generated when connecting with database server fails. The hh3cIDSTrapIPAddressType object describes the IP address type of database server. The hh3cIDSTrapIPAddress object describes the IP address of database server. The hh3cIDSTrapReasonForError describes reason of connecting failure.')
hh3c_ids_trap_crl_need_update = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 5)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapCRLName'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapCRLNeedUpdate.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapCRLNeedUpdate.setDescription('This notification will be generated when IDS device detects that CRL is out of date. The hh3cIDSTrapCRLName object describes the CRL(Certificate Revoke List) name. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_cert_overdue = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 6)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapCertName'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapCertOverdue.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapCertOverdue.setDescription('This notification will be generated when IDS device detects that certificate is overdue. The hh3cIDSTrapCertName object describes the certificate name. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_too_many_login_fail = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 7)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapUserName'), ('HH3C-IDS-MIB', 'hh3cIDSTrapIPAddressType'), ('HH3C-IDS-MIB', 'hh3cIDSTrapIPAddress'), ('HH3C-IDS-MIB', 'hh3cIDSTrapLoginType'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapTooManyLoginFail.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapTooManyLoginFail.setDescription('This notification will be generated when the login failure times of a user over a certain number. The hh3cIDSTrapUserName object describes the user name when logging in. The hh3cIDSTrapIPAddressType object describes the IP address type of client. The hh3cIDSTrapIPAddress object describes the IP address of client. The hh3cIDSTrapLoginType object describes login type, including: telnet, ssh, web. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_upgrade_error = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 8)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapUpgradeType'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapUpgradeError.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapUpgradeError.setDescription('This notification will be generated when upgrading fails. The hh3cIDSTrapUpgradeType object describes upgrade type, including: programme, vrb. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_file_access_error = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 9)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapFileName'), ('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapFileAccessError.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapFileAccessError.setDescription('This notification will be generated when accessing file fails. The hh3cIDSTrapFileName object describes the name of file accessed. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_cons_arith_mem_low = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 10)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapConsArithMemLow.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapConsArithMemLow.setDescription('This notification will be generated when memory used by constructing the arithmetic to seek content is lacking. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_ssram_oper_fail = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 11)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapSSRAMOperFail.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapSSRAMOperFail.setDescription('This notification will be generated when reading or writing SSRAM of CIE card fails. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_packet_process_disorder = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 12)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapReasonForError'))
if mibBuilder.loadTexts:
hh3cIDSTrapPacketProcessDisorder.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapPacketProcessDisorder.setDescription('This notification will be generated when packets processed is in disorder. The hh3cIDSTrapReasonForError object describes reason for error.')
hh3c_ids_trap_cfg_file_format_error = notification_type((1, 3, 6, 1, 4, 1, 25506, 2, 47, 1, 1, 2, 0, 13)).setObjects(('HH3C-IDS-MIB', 'hh3cIDSTrapFileName'), ('HH3C-IDS-MIB', 'hh3cIDSTrapCfgLineInFile'))
if mibBuilder.loadTexts:
hh3cIDSTrapCfgFileFormatError.setStatus('current')
if mibBuilder.loadTexts:
hh3cIDSTrapCfgFileFormatError.setDescription('When devices startup and load the configuration file, if format error is found, this notification will be generated. The hh3cIDSTrapFileName object describes the name of configuration file. The hh3cIDSTrapCfgLineInFile object describes the line number in the file.')
mibBuilder.exportSymbols('HH3C-IDS-MIB', hh3cIDSTrapCertName=hh3cIDSTrapCertName, hh3cIDSTrapUpgradeError=hh3cIDSTrapUpgradeError, hh3cIDSTrapDetectRuleParseFail=hh3cIDSTrapDetectRuleParseFail, hh3cIDSTrapCfgFileFormatError=hh3cIDSTrapCfgFileFormatError, hh3cIDSTrapIPFragmentQueueLen=hh3cIDSTrapIPFragmentQueueLen, hh3cIDSTrapPrefix=hh3cIDSTrapPrefix, hh3cIDSTrapConsArithMemLow=hh3cIDSTrapConsArithMemLow, hh3cIDSTrapCRLNeedUpdate=hh3cIDSTrapCRLNeedUpdate, hh3cIDSTrapStatSessionTabLen=hh3cIDSTrapStatSessionTabLen, hh3cIDSTrapPacketProcessDisorder=hh3cIDSTrapPacketProcessDisorder, hh3cIDSTrapEngineID=hh3cIDSTrapEngineID, hh3cIDSTrapCfgLineInFile=hh3cIDSTrapCfgLineInFile, hh3cIDSTrapIPFragQueueFull=hh3cIDSTrapIPFragQueueFull, hh3cIDSTrapFileName=hh3cIDSTrapFileName, hh3cIDSTrapDBConnLost=hh3cIDSTrapDBConnLost, hh3cIDSTrapFileAccessError=hh3cIDSTrapFileAccessError, hh3cIDSTrapCertOverdue=hh3cIDSTrapCertOverdue, hh3cIDSMib=hh3cIDSMib, hh3cIDSTrapInfo=hh3cIDSTrapInfo, hh3cIDSTrapTooManyLoginFail=hh3cIDSTrapTooManyLoginFail, hh3cIDSTrapCRLName=hh3cIDSTrapCRLName, hh3cIDSTrapIPAddressType=hh3cIDSTrapIPAddressType, hh3cIDSTrapIPAddress=hh3cIDSTrapIPAddress, hh3cIDSTrapLoginType=hh3cIDSTrapLoginType, hh3cIDSTrapUserName=hh3cIDSTrapUserName, hh3cIDSTrapSSRAMOperFail=hh3cIDSTrapSSRAMOperFail, hh3cIds=hh3cIds, hh3cIDSTrap=hh3cIDSTrap, PYSNMP_MODULE_ID=hh3cIDSMib, hh3cIDSTrapGroup=hh3cIDSTrapGroup, hh3cIDSTrapUpgradeType=hh3cIDSTrapUpgradeType, hh3cIDSTrapDetectRuleID=hh3cIDSTrapDetectRuleID, hh3cIDSTrapStatSessTabFull=hh3cIDSTrapStatSessTabFull, hh3cIDSTrapReasonForError=hh3cIDSTrapReasonForError) |
class ServerNotRespondingException(BaseException):
"""
Exception raised when the requested server is not responding.
"""
def __init__(self, url):
self.url = url
def __str__(self):
return "Url '%s' is not responding." % self.url
class ExceededRequestsLimitException(BaseException):
"""
Exception raised when the number of requests has exceeded the
allowed limit.
"""
def __init__(self, ip, url):
self.ip = ip
self.url = url
def __str__(self):
return "Address {} has exceeded the allowed requests limit for path {}".format(
self.ip, self.path
)
class AccessNotRegisteredException(BaseException):
"""
Exception raised when the request is not registered.
"""
def __init__(self, key, ip, path):
self.key = key
self.ip = ip
self.path = path
def __str__(self):
return "Request from {} could not be registered for path {} - Key: {}".format(
self.ip, self.path, self.key
)
| class Servernotrespondingexception(BaseException):
"""
Exception raised when the requested server is not responding.
"""
def __init__(self, url):
self.url = url
def __str__(self):
return "Url '%s' is not responding." % self.url
class Exceededrequestslimitexception(BaseException):
"""
Exception raised when the number of requests has exceeded the
allowed limit.
"""
def __init__(self, ip, url):
self.ip = ip
self.url = url
def __str__(self):
return 'Address {} has exceeded the allowed requests limit for path {}'.format(self.ip, self.path)
class Accessnotregisteredexception(BaseException):
"""
Exception raised when the request is not registered.
"""
def __init__(self, key, ip, path):
self.key = key
self.ip = ip
self.path = path
def __str__(self):
return 'Request from {} could not be registered for path {} - Key: {}'.format(self.ip, self.path, self.key) |
def listens_to_mentions(regex):
"""
Decorator to add function and rule to routing table
Returns Line that triggered the function.
"""
def decorator(func):
func.route_rule = ('mentions', regex)
return func
return decorator
def listens_to_all(regex):
"""
Decorator to add function and rule to routing table
Returns Line that triggered the function.
"""
def decorator(func):
func.route_rule = ('messages', regex)
return func
return decorator
def listens_to_command(cmd):
"""
Decorator to listen for command with arguments return as list
Returns Line that triggered the function
as well as List of arguments not including the command.
Can be used as a compability layer for simpler porting of plugins from other
bots
"""
def decorator(func):
func.route_rule = ('commands', cmd)
return func
return decorator
def listens_to_regex_command(cmd, regex):
"""
Decorator to listen for command with arguments checked by regex
Returns Line that triggered the function.
The best of both worlds
"""
def decorator(func):
func.route_rule = ('regex_commands', (cmd, regex))
return func
return decorator
| def listens_to_mentions(regex):
"""
Decorator to add function and rule to routing table
Returns Line that triggered the function.
"""
def decorator(func):
func.route_rule = ('mentions', regex)
return func
return decorator
def listens_to_all(regex):
"""
Decorator to add function and rule to routing table
Returns Line that triggered the function.
"""
def decorator(func):
func.route_rule = ('messages', regex)
return func
return decorator
def listens_to_command(cmd):
"""
Decorator to listen for command with arguments return as list
Returns Line that triggered the function
as well as List of arguments not including the command.
Can be used as a compability layer for simpler porting of plugins from other
bots
"""
def decorator(func):
func.route_rule = ('commands', cmd)
return func
return decorator
def listens_to_regex_command(cmd, regex):
"""
Decorator to listen for command with arguments checked by regex
Returns Line that triggered the function.
The best of both worlds
"""
def decorator(func):
func.route_rule = ('regex_commands', (cmd, regex))
return func
return decorator |
class TrieNode():
def __init__(self, letter=''):
self.children = {}
self.is_word = False
def lookup_letter(self, c):
if c in self.children:
return True, self.children[c].is_word
else:
return False, False
class Trie():
def __init__(self):
self.root = TrieNode()
def add(self, word):
cur = self.root
for letter in word:
if letter not in cur.children:
cur.children[letter] = TrieNode()
cur = cur.children[letter]
cur.is_word = True
def lookup(self, word):
cur = self.root
for letter in word:
if letter not in cur.children:
return []
cur = cur.children[letter]
if cur.is_word:
return cur.index
else:
return []
def build_prefix(dictionary):
trie = Trie()
for word in dictionary:
trie.add(word)
return trie
def find_words(dictionary, board):
result = []
prefix = build_prefix(dictionary)
boggle(board, prefix, result)
return result
def boggle(board, prefix, result):
#print(board, len(board[0]), len(board))
visited = [[False for _ in range(len(board[0]))] for _ in range(len(board))]
for r in range(0, len(board)):
for c in range(0, len(board[0])):
str = []
_boggle(board, visited, prefix.root, result, r, c, str)
def _is_valid(visited, i, j):
if (i < 0) or (i >= len(visited)) or \
(j < 0) or (j >= len(visited[0])) or \
visited[i][j] == True:
return False
return True
def _boggle(board, visited, node, result, row, col, str):
print(node.children)
print(visited)
c = board[row][col]
present, is_word = node.lookup_letter(c)
if present == False:
return
str.append(c)
if is_word == True :
result.append("".join(str))
print(result)
visited[row][col] = True
for i in row-1, row, row+1:
for j in col-1, col, col+1:
if _is_valid(visited, i, j):
_boggle(board, visited, node.children[c], result, i, j, str)
str.pop()
visited[row][col] = False
dictionary = ["geek", "geeks", "boy"]
board = [["g", "b", "o"],
["e", "y", "s"],
["s", "e", "k"]]
res = find_words(dictionary, board)
| class Trienode:
def __init__(self, letter=''):
self.children = {}
self.is_word = False
def lookup_letter(self, c):
if c in self.children:
return (True, self.children[c].is_word)
else:
return (False, False)
class Trie:
def __init__(self):
self.root = trie_node()
def add(self, word):
cur = self.root
for letter in word:
if letter not in cur.children:
cur.children[letter] = trie_node()
cur = cur.children[letter]
cur.is_word = True
def lookup(self, word):
cur = self.root
for letter in word:
if letter not in cur.children:
return []
cur = cur.children[letter]
if cur.is_word:
return cur.index
else:
return []
def build_prefix(dictionary):
trie = trie()
for word in dictionary:
trie.add(word)
return trie
def find_words(dictionary, board):
result = []
prefix = build_prefix(dictionary)
boggle(board, prefix, result)
return result
def boggle(board, prefix, result):
visited = [[False for _ in range(len(board[0]))] for _ in range(len(board))]
for r in range(0, len(board)):
for c in range(0, len(board[0])):
str = []
_boggle(board, visited, prefix.root, result, r, c, str)
def _is_valid(visited, i, j):
if i < 0 or i >= len(visited) or j < 0 or (j >= len(visited[0])) or (visited[i][j] == True):
return False
return True
def _boggle(board, visited, node, result, row, col, str):
print(node.children)
print(visited)
c = board[row][col]
(present, is_word) = node.lookup_letter(c)
if present == False:
return
str.append(c)
if is_word == True:
result.append(''.join(str))
print(result)
visited[row][col] = True
for i in (row - 1, row, row + 1):
for j in (col - 1, col, col + 1):
if _is_valid(visited, i, j):
_boggle(board, visited, node.children[c], result, i, j, str)
str.pop()
visited[row][col] = False
dictionary = ['geek', 'geeks', 'boy']
board = [['g', 'b', 'o'], ['e', 'y', 's'], ['s', 'e', 'k']]
res = find_words(dictionary, board) |
def calcula_fatorial(n):
resultado = 1
for i in range(1, n+1):
resultado = resultado * i
return resultado
def imprime_numeros(n):
imprimir = ""
for i in range(n, 0, -1):
imprimir += "%d . " %(i)
return imprimir[:len(imprimir) - 3]
numero = int(input("Digite um numero: "))
print("Fatorial de: %d" %(numero))
imprime = imprime_numeros(numero)
fatorial = calcula_fatorial(numero)
print("%d! = %s = %d" %(numero, imprime, fatorial))
| def calcula_fatorial(n):
resultado = 1
for i in range(1, n + 1):
resultado = resultado * i
return resultado
def imprime_numeros(n):
imprimir = ''
for i in range(n, 0, -1):
imprimir += '%d . ' % i
return imprimir[:len(imprimir) - 3]
numero = int(input('Digite um numero: '))
print('Fatorial de: %d' % numero)
imprime = imprime_numeros(numero)
fatorial = calcula_fatorial(numero)
print('%d! = %s = %d' % (numero, imprime, fatorial)) |
class Solution:
def minMeetingRooms(self, intervals: List[List[int]]) -> int:
rooms = 0
if not intervals:
return 0
endp = 0
starts = sorted([i[0] for i in intervals])
ends = sorted([i[1] for i in intervals])
for i in range(len(starts)):
if starts[i]>=ends[endp]:
endp+=1
else:
rooms+=1
return rooms | class Solution:
def min_meeting_rooms(self, intervals: List[List[int]]) -> int:
rooms = 0
if not intervals:
return 0
endp = 0
starts = sorted([i[0] for i in intervals])
ends = sorted([i[1] for i in intervals])
for i in range(len(starts)):
if starts[i] >= ends[endp]:
endp += 1
else:
rooms += 1
return rooms |
# Copyright (C) 2021 Intel Corporation
#
# SPDX-License-Identifier: MIT
class PointCloudPath:
BASE_DIR = 'ds0'
ANNNOTATION_DIR = 'ann'
DEFAULT_IMAGE_EXT = '.jpg'
POINT_CLOUD_DIR = 'pointcloud'
RELATED_IMAGES_DIR = 'related_images'
KEY_ID_FILE = 'key_id_map.json'
META_FILE = 'meta.json'
SPECIAL_ATTRS = {'description', 'track_id',
'labelerLogin', 'createdAt', 'updatedAt', 'frame'} | class Pointcloudpath:
base_dir = 'ds0'
annnotation_dir = 'ann'
default_image_ext = '.jpg'
point_cloud_dir = 'pointcloud'
related_images_dir = 'related_images'
key_id_file = 'key_id_map.json'
meta_file = 'meta.json'
special_attrs = {'description', 'track_id', 'labelerLogin', 'createdAt', 'updatedAt', 'frame'} |
VIDEO_ELEMENT = 'videoRenderer'
CHANNEL_ELEMENT = 'channelRenderer'
PLAYLIST_ELEMENT = 'playlistRenderer'
SHELF_ELEMENT = 'shelfRenderer'
class ResultMode:
json = 0
dict = 1
class SearchMode:
videos = 'EgIQAQ%3D%3D'
channels = 'EgIQAg%3D%3D'
playlists = 'EgIQAw%3D%3D'
class VideoUploadDateFilter:
lastHour = 'EgQIARAB'
today = 'EgQIAhAB'
thisWeek = 'EgQIAxAB'
thisMonth = 'EgQIBBAB'
thisYear = 'EgQIBRAB'
class VideoDurationFilter:
short = 'EgQQARgB'
long = 'EgQQARgC'
class VideoSortOrder:
relevance = 'CAASAhAB'
uploadDate = 'CAISAhAB'
viewCount = 'CAMSAhAB'
rating = 'CAESAhAB'
| video_element = 'videoRenderer'
channel_element = 'channelRenderer'
playlist_element = 'playlistRenderer'
shelf_element = 'shelfRenderer'
class Resultmode:
json = 0
dict = 1
class Searchmode:
videos = 'EgIQAQ%3D%3D'
channels = 'EgIQAg%3D%3D'
playlists = 'EgIQAw%3D%3D'
class Videouploaddatefilter:
last_hour = 'EgQIARAB'
today = 'EgQIAhAB'
this_week = 'EgQIAxAB'
this_month = 'EgQIBBAB'
this_year = 'EgQIBRAB'
class Videodurationfilter:
short = 'EgQQARgB'
long = 'EgQQARgC'
class Videosortorder:
relevance = 'CAASAhAB'
upload_date = 'CAISAhAB'
view_count = 'CAMSAhAB'
rating = 'CAESAhAB' |
#!/usr/bin/env python
# encoding: utf-8
#
# Copyright SAS Institute
#
# 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.
#
''' Write python code for creating the SAS model '''
# model/input layer definition
def write_input_layer(model_name='sas', layer_name='data', channels='-1',
width='-1', height='-1', scale='1.0'):
'''
Generate Python code defining a SAS deep learning input layer
Parameters
----------
model_name : string
Name for deep learning model
layer_name : string
Layer name
channels : string
number of input channels
width : string
image width
height : string
image height
scale : string
scaling factor to apply to raw image pixel data
Returns
-------
string
String representing Python code defining a SAS deep learning input layer
'''
out = [
'def sas_model_gen(s, input_crop_type=None, input_channel_offset=None, input_image_size=None):',
' # quick check for deeplearn actionset',
' actionset_list = s.actionsetinfo().setinfo.actionset.tolist()',
' actionset_list = [item.lower() for item in actionset_list]',
' if "deeplearn" not in actionset_list:s.loadactionset("deeplearn")',
' ',
' # quick error-checking and default setting',
' if (input_crop_type is None):',
' input_crop_type="NONE"',
' else:',
' if (input_crop_type.upper() != "NONE") and (input_crop_type.upper() != "UNIQUE"):',
' raise ValueError("input_crop_type can only be NONE or UNIQUE")',
'',
' if (input_image_size is not None):',
' channels = input_image_size[0]',
' if (len(input_image_size) == 2):',
' height = width = input_image_size[1]',
' elif (len(inputImageSize) == 3):',
' height,width = input_image_size[1:]',
' else:',
' raise ValueError("input_image_size must be a tuple with two or three entries")',
'',
' # instantiate model',
' s.buildModel(model=dict(name=' + repr(model_name) + ',replace=True),type="CNN")',
'',
' # input layer',
' nchannels=' + channels,
' if input_channel_offset is None and nchannels==3:',
' print("INFO: setting channel mean values to ImageNet means")',
' input_channel_offset = [103.939, 116.779, 123.68]',
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict( type="input", nchannels=' + channels + ', width=' + width + ', height=' + height + ',',
' scale = ' + scale + ', randomcrop=input_crop_type, offsets=input_channel_offset))',
' elif input_channel_offset is not None:',
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict( type="input", nchannels=' + channels + ', width=' + width + ', height=' + height + ',',
' scale = ' + scale + ', randomcrop=input_crop_type, offsets=input_channel_offset))',
' else:',
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict( type="input", nchannels=' + channels + ', width=' + width + ', height=' + height + ',',
' scale = ' + scale + ', randomcrop=input_crop_type))'
]
return '\n'.join(out)
# convolution layer definition
def write_convolution_layer(model_name='sas', layer_name='conv', nfilters='-1',
width='3', height='3', stride='1', nobias='False',
activation='identity', dropout='0', src_layer='none',
padding='None'):
'''
Generate Python code defining a SAS deep learning convolution layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
nfilters : string, optional
number of output feature maps
width : string, optional
image width
height : string, optional
image height
stride : string, optional
vertical/horizontal step size in pixels
nobias : string, optional
omit (True) or retain (False) the bias term
activation : string, optional
activation function
dropout : string, optional
dropout factor (0 < dropout < 1.0)
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
'''
out = [
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict(type="convolution", nfilters=' + nfilters + ', width=' + width + ', height=' + height + ',',
' stride=' + stride + ', nobias=' + nobias + ', act=' + repr(
activation) + ', dropout=' + dropout + ', padding=' + padding +'), \n',
' srcLayers=' + src_layer + ')'
]
return '\n'.join(out)
# batch normalization layer definition
def write_batch_norm_layer(model_name='sas', layer_name='bn',
activation='identity', src_layer='none'):
'''
Generate Python code defining a SAS deep learning batch normalization layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
activation : string, optional
activation function
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
'''
out = [
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict( type="batchnorm", act=' + repr(activation) + '),',
' srcLayers=' + src_layer + ')'
]
return '\n'.join(out)
# pooling layer definition
def write_pooling_layer(model_name='sas', layer_name='pool',
width='2', height='2', stride='2', type='max',
dropout='0', src_layer='none', padding='None'):
'''
Generate Python code defining a SAS deep learning pooling layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
width : string, optional
image width
height : string, optional
image height
stride : string, optional
vertical/horizontal step size in pixels
type : string, optional
pooling type
dropout : string, optional
dropout factor (0 < dropout < 1.0)
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
'''
out = [
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict(type="pooling", width=' + width + ', height=' + height + ',',
' stride=' + stride + ', pool=' + repr(type) + ', dropout=' + dropout + ',',
' padding=' + padding + '),',
' srcLayers=' + src_layer + ')'
]
return '\n'.join(out)
# residual layer definition
def write_residual_layer(model_name='sas', layer_name='residual',
activation='identity', src_layer='none'):
'''
Generate Python code defining a SAS deep learning residual layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
activation : string, optional
activation function
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
'''
out = [
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict( type="residual", act="' + activation + '"),',
' srcLayers=' + src_layer + ')'
]
return '\n'.join(out)
# fully connected layer definition
def write_full_connect_layer(model_name='sas', layer_name='fullconnect',
nrof_neurons='-1', nobias='true',
activation='identity', type='fullconnect', dropout='0',
src_layer='none'):
'''
Generate Python code defining a SAS deep learning fully connected layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
nrof_neurons : string, optional
number of output neurons
nobias : string, optional
omit (True) or retain (False) the bias term
activation : string, optional
activation function
type : string, optional
fully connected layer type (fullconnect or output)
dropout : string, optional
dropout factor (0 < dropout < 1.0)
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
'''
if (type == 'fullconnect'):
out = [
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict(type=' + repr(type) + ', n=' + nrof_neurons + ',',
' nobias=' + nobias + ', act=' + repr(activation) + ', dropout=' + dropout + '),',
' srcLayers=' + src_layer + ')'
]
else:
out = [
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict(type=' + repr(type) + ', n=' + nrof_neurons + ',',
' nobias=' + nobias + ', act=' + repr(activation) + '),',
' srcLayers=' + src_layer + ')'
]
return '\n'.join(out)
# concat layer definition
def write_concatenate_layer(model_name='sas', layer_name='concat',
activation='identity', src_layer='none'):
'''
Generate Python code defining a SAS deep learning concat layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
activation : string, optional
activation function
src_layer : string, optional
source layer(s) for the concat layer
Returns
-------
string
'''
out = [
' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',',
' layer=dict( type="concat", act="' + activation + '"),',
' srcLayers=' + src_layer + ')'
]
return '\n'.join(out)
# Python __main__ function
def write_main_entry(model_name):
'''
Generate Python code defining the __main__ Python entry point
Parameters
----------
model_name : string
Name for deep learning model
Returns
-------
string
'''
return ''
| """ Write python code for creating the SAS model """
def write_input_layer(model_name='sas', layer_name='data', channels='-1', width='-1', height='-1', scale='1.0'):
"""
Generate Python code defining a SAS deep learning input layer
Parameters
----------
model_name : string
Name for deep learning model
layer_name : string
Layer name
channels : string
number of input channels
width : string
image width
height : string
image height
scale : string
scaling factor to apply to raw image pixel data
Returns
-------
string
String representing Python code defining a SAS deep learning input layer
"""
out = ['def sas_model_gen(s, input_crop_type=None, input_channel_offset=None, input_image_size=None):', ' # quick check for deeplearn actionset', ' actionset_list = s.actionsetinfo().setinfo.actionset.tolist()', ' actionset_list = [item.lower() for item in actionset_list]', ' if "deeplearn" not in actionset_list:s.loadactionset("deeplearn")', ' ', ' # quick error-checking and default setting', ' if (input_crop_type is None):', ' input_crop_type="NONE"', ' else:', ' if (input_crop_type.upper() != "NONE") and (input_crop_type.upper() != "UNIQUE"):', ' raise ValueError("input_crop_type can only be NONE or UNIQUE")', '', ' if (input_image_size is not None):', ' channels = input_image_size[0]', ' if (len(input_image_size) == 2):', ' height = width = input_image_size[1]', ' elif (len(inputImageSize) == 3):', ' height,width = input_image_size[1:]', ' else:', ' raise ValueError("input_image_size must be a tuple with two or three entries")', '', ' # instantiate model', ' s.buildModel(model=dict(name=' + repr(model_name) + ',replace=True),type="CNN")', '', ' # input layer', ' nchannels=' + channels, ' if input_channel_offset is None and nchannels==3:', ' print("INFO: setting channel mean values to ImageNet means")', ' input_channel_offset = [103.939, 116.779, 123.68]', ' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict( type="input", nchannels=' + channels + ', width=' + width + ', height=' + height + ',', ' scale = ' + scale + ', randomcrop=input_crop_type, offsets=input_channel_offset))', ' elif input_channel_offset is not None:', ' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict( type="input", nchannels=' + channels + ', width=' + width + ', height=' + height + ',', ' scale = ' + scale + ', randomcrop=input_crop_type, offsets=input_channel_offset))', ' else:', ' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict( type="input", nchannels=' + channels + ', width=' + width + ', height=' + height + ',', ' scale = ' + scale + ', randomcrop=input_crop_type))']
return '\n'.join(out)
def write_convolution_layer(model_name='sas', layer_name='conv', nfilters='-1', width='3', height='3', stride='1', nobias='False', activation='identity', dropout='0', src_layer='none', padding='None'):
"""
Generate Python code defining a SAS deep learning convolution layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
nfilters : string, optional
number of output feature maps
width : string, optional
image width
height : string, optional
image height
stride : string, optional
vertical/horizontal step size in pixels
nobias : string, optional
omit (True) or retain (False) the bias term
activation : string, optional
activation function
dropout : string, optional
dropout factor (0 < dropout < 1.0)
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
"""
out = [' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict(type="convolution", nfilters=' + nfilters + ', width=' + width + ', height=' + height + ',', ' stride=' + stride + ', nobias=' + nobias + ', act=' + repr(activation) + ', dropout=' + dropout + ', padding=' + padding + '), \n', ' srcLayers=' + src_layer + ')']
return '\n'.join(out)
def write_batch_norm_layer(model_name='sas', layer_name='bn', activation='identity', src_layer='none'):
"""
Generate Python code defining a SAS deep learning batch normalization layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
activation : string, optional
activation function
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
"""
out = [' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict( type="batchnorm", act=' + repr(activation) + '),', ' srcLayers=' + src_layer + ')']
return '\n'.join(out)
def write_pooling_layer(model_name='sas', layer_name='pool', width='2', height='2', stride='2', type='max', dropout='0', src_layer='none', padding='None'):
"""
Generate Python code defining a SAS deep learning pooling layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
width : string, optional
image width
height : string, optional
image height
stride : string, optional
vertical/horizontal step size in pixels
type : string, optional
pooling type
dropout : string, optional
dropout factor (0 < dropout < 1.0)
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
"""
out = [' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict(type="pooling", width=' + width + ', height=' + height + ',', ' stride=' + stride + ', pool=' + repr(type) + ', dropout=' + dropout + ',', ' padding=' + padding + '),', ' srcLayers=' + src_layer + ')']
return '\n'.join(out)
def write_residual_layer(model_name='sas', layer_name='residual', activation='identity', src_layer='none'):
"""
Generate Python code defining a SAS deep learning residual layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
activation : string, optional
activation function
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
"""
out = [' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict( type="residual", act="' + activation + '"),', ' srcLayers=' + src_layer + ')']
return '\n'.join(out)
def write_full_connect_layer(model_name='sas', layer_name='fullconnect', nrof_neurons='-1', nobias='true', activation='identity', type='fullconnect', dropout='0', src_layer='none'):
"""
Generate Python code defining a SAS deep learning fully connected layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
nrof_neurons : string, optional
number of output neurons
nobias : string, optional
omit (True) or retain (False) the bias term
activation : string, optional
activation function
type : string, optional
fully connected layer type (fullconnect or output)
dropout : string, optional
dropout factor (0 < dropout < 1.0)
src_layer : string, optional
source layer(s) for the convolution layer
Returns
-------
string
"""
if type == 'fullconnect':
out = [' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict(type=' + repr(type) + ', n=' + nrof_neurons + ',', ' nobias=' + nobias + ', act=' + repr(activation) + ', dropout=' + dropout + '),', ' srcLayers=' + src_layer + ')']
else:
out = [' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict(type=' + repr(type) + ', n=' + nrof_neurons + ',', ' nobias=' + nobias + ', act=' + repr(activation) + '),', ' srcLayers=' + src_layer + ')']
return '\n'.join(out)
def write_concatenate_layer(model_name='sas', layer_name='concat', activation='identity', src_layer='none'):
"""
Generate Python code defining a SAS deep learning concat layer
Parameters
----------
model_name : string, optional
Name for deep learning model
layer_name : string, optional
Layer name
activation : string, optional
activation function
src_layer : string, optional
source layer(s) for the concat layer
Returns
-------
string
"""
out = [' s.addLayer(model=' + repr(model_name) + ', name=' + repr(layer_name) + ',', ' layer=dict( type="concat", act="' + activation + '"),', ' srcLayers=' + src_layer + ')']
return '\n'.join(out)
def write_main_entry(model_name):
"""
Generate Python code defining the __main__ Python entry point
Parameters
----------
model_name : string
Name for deep learning model
Returns
-------
string
"""
return '' |
# This package will contain the spiders of your Scrapy project
#
# Please refer to the documentation for information on how to create and manage
# your spiders.
DOUBAN_COOKIE = {
"__gads": "ID=2421173a5ca57aed-228b4c29c5c800c1:T=1621494084:RT=1621494084:S=ALNI_MaJlRkH7cibeVPuRhGgoy4NehQdpw",
"__utma": "81379588.766923198.1621432056.1634626277.1634642692.15",
"__utmv": "30149280.23826",
"__utmz": "81379588.1634626277.14.8.utmcsr=cn.bing.com|utmccn=(referral)|utmcmd=referral|utmcct=/",
"__yadk_uid": "mpCqcudA39rNIrjPG2dzOaZVU9YKWwMV",
"_ga": "GA1.2.2128100270.1634613032",
"_ga_RXNMP372GL": "GS1.1.1634613031.1.0.1634613033.58",
"_pk_id.100001.3ac3": "e2d5b8eca75bca93.1621432056.15.1634642691.1634626483.",
"_pk_ref.100001.3ac3": "[\"\",\"\",1634642691,\"https://cn.bing.com/\"]",
"_vwo_uuid_v2": "DF8649AFF718CAD037CCABE9EC9DA0284|35908c2cbe71e8172adb1d18e8eb654d",
"ap_v": "0,6.0",
"bid": "nvSOKb3e_kY",
"ck": "vPPv",
"ct": "y",
"dbcl2": "\"238268017:3kJuTVIhGR8\"",
"douban-fav-remind": "1",
"gr_cs1_816e1a27-0db8-472b-bedd-a0ce47a62b39": "user_id:0",
"gr_cs1_a0853268-d85f-4a95-90d5-70006915ab52": "user_id:1",
"gr_session_id_22c937bbd8ebd703f2d8e9445f7dfd03": "a0853268-d85f-4a95-90d5-70006915ab52",
"gr_session_id_22c937bbd8ebd703f2d8e9445f7dfd03_a0853268-d85f-4a95-90d5-70006915ab52": "true",
"gr_user_id": "322312de-376f-4247-911e-4d511f4f93bd",
"ll": "\"118282\"",
"push_doumail_num": "0",
"push_noty_num": "0",
"viewed": "\"1000647_35541390_1000001_35252459_35378783_1043815_1200840_4913064_26261735_30348068\""
}
| douban_cookie = {'__gads': 'ID=2421173a5ca57aed-228b4c29c5c800c1:T=1621494084:RT=1621494084:S=ALNI_MaJlRkH7cibeVPuRhGgoy4NehQdpw', '__utma': '81379588.766923198.1621432056.1634626277.1634642692.15', '__utmv': '30149280.23826', '__utmz': '81379588.1634626277.14.8.utmcsr=cn.bing.com|utmccn=(referral)|utmcmd=referral|utmcct=/', '__yadk_uid': 'mpCqcudA39rNIrjPG2dzOaZVU9YKWwMV', '_ga': 'GA1.2.2128100270.1634613032', '_ga_RXNMP372GL': 'GS1.1.1634613031.1.0.1634613033.58', '_pk_id.100001.3ac3': 'e2d5b8eca75bca93.1621432056.15.1634642691.1634626483.', '_pk_ref.100001.3ac3': '["","",1634642691,"https://cn.bing.com/"]', '_vwo_uuid_v2': 'DF8649AFF718CAD037CCABE9EC9DA0284|35908c2cbe71e8172adb1d18e8eb654d', 'ap_v': '0,6.0', 'bid': 'nvSOKb3e_kY', 'ck': 'vPPv', 'ct': 'y', 'dbcl2': '"238268017:3kJuTVIhGR8"', 'douban-fav-remind': '1', 'gr_cs1_816e1a27-0db8-472b-bedd-a0ce47a62b39': 'user_id:0', 'gr_cs1_a0853268-d85f-4a95-90d5-70006915ab52': 'user_id:1', 'gr_session_id_22c937bbd8ebd703f2d8e9445f7dfd03': 'a0853268-d85f-4a95-90d5-70006915ab52', 'gr_session_id_22c937bbd8ebd703f2d8e9445f7dfd03_a0853268-d85f-4a95-90d5-70006915ab52': 'true', 'gr_user_id': '322312de-376f-4247-911e-4d511f4f93bd', 'll': '"118282"', 'push_doumail_num': '0', 'push_noty_num': '0', 'viewed': '"1000647_35541390_1000001_35252459_35378783_1043815_1200840_4913064_26261735_30348068"'} |
class Mail:
def __init__(self, prot, *argv):
self.prot = prot(*argv)
def login(self, account, passwd):
self.prot.login(account, passwd)
def send(self, frm, to, subject, content):
self.prot.send(frm, to, subject, content)
def quit(self):
self.prot.quit()
| class Mail:
def __init__(self, prot, *argv):
self.prot = prot(*argv)
def login(self, account, passwd):
self.prot.login(account, passwd)
def send(self, frm, to, subject, content):
self.prot.send(frm, to, subject, content)
def quit(self):
self.prot.quit() |
class BaseError(Exception):
error_id = ""
error_msg = ""
def __repr__(self):
return "<{err_id}>: {err_msg}".format(
err_id=self.error_id,
err_msg=self.error_msg,
)
def render(self):
return dict(
error_id=self.error_id,
error_msg=self.error_msg,
)
class ClientError(BaseError):
error_id = "Third_Party_Dependent_Error"
def __init__(self, error_msg):
self.error_msg = error_msg
class BookNotFound(BaseError):
error_id = "Book_Not_Found"
def __init__(self, error_msg):
self.error_msg = error_msg
class UserNotFound(BaseError):
error_id = "User_Not_Found"
def __init__(self, error_msg):
self.error_msg = error_msg
class RecommendedNotFound(BaseError):
error_id = "Recommended_Not_Found"
def __init__(self, error_msg):
self.error_msg = error_msg
| class Baseerror(Exception):
error_id = ''
error_msg = ''
def __repr__(self):
return '<{err_id}>: {err_msg}'.format(err_id=self.error_id, err_msg=self.error_msg)
def render(self):
return dict(error_id=self.error_id, error_msg=self.error_msg)
class Clienterror(BaseError):
error_id = 'Third_Party_Dependent_Error'
def __init__(self, error_msg):
self.error_msg = error_msg
class Booknotfound(BaseError):
error_id = 'Book_Not_Found'
def __init__(self, error_msg):
self.error_msg = error_msg
class Usernotfound(BaseError):
error_id = 'User_Not_Found'
def __init__(self, error_msg):
self.error_msg = error_msg
class Recommendednotfound(BaseError):
error_id = 'Recommended_Not_Found'
def __init__(self, error_msg):
self.error_msg = error_msg |
TOTAL_BUDGET_AUTHORITY = 8361447130497.72
TOTAL_OBLIGATIONS_INCURRED = 4690484214947.31
WEBSITE_AWARD_BINS = {
"<1M": {"lower": None, "upper": 1000000},
"1M..25M": {"lower": 1000000, "upper": 25000000},
"25M..100M": {"lower": 25000000, "upper": 100000000},
"100M..500M": {"lower": 100000000, "upper": 500000000},
">500M": {"lower": 500000000, "upper": None},
}
DOD_CGAC = "097" # DoD's toptier identifier.
DOD_SUBSUMED_CGAC = ["017", "021", "057"] # Air Force, Army, and Navy are to be reported under DoD.
DOD_ARMED_FORCES_CGAC = [DOD_CGAC] + DOD_SUBSUMED_CGAC # The list of ALL agencies reported under DoD.
DOD_ARMED_FORCES_TAS_CGAC_FREC = [("011", "1137"), ("011", "DE00")] # TAS (CGAC, FREC)s for additional DoD agencies.
DOD_FEDERAL_ACCOUNTS = [
("011", "1081"),
("011", "1082"),
("011", "1085"),
("011", "4116"),
("011", "4121"),
("011", "4122"),
("011", "4174"),
("011", "8238"),
("011", "8242"),
] # Federal Account (AID, MAIN)s that are to be reported under DoD.
# Agencies which should be excluded from dropdowns.
EXCLUDE_CGAC = ["000", "067"]
| total_budget_authority = 8361447130497.72
total_obligations_incurred = 4690484214947.31
website_award_bins = {'<1M': {'lower': None, 'upper': 1000000}, '1M..25M': {'lower': 1000000, 'upper': 25000000}, '25M..100M': {'lower': 25000000, 'upper': 100000000}, '100M..500M': {'lower': 100000000, 'upper': 500000000}, '>500M': {'lower': 500000000, 'upper': None}}
dod_cgac = '097'
dod_subsumed_cgac = ['017', '021', '057']
dod_armed_forces_cgac = [DOD_CGAC] + DOD_SUBSUMED_CGAC
dod_armed_forces_tas_cgac_frec = [('011', '1137'), ('011', 'DE00')]
dod_federal_accounts = [('011', '1081'), ('011', '1082'), ('011', '1085'), ('011', '4116'), ('011', '4121'), ('011', '4122'), ('011', '4174'), ('011', '8238'), ('011', '8242')]
exclude_cgac = ['000', '067'] |
class NotificationData(object):
"""
Class used to represent notification data.
Attributes:
veh_id (int): The vehicle ID.
req_id (int): The request ID.
waiting_duration (str): The waiting duration.
assigned (bool): True if assigned, false if not.
"""
def __init__(self, veh_id, req_id, waiting_duration, assigned):
"""
Initializes a NotificationData object.
Args:
veh_id (int): The vehicle ID.
req_id (int): The request ID.
waiting_duration (str): The waiting duration.
assigned (bool): True if assigned, false if not.
"""
self.veh_id = veh_id
self.req_id = req_id
self.waiting_duration = waiting_duration
self.assigned = assigned
@staticmethod
def fromdict(d):
"""
Converts a python dictionary to a NotificationData object.
Args:
d (dict): The dictionary to convert.
Returns:
NotificationData: A NotificationData object with the attributes
set by values in d.
"""
return NotificationData(
d.get('veh_id'),
d.get('req_id'),
d.get('waiting_duration'),
d.get('assigned')
)
def todict(self):
"""
Converts a NotificationData object to a python dictionary.
Returns:
dict: A dictionary representation of self.
"""
return {
'veh_id': self.veh_id,
'req_id': self.req_id,
'waiting_duration': self.waiting_duration,
'assigned': self.assigned
}
def __str__(self):
return str(self.todict()) | class Notificationdata(object):
"""
Class used to represent notification data.
Attributes:
veh_id (int): The vehicle ID.
req_id (int): The request ID.
waiting_duration (str): The waiting duration.
assigned (bool): True if assigned, false if not.
"""
def __init__(self, veh_id, req_id, waiting_duration, assigned):
"""
Initializes a NotificationData object.
Args:
veh_id (int): The vehicle ID.
req_id (int): The request ID.
waiting_duration (str): The waiting duration.
assigned (bool): True if assigned, false if not.
"""
self.veh_id = veh_id
self.req_id = req_id
self.waiting_duration = waiting_duration
self.assigned = assigned
@staticmethod
def fromdict(d):
"""
Converts a python dictionary to a NotificationData object.
Args:
d (dict): The dictionary to convert.
Returns:
NotificationData: A NotificationData object with the attributes
set by values in d.
"""
return notification_data(d.get('veh_id'), d.get('req_id'), d.get('waiting_duration'), d.get('assigned'))
def todict(self):
"""
Converts a NotificationData object to a python dictionary.
Returns:
dict: A dictionary representation of self.
"""
return {'veh_id': self.veh_id, 'req_id': self.req_id, 'waiting_duration': self.waiting_duration, 'assigned': self.assigned}
def __str__(self):
return str(self.todict()) |
def f():
x: list[list[i32]]
x = [[1, 2, 3]]
y: list[list[str]]
y = [['a', 'b']]
x = y
| def f():
x: list[list[i32]]
x = [[1, 2, 3]]
y: list[list[str]]
y = [['a', 'b']]
x = y |
permissions = {
"on_permissions": {
"all": "0",
"uids": [],
"badges": {
"broadcaster": "1"
},
"forbid": {
"all": "0",
"uids": [],
"badges": {}
}
},
"on_channel": {
"all": "0",
"uids": [],
"badges": {},
"forbid": {
"all": "0",
"uids": [],
"badges": {}
}
},
"on_commadd": {
"all": "0",
"uids": [],
"badges": {
"broadcaster": "1"
},
"forbid": {
"all": "0",
"uids": [],
"badges": {}
}
}
}
| permissions = {'on_permissions': {'all': '0', 'uids': [], 'badges': {'broadcaster': '1'}, 'forbid': {'all': '0', 'uids': [], 'badges': {}}}, 'on_channel': {'all': '0', 'uids': [], 'badges': {}, 'forbid': {'all': '0', 'uids': [], 'badges': {}}}, 'on_commadd': {'all': '0', 'uids': [], 'badges': {'broadcaster': '1'}, 'forbid': {'all': '0', 'uids': [], 'badges': {}}}} |
a = 0
def fun1():
print("fun1: a=", a)
def fun2():
a = 10 # By default, the assignment statement creates variables in the local scope
print("fun2: a=", a)
def fun3():
global a # refer global variable
a = 5
print("fun3: a=", a)
fun1()
fun2()
fun1()
fun3()
fun1()
| a = 0
def fun1():
print('fun1: a=', a)
def fun2():
a = 10
print('fun2: a=', a)
def fun3():
global a
a = 5
print('fun3: a=', a)
fun1()
fun2()
fun1()
fun3()
fun1() |
def reverse_string(string):
reversed_letters = list()
index = 1
for letter in string:
reversed_letters.append(string[ len(string) - index ])
index += 1
return "".join(reversed_letters)
word_input = str(input("Input a word: "))
print(f"INPUT: {word_input}")
print("OUTPUT: %s (%d characters)" % (reverse_string(word_input).upper(), len(word_input))) | def reverse_string(string):
reversed_letters = list()
index = 1
for letter in string:
reversed_letters.append(string[len(string) - index])
index += 1
return ''.join(reversed_letters)
word_input = str(input('Input a word: '))
print(f'INPUT: {word_input}')
print('OUTPUT: %s (%d characters)' % (reverse_string(word_input).upper(), len(word_input))) |
def conta_a(palavra):
c = 0
for letra in palavra:
if letra == 'a':
c += 1
return c
s = 'Insper'
r = s[::-2]
print(r)
| def conta_a(palavra):
c = 0
for letra in palavra:
if letra == 'a':
c += 1
return c
s = 'Insper'
r = s[::-2]
print(r) |
#String functions
myStr = 'Hello world!'
#Capitalize
print(myStr.capitalize())
#Swap case
print(myStr.swapcase())
#Get length
print(len(myStr))
#Replace
print(myStr.replace('world', 'everyone'))
#Count
sub = 'l'
print(myStr.count(sub))
#Startswith
print(myStr.startswith('Hello'))
#Endswith
print(myStr.endswith('Hello'))
#Split to list
print(myStr.split())
#Find
print(myStr.find('world'))
#Index
print(myStr.index('world'))
#Is all alphanumeric?
print(myStr.isalnum())
#Is all alphabetic?
print(myStr.isalpha())
#Is all numeric?
print(myStr.isnumeric()) | my_str = 'Hello world!'
print(myStr.capitalize())
print(myStr.swapcase())
print(len(myStr))
print(myStr.replace('world', 'everyone'))
sub = 'l'
print(myStr.count(sub))
print(myStr.startswith('Hello'))
print(myStr.endswith('Hello'))
print(myStr.split())
print(myStr.find('world'))
print(myStr.index('world'))
print(myStr.isalnum())
print(myStr.isalpha())
print(myStr.isnumeric()) |
#!/usr/bin/env python
DESCRIPTION = "Variant of djb2 hash in use by Nokoyawa ransomware"
# Type can be either 'unsigned_int' (32bit) or 'unsigned_long' (64bit)
TYPE = 'unsigned_int'
# Test must match the exact has of the string 'ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789'
TEST_1 = 3792689168
def hash(data):
generated_hash = 5381
for b in data:
generated_hash = (generated_hash * 33 + (b if b < 0x61 else (b - 0x20))) & 0xFFFFFFFF
return generated_hash
| description = 'Variant of djb2 hash in use by Nokoyawa ransomware'
type = 'unsigned_int'
test_1 = 3792689168
def hash(data):
generated_hash = 5381
for b in data:
generated_hash = generated_hash * 33 + (b if b < 97 else b - 32) & 4294967295
return generated_hash |
# AUTOGENERATED BY NBDEV! DO NOT EDIT!
__all__ = ["index", "modules", "custom_doc_links", "git_url"]
index = {"Scraper": "00_scraper.ipynb",
"Scraper.get_facebook_posts": "00_scraper.ipynb",
"print_something": "00_scraper.ipynb"}
modules = ["scraper.py"]
doc_url = "https://devacto.github.io/talk_like/"
git_url = "https://github.com/devacto/talk_like/tree/master/"
def custom_doc_links(name): return None
| __all__ = ['index', 'modules', 'custom_doc_links', 'git_url']
index = {'Scraper': '00_scraper.ipynb', 'Scraper.get_facebook_posts': '00_scraper.ipynb', 'print_something': '00_scraper.ipynb'}
modules = ['scraper.py']
doc_url = 'https://devacto.github.io/talk_like/'
git_url = 'https://github.com/devacto/talk_like/tree/master/'
def custom_doc_links(name):
return None |
class Solution:
def flipAndInvertImage(self, A: List[List[int]]) -> List[List[int]]:
FI_A = list()
for row in A:
row = [0 if i else 1 for i in row[::-1]]
FI_A.append(row)
return FI_A
| class Solution:
def flip_and_invert_image(self, A: List[List[int]]) -> List[List[int]]:
fi_a = list()
for row in A:
row = [0 if i else 1 for i in row[::-1]]
FI_A.append(row)
return FI_A |
{{AUTO_GENERATED_NOTICE}}
load("@{{REPO_NAME}}//:rules.bzl", "rescript_compiler")
rescript_compiler(
name = "darwin",
bsc = ":darwin/bsc.exe",
bsb_helper = ":darwin/bsb_helper.exe",
visibility = ["//visibility:public"],
)
rescript_compiler(
name = "linux",
bsc = ":linux/bsc.exe",
bsb_helper = ":linux/bsb_helper.exe",
visibility = ["//visibility:public"],
)
rescript_compiler(
name = "windows",
bsc = ":win32/bsc.exe",
bsb_helper = ":win32/bsb_helper.exe",
visibility = ["//visibility:public"],
) | {{AUTO_GENERATED_NOTICE}}
load('@{{REPO_NAME}}//:rules.bzl', 'rescript_compiler')
rescript_compiler(name='darwin', bsc=':darwin/bsc.exe', bsb_helper=':darwin/bsb_helper.exe', visibility=['//visibility:public'])
rescript_compiler(name='linux', bsc=':linux/bsc.exe', bsb_helper=':linux/bsb_helper.exe', visibility=['//visibility:public'])
rescript_compiler(name='windows', bsc=':win32/bsc.exe', bsb_helper=':win32/bsb_helper.exe', visibility=['//visibility:public']) |
def myFunction():
print('The value of __name__ is ' + __name__)
def main():
myFunction()
if __name__ == '__main__':
main() | def my_function():
print('The value of __name__ is ' + __name__)
def main():
my_function()
if __name__ == '__main__':
main() |
# -*- coding: utf-8 -*-
"""
Created on Tue Apr 2 10:39:47 2019
@author: ldh
"""
# __init__.py | """
Created on Tue Apr 2 10:39:47 2019
@author: ldh
""" |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
__author__ = 'Yue-Wen FANG'
__maintainer__ = "Yue-Wen FANG"
__email__ = 'fyuewen@gmail.com'
__license__ = 'Apache License 2.0'
__creation_date__= 'Dec. 26, 2018'
"""
single inheritance
"""
class Person:
"""
define a CLASS Person with three methods
"""
def speak(self):
print('How are you?')
def listheight(self):
print('Height is 170 cm')
def listweight(self, n):
print('weight is', n)
class Girl(Person):
"""
class Girl inherits the attributes and methods
in the class Person
"""
def listheight(self):
"""
overwrite the methods listheight
"""
print('HEIGHT is 165 cm')
if __name__ == '__main__':
cang = Girl()
cang.listheight()
cang.speak()
cang.listweight(80)
| __author__ = 'Yue-Wen FANG'
__maintainer__ = 'Yue-Wen FANG'
__email__ = 'fyuewen@gmail.com'
__license__ = 'Apache License 2.0'
__creation_date__ = 'Dec. 26, 2018'
'\nsingle inheritance\n'
class Person:
"""
define a CLASS Person with three methods
"""
def speak(self):
print('How are you?')
def listheight(self):
print('Height is 170 cm')
def listweight(self, n):
print('weight is', n)
class Girl(Person):
"""
class Girl inherits the attributes and methods
in the class Person
"""
def listheight(self):
"""
overwrite the methods listheight
"""
print('HEIGHT is 165 cm')
if __name__ == '__main__':
cang = girl()
cang.listheight()
cang.speak()
cang.listweight(80) |
tokens = {
'ID': r'[A-Za-z][A-Za-z_0-9]*',
'FLOATNUM': r'(([0-9]+\.[0-9]*|[0-9]*\.[0-9]+)([Ee][+-]?[0-9]+)?|[0-9]+[Ee][+-]?[0-9]+)',
'INTNUM': r'[0-9]+',
# Multi-character operators
'==': r'==',
'<=': r'<=',
'>=': r'>=',
'<>': r'<>',
'::': r'::',
}
special_characters = '<>+-*/=(){}[];,.:'
reserved_keywords = {
'if': 'IF',
'then': 'THEN',
'else': 'ELSE',
'while': 'WHILE',
'class': 'CLASS',
'integer': 'INTEGER',
'float': 'FLOAT',
'do': 'DO',
'end': 'END',
'public': 'PUBLIC',
'private': 'PRIVATE',
'or': 'OR',
'and': 'AND',
'not': 'NOT',
'read': 'READ',
'write': 'WRITE',
'return': 'RETURN',
'main': 'MAIN',
'inherits': 'INHERITS',
'local': 'LOCAL',
'void': 'VOID'
}
comments = r'(/\*(.|\n)*?\*/)|(//.*(\n[ \t]*//.*)*)'
whitespace = ' \t'
line_end = r'\n+'
| tokens = {'ID': '[A-Za-z][A-Za-z_0-9]*', 'FLOATNUM': '(([0-9]+\\.[0-9]*|[0-9]*\\.[0-9]+)([Ee][+-]?[0-9]+)?|[0-9]+[Ee][+-]?[0-9]+)', 'INTNUM': '[0-9]+', '==': '==', '<=': '<=', '>=': '>=', '<>': '<>', '::': '::'}
special_characters = '<>+-*/=(){}[];,.:'
reserved_keywords = {'if': 'IF', 'then': 'THEN', 'else': 'ELSE', 'while': 'WHILE', 'class': 'CLASS', 'integer': 'INTEGER', 'float': 'FLOAT', 'do': 'DO', 'end': 'END', 'public': 'PUBLIC', 'private': 'PRIVATE', 'or': 'OR', 'and': 'AND', 'not': 'NOT', 'read': 'READ', 'write': 'WRITE', 'return': 'RETURN', 'main': 'MAIN', 'inherits': 'INHERITS', 'local': 'LOCAL', 'void': 'VOID'}
comments = '(/\\*(.|\\n)*?\\*/)|(//.*(\\n[ \\t]*//.*)*)'
whitespace = ' \t'
line_end = '\\n+' |
"""
Range
range(stop)
range(start, stop)
range(start, stop, step)
default start = 0
default step = 1
"""
r = range(5, 10, 2)
print(r.start)
print(r.stop)
print(r.step)
print(type(r))
| """
Range
range(stop)
range(start, stop)
range(start, stop, step)
default start = 0
default step = 1
"""
r = range(5, 10, 2)
print(r.start)
print(r.stop)
print(r.step)
print(type(r)) |
count = 0
maximum = (-10) ** 9
for _ in range(4):
x = int(input())
if x % 2 == 1:
count += 1
if x > maximum:
maximum = x
if count > 0:
print(count)
print(maximum)
else:
print('NO')
| count = 0
maximum = (-10) ** 9
for _ in range(4):
x = int(input())
if x % 2 == 1:
count += 1
if x > maximum:
maximum = x
if count > 0:
print(count)
print(maximum)
else:
print('NO') |
# Neon number --> If the sum of digits of the squared numbers are equal to the orignal number , the number is said to be Neon number. Example 9
ch=int(input("Enter 1 to do it with loop and 2 without loop :\n"))
n= int(input("Enter the number :\n"))
def number(n):
sq= n**2
digisum=0
while sq>0:
r=sq%10
digisum = digisum + r
sq=sq//10
if (n==digisum):
print("The number is neon number")
else:
print("Not a neon mumber")
# Without Loop
def number2(n):
sq=n*n
r=sq%10
q=sq//10
tocheck=r+q
if n==tocheck:
print("It is a Neon Number")
else:
print("Not a neon number")
if ch==1:
number(n)
elif ch==2:
number2(n)
else:
print("Enter correct choice")
"""
Time complexity - O(1)
Space complexity - O(1)
I/o--
Enter 1 to do it with loop and 2 without loop :
2
Enter the number :
9
It is a Neon Number
Explanation
Input n: 9
sq=81
r=1
q=8
tocheck=8+1 =>9
Output
if 9 == 9 ==> Neon number
"""
| ch = int(input('Enter 1 to do it with loop and 2 without loop :\n'))
n = int(input('Enter the number :\n'))
def number(n):
sq = n ** 2
digisum = 0
while sq > 0:
r = sq % 10
digisum = digisum + r
sq = sq // 10
if n == digisum:
print('The number is neon number')
else:
print('Not a neon mumber')
def number2(n):
sq = n * n
r = sq % 10
q = sq // 10
tocheck = r + q
if n == tocheck:
print('It is a Neon Number')
else:
print('Not a neon number')
if ch == 1:
number(n)
elif ch == 2:
number2(n)
else:
print('Enter correct choice')
'\nTime complexity - O(1)\nSpace complexity - O(1)\n\nI/o-- \nEnter 1 to do it with loop and 2 without loop :\n2\nEnter the number :\n9\nIt is a Neon Number\n\nExplanation\n\nInput n: 9\nsq=81\nr=1\nq=8\ntocheck=8+1 =>9\nOutput\nif 9 == 9 ==> Neon number \n' |
raio = int(input('Raio: '))
format(r,'.2f')
pi = 3.14159
volume = (4/3)*pi*raio**3
print("Volume = ", format(volume,'.3f'))
#Para o URI:
R = float(input())
format(R,'.2f')
pi = 3.14159
v = (4/3)*pi*R**3
print("VOLUME = "+format(v,'.3f')) | raio = int(input('Raio: '))
format(r, '.2f')
pi = 3.14159
volume = 4 / 3 * pi * raio ** 3
print('Volume = ', format(volume, '.3f'))
r = float(input())
format(R, '.2f')
pi = 3.14159
v = 4 / 3 * pi * R ** 3
print('VOLUME = ' + format(v, '.3f')) |
# -*- coding: utf-8 -*-
# @Time: 2020/7/16 11:38
# @Author: GraceKoo
# @File: interview_8.py
# @Desc: https://www.nowcoder.com/practice/8c82a5b80378478f9484d87d1c5f12a4?tpId=13&rp=1&ru=%2Fta%2Fcoding-interviews&qr
# u=%2Fta%2Fcoding-interviews%2Fquestion-ranking
class Solution:
def climbStairs(self, n: int) -> int:
if 0 <= n <= 2:
return n
dp = [i for i in range(n)]
dp[0] = 1
dp[1] = 2
for i in range(2, n):
dp[i] = dp[i - 1] + dp[i - 2]
return dp[-1]
so = Solution()
print(so.climbStairs(3))
| class Solution:
def climb_stairs(self, n: int) -> int:
if 0 <= n <= 2:
return n
dp = [i for i in range(n)]
dp[0] = 1
dp[1] = 2
for i in range(2, n):
dp[i] = dp[i - 1] + dp[i - 2]
return dp[-1]
so = solution()
print(so.climbStairs(3)) |
class Solution:
def permuteUnique(self, nums: List[int]) -> List[List[int]]:
def BackTrack(m, per: list):
if m == n:
if per not in permutation:
permutation.append(per)
return per
for i in range(n):
if not visited[i]:
per.append(nums[i])
visited[i] = True
per = BackTrack(m + 1, per)
per = per[:-1]
visited[i] = False
return per
n = len(nums)
visited = [False for _ in range(n)]
per = []
permutation = []
BackTrack(0, [])
return list(set(tuple(k) for k in permutation))
| class Solution:
def permute_unique(self, nums: List[int]) -> List[List[int]]:
def back_track(m, per: list):
if m == n:
if per not in permutation:
permutation.append(per)
return per
for i in range(n):
if not visited[i]:
per.append(nums[i])
visited[i] = True
per = back_track(m + 1, per)
per = per[:-1]
visited[i] = False
return per
n = len(nums)
visited = [False for _ in range(n)]
per = []
permutation = []
back_track(0, [])
return list(set((tuple(k) for k in permutation))) |
def f(*args):
summ = 0
for i in args:
if isinstance(i, list):
for s in i:
summ += f(s)
elif isinstance(i, tuple):
for s in i:
summ += s
else:
summ += i
return summ
a = [[1, 2, [3]], [1], 3]
b = (1, 2, 3, 4, 5)
print(f([[1, 2, [3]], [1], 3]))
| def f(*args):
summ = 0
for i in args:
if isinstance(i, list):
for s in i:
summ += f(s)
elif isinstance(i, tuple):
for s in i:
summ += s
else:
summ += i
return summ
a = [[1, 2, [3]], [1], 3]
b = (1, 2, 3, 4, 5)
print(f([[1, 2, [3]], [1], 3])) |
EMPTY_WORDS_PATH = "./palabrasvacias.txt"
# "palabrasvacias.txt"
# "emptywords.txt"
# None
DIRPATH = "/home/agustin/Desktop/Recuperacion/colecciones/RI-tknz-data/"
# "/home/agustin/Desktop/Recuperacion/colecciones/RI-tknz-data/"
# "/home/agustin/Desktop/Recuperacion/colecciones/wiki-small/"
# "/home/agustin/Desktop/Recuperacion/colecciones/wiki-txt/"
# "/home/agustin/Desktop/Recuperacion/colecciones/collection_test/TestCollection/"
# "/home/agustin/Desktop/Recuperacion/colecciones/collection_test_ER2/TestCollection/"
#Tokenizer term size
MIN_TERM_LENGTH = 3
MAX_TERM_LENGTH = 25
#
STRING_STORE_CRITERION = "MAX"
# MAX
# STATIC
# ONLY FOR STATIC STRING_STORE_CRITERION
DOCNAMES_SIZE = 50
TERMS_SIZE = 50
STEMMING_LANGUAGE = "spanish"
# Depends with the collection used
# english
# spanish
# None
#Evaluate RE or not (Email, Abbreviations, Dates, ...)
EXTRACT_ENTITIES = False
#
CORPUS_FILES_ENCODING = "UTF-8"
# Wiki-Txt = "ISO-8859-1"
# All = "UTF-8"
# True if doc_id is in doc_name. Example doc120.txt
ID_IN_DOCNAME = False
WORKERS_NUMBER = 10
INDEX_FILES_PATH = "./output/index_files/"
DOCNAMES_IDS_FILENAME = "docnames_ids"
VOCABULARY_FILENAME = "vocabulary"
INVERTED_INDEX_FILENAME = "inverted_index"
BIN_VOCABULARY_FILENAME = VOCABULARY_FILENAME+".bin"
BIN_INVERTED_INDEX_FILENAME = INVERTED_INDEX_FILENAME+".bin"
BIN_DOCNAMES_IDS_FILENAME = DOCNAMES_IDS_FILENAME+".bin"
PART_INVERTED_INDEX_PATH = "./output/partial_index_files/"
METADATA_FILE = "metadata.json"
DOCUMENT_LIMIT = 302
| empty_words_path = './palabrasvacias.txt'
dirpath = '/home/agustin/Desktop/Recuperacion/colecciones/RI-tknz-data/'
min_term_length = 3
max_term_length = 25
string_store_criterion = 'MAX'
docnames_size = 50
terms_size = 50
stemming_language = 'spanish'
extract_entities = False
corpus_files_encoding = 'UTF-8'
id_in_docname = False
workers_number = 10
index_files_path = './output/index_files/'
docnames_ids_filename = 'docnames_ids'
vocabulary_filename = 'vocabulary'
inverted_index_filename = 'inverted_index'
bin_vocabulary_filename = VOCABULARY_FILENAME + '.bin'
bin_inverted_index_filename = INVERTED_INDEX_FILENAME + '.bin'
bin_docnames_ids_filename = DOCNAMES_IDS_FILENAME + '.bin'
part_inverted_index_path = './output/partial_index_files/'
metadata_file = 'metadata.json'
document_limit = 302 |
# loop3
userinput = input("Enter a letter in the range A - C : ")
while (userinput != "A") and (userinput != "a") and (userinput != "B") and (userinput != "b") and (userinput != "C") and (userinput != "c"):
userinput = input("Enter a letter in the range A-C : ")
| userinput = input('Enter a letter in the range A - C : ')
while userinput != 'A' and userinput != 'a' and (userinput != 'B') and (userinput != 'b') and (userinput != 'C') and (userinput != 'c'):
userinput = input('Enter a letter in the range A-C : ') |
class Song:
"""
@brief A Song object, used along with the Songs data source.
This is a convenience class provided for users who wish to use this
data source as part of their application. It provides an API that makes
it easy to access the attributes of this data set.
This object is generally not created by the user, to see how its created check
out bridges::data_src_dependent::data_source::get_song()
For an example, check out https://bridgesuncc.github.io/tutorials/Data_Song_Lyrics.html
@author Matthew Mcquaigue, Kalpathi Subramanian
@date 2018, 12/29/20
"""
def __init__(self, artist: str = "", song: str = "", album: str = "", lyrics: str = "", release_date: str = ""):
"""
@brief Constructor
Args:
artist: song artist
song: song title
album: song album
lyrics: lyrics of song
release_date: release date of song
"""
self._artist = artist
self._song = song
self._lyrics = lyrics
self._album = album
self._release_date = release_date
@property
def artist(self):
"""
@brief return artist of song
Returns:
artist name of song
"""
return self._artist
@artist.setter
def artist(self, a):
"""
@brief Set artist of song
Args:
a: artist name to set
"""
self._artist = a
@property
def song_title(self):
"""
@brief return title of song
Returns:
song title
"""
return self._song
@song_title.setter
def song_title(self, s):
"""
@brief Set the song title
Args:
s: artist name to set
"""
self._song = s
@property
def album_title(self):
"""
@brief return album title
Returns:
album title of song
"""
return self._album
@album_title.setter
def album_title(self, a):
"""
@brief Set title of song
Args:
a: album title to set
"""
self._album = a
@property
def lyrics(self):
"""
@brief return lyrics of song
Returns:
lyrics of song
"""
return self._lyrics
@lyrics.setter
def lyrics(self, l):
"""
@brief Set artist of song
Args:
l: lyrics data to set
"""
self._lyrics = l
@property
def release_date(self):
"""
@brief return release date of song
Returns:
release date of song
"""
return self._release_date
@release_date.setter
def release_date(self, r):
"""
@brief Set release date of song
Args:
r: release date to set
"""
self._release_date = r
| class Song:
"""
@brief A Song object, used along with the Songs data source.
This is a convenience class provided for users who wish to use this
data source as part of their application. It provides an API that makes
it easy to access the attributes of this data set.
This object is generally not created by the user, to see how its created check
out bridges::data_src_dependent::data_source::get_song()
For an example, check out https://bridgesuncc.github.io/tutorials/Data_Song_Lyrics.html
@author Matthew Mcquaigue, Kalpathi Subramanian
@date 2018, 12/29/20
"""
def __init__(self, artist: str='', song: str='', album: str='', lyrics: str='', release_date: str=''):
"""
@brief Constructor
Args:
artist: song artist
song: song title
album: song album
lyrics: lyrics of song
release_date: release date of song
"""
self._artist = artist
self._song = song
self._lyrics = lyrics
self._album = album
self._release_date = release_date
@property
def artist(self):
"""
@brief return artist of song
Returns:
artist name of song
"""
return self._artist
@artist.setter
def artist(self, a):
"""
@brief Set artist of song
Args:
a: artist name to set
"""
self._artist = a
@property
def song_title(self):
"""
@brief return title of song
Returns:
song title
"""
return self._song
@song_title.setter
def song_title(self, s):
"""
@brief Set the song title
Args:
s: artist name to set
"""
self._song = s
@property
def album_title(self):
"""
@brief return album title
Returns:
album title of song
"""
return self._album
@album_title.setter
def album_title(self, a):
"""
@brief Set title of song
Args:
a: album title to set
"""
self._album = a
@property
def lyrics(self):
"""
@brief return lyrics of song
Returns:
lyrics of song
"""
return self._lyrics
@lyrics.setter
def lyrics(self, l):
"""
@brief Set artist of song
Args:
l: lyrics data to set
"""
self._lyrics = l
@property
def release_date(self):
"""
@brief return release date of song
Returns:
release date of song
"""
return self._release_date
@release_date.setter
def release_date(self, r):
"""
@brief Set release date of song
Args:
r: release date to set
"""
self._release_date = r |
COLOR = {
'ORANGE': (255, 121, 0),
'LIGHT_YELLOW': (255, 230, 130),
'YELLOW': (255, 204, 0),
'LIGHT_BLUE': (148, 228, 228),
'BLUE': (51, 204, 204),
'LIGHT_RED': (255, 136, 106),
'RED': (255, 51, 0),
'LIGHT_GREEN': (206, 255, 60),
'GREEN': (153, 204, 0),
'CYAN': (0, 159, 218),
'BLUE_PAUL': (0, 59, 111),
'PURPLE': (161, 6, 132),
'WHITE': (255, 255, 255),
'BLACK': (0, 0, 0),
'GOLD': (245, 189, 2),
'SILVER': (187, 194, 204),
'BRONZE':(205, 127, 50),
}
PLAYER_COLORS = ["YELLOW", "BLUE", "RED", "GREEN"]
PLATEAU_PLAYERS_COORDINATES = [(0, 0, 0), (308, 0, -90), (352, 308, 180), (0, 352, -270)]
FONT_HEIGHT = [19, 20, 22, 23, 25, 26, 28, 29, 31, 32, 34, 35, 37,
38, 40, 41, 43, 44, 46, 47, 49, 50, 52, 53, 55, 56,
58, 59, 61, 62, 64, 65, 67, 68, 70, 71, 73, 74, 76,
77, 79, 80, 82, 83, 85, 86, 88, 89, 91, 92, 94, 95,
97, 98, 100, 101, 103, 104, 106, 107, 109, 110, 112,
113, 115, 116, 118, 119, 121, 122, 124, 125, 127, 128,
130, 131, 133, 134, 136, 137, 139, 140, 142, 144, 145,
147, 148, 150, 151, 153, 154, 156, 157, 159, 160, 162,
163, 165, 166, 168, 169, 171, 172, 174, 175, 177, 178,
180, 181, 183, 184, 186, 187, 189, 190, 192, 193, 195,
196, 198, 199, 201, 202, 204, 205, 207, 208, 210, 211,
213, 214, 216, 217, 219, 220, 222, 223, 225, 226, 228,
229, 231, 232, 234, 235, 237, 238, 240, 241, 243, 244,
246, 247, 249, 250, 252, 253, 255, 256, 258, 259, 261,
262, 264, 265, 267, 268, 270, 271, 273, 274, 276, 277,
279, 280, 282, 284, 285, 287, 288, 290, 291, 293, 294,
296, 297, 299, 300] | color = {'ORANGE': (255, 121, 0), 'LIGHT_YELLOW': (255, 230, 130), 'YELLOW': (255, 204, 0), 'LIGHT_BLUE': (148, 228, 228), 'BLUE': (51, 204, 204), 'LIGHT_RED': (255, 136, 106), 'RED': (255, 51, 0), 'LIGHT_GREEN': (206, 255, 60), 'GREEN': (153, 204, 0), 'CYAN': (0, 159, 218), 'BLUE_PAUL': (0, 59, 111), 'PURPLE': (161, 6, 132), 'WHITE': (255, 255, 255), 'BLACK': (0, 0, 0), 'GOLD': (245, 189, 2), 'SILVER': (187, 194, 204), 'BRONZE': (205, 127, 50)}
player_colors = ['YELLOW', 'BLUE', 'RED', 'GREEN']
plateau_players_coordinates = [(0, 0, 0), (308, 0, -90), (352, 308, 180), (0, 352, -270)]
font_height = [19, 20, 22, 23, 25, 26, 28, 29, 31, 32, 34, 35, 37, 38, 40, 41, 43, 44, 46, 47, 49, 50, 52, 53, 55, 56, 58, 59, 61, 62, 64, 65, 67, 68, 70, 71, 73, 74, 76, 77, 79, 80, 82, 83, 85, 86, 88, 89, 91, 92, 94, 95, 97, 98, 100, 101, 103, 104, 106, 107, 109, 110, 112, 113, 115, 116, 118, 119, 121, 122, 124, 125, 127, 128, 130, 131, 133, 134, 136, 137, 139, 140, 142, 144, 145, 147, 148, 150, 151, 153, 154, 156, 157, 159, 160, 162, 163, 165, 166, 168, 169, 171, 172, 174, 175, 177, 178, 180, 181, 183, 184, 186, 187, 189, 190, 192, 193, 195, 196, 198, 199, 201, 202, 204, 205, 207, 208, 210, 211, 213, 214, 216, 217, 219, 220, 222, 223, 225, 226, 228, 229, 231, 232, 234, 235, 237, 238, 240, 241, 243, 244, 246, 247, 249, 250, 252, 253, 255, 256, 258, 259, 261, 262, 264, 265, 267, 268, 270, 271, 273, 274, 276, 277, 279, 280, 282, 284, 285, 287, 288, 290, 291, 293, 294, 296, 297, 299, 300] |
# -*- coding: utf-8 -*-
class Solution:
def minDeletionSize(self, A):
return len([col for col in zip(*A) if col != tuple(sorted(col))])
if __name__ == '__main__':
solution = Solution()
assert 1 == solution.minDeletionSize(['cba', 'daf', 'ghi'])
assert 0 == solution.minDeletionSize(['a', 'b'])
assert 3 == solution.minDeletionSize(['zyx', 'wvu', 'tsr'])
| class Solution:
def min_deletion_size(self, A):
return len([col for col in zip(*A) if col != tuple(sorted(col))])
if __name__ == '__main__':
solution = solution()
assert 1 == solution.minDeletionSize(['cba', 'daf', 'ghi'])
assert 0 == solution.minDeletionSize(['a', 'b'])
assert 3 == solution.minDeletionSize(['zyx', 'wvu', 'tsr']) |
# https://leetcode.com/problems/simplify-path/
class Solution:
def simplifyPath(self, path: str) -> str:
stack = []
for d in path.split('/'):
if d == '..':
if len(stack) > 0:
stack.pop()
elif d == '.' or d == '':
continue
else:
stack.append(d)
return '/' + '/'.join(stack)
s = Solution()
tests = [
'/home/',
'/../',
'/home//foo/',
'/a/./b/../../c/'
]
for test in tests:
print(s.simplifyPath(test))
| class Solution:
def simplify_path(self, path: str) -> str:
stack = []
for d in path.split('/'):
if d == '..':
if len(stack) > 0:
stack.pop()
elif d == '.' or d == '':
continue
else:
stack.append(d)
return '/' + '/'.join(stack)
s = solution()
tests = ['/home/', '/../', '/home//foo/', '/a/./b/../../c/']
for test in tests:
print(s.simplifyPath(test)) |
# Guess password and output the score
chocolate = 2
playerlives = 1
playername = "Aung"
# this loop clears the screen
for i in range(1, 35):
print()
bonus = 0
numbercorrect = 0
# the player must try to guess the password
print("Now you must ener each letter that you remember ")
print("You will be given 3 times")
# add code here for a while loop using that counts from 1 to 3, so player has 3 guesses:
i = 0
while i < 3:
i = i + 1
letter = input("Try number " + str(i)+" : ")
if letter == "A" or letter == "R" or letter == "T":
numbercorrect = numbercorrect + 1
print("CORRECT - welldone")
else:
print("Wrong - sorry")
guess = input(
"NOW try and guess the password **** - the clue is in this line four times. Use the letters you were gives to help : ")
if guess == "star":
print("You are a star - you have opened the treasure chest of sweets and earned 1000 points")
bonus = 1000
score = (chocolate * 50) + (playerlives * 60) + bonus
# add code here to output playername
# add code here to output the number of bars of chocolate the player has
# add code here to output number of lives he player has
# add code here to output number of bonus points the player has
# add code here to output the player's score
print("Player Name : " + playername)
print("Total Chocolate Bar = " + str(chocolate))
print("Playerlives = " + str(playerlives))
print("Bonus point = " + str(bonus))
print("Player's Score = " + str(score))
# end
| chocolate = 2
playerlives = 1
playername = 'Aung'
for i in range(1, 35):
print()
bonus = 0
numbercorrect = 0
print('Now you must ener each letter that you remember ')
print('You will be given 3 times')
i = 0
while i < 3:
i = i + 1
letter = input('Try number ' + str(i) + ' : ')
if letter == 'A' or letter == 'R' or letter == 'T':
numbercorrect = numbercorrect + 1
print('CORRECT - welldone')
else:
print('Wrong - sorry')
guess = input('NOW try and guess the password **** - the clue is in this line four times. Use the letters you were gives to help : ')
if guess == 'star':
print('You are a star - you have opened the treasure chest of sweets and earned 1000 points')
bonus = 1000
score = chocolate * 50 + playerlives * 60 + bonus
print('Player Name : ' + playername)
print('Total Chocolate Bar = ' + str(chocolate))
print('Playerlives = ' + str(playerlives))
print('Bonus point = ' + str(bonus))
print("Player's Score = " + str(score)) |
#!/usr/bin/env python3
def best_stock(data):
return sorted(data.items(), key=lambda x: x[1])[-1][0]
if __name__ == '__main__':
print(best_stock({ "CAL": 42.0, "GOG": 190.5, "DAG": 32.2 }))
assert best_stock({ "CAL": 42.0, "GOG": 190.5, "DAG": 32.2 }) == "GOG"
assert best_stock({ "CAL": 31.4, "GOG": 3.42, "APL": 170.34 }) == "APL"
| def best_stock(data):
return sorted(data.items(), key=lambda x: x[1])[-1][0]
if __name__ == '__main__':
print(best_stock({'CAL': 42.0, 'GOG': 190.5, 'DAG': 32.2}))
assert best_stock({'CAL': 42.0, 'GOG': 190.5, 'DAG': 32.2}) == 'GOG'
assert best_stock({'CAL': 31.4, 'GOG': 3.42, 'APL': 170.34}) == 'APL' |
def find_position(matrix, size, symbol):
positions = []
for row in range(size):
for col in range(size):
if matrix[row][col] == symbol:
positions.append([row, col])
return positions
def is_position_valid(row, col, size):
return 0 <= row < size and 0 <= col < size
def check_for_checkmate(queen_pos, size, matrix):
for direction in CHANGES:
q_row, q_col = queen_pos[0], queen_pos[1]
change_row, change_col = CHANGES[direction][0], CHANGES[direction][1]
while is_position_valid(q_row + change_row, q_col + change_col, size):
q_row += change_row
q_col += change_col
if matrix[q_row][q_col] == "Q":
break
elif matrix[q_row][q_col] == "K":
return True
return False
SIZE = 8
board = [input().split() for _ in range(SIZE)]
king_pos = find_position(board, SIZE, "K")[0]
queens_positions = find_position(board, SIZE, "Q")
queens_winners = []
CHANGES = {
"up": (-1, 0),
"down": (1, 0),
"right": (0, 1),
"left": (0, -1),
"up-left": (-1, -1),
"down-left": (1, -1),
"up-right": (-1, 1),
"down-right": (1, 1),
}
for queen in queens_positions:
if check_for_checkmate(queen, SIZE, board):
queens_winners.append(queen)
if queens_winners:
[print(queen) for queen in queens_winners]
else:
print("The king is safe!")
| def find_position(matrix, size, symbol):
positions = []
for row in range(size):
for col in range(size):
if matrix[row][col] == symbol:
positions.append([row, col])
return positions
def is_position_valid(row, col, size):
return 0 <= row < size and 0 <= col < size
def check_for_checkmate(queen_pos, size, matrix):
for direction in CHANGES:
(q_row, q_col) = (queen_pos[0], queen_pos[1])
(change_row, change_col) = (CHANGES[direction][0], CHANGES[direction][1])
while is_position_valid(q_row + change_row, q_col + change_col, size):
q_row += change_row
q_col += change_col
if matrix[q_row][q_col] == 'Q':
break
elif matrix[q_row][q_col] == 'K':
return True
return False
size = 8
board = [input().split() for _ in range(SIZE)]
king_pos = find_position(board, SIZE, 'K')[0]
queens_positions = find_position(board, SIZE, 'Q')
queens_winners = []
changes = {'up': (-1, 0), 'down': (1, 0), 'right': (0, 1), 'left': (0, -1), 'up-left': (-1, -1), 'down-left': (1, -1), 'up-right': (-1, 1), 'down-right': (1, 1)}
for queen in queens_positions:
if check_for_checkmate(queen, SIZE, board):
queens_winners.append(queen)
if queens_winners:
[print(queen) for queen in queens_winners]
else:
print('The king is safe!') |
items = {key: {} for key in input().split(", ")}
n = int(input())
for _ in range(n):
line = input().split(" - ")
category, item = line[0], line[1]
items_count = line[2].split(";")
quantity = int(items_count[0].split(":")[1])
quality = int(items_count[1].split(":")[1])
items[category][item] = (quantity, quality)
items_count = sum([sum([i[0] for i in list(items[x].values())]) for x in items])
avg_quality = sum([sum([i[1] for i in list(items[x].values())]) for x in items]) / len([x for x in items.keys()])
print(f"Count of items: {items_count}")
print(f"Average quality: {avg_quality:.2f}")
[print(f"{x} -> {', '.join(items[x])}") for x in items.keys()]
| items = {key: {} for key in input().split(', ')}
n = int(input())
for _ in range(n):
line = input().split(' - ')
(category, item) = (line[0], line[1])
items_count = line[2].split(';')
quantity = int(items_count[0].split(':')[1])
quality = int(items_count[1].split(':')[1])
items[category][item] = (quantity, quality)
items_count = sum([sum([i[0] for i in list(items[x].values())]) for x in items])
avg_quality = sum([sum([i[1] for i in list(items[x].values())]) for x in items]) / len([x for x in items.keys()])
print(f'Count of items: {items_count}')
print(f'Average quality: {avg_quality:.2f}')
[print(f"{x} -> {', '.join(items[x])}") for x in items.keys()] |
cnt = int(input())
for i in range(cnt):
s=input()
a=s.lower()
g=a.count('g')
b=a.count('b')
print(s,"is",end=" ")
if g == b:
print("NEUTRAL")
elif g>b:
print("GOOD")
else:
print("A BADDY") | cnt = int(input())
for i in range(cnt):
s = input()
a = s.lower()
g = a.count('g')
b = a.count('b')
print(s, 'is', end=' ')
if g == b:
print('NEUTRAL')
elif g > b:
print('GOOD')
else:
print('A BADDY') |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""\
Fenwick tree
jill-jenn vie et christoph durr - 2014-2018
"""
# snip{
class Fenwick:
"""maintains a tree to allow quick updates and queries
"""
def __init__(self, t):
"""stores a table t and allows updates and queries
of prefix sums in logarithmic time.
:param array t: with numerical values
"""
self.s = [0] * (len(t) + 1) # create internal storage
for a in range(len(t)):
self.add(a, t[a]) # initialize
# pylint: disable=redefined-builtin
def prefixSum(self, a):
"""
:param int a: index in t, negative a will return 0
:returns: t[0] + ... + t[a]
"""
i = a + 1 # internal index starts at 1
total = 0
while i > 0: # loops over neighbors
total += self.s[i] # cumulative sum
i -= (i & -i) # left neighbor
return total
def intervalSum(self, a, b):
"""
:param int a b: with 0 <= a <= b
:returns: t[a] + ... + t[b]
"""
return self.prefixSum(b) - self.prefixSum(a-1)
def add(self, a, val):
"""
:param int a: index in t
:modifies: adds val to t[a]
"""
i = a + 1 # internal index starts at 1
while i < len(self.s): # loops over parents
self.s[i] += val # update node
i += (i & -i) # parent
# variante:
# pylint: disable=bad-whitespace
def intervalAdd(self, a, b, val):
"""Variant, adds val to t[a], to t[a + 1] ... and to t[b]
:param int a b: with 0 <= a <= b < len(t)
"""
self.add(a, +val)
self.add(b + 1, -val)
def get(self, a):
"""Variant, reads t[a]
:param int i: negative a will return 0
"""
return self.prefixSum(a)
# snip}
| """Fenwick tree
jill-jenn vie et christoph durr - 2014-2018
"""
class Fenwick:
"""maintains a tree to allow quick updates and queries
"""
def __init__(self, t):
"""stores a table t and allows updates and queries
of prefix sums in logarithmic time.
:param array t: with numerical values
"""
self.s = [0] * (len(t) + 1)
for a in range(len(t)):
self.add(a, t[a])
def prefix_sum(self, a):
"""
:param int a: index in t, negative a will return 0
:returns: t[0] + ... + t[a]
"""
i = a + 1
total = 0
while i > 0:
total += self.s[i]
i -= i & -i
return total
def interval_sum(self, a, b):
"""
:param int a b: with 0 <= a <= b
:returns: t[a] + ... + t[b]
"""
return self.prefixSum(b) - self.prefixSum(a - 1)
def add(self, a, val):
"""
:param int a: index in t
:modifies: adds val to t[a]
"""
i = a + 1
while i < len(self.s):
self.s[i] += val
i += i & -i
def interval_add(self, a, b, val):
"""Variant, adds val to t[a], to t[a + 1] ... and to t[b]
:param int a b: with 0 <= a <= b < len(t)
"""
self.add(a, +val)
self.add(b + 1, -val)
def get(self, a):
"""Variant, reads t[a]
:param int i: negative a will return 0
"""
return self.prefixSum(a) |
print("Enter a character:\n")
ch=input()
while(len(ch)!=1):
print("\nShould Enter single Character...RETRY!")
ch=input()
print(ord(ch))
| print('Enter a character:\n')
ch = input()
while len(ch) != 1:
print('\nShould Enter single Character...RETRY!')
ch = input()
print(ord(ch)) |
class Solution:
def parseTernary(self, expression: str) -> str:
c, values = expression.split('?', 1)
cnt = 0
p = 0
for i in range(len(values)):
if values[i] == ':':
if cnt > 0:
cnt -= 1
else:
p = i
break
elif values[i] == '?':
cnt += 1
tv, fv = values[:p] , values[p+1:]
if c == 'T':
if tv.find('?') == -1:
return tv
else:
return self.parseTernary(tv)
else:
if fv.find('?') == -1:
return fv
else:
return self.parseTernary(fv)
| class Solution:
def parse_ternary(self, expression: str) -> str:
(c, values) = expression.split('?', 1)
cnt = 0
p = 0
for i in range(len(values)):
if values[i] == ':':
if cnt > 0:
cnt -= 1
else:
p = i
break
elif values[i] == '?':
cnt += 1
(tv, fv) = (values[:p], values[p + 1:])
if c == 'T':
if tv.find('?') == -1:
return tv
else:
return self.parseTernary(tv)
elif fv.find('?') == -1:
return fv
else:
return self.parseTernary(fv) |
class Solution:
def findAnagrams(self, s: str, p: str) -> List[int]:
# just use a sliding window
np, ns = len(p), len(s)
res = []
if np > ns: return []
map_ = [0] * 26
for i,x in enumerate(p):
map_[ord(x) - 97] -= 1
map_[ord(s[i])-97] += 1
for i in range(ns-np+1):
# the last index to check is ns-np
if not any(map_):
res.append(i)
# kick out s[i] and add s[i+np]
if i + np < ns:
map_[ord(s[i])-97] -= 1
map_[ord(s[i+np])-97] += 1
return res | class Solution:
def find_anagrams(self, s: str, p: str) -> List[int]:
(np, ns) = (len(p), len(s))
res = []
if np > ns:
return []
map_ = [0] * 26
for (i, x) in enumerate(p):
map_[ord(x) - 97] -= 1
map_[ord(s[i]) - 97] += 1
for i in range(ns - np + 1):
if not any(map_):
res.append(i)
if i + np < ns:
map_[ord(s[i]) - 97] -= 1
map_[ord(s[i + np]) - 97] += 1
return res |
'''
An N x N board contains only 0s and 1s. In each move, you can swap any 2 rows with each other, or any 2 columns with each other.
What is the minimum number of moves to transform the board into a "chessboard" - a board where no 0s and no 1s are 4-directionally
adjacent? If the task is impossible, return -1.
Examples:
Input: board = [[0,1,1,0],[0,1,1,0],[1,0,0,1],[1,0,0,1]]
Output: 2
Explanation:
One potential sequence of moves is shown below, from left to right:
0110 1010 1010
0110 --> 1010 --> 0101
1001 0101 1010
1001 0101 0101
The first move swaps the first and second column.
The second move swaps the second and third row.
Input: board = [[0, 1], [1, 0]]
Output: 0
Explanation:
Also note that the board with 0 in the top left corner,
01
10
is also a valid chessboard.
Input: board = [[1, 0], [1, 0]]
Output: -1
Explanation:
No matter what sequence of moves you make, you cannot end with a valid chessboard.
'''
# Aryan Mittal's Solution
def movesToChessboard(board):
"""
:type board: List[List[int]]
:rtype: int
""" | """
An N x N board contains only 0s and 1s. In each move, you can swap any 2 rows with each other, or any 2 columns with each other.
What is the minimum number of moves to transform the board into a "chessboard" - a board where no 0s and no 1s are 4-directionally
adjacent? If the task is impossible, return -1.
Examples:
Input: board = [[0,1,1,0],[0,1,1,0],[1,0,0,1],[1,0,0,1]]
Output: 2
Explanation:
One potential sequence of moves is shown below, from left to right:
0110 1010 1010
0110 --> 1010 --> 0101
1001 0101 1010
1001 0101 0101
The first move swaps the first and second column.
The second move swaps the second and third row.
Input: board = [[0, 1], [1, 0]]
Output: 0
Explanation:
Also note that the board with 0 in the top left corner,
01
10
is also a valid chessboard.
Input: board = [[1, 0], [1, 0]]
Output: -1
Explanation:
No matter what sequence of moves you make, you cannot end with a valid chessboard.
"""
def moves_to_chessboard(board):
"""
:type board: List[List[int]]
:rtype: int
""" |
memMap = {}
def fibonacci (n):
if (n not in memMap):
if n <= 0:
print("Invalid input")
elif n == 1:
memMap[n] = 0
elif n == 2:
memMap[n] = 1
else:
memMap[n] = fibonacci (n-1) + fibonacci (n-2)
return memMap[n]
def fibonacciSlow (n):
if n <= 0:
print("Invalid input")
elif n == 1:
return 0
elif n == 2:
return 1
else:
return fibonacci (n-1) + fibonacci (n-2)
print(fibonacci (1000))
print("---------------")
print(fibonacciSlow (1000)) | mem_map = {}
def fibonacci(n):
if n not in memMap:
if n <= 0:
print('Invalid input')
elif n == 1:
memMap[n] = 0
elif n == 2:
memMap[n] = 1
else:
memMap[n] = fibonacci(n - 1) + fibonacci(n - 2)
return memMap[n]
def fibonacci_slow(n):
if n <= 0:
print('Invalid input')
elif n == 1:
return 0
elif n == 2:
return 1
else:
return fibonacci(n - 1) + fibonacci(n - 2)
print(fibonacci(1000))
print('---------------')
print(fibonacci_slow(1000)) |
class Hashtable:
def __init__(self):
"""
Create an array(self.my dict) w/ a bucket size - derived from load factor.
Load factor --> a measure that decides when to increase the Hashmap capacity to maintain the get() and put() operator complexity of o(1).
Default load factor of hashmap is .75f (75% of the map size)
Load Factor = (n/k)
n => max number of elements that can be stored
k => bucket size
Optimal load factor is (2/3) so that the effect of hash collision is minimum"""
self.bucket = 16
self.hashmap = [[] for i in range(self.bucket)]
def __str__(self):
return str(self.__dict__)
def hash(self, key):
return len(key) % self.bucket
def put(self, key, value):
"""value may already be present"""
hash_val = self.hash(key)
reference = self.hashmap[hash_val]
for i in range(len(reference)):
# if reference[i][0] == key:
# reference[i][1] = value
# return None
# * === cleaner way to write this ====
if not reference:
reference = []
# * ==========================
reference.append([key, value])
return None
def get(self, key): # if there's no collision, it can be O(1)
"""return value to which the specified key is mapped, or -1 if this map contains no mapping for the key"""
hash_val = self.hash(key)
reference = self.hashmap[hash_val]
for i in range(len(reference)):
if reference[i][0] == key: # grab this first array[i], then 0
return reference[i][1] # current bucket and 1 (1000)
return -1 # <-- undefined
# iterate and spit out what's in the hash map
def keys(self):
keysArr = []
for i in range(self.bucket):
if self.hashmap[i] != 0: # if its empty
for j in range(len(self.hashmap[i])):
keysArr.append(self.hashmap[i][j][0])
return keysArr
h = Hashtable()
h.put('grapes', 1000)
h.put('apples', 10)
h.put('ora', 300)
print(h.get('grapes'))
print(h)
h.keys()
print(h.keys())
# h.remove('apples')
print(h)
| class Hashtable:
def __init__(self):
"""
Create an array(self.my dict) w/ a bucket size - derived from load factor.
Load factor --> a measure that decides when to increase the Hashmap capacity to maintain the get() and put() operator complexity of o(1).
Default load factor of hashmap is .75f (75% of the map size)
Load Factor = (n/k)
n => max number of elements that can be stored
k => bucket size
Optimal load factor is (2/3) so that the effect of hash collision is minimum"""
self.bucket = 16
self.hashmap = [[] for i in range(self.bucket)]
def __str__(self):
return str(self.__dict__)
def hash(self, key):
return len(key) % self.bucket
def put(self, key, value):
"""value may already be present"""
hash_val = self.hash(key)
reference = self.hashmap[hash_val]
for i in range(len(reference)):
if not reference:
reference = []
reference.append([key, value])
return None
def get(self, key):
"""return value to which the specified key is mapped, or -1 if this map contains no mapping for the key"""
hash_val = self.hash(key)
reference = self.hashmap[hash_val]
for i in range(len(reference)):
if reference[i][0] == key:
return reference[i][1]
return -1
def keys(self):
keys_arr = []
for i in range(self.bucket):
if self.hashmap[i] != 0:
for j in range(len(self.hashmap[i])):
keysArr.append(self.hashmap[i][j][0])
return keysArr
h = hashtable()
h.put('grapes', 1000)
h.put('apples', 10)
h.put('ora', 300)
print(h.get('grapes'))
print(h)
h.keys()
print(h.keys())
print(h) |
def embarque(motorista:str, passageiro:str, saida:dict):
fortwo = {'motorista': motorista, 'passageiro': passageiro}
saida['pessoas'].remove(motorista)
print(f"{fortwo['motorista']} embarcou como motorista")
if passageiro != '':
saida['pessoas'].remove(passageiro)
print(f"{fortwo['passageiro']} embarcou como passageiro")
return fortwo | def embarque(motorista: str, passageiro: str, saida: dict):
fortwo = {'motorista': motorista, 'passageiro': passageiro}
saida['pessoas'].remove(motorista)
print(f"{fortwo['motorista']} embarcou como motorista")
if passageiro != '':
saida['pessoas'].remove(passageiro)
print(f"{fortwo['passageiro']} embarcou como passageiro")
return fortwo |
class UnfoldingResult:
def __init__(self, solution, error):
self.solution = solution
self.error = error
| class Unfoldingresult:
def __init__(self, solution, error):
self.solution = solution
self.error = error |
# input number of testcases
test=int(input())
for i in range(test):
# input the number of predicted prices for WOT
n=int(input())
# input array of predicted stock price
a=list(map(int,input().split()))
c=0
i=len(a)-1
while(i>=0):
d=a[i]
l=i
p=0
while(a[i]<=d and i>=0):
p+=a[i]
i-=1
c+=(l-i)*a[l]-p
continue
# print 'test' lines each containing the maximum profit which can be obtained for the corresponding test case
print (c) | test = int(input())
for i in range(test):
n = int(input())
a = list(map(int, input().split()))
c = 0
i = len(a) - 1
while i >= 0:
d = a[i]
l = i
p = 0
while a[i] <= d and i >= 0:
p += a[i]
i -= 1
c += (l - i) * a[l] - p
continue
print(c) |
class node:
def __init__(self,value):
self.data=value
self.next=None
self.prev=None
class DoubleLinkedList:
def __init__(self):
self.head=None
def insertAtBeg(self,value):
newnode = node(value)
if self.head==None:
self.head=newnode
else:
self.head.prev = newnode
newnode.next=self.head
self.head=newnode
def insertAtEnd(self,value):
newnode=node(value)
if self.head == None:
self.head=newnode
else:
temp=self.head
while temp.next is not None:
temp=temp.next
temp.next=newnode
newnode.prev=temp
def insertAtBet(self,value,pos):
pass
def deleteAtBeg(self):
temp = self.head
self.head=self.head.next
def deleteAtEnd(self):
temp=self.head
while temp.next.next is not None:
temp=temp.next
temp.next = None
def deleteAtBet(self,pos):
pass
def show(self):
temp = self.head
while(temp is not None):
print(temp.data)
temp=temp.next
def revshow(self):
temp = self.head
while(temp.next is not None):
temp=temp.next
while(temp is not None):
print(temp.data)
temp=temp.prev
def menu():
print('------------------------------------------------------------------------------')
print()
print('1. Insertion at beginning')
print('2. Insertion at end')
print('3. Insertion at between')
print('4. Deletion at beginning')
print('5. Deletion at end')
print('6. Deletion at between')
print('7. Show')
print('8. Reverse show')
print('9. Exit()')
print()
print('------------------------------------------------------------------------------')
if __name__ == '__main__':
ll = DoubleLinkedList()
while(True):
menu()
ch = int(input('Enter your choice : '))
if ch==1:
value= int(input('ENter your data : '))
ll.insertAtBeg(value)
elif ch==2:
value= int(input('ENter your data : '))
ll.insertAtEnd(value)
elif ch==3:
value= int(input('ENter your data : '))
pos= int(input('ENter your position : '))
ll.insertAtBet(value,pos)
elif ch==4:
ll.deleteAtBeg()
elif ch==5:
ll.deleteAtEnd()
elif ch==6:
pos=int('Enter the position : ')
ll.deleteAtBet(pos)
elif ch==7:
print('***************************************************************************')
ll.show()
print('***************************************************************************')
elif ch==8:
print('***************************************************************************')
ll.revshow()
print('***************************************************************************')
elif ch==9:
exit()
else:
print("Enter some valid option")
| class Node:
def __init__(self, value):
self.data = value
self.next = None
self.prev = None
class Doublelinkedlist:
def __init__(self):
self.head = None
def insert_at_beg(self, value):
newnode = node(value)
if self.head == None:
self.head = newnode
else:
self.head.prev = newnode
newnode.next = self.head
self.head = newnode
def insert_at_end(self, value):
newnode = node(value)
if self.head == None:
self.head = newnode
else:
temp = self.head
while temp.next is not None:
temp = temp.next
temp.next = newnode
newnode.prev = temp
def insert_at_bet(self, value, pos):
pass
def delete_at_beg(self):
temp = self.head
self.head = self.head.next
def delete_at_end(self):
temp = self.head
while temp.next.next is not None:
temp = temp.next
temp.next = None
def delete_at_bet(self, pos):
pass
def show(self):
temp = self.head
while temp is not None:
print(temp.data)
temp = temp.next
def revshow(self):
temp = self.head
while temp.next is not None:
temp = temp.next
while temp is not None:
print(temp.data)
temp = temp.prev
def menu():
print('------------------------------------------------------------------------------')
print()
print('1. Insertion at beginning')
print('2. Insertion at end')
print('3. Insertion at between')
print('4. Deletion at beginning')
print('5. Deletion at end')
print('6. Deletion at between')
print('7. Show')
print('8. Reverse show')
print('9. Exit()')
print()
print('------------------------------------------------------------------------------')
if __name__ == '__main__':
ll = double_linked_list()
while True:
menu()
ch = int(input('Enter your choice : '))
if ch == 1:
value = int(input('ENter your data : '))
ll.insertAtBeg(value)
elif ch == 2:
value = int(input('ENter your data : '))
ll.insertAtEnd(value)
elif ch == 3:
value = int(input('ENter your data : '))
pos = int(input('ENter your position : '))
ll.insertAtBet(value, pos)
elif ch == 4:
ll.deleteAtBeg()
elif ch == 5:
ll.deleteAtEnd()
elif ch == 6:
pos = int('Enter the position : ')
ll.deleteAtBet(pos)
elif ch == 7:
print('***************************************************************************')
ll.show()
print('***************************************************************************')
elif ch == 8:
print('***************************************************************************')
ll.revshow()
print('***************************************************************************')
elif ch == 9:
exit()
else:
print('Enter some valid option') |
#!usr/bin/python
class Enviroment:
sets = []
banned = [] | class Enviroment:
sets = []
banned = [] |
'''
udata-schema-gouvfr
Integration with schema.data.gouv.fr
'''
__version__ = '1.3.3.dev'
__description__ = 'Integration with schema.data.gouv.fr'
| """
udata-schema-gouvfr
Integration with schema.data.gouv.fr
"""
__version__ = '1.3.3.dev'
__description__ = 'Integration with schema.data.gouv.fr' |
#
# PySNMP MIB module WIENER-CRATE-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///home/tin/Dev/mibs.snmplabs.com/asn1/WIENER-CRATE-MIB
# Produced by pysmi-0.3.4 at Fri Jan 31 21:36:11 2020
# On host bier platform Linux version 5.4.0-3-amd64 by user tin
# Using Python version 3.7.6 (default, Jan 19 2020, 22:34:52)
#
Integer, ObjectIdentifier, OctetString = mibBuilder.importSymbols("ASN1", "Integer", "ObjectIdentifier", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint, ValueRangeConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint", "ValueRangeConstraint", "ValueSizeConstraint")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
MibScalar, MibTable, MibTableRow, MibTableColumn, enterprises, NotificationType, Unsigned32, ModuleIdentity, IpAddress, MibIdentifier, Opaque, TimeTicks, Counter32, ObjectIdentity, Bits, Counter64, Gauge32, iso, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "enterprises", "NotificationType", "Unsigned32", "ModuleIdentity", "IpAddress", "MibIdentifier", "Opaque", "TimeTicks", "Counter32", "ObjectIdentity", "Bits", "Counter64", "Gauge32", "iso", "Integer32")
MacAddress, DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "MacAddress", "DisplayString", "TextualConvention")
wiener = ModuleIdentity((1, 3, 6, 1, 4, 1, 19947))
wiener.setRevisions(('2019-04-03 00:00', '2016-02-18 00:00', '2008-10-09 00:00', '2008-05-06 00:00', '2008-04-15 00:00', '2008-04-10 00:00', '2008-04-02 00:00', '2007-09-10 00:00', '2007-03-16 00:00', '2005-02-01 00:00', '2004-06-28 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: wiener.setRevisionsDescriptions(('Update the revision since 2016. ', 'This revision introduces new OIDs for slew control: outputResistance. ', 'New Stuff.', 'Introduction of the signal branch. ', 'Enlargement of u0..u11 -> u0..u1999 ', 'This revision uses again Integer32 instead of Counter32. ', 'This revision modifies the syntax of this file to be complient with smilint. ', 'This revision introduces new OIDs for debug functionality: sysDebugMemory8, sysDebugMemory16 and sysDebugMemory32. ', 'This revision introduces new OIDs for slew control: outputVoltageRiseRate and outputVoltageFallRate. ', 'This revision introduces new OIDs for group managment: groupTable ', 'WIENER Crate MIB, actual Firmware: UEL6E 4.02. Initial Version. ',))
if mibBuilder.loadTexts: wiener.setLastUpdated('201904030000Z')
if mibBuilder.loadTexts: wiener.setOrganization('W-IE-NE-R Power Electronics GmbH')
if mibBuilder.loadTexts: wiener.setContactInfo(' postal: W-IE-NE-R Power Electronics GmbH Linde 18 D-51399 Burscheid Germany email: info@wiener-d.com ')
if mibBuilder.loadTexts: wiener.setDescription('Introduction of the communication.can branch. ')
class Float(TextualConvention, Opaque):
description = "A single precision floating-point number. The semantics and encoding are identical for type 'single' defined in IEEE Standard for Binary Floating-Point, ANSI/IEEE Std 754-1985. The value is restricted to the BER serialization of the following ASN.1 type: FLOATTYPE ::= [120] IMPLICIT FloatType (note: the value 120 is the sum of '30'h and '48'h) The BER serialization of the length for values of this type must use the definite length, short encoding form. For example, the BER serialization of value 123 of type FLOATTYPE is '9f780442f60000'h. (The tag is '9f78'h; the length is '04'h; and the value is '42f60000'h.) The BER serialization of value '9f780442f60000'h of data type Opaque is '44079f780442f60000'h. (The tag is '44'h; the length is '07'h; and the value is '9f780442f60000'h."
status = 'current'
subtypeSpec = Opaque.subtypeSpec + ValueSizeConstraint(7, 7)
fixedLength = 7
class OutputTripTime(TextualConvention, Integer32):
description = 'Special data type used for output trip time OIDs. Represents a 16 bit unsigned integer value. BER-coded as INTEGER'
status = 'current'
displayHint = 'd'
subtypeSpec = Integer32.subtypeSpec + ValueRangeConstraint(0, 65535)
class OutputTripAction(TextualConvention, Integer32):
description = 'Special data type used for outpot trip action OIDs.'
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))
namedValues = NamedValues(("ignore", 0), ("channelOff", 1), ("specialOff", 2), ("allOff", 3))
crate = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1))
if mibBuilder.loadTexts: crate.setStatus('current')
if mibBuilder.loadTexts: crate.setDescription("SNMP control for electronic crates. A crate is a complete electronic system and consists of the mechanical rack, a power supply, a fan tray and a backplane. All this things are necessary to provide an adequate housing for electronic modules (e.g. VME CPU's)")
system = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 1))
if mibBuilder.loadTexts: system.setStatus('current')
if mibBuilder.loadTexts: system.setDescription('A collection of objects which affect the complete crate')
input = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 2))
if mibBuilder.loadTexts: input.setStatus('current')
if mibBuilder.loadTexts: input.setDescription('All objects which are associated with the power input of the crate')
output = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 3))
if mibBuilder.loadTexts: output.setStatus('current')
if mibBuilder.loadTexts: output.setDescription('All objects which are associated with the power output of the crate')
sensor = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 4))
if mibBuilder.loadTexts: sensor.setStatus('current')
if mibBuilder.loadTexts: sensor.setDescription('All objects which are associated with temperature sensors in the crate')
communication = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 5))
if mibBuilder.loadTexts: communication.setStatus('current')
if mibBuilder.loadTexts: communication.setDescription('All objects which affect the remote control of the crate')
powersupply = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 6))
if mibBuilder.loadTexts: powersupply.setStatus('current')
if mibBuilder.loadTexts: powersupply.setDescription('All objects which are specific for the power supply of the crate')
fantray = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 7))
if mibBuilder.loadTexts: fantray.setStatus('current')
if mibBuilder.loadTexts: fantray.setDescription('All objects which are specific for the fan tray of the crate')
rack = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 8))
if mibBuilder.loadTexts: rack.setStatus('current')
if mibBuilder.loadTexts: rack.setDescription('All objects which are specific for the crate (BIN) of the crate')
signal = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 9))
if mibBuilder.loadTexts: signal.setStatus('current')
if mibBuilder.loadTexts: signal.setDescription('All objects which are associated with analog/digtal input/output in the crate')
sysMainSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysMainSwitch.setStatus('current')
if mibBuilder.loadTexts: sysMainSwitch.setDescription('Read: An enumerated value which shows the current state of the crates main switch. Write: Try to switch the complete crate ON or OFF. Only the values ON or OFF are allowed.')
sysStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 2), Bits().clone(namedValues=NamedValues(("mainOn", 0), ("mainInhibit", 1), ("localControlOnly", 2), ("inputFailure", 3), ("outputFailure", 4), ("fantrayFailure", 5), ("sensorFailure", 6), ("vmeSysfail", 7), ("plugAndPlayIncompatible", 8), ("busReset", 9), ("supplyDerating", 10), ("supplyFailure", 11), ("supplyDerating2", 12), ("supplyFailure2", 13)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysStatus.setStatus('current')
if mibBuilder.loadTexts: sysStatus.setDescription('A bit string which shows the status (health) of the complete crate. If a bit is set (1), the explanation is satisfied mainOn (0), system is switched on, individual outputs may be controlled by their specific ON/INHIBIT mainInhibit(1), external (hardware-)inhibit of the complete system localControlOnly (2), local control only (CANBUS write access denied) inputFailure (3), any input failure (e.g. power fail) outputFailure (4), any output failure, details in outputTable fantrayFailure (5), fantray failure sensorFailure (6), temperature of the external sensors too high vmeSysfail(7), VME SYSFAIL signal is active plugAndPlayIncompatible (8) wrong power supply and rack connected busReset (9) The sytem bus (e.g. VME or CPCI) reset signal is active. supplyDerating (10) The (first) system power supply has the DEG signal active. supplyFailure (11) The (first) system power supply has the FAL signal active. supplyDerating2 (12) The second system power supply has the DEG signal active. supplyFailure2 (13) The second system power supply has the FAL signal active. ')
sysVmeSysReset = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("trigger", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysVmeSysReset.setStatus('current')
if mibBuilder.loadTexts: sysVmeSysReset.setDescription('Read: Always 0. Write: Trigger the generation of the VME SYSRESET or CPIC RESET signal. This signal will be active for a time of 200 ms')
sysHardwareReset = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysHardwareReset.setStatus('current')
if mibBuilder.loadTexts: sysHardwareReset.setDescription('Triggered a Reset via Watchdog or ResetLine.')
sysFactoryDefaults = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("off", 0), ("on", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysFactoryDefaults.setStatus('current')
if mibBuilder.loadTexts: sysFactoryDefaults.setDescription('A set operation performs a complete factory reset of ALL data stored in the controller (e.g. community names, passwords, ...). ')
sysConfigDoMeasurementCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 10), Bits().clone(namedValues=NamedValues(("ch0", 0), ("ch1", 1), ("ch2", 2), ("ch3", 3), ("ch4", 4), ("ch5", 5), ("ch6", 6), ("ch7", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysConfigDoMeasurementCurrent.setStatus('current')
if mibBuilder.loadTexts: sysConfigDoMeasurementCurrent.setDescription('CSet the analog inputs to measure voltage or current.')
sysOperatingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 11), Integer32()).setUnits('s').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysOperatingTime.setStatus('current')
if mibBuilder.loadTexts: sysOperatingTime.setDescription('The time in seconds for how long the controller was in action.')
sysDebugMemory8 = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1024), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDebugMemory8.setStatus('current')
if mibBuilder.loadTexts: sysDebugMemory8.setDescription('Debug 16-bit memory access.')
sysDebugMemory16 = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1025), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDebugMemory16.setStatus('current')
if mibBuilder.loadTexts: sysDebugMemory16.setDescription('Debug 16-bit memory access.')
sysDebugMemory32 = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1026), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-2147483648, 2147483647))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDebugMemory32.setStatus('current')
if mibBuilder.loadTexts: sysDebugMemory32.setDescription('Debug 32-bit memory access.')
sysDebug = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1027), OctetString().subtype(subtypeSpec=ValueSizeConstraint(520, 520)).setFixedLength(520)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDebug.setStatus('current')
if mibBuilder.loadTexts: sysDebug.setDescription('Debug communication with the MPOD. This is a direct map to the ancient functions which are accessible via USB (without SLIP/SNMP). ')
sysDebugDisplay = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1028), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDebugDisplay.setStatus('current')
if mibBuilder.loadTexts: sysDebugDisplay.setDescription('Debug communication with the MPOD display.')
sysDebugBoot = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1029), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDebugBoot.setStatus('current')
if mibBuilder.loadTexts: sysDebugBoot.setDescription('Debug communication with the simple debug interface / bootloader.')
outputNumber = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1999))).setMaxAccess("readonly")
if mibBuilder.loadTexts: outputNumber.setStatus('current')
if mibBuilder.loadTexts: outputNumber.setDescription('The number of output channels of the crate.')
outputTable = MibTable((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2), )
if mibBuilder.loadTexts: outputTable.setStatus('current')
if mibBuilder.loadTexts: outputTable.setDescription('A list of output entries.')
groupsNumber = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1999))).setMaxAccess("readonly")
if mibBuilder.loadTexts: groupsNumber.setStatus('current')
if mibBuilder.loadTexts: groupsNumber.setDescription('The number of output groups of the crate.')
groupsTable = MibTable((1, 3, 6, 1, 4, 1, 19947, 1, 3, 4), )
if mibBuilder.loadTexts: groupsTable.setStatus('current')
if mibBuilder.loadTexts: groupsTable.setDescription('A list of output groups entries.')
moduleNumber = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 10))).setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleNumber.setStatus('current')
if mibBuilder.loadTexts: moduleNumber.setDescription('The number of HV/LV modules of the crate.')
moduleTable = MibTable((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6), )
if mibBuilder.loadTexts: moduleTable.setStatus('current')
if mibBuilder.loadTexts: moduleTable.setDescription('A list of output module entries.')
outputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1), ).setIndexNames((0, "WIENER-CRATE-MIB", "outputIndex"))
if mibBuilder.loadTexts: outputEntry.setStatus('current')
if mibBuilder.loadTexts: outputEntry.setDescription('A table row')
outputIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 84, 85, 86, 87, 88, 89, 90, 91, 92, 93, 94, 95, 96, 97, 98, 99, 100, 101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139, 140, 141, 142, 143, 144, 145, 146, 147, 148, 149, 150, 151, 152, 153, 154, 155, 156, 157, 158, 159, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, 172, 173, 174, 175, 176, 177, 178, 179, 180, 181, 182, 183, 184, 185, 186, 187, 188, 189, 190, 191, 192, 193, 194, 195, 196, 197, 198, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 210, 211, 212, 213, 214, 215, 216, 217, 218, 219, 220, 221, 222, 223, 224, 225, 226, 227, 228, 229, 230, 231, 232, 233, 234, 235, 236, 237, 238, 239, 240, 241, 242, 243, 244, 245, 246, 247, 248, 249, 250, 251, 252, 253, 254, 255), SingleValueConstraint(256, 257, 258, 259, 260, 261, 262, 263, 264, 265, 266, 267, 268, 269, 270, 271, 272, 273, 274, 275, 276, 277, 278, 279, 280, 281, 282, 283, 284, 285, 286, 287, 288, 289, 290, 291, 292, 293, 294, 295, 296, 297, 298, 299, 300, 301, 302, 303, 304, 305, 306, 307, 308, 309, 310, 311, 312, 313, 314, 315, 316, 317, 318, 319, 320, 321, 322, 323, 324, 325, 326, 327, 328, 329, 330, 331, 332, 333, 334, 335, 336, 337, 338, 339, 340, 341, 342, 343, 344, 345, 346, 347, 348, 349, 350, 351, 352, 353, 354, 355, 356, 357, 358, 359, 360, 361, 362, 363, 364, 365, 366, 367, 368, 369, 370, 371, 372, 373, 374, 375, 376, 377, 378, 379, 380, 381, 382, 383, 384, 385, 386, 387, 388, 389, 390, 391, 392, 393, 394, 395, 396, 397, 398, 399, 400, 401, 402, 403, 404, 405, 406, 407, 408, 409, 410, 411, 412, 413, 414, 415, 416, 417, 418, 419, 420, 421, 422, 423, 424, 425, 426, 427, 428, 429, 430, 431, 432, 433, 434, 435, 436, 437, 438, 439, 440, 441, 442, 443, 444, 445, 446, 447, 448, 449, 450, 451, 452, 453, 454, 455, 456, 457, 458, 459, 460, 461, 462, 463, 464, 465, 466, 467, 468, 469, 470, 471, 472, 473, 474, 475, 476, 477, 478, 479, 480, 481, 482, 483, 484, 485, 486, 487, 488, 489, 490, 491, 492, 493, 494, 495, 496, 497, 498, 499, 500, 501, 502, 503, 504, 505, 506, 507, 508, 509, 510), SingleValueConstraint(511, 512, 513, 514, 515, 516, 517, 518, 519, 520, 521, 522, 523, 524, 525, 526, 527, 528, 529, 530, 531, 532, 533, 534, 535, 536, 537, 538, 539, 540, 541, 542, 543, 544, 545, 546, 547, 548, 549, 550, 551, 552, 553, 554, 555, 556, 557, 558, 559, 560, 561, 562, 563, 564, 565, 566, 567, 568, 569, 570, 571, 572, 573, 574, 575, 576, 577, 578, 579, 580, 581, 582, 583, 584, 585, 586, 587, 588, 589, 590, 591, 592, 593, 594, 595, 596, 597, 598, 599, 600, 601, 602, 603, 604, 605, 606, 607, 608, 609, 610, 611, 612, 613, 614, 615, 616, 617, 618, 619, 620, 621, 622, 623, 624, 625, 626, 627, 628, 629, 630, 631, 632, 633, 634, 635, 636, 637, 638, 639, 640, 641, 642, 643, 644, 645, 646, 647, 648, 649, 650, 651, 652, 653, 654, 655, 656, 657, 658, 659, 660, 661, 662, 663, 664, 665, 666, 667, 668, 669, 670, 671, 672, 673, 674, 675, 676, 677, 678, 679, 680, 681, 682, 683, 684, 685, 686, 687, 688, 689, 690, 691, 692, 693, 694, 695, 696, 697, 698, 699, 700, 701, 702, 703, 704, 705, 706, 707, 708, 709, 710, 711, 712, 713, 714, 715, 716, 717, 718, 719, 720, 721, 722, 723, 724, 725, 726, 727, 728, 729, 730, 731, 732, 733, 734, 735, 736, 737, 738, 739, 740, 741, 742, 743, 744, 745, 746, 747, 748, 749, 750, 751, 752, 753, 754, 755, 756, 757, 758, 759, 760, 761, 762, 763, 764, 765), SingleValueConstraint(766, 767, 768, 769, 770, 771, 772, 773, 774, 775, 776, 777, 778, 779, 780, 781, 782, 783, 784, 785, 786, 787, 788, 789, 790, 791, 792, 793, 794, 795, 796, 797, 798, 799, 800, 801, 802, 803, 804, 805, 806, 807, 808, 809, 810, 811, 812, 813, 814, 815, 816, 817, 818, 819, 820, 821, 822, 823, 824, 825, 826, 827, 828, 829, 830, 831, 832, 833, 834, 835, 836, 837, 838, 839, 840, 841, 842, 843, 844, 845, 846, 847, 848, 849, 850, 851, 852, 853, 854, 855, 856, 857, 858, 859, 860, 861, 862, 863, 864, 865, 866, 867, 868, 869, 870, 871, 872, 873, 874, 875, 876, 877, 878, 879, 880, 881, 882, 883, 884, 885, 886, 887, 888, 889, 890, 891, 892, 893, 894, 895, 896, 897, 898, 899, 900, 901, 902, 903, 904, 905, 906, 907, 908, 909, 910, 911, 912, 913, 914, 915, 916, 917, 918, 919, 920, 921, 922, 923, 924, 925, 926, 927, 928, 929, 930, 931, 932, 933, 934, 935, 936, 937, 938, 939, 940, 941, 942, 943, 944, 945, 946, 947, 948, 949, 950, 951, 952, 953, 954, 955, 956, 957, 958, 959, 960, 961, 962, 963, 964, 965, 966, 967, 968, 969, 970, 971, 972, 973, 974, 975, 976, 977, 978, 979, 980, 981, 982, 983, 984, 985, 986, 987, 988, 989, 990, 991, 992, 993, 994, 995, 996, 997, 998, 999, 1000, 1001, 1002, 1003, 1004, 1005, 1006, 1007, 1008, 1009, 1010, 1011, 1012, 1013, 1014, 1015, 1016, 1017, 1018, 1019, 1020), SingleValueConstraint(1021, 1022, 1023, 1024, 1025, 1026, 1027, 1028, 1029, 1030, 1031, 1032, 1033, 1034, 1035, 1036, 1037, 1038, 1039, 1040, 1041, 1042, 1043, 1044, 1045, 1046, 1047, 1048, 1049, 1050, 1051, 1052, 1053, 1054, 1055, 1056, 1057, 1058, 1059, 1060, 1061, 1062, 1063, 1064, 1065, 1066, 1067, 1068, 1069, 1070, 1071, 1072, 1073, 1074, 1075, 1076, 1077, 1078, 1079, 1080, 1081, 1082, 1083, 1084, 1085, 1086, 1087, 1088, 1089, 1090, 1091, 1092, 1093, 1094, 1095, 1096, 1097, 1098, 1099, 1100, 1101, 1102, 1103, 1104, 1105, 1106, 1107, 1108, 1109, 1110, 1111, 1112, 1113, 1114, 1115, 1116, 1117, 1118, 1119, 1120, 1121, 1122, 1123, 1124, 1125, 1126, 1127, 1128, 1129, 1130, 1131, 1132, 1133, 1134, 1135, 1136, 1137, 1138, 1139, 1140, 1141, 1142, 1143, 1144, 1145, 1146, 1147, 1148, 1149, 1150, 1151, 1152, 1153, 1154, 1155, 1156, 1157, 1158, 1159, 1160, 1161, 1162, 1163, 1164, 1165, 1166, 1167, 1168, 1169, 1170, 1171, 1172, 1173, 1174, 1175, 1176, 1177, 1178, 1179, 1180, 1181, 1182, 1183, 1184, 1185, 1186, 1187, 1188, 1189, 1190, 1191, 1192, 1193, 1194, 1195, 1196, 1197, 1198, 1199, 1200, 1201, 1202, 1203, 1204, 1205, 1206, 1207, 1208, 1209, 1210, 1211, 1212, 1213, 1214, 1215, 1216, 1217, 1218, 1219, 1220, 1221, 1222, 1223, 1224, 1225, 1226, 1227, 1228, 1229, 1230, 1231, 1232, 1233, 1234, 1235, 1236, 1237, 1238, 1239, 1240, 1241, 1242, 1243, 1244, 1245, 1246, 1247, 1248, 1249, 1250, 1251, 1252, 1253, 1254, 1255, 1256, 1257, 1258, 1259, 1260, 1261, 1262, 1263, 1264, 1265, 1266, 1267, 1268, 1269, 1270, 1271, 1272, 1273, 1274, 1275), SingleValueConstraint(1276, 1277, 1278, 1279, 1280, 1281, 1282, 1283, 1284, 1285, 1286, 1287, 1288, 1289, 1290, 1291, 1292, 1293, 1294, 1295, 1296, 1297, 1298, 1299, 1300, 1301, 1302, 1303, 1304, 1305, 1306, 1307, 1308, 1309, 1310, 1311, 1312, 1313, 1314, 1315, 1316, 1317, 1318, 1319, 1320, 1321, 1322, 1323, 1324, 1325, 1326, 1327, 1328, 1329, 1330, 1331, 1332, 1333, 1334, 1335, 1336, 1337, 1338, 1339, 1340, 1341, 1342, 1343, 1344, 1345, 1346, 1347, 1348, 1349, 1350, 1351, 1352, 1353, 1354, 1355, 1356, 1357, 1358, 1359, 1360, 1361, 1362, 1363, 1364, 1365, 1366, 1367, 1368, 1369, 1370, 1371, 1372, 1373, 1374, 1375, 1376, 1377, 1378, 1379, 1380, 1381, 1382, 1383, 1384, 1385, 1386, 1387, 1388, 1389, 1390, 1391, 1392, 1393, 1394, 1395, 1396, 1397, 1398, 1399, 1400, 1401, 1402, 1403, 1404, 1405, 1406, 1407, 1408, 1409, 1410, 1411, 1412, 1413, 1414, 1415, 1416, 1417, 1418, 1419, 1420, 1421, 1422, 1423, 1424, 1425, 1426, 1427, 1428, 1429, 1430, 1431, 1432, 1433, 1434, 1435, 1436, 1437, 1438, 1439, 1440, 1441, 1442, 1443, 1444, 1445, 1446, 1447, 1448, 1449, 1450, 1451, 1452, 1453, 1454, 1455, 1456, 1457, 1458, 1459, 1460, 1461, 1462, 1463, 1464, 1465, 1466, 1467, 1468, 1469, 1470, 1471, 1472, 1473, 1474, 1475, 1476, 1477, 1478, 1479, 1480, 1481, 1482, 1483, 1484, 1485, 1486, 1487, 1488, 1489, 1490, 1491, 1492, 1493, 1494, 1495, 1496, 1497, 1498, 1499, 1500, 1501, 1502, 1503, 1504, 1505, 1506, 1507, 1508, 1509, 1510, 1511, 1512, 1513, 1514, 1515, 1516, 1517, 1518, 1519, 1520, 1521, 1522, 1523, 1524, 1525, 1526, 1527, 1528, 1529, 1530), SingleValueConstraint(1531, 1532, 1533, 1534, 1535, 1536, 1537, 1538, 1539, 1540, 1541, 1542, 1543, 1544, 1545, 1546, 1547, 1548, 1549, 1550, 1551, 1552, 1553, 1554, 1555, 1556, 1557, 1558, 1559, 1560, 1561, 1562, 1563, 1564, 1565, 1566, 1567, 1568, 1569, 1570, 1571, 1572, 1573, 1574, 1575, 1576, 1577, 1578, 1579, 1580, 1581, 1582, 1583, 1584, 1585, 1586, 1587, 1588, 1589, 1590, 1591, 1592, 1593, 1594, 1595, 1596, 1597, 1598, 1599, 1600, 1601, 1602, 1603, 1604, 1605, 1606, 1607, 1608, 1609, 1610, 1611, 1612, 1613, 1614, 1615, 1616, 1617, 1618, 1619, 1620, 1621, 1622, 1623, 1624, 1625, 1626, 1627, 1628, 1629, 1630, 1631, 1632, 1633, 1634, 1635, 1636, 1637, 1638, 1639, 1640, 1641, 1642, 1643, 1644, 1645, 1646, 1647, 1648, 1649, 1650, 1651, 1652, 1653, 1654, 1655, 1656, 1657, 1658, 1659, 1660, 1661, 1662, 1663, 1664, 1665, 1666, 1667, 1668, 1669, 1670, 1671, 1672, 1673, 1674, 1675, 1676, 1677, 1678, 1679, 1680, 1681, 1682, 1683, 1684, 1685, 1686, 1687, 1688, 1689, 1690, 1691, 1692, 1693, 1694, 1695, 1696, 1697, 1698, 1699, 1700, 1701, 1702, 1703, 1704, 1705, 1706, 1707, 1708, 1709, 1710, 1711, 1712, 1713, 1714, 1715, 1716, 1717, 1718, 1719, 1720, 1721, 1722, 1723, 1724, 1725, 1726, 1727, 1728, 1729, 1730, 1731, 1732, 1733, 1734, 1735, 1736, 1737, 1738, 1739, 1740, 1741, 1742, 1743, 1744, 1745, 1746, 1747, 1748, 1749, 1750, 1751, 1752, 1753, 1754, 1755, 1756, 1757, 1758, 1759, 1760, 1761, 1762, 1763, 1764, 1765, 1766, 1767, 1768, 1769, 1770, 1771, 1772, 1773, 1774, 1775, 1776, 1777, 1778, 1779, 1780, 1781, 1782, 1783, 1784, 1785), SingleValueConstraint(1786, 1787, 1788, 1789, 1790, 1791, 1792, 1793, 1794, 1795, 1796, 1797, 1798, 1799, 1800, 1801, 1802, 1803, 1804, 1805, 1806, 1807, 1808, 1809, 1810, 1811, 1812, 1813, 1814, 1815, 1816, 1817, 1818, 1819, 1820, 1821, 1822, 1823, 1824, 1825, 1826, 1827, 1828, 1829, 1830, 1831, 1832, 1833, 1834, 1835, 1836, 1837, 1838, 1839, 1840, 1841, 1842, 1843, 1844, 1845, 1846, 1847, 1848, 1849, 1850, 1851, 1852, 1853, 1854, 1855, 1856, 1857, 1858, 1859, 1860, 1861, 1862, 1863, 1864, 1865, 1866, 1867, 1868, 1869, 1870, 1871, 1872, 1873, 1874, 1875, 1876, 1877, 1878, 1879, 1880, 1881, 1882, 1883, 1884, 1885, 1886, 1887, 1888, 1889, 1890, 1891, 1892, 1893, 1894, 1895, 1896, 1897, 1898, 1899, 1900, 1901, 1902, 1903, 1904, 1905, 1906, 1907, 1908, 1909, 1910, 1911, 1912, 1913, 1914, 1915, 1916, 1917, 1918, 1919, 1920, 1921, 1922, 1923, 1924, 1925, 1926, 1927, 1928, 1929, 1930, 1931, 1932, 1933, 1934, 1935, 1936, 1937, 1938, 1939, 1940, 1941, 1942, 1943, 1944, 1945, 1946, 1947, 1948, 1949, 1950, 1951, 1952, 1953, 1954, 1955, 1956, 1957, 1958, 1959, 1960, 1961, 1962, 1963, 1964, 1965, 1966, 1967, 1968, 1969, 1970, 1971, 1972, 1973, 1974, 1975, 1976, 1977, 1978, 1979, 1980, 1981, 1982, 1983, 1984, 1985, 1986, 1987, 1988, 1989, 1990, 1991, 1992, 1993, 1994, 1995, 1996, 1997, 1998, 1999, 2000))).clone(namedValues=NamedValues(("u0", 1), ("u1", 2), ("u2", 3), ("u3", 4), ("u4", 5), ("u5", 6), ("u6", 7), ("u7", 8), ("u8", 9), ("u9", 10), ("u10", 11), ("u11", 12), ("u12", 13), ("u13", 14), ("u14", 15), ("u15", 16), ("u16", 17), ("u17", 18), ("u18", 19), ("u19", 20), ("u20", 21), ("u21", 22), ("u22", 23), ("u23", 24), ("u24", 25), ("u25", 26), ("u26", 27), ("u27", 28), ("u28", 29), ("u29", 30), ("u30", 31), ("u31", 32), ("u32", 33), ("u33", 34), ("u34", 35), ("u35", 36), ("u36", 37), ("u37", 38), ("u38", 39), ("u39", 40), ("u40", 41), ("u41", 42), ("u42", 43), ("u43", 44), ("u44", 45), ("u45", 46), ("u46", 47), ("u47", 48), ("u48", 49), ("u49", 50), ("u50", 51), ("u51", 52), ("u52", 53), ("u53", 54), ("u54", 55), ("u55", 56), ("u56", 57), ("u57", 58), ("u58", 59), ("u59", 60), ("u60", 61), ("u61", 62), ("u62", 63), ("u63", 64), ("u64", 65), ("u65", 66), ("u66", 67), ("u67", 68), ("u68", 69), ("u69", 70), ("u70", 71), ("u71", 72), ("u72", 73), ("u73", 74), ("u74", 75), ("u75", 76), ("u76", 77), ("u77", 78), ("u78", 79), ("u79", 80), ("u80", 81), ("u81", 82), ("u82", 83), ("u83", 84), ("u84", 85), ("u85", 86), ("u86", 87), ("u87", 88), ("u88", 89), ("u89", 90), ("u90", 91), ("u91", 92), ("u92", 93), ("u93", 94), ("u94", 95), ("u95", 96), ("u96", 97), ("u97", 98), ("u98", 99), ("u99", 100), ("u100", 101), ("u101", 102), ("u102", 103), ("u103", 104), ("u104", 105), ("u105", 106), ("u106", 107), ("u107", 108), ("u108", 109), ("u109", 110), ("u110", 111), ("u111", 112), ("u112", 113), ("u113", 114), ("u114", 115), ("u115", 116), ("u116", 117), ("u117", 118), ("u118", 119), ("u119", 120), ("u120", 121), ("u121", 122), ("u122", 123), ("u123", 124), ("u124", 125), ("u125", 126), ("u126", 127), ("u127", 128), ("u128", 129), ("u129", 130), ("u130", 131), ("u131", 132), ("u132", 133), ("u133", 134), ("u134", 135), ("u135", 136), ("u136", 137), ("u137", 138), ("u138", 139), ("u139", 140), ("u140", 141), ("u141", 142), ("u142", 143), ("u143", 144), ("u144", 145), ("u145", 146), ("u146", 147), ("u147", 148), ("u148", 149), ("u149", 150), ("u150", 151), ("u151", 152), ("u152", 153), ("u153", 154), ("u154", 155), ("u155", 156), ("u156", 157), ("u157", 158), ("u158", 159), ("u159", 160), ("u160", 161), ("u161", 162), ("u162", 163), ("u163", 164), ("u164", 165), ("u165", 166), ("u166", 167), ("u167", 168), ("u168", 169), ("u169", 170), ("u170", 171), ("u171", 172), ("u172", 173), ("u173", 174), ("u174", 175), ("u175", 176), ("u176", 177), ("u177", 178), ("u178", 179), ("u179", 180), ("u180", 181), ("u181", 182), ("u182", 183), ("u183", 184), ("u184", 185), ("u185", 186), ("u186", 187), ("u187", 188), ("u188", 189), ("u189", 190), ("u190", 191), ("u191", 192), ("u192", 193), ("u193", 194), ("u194", 195), ("u195", 196), ("u196", 197), ("u197", 198), ("u198", 199), ("u199", 200), ("u200", 201), ("u201", 202), ("u202", 203), ("u203", 204), ("u204", 205), ("u205", 206), ("u206", 207), ("u207", 208), ("u208", 209), ("u209", 210), ("u210", 211), ("u211", 212), ("u212", 213), ("u213", 214), ("u214", 215), ("u215", 216), ("u216", 217), ("u217", 218), ("u218", 219), ("u219", 220), ("u220", 221), ("u221", 222), ("u222", 223), ("u223", 224), ("u224", 225), ("u225", 226), ("u226", 227), ("u227", 228), ("u228", 229), ("u229", 230), ("u230", 231), ("u231", 232), ("u232", 233), ("u233", 234), ("u234", 235), ("u235", 236), ("u236", 237), ("u237", 238), ("u238", 239), ("u239", 240), ("u240", 241), ("u241", 242), ("u242", 243), ("u243", 244), ("u244", 245), ("u245", 246), ("u246", 247), ("u247", 248), ("u248", 249), ("u249", 250), ("u250", 251), ("u251", 252), ("u252", 253), ("u253", 254), ("u254", 255)) + NamedValues(("u255", 256), ("u256", 257), ("u257", 258), ("u258", 259), ("u259", 260), ("u260", 261), ("u261", 262), ("u262", 263), ("u263", 264), ("u264", 265), ("u265", 266), ("u266", 267), ("u267", 268), ("u268", 269), ("u269", 270), ("u270", 271), ("u271", 272), ("u272", 273), ("u273", 274), ("u274", 275), ("u275", 276), ("u276", 277), ("u277", 278), ("u278", 279), ("u279", 280), ("u280", 281), ("u281", 282), ("u282", 283), ("u283", 284), ("u284", 285), ("u285", 286), ("u286", 287), ("u287", 288), ("u288", 289), ("u289", 290), ("u290", 291), ("u291", 292), ("u292", 293), ("u293", 294), ("u294", 295), ("u295", 296), ("u296", 297), ("u297", 298), ("u298", 299), ("u299", 300), ("u300", 301), ("u301", 302), ("u302", 303), ("u303", 304), ("u304", 305), ("u305", 306), ("u306", 307), ("u307", 308), ("u308", 309), ("u309", 310), ("u310", 311), ("u311", 312), ("u312", 313), ("u313", 314), ("u314", 315), ("u315", 316), ("u316", 317), ("u317", 318), ("u318", 319), ("u319", 320), ("u320", 321), ("u321", 322), ("u322", 323), ("u323", 324), ("u324", 325), ("u325", 326), ("u326", 327), ("u327", 328), ("u328", 329), ("u329", 330), ("u330", 331), ("u331", 332), ("u332", 333), ("u333", 334), ("u334", 335), ("u335", 336), ("u336", 337), ("u337", 338), ("u338", 339), ("u339", 340), ("u340", 341), ("u341", 342), ("u342", 343), ("u343", 344), ("u344", 345), ("u345", 346), ("u346", 347), ("u347", 348), ("u348", 349), ("u349", 350), ("u350", 351), ("u351", 352), ("u352", 353), ("u353", 354), ("u354", 355), ("u355", 356), ("u356", 357), ("u357", 358), ("u358", 359), ("u359", 360), ("u360", 361), ("u361", 362), ("u362", 363), ("u363", 364), ("u364", 365), ("u365", 366), ("u366", 367), ("u367", 368), ("u368", 369), ("u369", 370), ("u370", 371), ("u371", 372), ("u372", 373), ("u373", 374), ("u374", 375), ("u375", 376), ("u376", 377), ("u377", 378), ("u378", 379), ("u379", 380), ("u380", 381), ("u381", 382), ("u382", 383), ("u383", 384), ("u384", 385), ("u385", 386), ("u386", 387), ("u387", 388), ("u388", 389), ("u389", 390), ("u390", 391), ("u391", 392), ("u392", 393), ("u393", 394), ("u394", 395), ("u395", 396), ("u396", 397), ("u397", 398), ("u398", 399), ("u399", 400), ("u400", 401), ("u401", 402), ("u402", 403), ("u403", 404), ("u404", 405), ("u405", 406), ("u406", 407), ("u407", 408), ("u408", 409), ("u409", 410), ("u410", 411), ("u411", 412), ("u412", 413), ("u413", 414), ("u414", 415), ("u415", 416), ("u416", 417), ("u417", 418), ("u418", 419), ("u419", 420), ("u420", 421), ("u421", 422), ("u422", 423), ("u423", 424), ("u424", 425), ("u425", 426), ("u426", 427), ("u427", 428), ("u428", 429), ("u429", 430), ("u430", 431), ("u431", 432), ("u432", 433), ("u433", 434), ("u434", 435), ("u435", 436), ("u436", 437), ("u437", 438), ("u438", 439), ("u439", 440), ("u440", 441), ("u441", 442), ("u442", 443), ("u443", 444), ("u444", 445), ("u445", 446), ("u446", 447), ("u447", 448), ("u448", 449), ("u449", 450), ("u450", 451), ("u451", 452), ("u452", 453), ("u453", 454), ("u454", 455), ("u455", 456), ("u456", 457), ("u457", 458), ("u458", 459), ("u459", 460), ("u460", 461), ("u461", 462), ("u462", 463), ("u463", 464), ("u464", 465), ("u465", 466), ("u466", 467), ("u467", 468), ("u468", 469), ("u469", 470), ("u470", 471), ("u471", 472), ("u472", 473), ("u473", 474), ("u474", 475), ("u475", 476), ("u476", 477), ("u477", 478), ("u478", 479), ("u479", 480), ("u480", 481), ("u481", 482), ("u482", 483), ("u483", 484), ("u484", 485), ("u485", 486), ("u486", 487), ("u487", 488), ("u488", 489), ("u489", 490), ("u490", 491), ("u491", 492), ("u492", 493), ("u493", 494), ("u494", 495), ("u495", 496), ("u496", 497), ("u497", 498), ("u498", 499), ("u499", 500), ("u500", 501), ("u501", 502), ("u502", 503), ("u503", 504), ("u504", 505), ("u505", 506), ("u506", 507), ("u507", 508), ("u508", 509), ("u509", 510)) + NamedValues(("u510", 511), ("u511", 512), ("u512", 513), ("u513", 514), ("u514", 515), ("u515", 516), ("u516", 517), ("u517", 518), ("u518", 519), ("u519", 520), ("u520", 521), ("u521", 522), ("u522", 523), ("u523", 524), ("u524", 525), ("u525", 526), ("u526", 527), ("u527", 528), ("u528", 529), ("u529", 530), ("u530", 531), ("u531", 532), ("u532", 533), ("u533", 534), ("u534", 535), ("u535", 536), ("u536", 537), ("u537", 538), ("u538", 539), ("u539", 540), ("u540", 541), ("u541", 542), ("u542", 543), ("u543", 544), ("u544", 545), ("u545", 546), ("u546", 547), ("u547", 548), ("u548", 549), ("u549", 550), ("u550", 551), ("u551", 552), ("u552", 553), ("u553", 554), ("u554", 555), ("u555", 556), ("u556", 557), ("u557", 558), ("u558", 559), ("u559", 560), ("u560", 561), ("u561", 562), ("u562", 563), ("u563", 564), ("u564", 565), ("u565", 566), ("u566", 567), ("u567", 568), ("u568", 569), ("u569", 570), ("u570", 571), ("u571", 572), ("u572", 573), ("u573", 574), ("u574", 575), ("u575", 576), ("u576", 577), ("u577", 578), ("u578", 579), ("u579", 580), ("u580", 581), ("u581", 582), ("u582", 583), ("u583", 584), ("u584", 585), ("u585", 586), ("u586", 587), ("u587", 588), ("u588", 589), ("u589", 590), ("u590", 591), ("u591", 592), ("u592", 593), ("u593", 594), ("u594", 595), ("u595", 596), ("u596", 597), ("u597", 598), ("u598", 599), ("u599", 600), ("u600", 601), ("u601", 602), ("u602", 603), ("u603", 604), ("u604", 605), ("u605", 606), ("u606", 607), ("u607", 608), ("u608", 609), ("u609", 610), ("u610", 611), ("u611", 612), ("u612", 613), ("u613", 614), ("u614", 615), ("u615", 616), ("u616", 617), ("u617", 618), ("u618", 619), ("u619", 620), ("u620", 621), ("u621", 622), ("u622", 623), ("u623", 624), ("u624", 625), ("u625", 626), ("u626", 627), ("u627", 628), ("u628", 629), ("u629", 630), ("u630", 631), ("u631", 632), ("u632", 633), ("u633", 634), ("u634", 635), ("u635", 636), ("u636", 637), ("u637", 638), ("u638", 639), ("u639", 640), ("u640", 641), ("u641", 642), ("u642", 643), ("u643", 644), ("u644", 645), ("u645", 646), ("u646", 647), ("u647", 648), ("u648", 649), ("u649", 650), ("u650", 651), ("u651", 652), ("u652", 653), ("u653", 654), ("u654", 655), ("u655", 656), ("u656", 657), ("u657", 658), ("u658", 659), ("u659", 660), ("u660", 661), ("u661", 662), ("u662", 663), ("u663", 664), ("u664", 665), ("u665", 666), ("u666", 667), ("u667", 668), ("u668", 669), ("u669", 670), ("u670", 671), ("u671", 672), ("u672", 673), ("u673", 674), ("u674", 675), ("u675", 676), ("u676", 677), ("u677", 678), ("u678", 679), ("u679", 680), ("u680", 681), ("u681", 682), ("u682", 683), ("u683", 684), ("u684", 685), ("u685", 686), ("u686", 687), ("u687", 688), ("u688", 689), ("u689", 690), ("u690", 691), ("u691", 692), ("u692", 693), ("u693", 694), ("u694", 695), ("u695", 696), ("u696", 697), ("u697", 698), ("u698", 699), ("u699", 700), ("u700", 701), ("u701", 702), ("u702", 703), ("u703", 704), ("u704", 705), ("u705", 706), ("u706", 707), ("u707", 708), ("u708", 709), ("u709", 710), ("u710", 711), ("u711", 712), ("u712", 713), ("u713", 714), ("u714", 715), ("u715", 716), ("u716", 717), ("u717", 718), ("u718", 719), ("u719", 720), ("u720", 721), ("u721", 722), ("u722", 723), ("u723", 724), ("u724", 725), ("u725", 726), ("u726", 727), ("u727", 728), ("u728", 729), ("u729", 730), ("u730", 731), ("u731", 732), ("u732", 733), ("u733", 734), ("u734", 735), ("u735", 736), ("u736", 737), ("u737", 738), ("u738", 739), ("u739", 740), ("u740", 741), ("u741", 742), ("u742", 743), ("u743", 744), ("u744", 745), ("u745", 746), ("u746", 747), ("u747", 748), ("u748", 749), ("u749", 750), ("u750", 751), ("u751", 752), ("u752", 753), ("u753", 754), ("u754", 755), ("u755", 756), ("u756", 757), ("u757", 758), ("u758", 759), ("u759", 760), ("u760", 761), ("u761", 762), ("u762", 763), ("u763", 764), ("u764", 765)) + NamedValues(("u765", 766), ("u766", 767), ("u767", 768), ("u768", 769), ("u769", 770), ("u770", 771), ("u771", 772), ("u772", 773), ("u773", 774), ("u774", 775), ("u775", 776), ("u776", 777), ("u777", 778), ("u778", 779), ("u779", 780), ("u780", 781), ("u781", 782), ("u782", 783), ("u783", 784), ("u784", 785), ("u785", 786), ("u786", 787), ("u787", 788), ("u788", 789), ("u789", 790), ("u790", 791), ("u791", 792), ("u792", 793), ("u793", 794), ("u794", 795), ("u795", 796), ("u796", 797), ("u797", 798), ("u798", 799), ("u799", 800), ("u800", 801), ("u801", 802), ("u802", 803), ("u803", 804), ("u804", 805), ("u805", 806), ("u806", 807), ("u807", 808), ("u808", 809), ("u809", 810), ("u810", 811), ("u811", 812), ("u812", 813), ("u813", 814), ("u814", 815), ("u815", 816), ("u816", 817), ("u817", 818), ("u818", 819), ("u819", 820), ("u820", 821), ("u821", 822), ("u822", 823), ("u823", 824), ("u824", 825), ("u825", 826), ("u826", 827), ("u827", 828), ("u828", 829), ("u829", 830), ("u830", 831), ("u831", 832), ("u832", 833), ("u833", 834), ("u834", 835), ("u835", 836), ("u836", 837), ("u837", 838), ("u838", 839), ("u839", 840), ("u840", 841), ("u841", 842), ("u842", 843), ("u843", 844), ("u844", 845), ("u845", 846), ("u846", 847), ("u847", 848), ("u848", 849), ("u849", 850), ("u850", 851), ("u851", 852), ("u852", 853), ("u853", 854), ("u854", 855), ("u855", 856), ("u856", 857), ("u857", 858), ("u858", 859), ("u859", 860), ("u860", 861), ("u861", 862), ("u862", 863), ("u863", 864), ("u864", 865), ("u865", 866), ("u866", 867), ("u867", 868), ("u868", 869), ("u869", 870), ("u870", 871), ("u871", 872), ("u872", 873), ("u873", 874), ("u874", 875), ("u875", 876), ("u876", 877), ("u877", 878), ("u878", 879), ("u879", 880), ("u880", 881), ("u881", 882), ("u882", 883), ("u883", 884), ("u884", 885), ("u885", 886), ("u886", 887), ("u887", 888), ("u888", 889), ("u889", 890), ("u890", 891), ("u891", 892), ("u892", 893), ("u893", 894), ("u894", 895), ("u895", 896), ("u896", 897), ("u897", 898), ("u898", 899), ("u899", 900), ("u900", 901), ("u901", 902), ("u902", 903), ("u903", 904), ("u904", 905), ("u905", 906), ("u906", 907), ("u907", 908), ("u908", 909), ("u909", 910), ("u910", 911), ("u911", 912), ("u912", 913), ("u913", 914), ("u914", 915), ("u915", 916), ("u916", 917), ("u917", 918), ("u918", 919), ("u919", 920), ("u920", 921), ("u921", 922), ("u922", 923), ("u923", 924), ("u924", 925), ("u925", 926), ("u926", 927), ("u927", 928), ("u928", 929), ("u929", 930), ("u930", 931), ("u931", 932), ("u932", 933), ("u933", 934), ("u934", 935), ("u935", 936), ("u936", 937), ("u937", 938), ("u938", 939), ("u939", 940), ("u940", 941), ("u941", 942), ("u942", 943), ("u943", 944), ("u944", 945), ("u945", 946), ("u946", 947), ("u947", 948), ("u948", 949), ("u949", 950), ("u950", 951), ("u951", 952), ("u952", 953), ("u953", 954), ("u954", 955), ("u955", 956), ("u956", 957), ("u957", 958), ("u958", 959), ("u959", 960), ("u960", 961), ("u961", 962), ("u962", 963), ("u963", 964), ("u964", 965), ("u965", 966), ("u966", 967), ("u967", 968), ("u968", 969), ("u969", 970), ("u970", 971), ("u971", 972), ("u972", 973), ("u973", 974), ("u974", 975), ("u975", 976), ("u976", 977), ("u977", 978), ("u978", 979), ("u979", 980), ("u980", 981), ("u981", 982), ("u982", 983), ("u983", 984), ("u984", 985), ("u985", 986), ("u986", 987), ("u987", 988), ("u988", 989), ("u989", 990), ("u990", 991), ("u991", 992), ("u992", 993), ("u993", 994), ("u994", 995), ("u995", 996), ("u996", 997), ("u997", 998), ("u998", 999), ("u999", 1000), ("u1000", 1001), ("u1001", 1002), ("u1002", 1003), ("u1003", 1004), ("u1004", 1005), ("u1005", 1006), ("u1006", 1007), ("u1007", 1008), ("u1008", 1009), ("u1009", 1010), ("u1010", 1011), ("u1011", 1012), ("u1012", 1013), ("u1013", 1014), ("u1014", 1015), ("u1015", 1016), ("u1016", 1017), ("u1017", 1018), ("u1018", 1019), ("u1019", 1020)) + NamedValues(("u1020", 1021), ("u1021", 1022), ("u1022", 1023), ("u1023", 1024), ("u1024", 1025), ("u1025", 1026), ("u1026", 1027), ("u1027", 1028), ("u1028", 1029), ("u1029", 1030), ("u1030", 1031), ("u1031", 1032), ("u1032", 1033), ("u1033", 1034), ("u1034", 1035), ("u1035", 1036), ("u1036", 1037), ("u1037", 1038), ("u1038", 1039), ("u1039", 1040), ("u1040", 1041), ("u1041", 1042), ("u1042", 1043), ("u1043", 1044), ("u1044", 1045), ("u1045", 1046), ("u1046", 1047), ("u1047", 1048), ("u1048", 1049), ("u1049", 1050), ("u1050", 1051), ("u1051", 1052), ("u1052", 1053), ("u1053", 1054), ("u1054", 1055), ("u1055", 1056), ("u1056", 1057), ("u1057", 1058), ("u1058", 1059), ("u1059", 1060), ("u1060", 1061), ("u1061", 1062), ("u1062", 1063), ("u1063", 1064), ("u1064", 1065), ("u1065", 1066), ("u1066", 1067), ("u1067", 1068), ("u1068", 1069), ("u1069", 1070), ("u1070", 1071), ("u1071", 1072), ("u1072", 1073), ("u1073", 1074), ("u1074", 1075), ("u1075", 1076), ("u1076", 1077), ("u1077", 1078), ("u1078", 1079), ("u1079", 1080), ("u1080", 1081), ("u1081", 1082), ("u1082", 1083), ("u1083", 1084), ("u1084", 1085), ("u1085", 1086), ("u1086", 1087), ("u1087", 1088), ("u1088", 1089), ("u1089", 1090), ("u1090", 1091), ("u1091", 1092), ("u1092", 1093), ("u1093", 1094), ("u1094", 1095), ("u1095", 1096), ("u1096", 1097), ("u1097", 1098), ("u1098", 1099), ("u1099", 1100), ("u1100", 1101), ("u1101", 1102), ("u1102", 1103), ("u1103", 1104), ("u1104", 1105), ("u1105", 1106), ("u1106", 1107), ("u1107", 1108), ("u1108", 1109), ("u1109", 1110), ("u1110", 1111), ("u1111", 1112), ("u1112", 1113), ("u1113", 1114), ("u1114", 1115), ("u1115", 1116), ("u1116", 1117), ("u1117", 1118), ("u1118", 1119), ("u1119", 1120), ("u1120", 1121), ("u1121", 1122), ("u1122", 1123), ("u1123", 1124), ("u1124", 1125), ("u1125", 1126), ("u1126", 1127), ("u1127", 1128), ("u1128", 1129), ("u1129", 1130), ("u1130", 1131), ("u1131", 1132), ("u1132", 1133), ("u1133", 1134), ("u1134", 1135), ("u1135", 1136), ("u1136", 1137), ("u1137", 1138), ("u1138", 1139), ("u1139", 1140), ("u1140", 1141), ("u1141", 1142), ("u1142", 1143), ("u1143", 1144), ("u1144", 1145), ("u1145", 1146), ("u1146", 1147), ("u1147", 1148), ("u1148", 1149), ("u1149", 1150), ("u1150", 1151), ("u1151", 1152), ("u1152", 1153), ("u1153", 1154), ("u1154", 1155), ("u1155", 1156), ("u1156", 1157), ("u1157", 1158), ("u1158", 1159), ("u1159", 1160), ("u1160", 1161), ("u1161", 1162), ("u1162", 1163), ("u1163", 1164), ("u1164", 1165), ("u1165", 1166), ("u1166", 1167), ("u1167", 1168), ("u1168", 1169), ("u1169", 1170), ("u1170", 1171), ("u1171", 1172), ("u1172", 1173), ("u1173", 1174), ("u1174", 1175), ("u1175", 1176), ("u1176", 1177), ("u1177", 1178), ("u1178", 1179), ("u1179", 1180), ("u1180", 1181), ("u1181", 1182), ("u1182", 1183), ("u1183", 1184), ("u1184", 1185), ("u1185", 1186), ("u1186", 1187), ("u1187", 1188), ("u1188", 1189), ("u1189", 1190), ("u1190", 1191), ("u1191", 1192), ("u1192", 1193), ("u1193", 1194), ("u1194", 1195), ("u1195", 1196), ("u1196", 1197), ("u1197", 1198), ("u1198", 1199), ("u1199", 1200), ("u1200", 1201), ("u1201", 1202), ("u1202", 1203), ("u1203", 1204), ("u1204", 1205), ("u1205", 1206), ("u1206", 1207), ("u1207", 1208), ("u1208", 1209), ("u1209", 1210), ("u1210", 1211), ("u1211", 1212), ("u1212", 1213), ("u1213", 1214), ("u1214", 1215), ("u1215", 1216), ("u1216", 1217), ("u1217", 1218), ("u1218", 1219), ("u1219", 1220), ("u1220", 1221), ("u1221", 1222), ("u1222", 1223), ("u1223", 1224), ("u1224", 1225), ("u1225", 1226), ("u1226", 1227), ("u1227", 1228), ("u1228", 1229), ("u1229", 1230), ("u1230", 1231), ("u1231", 1232), ("u1232", 1233), ("u1233", 1234), ("u1234", 1235), ("u1235", 1236), ("u1236", 1237), ("u1237", 1238), ("u1238", 1239), ("u1239", 1240), ("u1240", 1241), ("u1241", 1242), ("u1242", 1243), ("u1243", 1244), ("u1244", 1245), ("u1245", 1246), ("u1246", 1247), ("u1247", 1248), ("u1248", 1249), ("u1249", 1250), ("u1250", 1251), ("u1251", 1252), ("u1252", 1253), ("u1253", 1254), ("u1254", 1255), ("u1255", 1256), ("u1256", 1257), ("u1257", 1258), ("u1258", 1259), ("u1259", 1260), ("u1260", 1261), ("u1261", 1262), ("u1262", 1263), ("u1263", 1264), ("u1264", 1265), ("u1265", 1266), ("u1266", 1267), ("u1267", 1268), ("u1268", 1269), ("u1269", 1270), ("u1270", 1271), ("u1271", 1272), ("u1272", 1273), ("u1273", 1274), ("u1274", 1275)) + NamedValues(("u1275", 1276), ("u1276", 1277), ("u1277", 1278), ("u1278", 1279), ("u1279", 1280), ("u1280", 1281), ("u1281", 1282), ("u1282", 1283), ("u1283", 1284), ("u1284", 1285), ("u1285", 1286), ("u1286", 1287), ("u1287", 1288), ("u1288", 1289), ("u1289", 1290), ("u1290", 1291), ("u1291", 1292), ("u1292", 1293), ("u1293", 1294), ("u1294", 1295), ("u1295", 1296), ("u1296", 1297), ("u1297", 1298), ("u1298", 1299), ("u1299", 1300), ("u1300", 1301), ("u1301", 1302), ("u1302", 1303), ("u1303", 1304), ("u1304", 1305), ("u1305", 1306), ("u1306", 1307), ("u1307", 1308), ("u1308", 1309), ("u1309", 1310), ("u1310", 1311), ("u1311", 1312), ("u1312", 1313), ("u1313", 1314), ("u1314", 1315), ("u1315", 1316), ("u1316", 1317), ("u1317", 1318), ("u1318", 1319), ("u1319", 1320), ("u1320", 1321), ("u1321", 1322), ("u1322", 1323), ("u1323", 1324), ("u1324", 1325), ("u1325", 1326), ("u1326", 1327), ("u1327", 1328), ("u1328", 1329), ("u1329", 1330), ("u1330", 1331), ("u1331", 1332), ("u1332", 1333), ("u1333", 1334), ("u1334", 1335), ("u1335", 1336), ("u1336", 1337), ("u1337", 1338), ("u1338", 1339), ("u1339", 1340), ("u1340", 1341), ("u1341", 1342), ("u1342", 1343), ("u1343", 1344), ("u1344", 1345), ("u1345", 1346), ("u1346", 1347), ("u1347", 1348), ("u1348", 1349), ("u1349", 1350), ("u1350", 1351), ("u1351", 1352), ("u1352", 1353), ("u1353", 1354), ("u1354", 1355), ("u1355", 1356), ("u1356", 1357), ("u1357", 1358), ("u1358", 1359), ("u1359", 1360), ("u1360", 1361), ("u1361", 1362), ("u1362", 1363), ("u1363", 1364), ("u1364", 1365), ("u1365", 1366), ("u1366", 1367), ("u1367", 1368), ("u1368", 1369), ("u1369", 1370), ("u1370", 1371), ("u1371", 1372), ("u1372", 1373), ("u1373", 1374), ("u1374", 1375), ("u1375", 1376), ("u1376", 1377), ("u1377", 1378), ("u1378", 1379), ("u1379", 1380), ("u1380", 1381), ("u1381", 1382), ("u1382", 1383), ("u1383", 1384), ("u1384", 1385), ("u1385", 1386), ("u1386", 1387), ("u1387", 1388), ("u1388", 1389), ("u1389", 1390), ("u1390", 1391), ("u1391", 1392), ("u1392", 1393), ("u1393", 1394), ("u1394", 1395), ("u1395", 1396), ("u1396", 1397), ("u1397", 1398), ("u1398", 1399), ("u1399", 1400), ("u1400", 1401), ("u1401", 1402), ("u1402", 1403), ("u1403", 1404), ("u1404", 1405), ("u1405", 1406), ("u1406", 1407), ("u1407", 1408), ("u1408", 1409), ("u1409", 1410), ("u1410", 1411), ("u1411", 1412), ("u1412", 1413), ("u1413", 1414), ("u1414", 1415), ("u1415", 1416), ("u1416", 1417), ("u1417", 1418), ("u1418", 1419), ("u1419", 1420), ("u1420", 1421), ("u1421", 1422), ("u1422", 1423), ("u1423", 1424), ("u1424", 1425), ("u1425", 1426), ("u1426", 1427), ("u1427", 1428), ("u1428", 1429), ("u1429", 1430), ("u1430", 1431), ("u1431", 1432), ("u1432", 1433), ("u1433", 1434), ("u1434", 1435), ("u1435", 1436), ("u1436", 1437), ("u1437", 1438), ("u1438", 1439), ("u1439", 1440), ("u1440", 1441), ("u1441", 1442), ("u1442", 1443), ("u1443", 1444), ("u1444", 1445), ("u1445", 1446), ("u1446", 1447), ("u1447", 1448), ("u1448", 1449), ("u1449", 1450), ("u1450", 1451), ("u1451", 1452), ("u1452", 1453), ("u1453", 1454), ("u1454", 1455), ("u1455", 1456), ("u1456", 1457), ("u1457", 1458), ("u1458", 1459), ("u1459", 1460), ("u1460", 1461), ("u1461", 1462), ("u1462", 1463), ("u1463", 1464), ("u1464", 1465), ("u1465", 1466), ("u1466", 1467), ("u1467", 1468), ("u1468", 1469), ("u1469", 1470), ("u1470", 1471), ("u1471", 1472), ("u1472", 1473), ("u1473", 1474), ("u1474", 1475), ("u1475", 1476), ("u1476", 1477), ("u1477", 1478), ("u1478", 1479), ("u1479", 1480), ("u1480", 1481), ("u1481", 1482), ("u1482", 1483), ("u1483", 1484), ("u1484", 1485), ("u1485", 1486), ("u1486", 1487), ("u1487", 1488), ("u1488", 1489), ("u1489", 1490), ("u1490", 1491), ("u1491", 1492), ("u1492", 1493), ("u1493", 1494), ("u1494", 1495), ("u1495", 1496), ("u1496", 1497), ("u1497", 1498), ("u1498", 1499), ("u1499", 1500), ("u1500", 1501), ("u1501", 1502), ("u1502", 1503), ("u1503", 1504), ("u1504", 1505), ("u1505", 1506), ("u1506", 1507), ("u1507", 1508), ("u1508", 1509), ("u1509", 1510), ("u1510", 1511), ("u1511", 1512), ("u1512", 1513), ("u1513", 1514), ("u1514", 1515), ("u1515", 1516), ("u1516", 1517), ("u1517", 1518), ("u1518", 1519), ("u1519", 1520), ("u1520", 1521), ("u1521", 1522), ("u1522", 1523), ("u1523", 1524), ("u1524", 1525), ("u1525", 1526), ("u1526", 1527), ("u1527", 1528), ("u1528", 1529), ("u1529", 1530)) + NamedValues(("u1530", 1531), ("u1531", 1532), ("u1532", 1533), ("u1533", 1534), ("u1534", 1535), ("u1535", 1536), ("u1536", 1537), ("u1537", 1538), ("u1538", 1539), ("u1539", 1540), ("u1540", 1541), ("u1541", 1542), ("u1542", 1543), ("u1543", 1544), ("u1544", 1545), ("u1545", 1546), ("u1546", 1547), ("u1547", 1548), ("u1548", 1549), ("u1549", 1550), ("u1550", 1551), ("u1551", 1552), ("u1552", 1553), ("u1553", 1554), ("u1554", 1555), ("u1555", 1556), ("u1556", 1557), ("u1557", 1558), ("u1558", 1559), ("u1559", 1560), ("u1560", 1561), ("u1561", 1562), ("u1562", 1563), ("u1563", 1564), ("u1564", 1565), ("u1565", 1566), ("u1566", 1567), ("u1567", 1568), ("u1568", 1569), ("u1569", 1570), ("u1570", 1571), ("u1571", 1572), ("u1572", 1573), ("u1573", 1574), ("u1574", 1575), ("u1575", 1576), ("u1576", 1577), ("u1577", 1578), ("u1578", 1579), ("u1579", 1580), ("u1580", 1581), ("u1581", 1582), ("u1582", 1583), ("u1583", 1584), ("u1584", 1585), ("u1585", 1586), ("u1586", 1587), ("u1587", 1588), ("u1588", 1589), ("u1589", 1590), ("u1590", 1591), ("u1591", 1592), ("u1592", 1593), ("u1593", 1594), ("u1594", 1595), ("u1595", 1596), ("u1596", 1597), ("u1597", 1598), ("u1598", 1599), ("u1599", 1600), ("u1600", 1601), ("u1601", 1602), ("u1602", 1603), ("u1603", 1604), ("u1604", 1605), ("u1605", 1606), ("u1606", 1607), ("u1607", 1608), ("u1608", 1609), ("u1609", 1610), ("u1610", 1611), ("u1611", 1612), ("u1612", 1613), ("u1613", 1614), ("u1614", 1615), ("u1615", 1616), ("u1616", 1617), ("u1617", 1618), ("u1618", 1619), ("u1619", 1620), ("u1620", 1621), ("u1621", 1622), ("u1622", 1623), ("u1623", 1624), ("u1624", 1625), ("u1625", 1626), ("u1626", 1627), ("u1627", 1628), ("u1628", 1629), ("u1629", 1630), ("u1630", 1631), ("u1631", 1632), ("u1632", 1633), ("u1633", 1634), ("u1634", 1635), ("u1635", 1636), ("u1636", 1637), ("u1637", 1638), ("u1638", 1639), ("u1639", 1640), ("u1640", 1641), ("u1641", 1642), ("u1642", 1643), ("u1643", 1644), ("u1644", 1645), ("u1645", 1646), ("u1646", 1647), ("u1647", 1648), ("u1648", 1649), ("u1649", 1650), ("u1650", 1651), ("u1651", 1652), ("u1652", 1653), ("u1653", 1654), ("u1654", 1655), ("u1655", 1656), ("u1656", 1657), ("u1657", 1658), ("u1658", 1659), ("u1659", 1660), ("u1660", 1661), ("u1661", 1662), ("u1662", 1663), ("u1663", 1664), ("u1664", 1665), ("u1665", 1666), ("u1666", 1667), ("u1667", 1668), ("u1668", 1669), ("u1669", 1670), ("u1670", 1671), ("u1671", 1672), ("u1672", 1673), ("u1673", 1674), ("u1674", 1675), ("u1675", 1676), ("u1676", 1677), ("u1677", 1678), ("u1678", 1679), ("u1679", 1680), ("u1680", 1681), ("u1681", 1682), ("u1682", 1683), ("u1683", 1684), ("u1684", 1685), ("u1685", 1686), ("u1686", 1687), ("u1687", 1688), ("u1688", 1689), ("u1689", 1690), ("u1690", 1691), ("u1691", 1692), ("u1692", 1693), ("u1693", 1694), ("u1694", 1695), ("u1695", 1696), ("u1696", 1697), ("u1697", 1698), ("u1698", 1699), ("u1699", 1700), ("u1700", 1701), ("u1701", 1702), ("u1702", 1703), ("u1703", 1704), ("u1704", 1705), ("u1705", 1706), ("u1706", 1707), ("u1707", 1708), ("u1708", 1709), ("u1709", 1710), ("u1710", 1711), ("u1711", 1712), ("u1712", 1713), ("u1713", 1714), ("u1714", 1715), ("u1715", 1716), ("u1716", 1717), ("u1717", 1718), ("u1718", 1719), ("u1719", 1720), ("u1720", 1721), ("u1721", 1722), ("u1722", 1723), ("u1723", 1724), ("u1724", 1725), ("u1725", 1726), ("u1726", 1727), ("u1727", 1728), ("u1728", 1729), ("u1729", 1730), ("u1730", 1731), ("u1731", 1732), ("u1732", 1733), ("u1733", 1734), ("u1734", 1735), ("u1735", 1736), ("u1736", 1737), ("u1737", 1738), ("u1738", 1739), ("u1739", 1740), ("u1740", 1741), ("u1741", 1742), ("u1742", 1743), ("u1743", 1744), ("u1744", 1745), ("u1745", 1746), ("u1746", 1747), ("u1747", 1748), ("u1748", 1749), ("u1749", 1750), ("u1750", 1751), ("u1751", 1752), ("u1752", 1753), ("u1753", 1754), ("u1754", 1755), ("u1755", 1756), ("u1756", 1757), ("u1757", 1758), ("u1758", 1759), ("u1759", 1760), ("u1760", 1761), ("u1761", 1762), ("u1762", 1763), ("u1763", 1764), ("u1764", 1765), ("u1765", 1766), ("u1766", 1767), ("u1767", 1768), ("u1768", 1769), ("u1769", 1770), ("u1770", 1771), ("u1771", 1772), ("u1772", 1773), ("u1773", 1774), ("u1774", 1775), ("u1775", 1776), ("u1776", 1777), ("u1777", 1778), ("u1778", 1779), ("u1779", 1780), ("u1780", 1781), ("u1781", 1782), ("u1782", 1783), ("u1783", 1784), ("u1784", 1785)) + NamedValues(("u1785", 1786), ("u1786", 1787), ("u1787", 1788), ("u1788", 1789), ("u1789", 1790), ("u1790", 1791), ("u1791", 1792), ("u1792", 1793), ("u1793", 1794), ("u1794", 1795), ("u1795", 1796), ("u1796", 1797), ("u1797", 1798), ("u1798", 1799), ("u1799", 1800), ("u1800", 1801), ("u1801", 1802), ("u1802", 1803), ("u1803", 1804), ("u1804", 1805), ("u1805", 1806), ("u1806", 1807), ("u1807", 1808), ("u1808", 1809), ("u1809", 1810), ("u1810", 1811), ("u1811", 1812), ("u1812", 1813), ("u1813", 1814), ("u1814", 1815), ("u1815", 1816), ("u1816", 1817), ("u1817", 1818), ("u1818", 1819), ("u1819", 1820), ("u1820", 1821), ("u1821", 1822), ("u1822", 1823), ("u1823", 1824), ("u1824", 1825), ("u1825", 1826), ("u1826", 1827), ("u1827", 1828), ("u1828", 1829), ("u1829", 1830), ("u1830", 1831), ("u1831", 1832), ("u1832", 1833), ("u1833", 1834), ("u1834", 1835), ("u1835", 1836), ("u1836", 1837), ("u1837", 1838), ("u1838", 1839), ("u1839", 1840), ("u1840", 1841), ("u1841", 1842), ("u1842", 1843), ("u1843", 1844), ("u1844", 1845), ("u1845", 1846), ("u1846", 1847), ("u1847", 1848), ("u1848", 1849), ("u1849", 1850), ("u1850", 1851), ("u1851", 1852), ("u1852", 1853), ("u1853", 1854), ("u1854", 1855), ("u1855", 1856), ("u1856", 1857), ("u1857", 1858), ("u1858", 1859), ("u1859", 1860), ("u1860", 1861), ("u1861", 1862), ("u1862", 1863), ("u1863", 1864), ("u1864", 1865), ("u1865", 1866), ("u1866", 1867), ("u1867", 1868), ("u1868", 1869), ("u1869", 1870), ("u1870", 1871), ("u1871", 1872), ("u1872", 1873), ("u1873", 1874), ("u1874", 1875), ("u1875", 1876), ("u1876", 1877), ("u1877", 1878), ("u1878", 1879), ("u1879", 1880), ("u1880", 1881), ("u1881", 1882), ("u1882", 1883), ("u1883", 1884), ("u1884", 1885), ("u1885", 1886), ("u1886", 1887), ("u1887", 1888), ("u1888", 1889), ("u1889", 1890), ("u1890", 1891), ("u1891", 1892), ("u1892", 1893), ("u1893", 1894), ("u1894", 1895), ("u1895", 1896), ("u1896", 1897), ("u1897", 1898), ("u1898", 1899), ("u1899", 1900), ("u1900", 1901), ("u1901", 1902), ("u1902", 1903), ("u1903", 1904), ("u1904", 1905), ("u1905", 1906), ("u1906", 1907), ("u1907", 1908), ("u1908", 1909), ("u1909", 1910), ("u1910", 1911), ("u1911", 1912), ("u1912", 1913), ("u1913", 1914), ("u1914", 1915), ("u1915", 1916), ("u1916", 1917), ("u1917", 1918), ("u1918", 1919), ("u1919", 1920), ("u1920", 1921), ("u1921", 1922), ("u1922", 1923), ("u1923", 1924), ("u1924", 1925), ("u1925", 1926), ("u1926", 1927), ("u1927", 1928), ("u1928", 1929), ("u1929", 1930), ("u1930", 1931), ("u1931", 1932), ("u1932", 1933), ("u1933", 1934), ("u1934", 1935), ("u1935", 1936), ("u1936", 1937), ("u1937", 1938), ("u1938", 1939), ("u1939", 1940), ("u1940", 1941), ("u1941", 1942), ("u1942", 1943), ("u1943", 1944), ("u1944", 1945), ("u1945", 1946), ("u1946", 1947), ("u1947", 1948), ("u1948", 1949), ("u1949", 1950), ("u1950", 1951), ("u1951", 1952), ("u1952", 1953), ("u1953", 1954), ("u1954", 1955), ("u1955", 1956), ("u1956", 1957), ("u1957", 1958), ("u1958", 1959), ("u1959", 1960), ("u1960", 1961), ("u1961", 1962), ("u1962", 1963), ("u1963", 1964), ("u1964", 1965), ("u1965", 1966), ("u1966", 1967), ("u1967", 1968), ("u1968", 1969), ("u1969", 1970), ("u1970", 1971), ("u1971", 1972), ("u1972", 1973), ("u1973", 1974), ("u1974", 1975), ("u1975", 1976), ("u1976", 1977), ("u1977", 1978), ("u1978", 1979), ("u1979", 1980), ("u1980", 1981), ("u1981", 1982), ("u1982", 1983), ("u1983", 1984), ("u1984", 1985), ("u1985", 1986), ("u1986", 1987), ("u1987", 1988), ("u1988", 1989), ("u1989", 1990), ("u1990", 1991), ("u1991", 1992), ("u1992", 1993), ("u1993", 1994), ("u1994", 1995), ("u1995", 1996), ("u1996", 1997), ("u1997", 1998), ("u1998", 1999), ("u1999", 2000))))
if mibBuilder.loadTexts: outputIndex.setStatus('current')
if mibBuilder.loadTexts: outputIndex.setDescription('A unique number for each power output channel. Its value ranges between 1 and total number of output channels. This value is equivalent to the output channel number at the type label of the crate or power supply, but because the SMI index starts at 1, index 1 corresponds to U0. ')
outputName = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: outputName.setStatus('current')
if mibBuilder.loadTexts: outputName.setDescription('A textual string containing a short name of the output. If the crate is equipped with an alphanumeric display, this string is shown to identify a output channel. ')
outputGroup = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 63))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputGroup.setStatus('current')
if mibBuilder.loadTexts: outputGroup.setDescription('The group number (1...63) assigned to each channel. If commands shall be sent to all channels with a specific group number (e.g. with the groupsSwitch command defined below), additional bits can be added to the group number: HLgggggg g: Group number (1...63) L: Mask bit: 1: high voltage channels only, no low voltage channels H: Mask bit: 1: low voltage channels only, no high voltage channels Special groups: 0: all (LV+HV) channels 0x40: all, but no LV channels 0x80: all, but no HV channels ')
outputStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 4), Bits().clone(namedValues=NamedValues(("outputOn", 0), ("outputInhibit", 1), ("outputFailureMinSenseVoltage", 2), ("outputFailureMaxSenseVoltage", 3), ("outputFailureMaxTerminalVoltage", 4), ("outputFailureMaxCurrent", 5), ("outputFailureMaxTemperature", 6), ("outputFailureMaxPower", 7), ("outputFailureTimeout", 9), ("outputCurrentLimited", 10), ("outputRampUp", 11), ("outputRampDown", 12), ("outputEnableKill", 13), ("outputEmergencyOff", 14), ("outputAdjusting", 15), ("outputConstantVoltage", 16), ("outputLowCurrentRange", 17), ("outputCurrentBoundsExceeded", 18), ("outputFailureCurrentLimit", 19)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: outputStatus.setStatus('current')
if mibBuilder.loadTexts: outputStatus.setDescription('A bit string which shows the status (health and operating conditions) of one output channel. If a bit is set (1), the explanation is satisfied: outputOn (0), output channel is on outputInhibit(1), external (hardware-)inhibit of the output channel outputFailureMinSenseVoltage (2) Supervision limit hurt: Sense voltage is too low outputFailureMaxSenseVoltage (3), Supervision limit hurt: Sense voltage is too high outputFailureMaxTerminalVoltage (4), Supervision limit hurt: Terminal voltage is too high outputFailureMaxCurrent (5), Supervision limit hurt: Current is too high outputFailureMaxTemperature (6), Supervision limit hurt: Heat sink temperature is too high outputFailureMaxPower (7), Supervision limit hurt: Output power is too high outputFailureTimeout (9), Communication timeout between output channel and main control outputCurrentLimited (10), Current limiting is active (constant current mode) outputRampUp (11), Output voltage is increasing (e.g. after switch on) outputRampDown (12), Output voltage is decreasing (e.g. after switch off) outputEnableKill (13), EnableKill is active outputEmergencyOff (14), EmergencyOff event is active outputAdjusting (15), Fine adjustment is working outputConstantVoltage (16), Voltage control (constant voltage mode) outputLowCurrentRange (17), The channel is operating in the low current measurement range outputCurrentBoundsExceeded (18), Output current is out of bounds outputFailureCurrentLimit (19) Hardware current limit (EHS) / trip (EDS, EBS) was exceeded ')
outputMeasurementSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 5), Float()).setUnits('V').setMaxAccess("readonly")
if mibBuilder.loadTexts: outputMeasurementSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputMeasurementSenseVoltage.setDescription('The measured voltage at the sense input lines.')
outputMeasurementTerminalVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 6), Float()).setUnits('V').setMaxAccess("readonly")
if mibBuilder.loadTexts: outputMeasurementTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts: outputMeasurementTerminalVoltage.setDescription('The measured voltage at the output terminals.')
outputMeasurementCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 7), Float()).setUnits('A').setMaxAccess("readonly")
if mibBuilder.loadTexts: outputMeasurementCurrent.setStatus('current')
if mibBuilder.loadTexts: outputMeasurementCurrent.setDescription('The measured output current.')
outputMeasurementTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(-128, 127))).clone(namedValues=NamedValues(("ok", -128), ("failure", 127)))).setUnits('deg.C').setMaxAccess("readonly")
if mibBuilder.loadTexts: outputMeasurementTemperature.setStatus('current')
if mibBuilder.loadTexts: outputMeasurementTemperature.setDescription('The measured temperature of the power module.')
outputSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 10, 20, 21, 22, 23))).clone(namedValues=NamedValues(("off", 0), ("on", 1), ("resetEmergencyOff", 2), ("setEmergencyOff", 3), ("clearEvents", 10), ("setVoltageRippleMeasurementOff", 20), ("setVoltageMeasurementOn", 21), ("setRippleMeasurementOn", 22), ("setVoltageRippleMeasurementOn", 23)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputSwitch.setStatus('current')
if mibBuilder.loadTexts: outputSwitch.setDescription('Read: An enumerated value which shows the current state of the output channel. Write: Change the state of the channel. If the channel is On, and the write value is Off, then the channel will switch Off. If the channel is Off, and the write value is On, and if no other signals (mainInhibit, outputInhibit, outputEmergencyOff or outputFailureMaxCurrent) are active, then the channel will switch on. If the write value is resetEmergencyOff, then the channel will leave the state EmergencyOff. A write of clearEvents is necessary before the voltage can ramp up again. If the write value is setEmergencyOff, then the channel will have the state EmergencyOff, which means that the High Voltage will switch off without a ramp and reset of the outputVoltage to null volt. If the write value is clearEvents, then all failure messages of the outputStatus will be reset (all channel events, all module events and the state emergencyOff). ')
outputVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 10), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputVoltage.setStatus('current')
if mibBuilder.loadTexts: outputVoltage.setDescription('The nominal output voltage of the channel.')
outputAdjustVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-128, 127))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputAdjustVoltage.setStatus('obsolete')
if mibBuilder.loadTexts: outputAdjustVoltage.setDescription('A posibillity to make small changes of the output voltage.')
outputCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 12), Float()).setUnits('A').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputCurrent.setStatus('current')
if mibBuilder.loadTexts: outputCurrent.setDescription('The current limit of the channel.')
outputVoltageRiseRate = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 13), Float()).setUnits('V/s').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputVoltageRiseRate.setStatus('current')
if mibBuilder.loadTexts: outputVoltageRiseRate.setDescription('Voltage Fall Slew Rate [V/s]. The slew rate of the output voltage if it increases (after switch on or if the Voltage has been changed). ')
outputVoltageFallRate = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 14), Float()).setUnits('V/s').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputVoltageFallRate.setStatus('current')
if mibBuilder.loadTexts: outputVoltageFallRate.setDescription('Voltage Rise Slew Rate [V/s]. The slew rate of the output voltage if it decreases (after switch off or if the Voltage has been changed). ')
outputSupervisionBehavior = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputSupervisionBehavior.setStatus('current')
if mibBuilder.loadTexts: outputSupervisionBehavior.setDescription('A bit field packed into an integer which define the behavior of the output channel / power supply after failures. For each supervision value, a two-bit field exists. The enumeration of this value (..L+..H*2) is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate. iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. The position of the bit fields in the integer value are: Bit 0, 1: outputFailureMinSenseVoltage Bit 2, 3: outputFailureMaxSenseVoltage Bit 4, 5: outputFailureMaxTerminalVoltage Bit 6, 7: outputFailureMaxCurrent Bit 8, 9: outputFailureMaxTemperature Bit 10, 11: outputFailureMaxPower Bit 12, 13: outputFailureInhibit Bit 14, 15: outputFailureTimeout ')
outputSupervisionMinSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 16), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputSupervisionMinSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputSupervisionMinSenseVoltage.setDescription('If the measured sense voltage is below this value, the power supply performs the function defined by SupervisionAction. ')
outputSupervisionMaxSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 17), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputSupervisionMaxSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputSupervisionMaxSenseVoltage.setDescription('If the measured sense voltage is above this value, the power supply performs the function defined by SupervisionAction. ')
outputSupervisionMaxTerminalVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 18), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputSupervisionMaxTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts: outputSupervisionMaxTerminalVoltage.setDescription('If the measured voltage at the power supply output terminals is above this value, the power supply performs the function defined by SupervisionAction. ')
outputSupervisionMaxCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 19), Float()).setUnits('A').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputSupervisionMaxCurrent.setStatus('current')
if mibBuilder.loadTexts: outputSupervisionMaxCurrent.setDescription('If the measured current is above this value, the power supply performs the function defined by SupervisionAction. ')
outputSupervisionMaxTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 20), Integer32()).setUnits('deg.C').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputSupervisionMaxTemperature.setStatus('current')
if mibBuilder.loadTexts: outputSupervisionMaxTemperature.setDescription('If the measured module temperature is above this value, the power supply performs the function defined by SupervisionAction. ')
outputConfigMaxSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 21), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigMaxSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputConfigMaxSenseVoltage.setDescription('The maximum possible value of the sense voltage')
outputConfigMaxTerminalVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 22), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigMaxTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts: outputConfigMaxTerminalVoltage.setDescription('The maximum possible value of the terminal voltage')
outputConfigMaxCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 23), Float()).setUnits('A').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigMaxCurrent.setStatus('current')
if mibBuilder.loadTexts: outputConfigMaxCurrent.setDescription('The maximum possible value of the output current')
outputSupervisionMaxPower = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 24), Float()).setUnits('W').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputSupervisionMaxPower.setStatus('current')
if mibBuilder.loadTexts: outputSupervisionMaxPower.setDescription('If the measured power (measured current * measured terminal voltage) is above this value, the power supply performs the function defined by SupervisionAction. ')
outputCurrentRiseRate = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 25), Float()).setUnits('A/s').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputCurrentRiseRate.setStatus('current')
if mibBuilder.loadTexts: outputCurrentRiseRate.setDescription('Current Fall Slew Rate [A/s]. The slew rate of the output current if it increases (after switch on or if the Current has been changed). ')
outputCurrentFallRate = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 26), Float()).setUnits('A/s').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputCurrentFallRate.setStatus('current')
if mibBuilder.loadTexts: outputCurrentFallRate.setDescription('Current Rise Slew Rate [A/s]. The slew rate of the output current if it decreases (after switch off or if the Current has been changed). ')
outputTripTimeMaxCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 27), OutputTripTime()).setUnits('ms').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripTimeMaxCurrent.setStatus('current')
if mibBuilder.loadTexts: outputTripTimeMaxCurrent.setDescription('Minimum time the outputSupervisionMaxCurrent threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior (bit field outputFailureMaxCurrent) or the new outputTripActionMaxCurrent.')
outputHardwareLimitVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 28), Float()).setUnits('V').setMaxAccess("readonly")
if mibBuilder.loadTexts: outputHardwareLimitVoltage.setStatus('current')
if mibBuilder.loadTexts: outputHardwareLimitVoltage.setDescription('Hardware Voltage Limit [V]. Potentiometer to adjust the global hardware voltage limit (for all channels of a module). ')
outputHardwareLimitCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 29), Float()).setUnits('A').setMaxAccess("readonly")
if mibBuilder.loadTexts: outputHardwareLimitCurrent.setStatus('current')
if mibBuilder.loadTexts: outputHardwareLimitCurrent.setDescription('Hardware Current Limit [A]. Potentiometer to adjust the global hardware current limit (for all channels of a module). ')
outputConfigGainSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 30), Float()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigGainSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputConfigGainSenseVoltage.setDescription('The gain value of the sense voltage')
outputConfigOffsetSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 31), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigOffsetSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputConfigOffsetSenseVoltage.setDescription('The offset value of the sense voltage')
outputConfigGainTerminalVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 32), Float()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigGainTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts: outputConfigGainTerminalVoltage.setDescription('The gain value of the sense voltage')
outputConfigOffsetTerminalVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 33), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigOffsetTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts: outputConfigOffsetTerminalVoltage.setDescription('The offset value of the sense voltage')
outputConfigGainCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 34), Float()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigGainCurrent.setStatus('current')
if mibBuilder.loadTexts: outputConfigGainCurrent.setDescription('The gain value of the sense voltage')
outputConfigOffsetCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 35), Float()).setUnits('V').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigOffsetCurrent.setStatus('current')
if mibBuilder.loadTexts: outputConfigOffsetCurrent.setDescription('The offset value of the sense voltage')
outputUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 37), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputUserConfig.setStatus('current')
if mibBuilder.loadTexts: outputUserConfig.setDescription("Definition of user-changeable items. A bit field packed into an integer which define the behavior of the output channel. Usable for WIENER LV devices only. The position of the bit fields in the integer value are: Bit 0: Voltage ramping at switch off: 0: Ramp down at switch off. 1: No ramp at switch off (immediate off) Bit 1, 2: Set different regulation modes, dependent on the cable inductance: 0: fast: short cables, up to 1 meter. 1: moderate: cables from 1 to 30 meter. 2: fast: identical to 0 (should not be used) 3: slow: cables longer than 30 meter. Bit 3: Internal sense line connection to the output (MPOD only): 0: The sense input at the sense connector is used for regulation. 1: The output voltage is used for regulation. Any signals at the sense connector are ignored. Bit 4: Enable External Inhibit input. 0: The external inhibit input is ignored. 1: The external inhibit input must be connected to a voltage source to allow switch on. Bit 5: Disable Global Inhibit inputs. 0: The global inhibit/interlock inputs of the system is active. 1: The global inhibit/interlock inputs of the system is ignored. Bit 6: Automatic Power On. 0: After switching the main system switch ON, the output is not switched on automatically. A separate outputSwitch command is required. 1: After switching the main system switch ON, the output is switched on automatically. If 'Disable Global Inhibit' (bit 5) is set, the output will be switched on regardless of the global inhibit/interlock signals. Community required for write access: guru. ")
outputRegulationMode = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("fast", 0), ("moderate", 1), ("slow", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputRegulationMode.setStatus('current')
if mibBuilder.loadTexts: outputRegulationMode.setDescription('Definition of the regulation mode. Deprecated, use outputUserConfig for this function in the future! It is possible to set different regulation modes, dependent on the cable inductance. fast: short cables, up to 1 meter. moderate: cables from 1 to 30 meter. slow: cables longer than 30 meter. Community required for write access: guru. ')
outputConfigMaxTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 39), Integer32()).setUnits('deg.C').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigMaxTemperature.setStatus('current')
if mibBuilder.loadTexts: outputConfigMaxTemperature.setDescription('The maximum possible value of outputSupervisionMaxTemperature.')
outputResistance = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 40), Float()).setUnits('Ohm').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputResistance.setStatus('current')
if mibBuilder.loadTexts: outputResistance.setDescription('Item to specify an external resistor. For instance a wire resistor or an external resistor to protect the detectot which is supplied by a cascaded HV module. ')
outputTripTimeMinSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 41), OutputTripTime()).setUnits('ms').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripTimeMinSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputTripTimeMinSenseVoltage.setDescription('Minimum time the outputSupervisionMinSenseVoltage threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMinSenseVoltage. ')
outputTripTimeMaxSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 42), OutputTripTime()).setUnits('ms').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripTimeMaxSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputTripTimeMaxSenseVoltage.setDescription('Minimum time the outputSupervisionMaxSenseVoltage threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMaxSenseVoltage. ')
outputTripTimeMaxTerminalVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 43), OutputTripTime()).setUnits('ms').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripTimeMaxTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts: outputTripTimeMaxTerminalVoltage.setDescription('Minimum time the outputSupervisionMaxTerminalVoltage threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMaxTerminalVoltage. ')
outputTripTimeMaxTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 44), OutputTripTime()).setUnits('ms').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripTimeMaxTemperature.setStatus('current')
if mibBuilder.loadTexts: outputTripTimeMaxTemperature.setDescription('Minimum time the outputSupervisionMaxTemperature threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMaxTemperature. ')
outputTripTimeMaxPower = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 45), OutputTripTime()).setUnits('ms').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripTimeMaxPower.setStatus('current')
if mibBuilder.loadTexts: outputTripTimeMaxPower.setDescription('Minimum time the outputSupervisionMaxPower threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMaxPower. ')
outputTripTimeTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 46), OutputTripTime()).setUnits('ms').setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripTimeTimeout.setStatus('current')
if mibBuilder.loadTexts: outputTripTimeTimeout.setDescription('Maximum time the communication between module and controller can paused before activation the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionTimeout. ')
outputTripActionMinSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 47), OutputTripAction()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripActionMinSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputTripActionMinSenseVoltage.setDescription('Trip action if outputSuperisionMinSenseVoltage threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 0..1 of outputSupervisionBehavior. ')
outputTripActionMaxSenseVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 48), OutputTripAction()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripActionMaxSenseVoltage.setStatus('current')
if mibBuilder.loadTexts: outputTripActionMaxSenseVoltage.setDescription('Trip action if outputSuperisionMaxSenseVoltage threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 2..3 of outputSupervisionBehavior. ')
outputTripActionMaxTerminalVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 49), OutputTripAction()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripActionMaxTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts: outputTripActionMaxTerminalVoltage.setDescription('Trip action if outputSuperisionMaxTerminalVoltage threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 4..5 of outputSupervisionBehavior. ')
outputTripActionMaxCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 50), OutputTripAction()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripActionMaxCurrent.setStatus('current')
if mibBuilder.loadTexts: outputTripActionMaxCurrent.setDescription('Trip action if outputSuperisionMaxCurrent threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate. iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 6..7 of outputSupervisionBehavior. ')
outputTripActionMaxTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 51), OutputTripAction()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripActionMaxTemperature.setStatus('current')
if mibBuilder.loadTexts: outputTripActionMaxTemperature.setDescription('Trip action if outputSuperisionMaxTemperature threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 8..9 of outputSupervisionBehavior. ')
outputTripActionMaxPower = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 52), OutputTripAction()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripActionMaxPower.setStatus('current')
if mibBuilder.loadTexts: outputTripActionMaxPower.setDescription('Trip action if outputSuperisionMaxPower threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 10..11 of outputSupervisionBehavior. ')
outputTripActionExternalInhibit = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 53), OutputTripAction()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripActionExternalInhibit.setStatus('current')
if mibBuilder.loadTexts: outputTripActionExternalInhibit.setDescription('Trip action if the external inhibit input has been activated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 12..13 of outputSupervisionBehavior. ')
outputTripActionTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 54), OutputTripAction()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputTripActionTimeout.setStatus('current')
if mibBuilder.loadTexts: outputTripActionTimeout.setDescription('Trip action if the communication between module and controller has been paused longer than outputTripTimeTimeout. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 14..15 of outputSupervisionBehavior. ')
outputConfigDataS = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 1024), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigDataS.setStatus('current')
if mibBuilder.loadTexts: outputConfigDataS.setDescription('Configuration Data raw access. This allows to read / write output channel specific user configuration data. This OID is intended for use by WIENER system software only and my not be accessed directly. snmpget: undefined behavior snmpset: OCTET STRING format for reading data (8 octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit OCTET STRING format used for writing data, or returned from the SNMP client after read/write (8+n octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit data numberOfOctets octets ')
outputConfigDataU = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 1025), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: outputConfigDataU.setStatus('current')
if mibBuilder.loadTexts: outputConfigDataU.setDescription('Configuration Data raw access. This allows to read / write output channel specific user configuration data. This OID is intended for use by WIENER system software only and my not be accessed directly. snmpget: undefined behavior snmpset: OCTET STRING format for reading data (8 octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit OCTET STRING format returned from the SNMP client, or used for writing data (8+n octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit data numberOfOctets octets ')
groupsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 19947, 1, 3, 4, 1), ).setIndexNames((0, "WIENER-CRATE-MIB", "groupsIndex"))
if mibBuilder.loadTexts: groupsEntry.setStatus('current')
if mibBuilder.loadTexts: groupsEntry.setDescription('A table row')
groupsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1999)))
if mibBuilder.loadTexts: groupsIndex.setStatus('current')
if mibBuilder.loadTexts: groupsIndex.setDescription('A unique number for each power output group. Its value ranges between 1 and 1999. The special group 0 is predefined and gives access to all channels. ')
groupsSwitch = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 4, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(-1, 0, 1, 2, 3, 4, 5, 6, 7, 10))).clone(namedValues=NamedValues(("undefined", -1), ("off", 0), ("on", 1), ("resetEmergencyOff", 2), ("setEmergencyOff", 3), ("disableKill", 4), ("enableKill", 5), ("disableAdjust", 6), ("enableAdjust", 7), ("clearEvents", 10)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: groupsSwitch.setStatus('current')
if mibBuilder.loadTexts: groupsSwitch.setDescription('Read: This function is not defined with groups of output channels. Write: Switch the state of all channels of a group. If any channel is On, and the write value is Off, then all channels will switch off. If any channel is Off, and the write value is On, and if no other signals (mainInhibit, outputInhibit, outputEmergencyOff or outputFailureMaxCurrent) are active, then all channels will switch on. If the write value is resetEmergencyOff, then all channels will leave the state EmergencyOff. A write of clearEvents is necessary before the voltage can ramp up again. If the write value is setEmergencyOff, then all channels will have the state EmergencyOff, which means that the High Voltage will switch off without a ramp and reset of the outputVoltage to null volt. If the write value is disableKILL, then all channels will switch to disableKill (outputStatus outputDisableKill). If the write value is enableKILL, then all channels will switch to enableKill (outputStatus outputEnableKill). If the write value is clearEvents, then all failure messages of the outputStatus will be cleared (all channel events, all module events and the state outputEmergencyOff will be reset). For a detailed description of the different group numbers available look at the outputGroup OID above. ')
moduleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1), ).setIndexNames((0, "WIENER-CRATE-MIB", "moduleIndex"))
if mibBuilder.loadTexts: moduleEntry.setStatus('current')
if mibBuilder.loadTexts: moduleEntry.setDescription('A row in the table of HV/LV modules')
moduleIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("ma0", 1), ("ma1", 2), ("ma2", 3), ("ma3", 4), ("ma4", 5), ("ma5", 6), ("ma6", 7), ("ma7", 8), ("ma8", 9), ("ma9", 10))))
if mibBuilder.loadTexts: moduleIndex.setStatus('current')
if mibBuilder.loadTexts: moduleIndex.setDescription('A unique number for each HV/LV module. Its value ranges between 1 and the total number of HV/LV modules. Note, index 1 corresponds to ma0.')
moduleDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 39))).setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleDescription.setStatus('current')
if mibBuilder.loadTexts: moduleDescription.setDescription("Vendor, FirmwareName, ChannelNumber, SerialNumber, FirmwareRelease Vendor WIENER or iseg FirmwareName: 'E16D0' EDS 16 channels per PCB, distributor module, range of Vmax from VO max to (VO max - 1kV) 'E16D1' EDS 16 channels per PCB, distributor module 'E08C0' EHS 8 channels per PCB, common GND module 'E08F0' EHS 8 channels per PCB, floating GND module 'E08F2' EHS 8 channels per PCB, floating GND module, 2 current measurement ranges 'E08C2' EHS 8 channels per PCB, common floating GND module, 2 current measurement ranges 'E08B0' EBS 8 bipolars channel per PCB, distributor module 'H101C0' HPS 1 channel HV high power supply ChannelNumber 1 to 64 SerialNumber 71xxxx FirmwareRelease x.xx ")
moduleAuxiliaryMeasurementVoltage = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 3))
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementVoltage.setStatus('current')
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementVoltage.setDescription('The measured module auxiliary voltages.')
moduleAuxiliaryMeasurementVoltage0 = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 3, 1), Float()).setUnits('V').setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementVoltage0.setStatus('current')
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementVoltage0.setDescription('The measured module auxiliary voltage.')
moduleAuxiliaryMeasurementVoltage1 = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 3, 2), Float()).setUnits('V').setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementVoltage1.setStatus('current')
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementVoltage1.setDescription('The measured module auxiliary voltage.')
moduleHardwareLimitVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 4), Float()).setUnits('%').setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleHardwareLimitVoltage.setStatus('current')
if mibBuilder.loadTexts: moduleHardwareLimitVoltage.setDescription('The module hardware voltage limit.')
moduleHardwareLimitCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 5), Float()).setUnits('%').setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleHardwareLimitCurrent.setStatus('current')
if mibBuilder.loadTexts: moduleHardwareLimitCurrent.setDescription('The module hardware current limit.')
moduleRampSpeedVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 6), Float()).setUnits('%').setMaxAccess("readwrite")
if mibBuilder.loadTexts: moduleRampSpeedVoltage.setStatus('current')
if mibBuilder.loadTexts: moduleRampSpeedVoltage.setDescription('The module voltage ramp speed (iseg HV modules have the same ramp speed value for all channels). ')
moduleRampSpeedCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 7), Float()).setUnits('%').setMaxAccess("readwrite")
if mibBuilder.loadTexts: moduleRampSpeedCurrent.setStatus('current')
if mibBuilder.loadTexts: moduleRampSpeedCurrent.setDescription('The module current ramp speed (iseg HV modules have the same ramp speed value for all channels). ')
moduleStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 8), Bits().clone(namedValues=NamedValues(("moduleIsFineAdjustment", 0), ("moduleIsLiveInsertion", 2), ("moduleIsHighVoltageOn", 3), ("moduleNeedService", 4), ("moduleHardwareLimitVoltageIsGood", 5), ("moduleIsInputError", 6), ("moduleIsNoSumError", 8), ("moduleIsNoRamp", 9), ("moduleSafetyLoopIsGood", 10), ("moduleIsEventActive", 11), ("moduleIsGood", 12), ("moduleSupplyIsGood", 13), ("moduleTemperatureIsGood", 14), ("moduleIsKillEnable", 15)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleStatus.setStatus('current')
if mibBuilder.loadTexts: moduleStatus.setDescription('A bit string which shows the current module status. If a bit is set (1), the explanation is satisfied: moduleIsFineAdjustment (0), Module has reached state fine adjustment. moduleIsLiveInsertion (2), Module is in state live insertion. moduleNeedService (4), Hardware failure detected (consult iseg Spezialelektronik GmbH). moduleIsHardwareLimitVoltageGood (5), Hardware limit voltage in proper range, using for HV distributor modules with current mirror only. moduleIsInputError (6), Input error in connection with a module access. moduleIsNoSumError (8), All channels without any failure. moduleIsNoRamp (9), All channels stable, no is ramp active. moduleIsSafetyLoopGood (10), Safety loop is closed. moduleIsEventActive (11), Any event is active and mask is set. moduleIsGood (12), Module state is good. moduleIsSupplyGood (13), Power supply is good. moduleIsTemperatureGood (14), Module temperature is good. moduleIsKillEnable (15) Module state of kill enable. ')
moduleEventStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 9), Bits().clone(namedValues=NamedValues(("moduleEventPowerFail", 0), ("moduleEventLiveInsertion", 2), ("moduleEventService", 4), ("moduleHardwareLimitVoltageNotGood", 5), ("moduleEventInputError", 6), ("moduleEventSafetyLoopNotGood", 10), ("moduleEventSupplyNotGood", 13), ("moduleEventTemperatureNotGood", 14)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleEventStatus.setStatus('current')
if mibBuilder.loadTexts: moduleEventStatus.setDescription("A bit string which shows the current module status. If a bit is set (1), the explanation is satisfied: moduleEventPowerFail (0), Event power fail generated by the MPOD controller in order to ramp down all HV's (ramp speed=1000V/s) moduleEventLiveInsertion (2), Event live insertion to prepare a hot plug of a module moduleEventService (4), Module event: Hardware failure detected (consult iseg Spezialelektronik GmbH). moduleHardwareLimitVoltageNotGood (5), Module Event: Hardware voltage limit is not in proper range, using for HV distributor modules with current mirror only. moduleEventInputError (6), Module event: There was an input error in connection with a module access moduleEventSafetyLoopNotGood (10), Module event: Safety loop is open. moduleEventSupplyNotGood (13), Module event: At least one of the supplies is not good. moduleEventTemperatureNotGood (14), Module event: Temperature was above the permitted threshold (for EDS/EHS temperature above 55 degr.C) ")
moduleEventChannelStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 10), Bits().clone(namedValues=NamedValues(("channel0", 0), ("channel1", 1), ("channel2", 2), ("channel3", 3), ("channel4", 4), ("channel5", 5), ("channel6", 6), ("channel7", 7), ("channel8", 8), ("channel9", 9), ("channel10", 10), ("channel11", 11), ("channel12", 12), ("channel13", 13), ("channel14", 14), ("channel15", 15), ("channel16", 16), ("channel17", 17), ("channel18", 18), ("channel19", 19), ("channel20", 20), ("channel21", 21), ("channel22", 22), ("channel23", 23), ("channel24", 24), ("channel25", 25), ("channel26", 26), ("channel27", 27), ("channel28", 28), ("channel29", 29), ("channel30", 30), ("channel31", 31), ("channel32", 32), ("channel33", 33), ("channel34", 34), ("channel35", 35), ("channel36", 36), ("channel37", 37), ("channel38", 38), ("channel39", 39), ("channel40", 40), ("channel41", 41), ("channel42", 42), ("channel43", 43), ("channel44", 44), ("channel45", 45), ("channel46", 46), ("channel47", 47)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleEventChannelStatus.setStatus('current')
if mibBuilder.loadTexts: moduleEventChannelStatus.setDescription('Bit field that reserves one bit for every channel. bit 0 HV channel 0 bit 1 HV channel 1 bit x HV channel x ')
moduleDoClear = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("nothing", 0), ("doClear", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: moduleDoClear.setStatus('current')
if mibBuilder.loadTexts: moduleDoClear.setDescription('All events of the module will be cleared.')
moduleAuxiliaryMeasurementTemperature = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12))
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature.setStatus('current')
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature.setDescription('The number of auxiliary temperature sensors in the module.')
moduleAuxiliaryMeasurementTemperature0 = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12, 1), Float()).setUnits('deg.C').setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature0.setStatus('current')
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature0.setDescription('The measured module temperature of sensor 1.')
moduleAuxiliaryMeasurementTemperature1 = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12, 2), Float()).setUnits('deg.C').setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature1.setStatus('current')
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature1.setDescription('The measured module temperature of sensor 2.')
moduleAuxiliaryMeasurementTemperature2 = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12, 3), Float()).setUnits('deg.C').setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature2.setStatus('current')
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature2.setDescription('The measured module temperature of sensor 3.')
moduleAuxiliaryMeasurementTemperature3 = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12, 4), Float()).setUnits('deg.C').setMaxAccess("readonly")
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature3.setStatus('current')
if mibBuilder.loadTexts: moduleAuxiliaryMeasurementTemperature3.setDescription('The measured module temperature of sensor 4.')
moduleConfigDataS = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 1024), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: moduleConfigDataS.setStatus('current')
if mibBuilder.loadTexts: moduleConfigDataS.setDescription('Configuration Data raw access. This allows to read / write output channel specific system configuration data. This OID is intended for use by WIENER system software only and my not be accessed directly. snmpget: undefined behavior snmpset: OCTET STRING format for reading data (8 octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit OCTET STRING format returned from the SNMP client, or used for writing data (8+n octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit data numberOfOctets octets ')
moduleConfigDataU = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 1025), OctetString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: moduleConfigDataU.setStatus('current')
if mibBuilder.loadTexts: moduleConfigDataU.setDescription('Configuration Data raw access. This allows to read / write output channel specific user configuration data. This OID is intended for use by WIENER system software only and my not be accessed directly. snmpget: undefined behavior snmpset: OCTET STRING format for reading data (8 octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit OCTET STRING format returned from the SNMP client, or used for writing data (8+n octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit data numberOfOctets octets ')
sensorNumber = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sensorNumber.setStatus('current')
if mibBuilder.loadTexts: sensorNumber.setDescription('The number of temperature sensors of the crate.')
sensorTable = MibTable((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2), )
if mibBuilder.loadTexts: sensorTable.setStatus('current')
if mibBuilder.loadTexts: sensorTable.setDescription('A (conceptual table) of temperature sensor data.')
sensorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1), ).setIndexNames((0, "WIENER-CRATE-MIB", "sensorIndex"))
if mibBuilder.loadTexts: sensorEntry.setStatus('current')
if mibBuilder.loadTexts: sensorEntry.setDescription('An entry (conceptual row) of the sensorTable.')
sensorIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("temp1", 1), ("temp2", 2), ("temp3", 3), ("temp4", 4), ("temp5", 5), ("temp6", 6), ("temp7", 7), ("temp8", 8))))
if mibBuilder.loadTexts: sensorIndex.setStatus('current')
if mibBuilder.loadTexts: sensorIndex.setDescription('A unique number for each temperature sensor in the crate')
sensorTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-128, 127))).setUnits('deg.C').setMaxAccess("readonly")
if mibBuilder.loadTexts: sensorTemperature.setStatus('current')
if mibBuilder.loadTexts: sensorTemperature.setDescription('The measured temperature of the sensor. Unused temperature probes have the special value -128')
sensorWarningThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setUnits('deg.C').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sensorWarningThreshold.setStatus('current')
if mibBuilder.loadTexts: sensorWarningThreshold.setDescription('If the measured temperature of the sensor is higher than this value, the fan speed of the connected fan tray is increased. The value 127 has the special meaning: channel disabled. ')
sensorFailureThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setUnits('deg.C').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sensorFailureThreshold.setStatus('current')
if mibBuilder.loadTexts: sensorFailureThreshold.setDescription('If the measured temperature of the sensor is higher than this value, the power supply switches off. The value 127 has the special meaning: channel disabled. ')
sensorAlarmThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 127))).setUnits('deg.C').setMaxAccess("readwrite")
if mibBuilder.loadTexts: sensorAlarmThreshold.setStatus('current')
if mibBuilder.loadTexts: sensorAlarmThreshold.setDescription('If the measured temperature of the sensor is much higher than this value, the fans rotate in full speed. The value 127 has the special meaning: channel disabled. ')
sensorName = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sensorName.setStatus('current')
if mibBuilder.loadTexts: sensorName.setDescription('A textual string containing a short name of the sensor. If the crate is equipped with an alphanumeric display, this string is shown to identify a sensor channel. ')
sensorID = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 8), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sensorID.setStatus('current')
if mibBuilder.loadTexts: sensorID.setDescription('Shows the 1-Wire Id of the corresponding Sensor.')
sensorStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 9), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sensorStatus.setStatus('current')
if mibBuilder.loadTexts: sensorStatus.setDescription('A bit field packed into an integer which define the Status of the Sensors after failures. For each Status value, a two-bit field exists. Bits-Value 00 Temperature is ok 01 Temperature is over WarningThreshold 10 Temperature is over AlarmThreshold 11 Temperature is over FailureThreshold The position of the bit fields in the integer value are: Bit 0, 1: Sensor1 Bit 2, 3: Sensor2 Bit 4, 5: Sensor3 Bit 6, 7: Sensor4 Bit 8, 9: Sensor5 Bit 10, 11: Sensor6 Bit 12, 13: Sensor7 Bit 14, 15: Sensor8')
snmp = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1))
if mibBuilder.loadTexts: snmp.setStatus('current')
if mibBuilder.loadTexts: snmp.setDescription('SNMP configuration.')
snmpCommunityTable = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 1), )
if mibBuilder.loadTexts: snmpCommunityTable.setStatus('current')
if mibBuilder.loadTexts: snmpCommunityTable.setDescription('The SNMP community string table for different views.')
snmpCommunityEntry = MibTableRow((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 1, 1), ).setIndexNames((0, "WIENER-CRATE-MIB", "snmpAccessRight"))
if mibBuilder.loadTexts: snmpCommunityEntry.setStatus('current')
if mibBuilder.loadTexts: snmpCommunityEntry.setDescription('One table row.')
snmpAccessRight = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("public", 1), ("private", 2), ("admin", 3), ("guru", 4))))
if mibBuilder.loadTexts: snmpAccessRight.setStatus('current')
if mibBuilder.loadTexts: snmpAccessRight.setDescription('A unique number for each access right')
snmpCommunityName = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 1, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 14))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpCommunityName.setStatus('current')
if mibBuilder.loadTexts: snmpCommunityName.setDescription('The SNMP community names for different views. The rights of the different communities are: public no write access private can switch power on/off, generate system reset admin can change supervision levels guru can change output voltage & current (this may destroy hardware if done wrong!) Setting a community name to a zero-length string completly disables the access to this view. If there is no higher- privileged community, the community name can only changed by direct access to the crate (not via network)! ')
snmpPort = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 2), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpPort.setStatus('current')
if mibBuilder.loadTexts: snmpPort.setDescription('The UDP port number of the SNMP protocol. A value of 0 disables all future SNMP communication! ')
httpPort = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: httpPort.setStatus('current')
if mibBuilder.loadTexts: httpPort.setDescription('The TCP port number of the HTTP (web) protocol. A value of 0 disables all HTTP access. ')
firmwareUpdate = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 10), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: firmwareUpdate.setStatus('current')
if mibBuilder.loadTexts: firmwareUpdate.setDescription('Send a update String')
ipDynamicAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 11), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ipDynamicAddress.setStatus('current')
if mibBuilder.loadTexts: ipDynamicAddress.setDescription('Shows the Ip which is currently used')
ipStaticAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 12), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ipStaticAddress.setStatus('current')
if mibBuilder.loadTexts: ipStaticAddress.setDescription('Shows the Ip which is setted by user')
macAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 13), MacAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: macAddress.setStatus('current')
if mibBuilder.loadTexts: macAddress.setDescription('Shows the MAC of the corresponding device')
can = ObjectIdentity((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2))
if mibBuilder.loadTexts: can.setStatus('current')
if mibBuilder.loadTexts: can.setDescription('CAN-Bus tunnel via SNMP.')
canBitRate = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: canBitRate.setStatus('current')
if mibBuilder.loadTexts: canBitRate.setDescription('Control of the CAN-Bus. The value defines the bit rate of the CAN-bus interface. A write disconnects the CAN interface from the ISEG modules and connects it to the SNMP communication. Both the receive and transmit fifos are cleared and the CAN interface is initialized with the selected bit rate. The special bit rate 0 disables the tunnel and switches back to normal operation. ')
canReceive = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(14, 14)).setFixedLength(14)).setMaxAccess("readonly")
if mibBuilder.loadTexts: canReceive.setStatus('current')
if mibBuilder.loadTexts: canReceive.setDescription('Control of the CAN-Bus Receive FIFO. A read access returns the total number of CAN messages stored in the receive fifo and the oldest message. This message is removed from the fifo. The OCTET STRING data is formatted according to the CANviaSNMP structure. ')
canTransmit = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(14, 14)).setFixedLength(14)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: canTransmit.setStatus('current')
if mibBuilder.loadTexts: canTransmit.setDescription('Control of the CAN-Bus Transmit FIFO. A read access returns the total number of CAN messages stored in the transmit fifo and a NULL message. A write inserts the CAN message into the transmit fifo. This message will be transmitted via the CAN interface later. The total number of CAN messages stored in the transmit fifo and the recent message are returned. The OCTET STRING data is formatted according to the CANviaSNMP structure. ')
canReceiveHv = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(14, 14)).setFixedLength(14)).setMaxAccess("readonly")
if mibBuilder.loadTexts: canReceiveHv.setStatus('current')
if mibBuilder.loadTexts: canReceiveHv.setDescription('Control of the internal HV CAN-Bus on the backplane Receive FIFO. A read access returns the total number of CAN messages stored in the receive fifo and the oldest message. This message is removed from the fifo. The OCTET STRING data is formatted according to the CANviaSNMP structure. ')
canTransmitHv = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(14, 14)).setFixedLength(14)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: canTransmitHv.setStatus('current')
if mibBuilder.loadTexts: canTransmitHv.setDescription('Control of the internal HV CAN-Bus on the backplane. A write access with: CANID=0x600 DLC=4 DATAID=0x1001 CONTROL will switch the HV modules into a special state. CONTROL=0x0001 - enable SNMP CAN access, stop the refresh cycle for the data points of the name space CONTROL=0x0002 - disable SNMP CAN access, activate the refresh cycle for the data points of the name space A write access unequal to CANID=0x600 will be transmitted to the HV CAN on the backplane. Such a message will be transmitted immediately via the CAN interface. The OCTET STRING data is formatted according to the CANviaSNMP structure. ')
canBitRateHv = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(125000, 1000000))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: canBitRateHv.setStatus('current')
if mibBuilder.loadTexts: canBitRateHv.setDescription('Control of the bit rate of the HV CAN-Bus. The value defines the bit rate of the CAN-bus interface. Possible Values are 125000 and 250000. Changing this value requires MPODC slave firmware 1.10 or above. ')
psSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 6, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: psSerialNumber.setStatus('current')
if mibBuilder.loadTexts: psSerialNumber.setDescription('The serial number of the power supply.')
psOperatingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 6, 3), Integer32()).setUnits('s').setMaxAccess("readwrite")
if mibBuilder.loadTexts: psOperatingTime.setStatus('current')
if mibBuilder.loadTexts: psOperatingTime.setDescription('The time in seconds for how long the power supply was switched on.')
psAuxiliaryNumber = MibScalar((1, 3, 6, 1, 4, 1, 19947, 1, 6, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8))).setMaxAccess("readonly")
if mibBuilder.loadTexts: psAuxiliaryNumber.setStatus('current')
if mibBuilder.loadTexts: psAuxiliaryNumber.setDescription('The number of auxiliary channels of the power supply.')
psAuxiliaryTable = MibTable((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5), )
if mibBuilder.loadTexts: psAuxiliaryTable.setStatus('current')
if mibBuilder.loadTexts: psAuxiliaryTable.setDescription('A list of psAuxiliary entries.')
psDirectAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 6, 1024), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 14))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: psDirectAccess.setStatus('current')
if mibBuilder.loadTexts: psDirectAccess.setDescription('Direct data transfer to the UEP6000 power supply. A read access returns nothing, a write access returns the response of the power supply. ')
psAuxiliaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5, 1), ).setIndexNames((0, "WIENER-CRATE-MIB", "psAuxiliaryIndex"))
if mibBuilder.loadTexts: psAuxiliaryEntry.setStatus('current')
if mibBuilder.loadTexts: psAuxiliaryEntry.setDescription('A table row')
psAuxiliaryIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("u0", 1), ("u1", 2), ("u2", 3), ("u3", 4), ("u4", 5), ("u5", 6), ("u6", 7), ("u7", 8))))
if mibBuilder.loadTexts: psAuxiliaryIndex.setStatus('current')
if mibBuilder.loadTexts: psAuxiliaryIndex.setDescription('A unique number for each power supply auxiliary channel. Its value ranges between 1 and total number of output channels. SMI index starts at 1, so index 1 corresponds to U0. ')
psAuxiliaryMeasurementVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5, 1, 3), Float()).setUnits('V').setMaxAccess("readonly")
if mibBuilder.loadTexts: psAuxiliaryMeasurementVoltage.setStatus('current')
if mibBuilder.loadTexts: psAuxiliaryMeasurementVoltage.setDescription('The measured power supply auxiliary output voltage.')
psAuxiliaryMeasurementCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5, 1, 4), Float()).setUnits('A').setMaxAccess("readonly")
if mibBuilder.loadTexts: psAuxiliaryMeasurementCurrent.setStatus('current')
if mibBuilder.loadTexts: psAuxiliaryMeasurementCurrent.setDescription('The measured power supply auxiliary output current.')
fanSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 14))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanSerialNumber.setStatus('current')
if mibBuilder.loadTexts: fanSerialNumber.setDescription('The serial number of the fan tray.')
fanOperatingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 3), Integer32()).setUnits('s').setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanOperatingTime.setStatus('current')
if mibBuilder.loadTexts: fanOperatingTime.setDescription('The time in seconds for how long the fan tray was switched on.')
fanAirTemperature = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 4), Integer32()).setUnits('deg.C').setMaxAccess("readonly")
if mibBuilder.loadTexts: fanAirTemperature.setStatus('current')
if mibBuilder.loadTexts: fanAirTemperature.setDescription('The temperature of the fan tray inlet air.')
fanSwitchOffDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 900))).setUnits('s').setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanSwitchOffDelay.setStatus('current')
if mibBuilder.loadTexts: fanSwitchOffDelay.setDescription('The maximum time in seconds for which the fans will continue running after the power supply has been switched off. This feature is used to cool down the electronics after switching off. ')
fanNominalSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 6), Integer32()).setUnits('RPM').setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanNominalSpeed.setStatus('current')
if mibBuilder.loadTexts: fanNominalSpeed.setDescription('The nominal fan rotation speed (RPM, Revolutions Per Minute) Value 0 does switch off the fans (only allowed if at least one rack temperature sensor is present). Values 1..1199 are not allowed ')
fanNumberOfFans = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 12))).setUnits('Fans').setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanNumberOfFans.setStatus('current')
if mibBuilder.loadTexts: fanNumberOfFans.setDescription('The number of installed fans')
fanSpeedTable = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 8), )
if mibBuilder.loadTexts: fanSpeedTable.setStatus('current')
if mibBuilder.loadTexts: fanSpeedTable.setDescription('A list of fanSpeedEntries.')
fanSpeedEntry = MibTableRow((1, 3, 6, 1, 4, 1, 19947, 1, 7, 8, 1), ).setIndexNames((0, "WIENER-CRATE-MIB", "fanNumber"))
if mibBuilder.loadTexts: fanSpeedEntry.setStatus('current')
if mibBuilder.loadTexts: fanSpeedEntry.setDescription('A table row')
fanNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 12)))
if mibBuilder.loadTexts: fanNumber.setStatus('current')
if mibBuilder.loadTexts: fanNumber.setDescription('A unique number for each fan.')
fanSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 8, 1, 2), Integer32()).setUnits('RPM').setMaxAccess("readonly")
if mibBuilder.loadTexts: fanSpeed.setStatus('current')
if mibBuilder.loadTexts: fanSpeed.setDescription('The measured fan rotation speed (RPM, Revolutions Per Minute)')
fanMaxSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 9), Integer32()).setUnits('RPM').setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanMaxSpeed.setStatus('current')
if mibBuilder.loadTexts: fanMaxSpeed.setDescription('The highest allowed rotationspeed of fan.')
fanMinSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 10), Integer32()).setUnits('RPM').setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanMinSpeed.setStatus('current')
if mibBuilder.loadTexts: fanMinSpeed.setDescription('The lowest allowed Rotationspeed of fan.')
fanConfigMaxSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 11), Integer32()).setUnits('RPM').setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanConfigMaxSpeed.setStatus('current')
if mibBuilder.loadTexts: fanConfigMaxSpeed.setDescription('Hardwarelimits. Can only set by WIENER.')
fanConfigMinSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 7, 12), Integer32()).setUnits('RPM').setMaxAccess("readwrite")
if mibBuilder.loadTexts: fanConfigMinSpeed.setStatus('current')
if mibBuilder.loadTexts: fanConfigMinSpeed.setDescription('Hardwarelimits Can only set by WIENER.')
numberOfAnalogInputs = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 9, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 8))).setMaxAccess("readonly")
if mibBuilder.loadTexts: numberOfAnalogInputs.setStatus('current')
if mibBuilder.loadTexts: numberOfAnalogInputs.setDescription('The number of additional analog inputs of the crate.')
analogInputTable = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2), )
if mibBuilder.loadTexts: analogInputTable.setStatus('current')
if mibBuilder.loadTexts: analogInputTable.setDescription('A (conceptual table) of analog input data.')
analogInputEntry = MibTableRow((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2, 1), ).setIndexNames((0, "WIENER-CRATE-MIB", "analogInputIndex"))
if mibBuilder.loadTexts: analogInputEntry.setStatus('current')
if mibBuilder.loadTexts: analogInputEntry.setDescription('An entry (conceptual row) of the analogInputTable.')
analogInputIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8)))
if mibBuilder.loadTexts: analogInputIndex.setStatus('current')
if mibBuilder.loadTexts: analogInputIndex.setDescription('A unique number for each analog input of the crate')
analogMeasurementVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2, 1, 2), Float()).setUnits('V').setMaxAccess("readonly")
if mibBuilder.loadTexts: analogMeasurementVoltage.setStatus('current')
if mibBuilder.loadTexts: analogMeasurementVoltage.setDescription('The measured voltage of the analog input.')
analogMeasurementCurrent = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2, 1, 3), Float()).setUnits('A').setMaxAccess("readonly")
if mibBuilder.loadTexts: analogMeasurementCurrent.setStatus('current')
if mibBuilder.loadTexts: analogMeasurementCurrent.setDescription('The measured current of the analog input.')
digitalInput = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 9, 5), Bits().clone(namedValues=NamedValues(("d0", 0), ("d1", 1), ("d2", 2), ("d3", 3), ("d4", 4), ("d5", 5), ("d6", 6), ("d7", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: digitalInput.setStatus('current')
if mibBuilder.loadTexts: digitalInput.setDescription('The value of the digital inputs.')
digitalOutput = MibTableColumn((1, 3, 6, 1, 4, 1, 19947, 1, 9, 6), Bits().clone(namedValues=NamedValues(("d0", 0), ("d1", 1), ("d2", 2), ("d3", 3), ("d4", 4), ("d5", 5), ("d6", 6), ("d7", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: digitalOutput.setStatus('current')
if mibBuilder.loadTexts: digitalOutput.setDescription('The value of the digital outputs.')
mibBuilder.exportSymbols("WIENER-CRATE-MIB", outputIndex=outputIndex, sysStatus=sysStatus, outputTripActionMaxPower=outputTripActionMaxPower, outputSupervisionMaxCurrent=outputSupervisionMaxCurrent, sysDebugMemory32=sysDebugMemory32, outputMeasurementSenseVoltage=outputMeasurementSenseVoltage, fanMaxSpeed=fanMaxSpeed, sysDebugBoot=sysDebugBoot, sensorStatus=sensorStatus, snmpCommunityEntry=snmpCommunityEntry, sensorTemperature=sensorTemperature, moduleRampSpeedVoltage=moduleRampSpeedVoltage, fanSerialNumber=fanSerialNumber, powersupply=powersupply, outputAdjustVoltage=outputAdjustVoltage, snmp=snmp, outputTripTimeMaxPower=outputTripTimeMaxPower, outputNumber=outputNumber, wiener=wiener, outputConfigDataU=outputConfigDataU, moduleRampSpeedCurrent=moduleRampSpeedCurrent, snmpPort=snmpPort, sensorFailureThreshold=sensorFailureThreshold, fanSwitchOffDelay=fanSwitchOffDelay, outputStatus=outputStatus, outputTripActionMaxSenseVoltage=outputTripActionMaxSenseVoltage, fanSpeedTable=fanSpeedTable, rack=rack, outputConfigMaxSenseVoltage=outputConfigMaxSenseVoltage, outputConfigGainCurrent=outputConfigGainCurrent, outputConfigMaxCurrent=outputConfigMaxCurrent, moduleNumber=moduleNumber, psSerialNumber=psSerialNumber, fanNumberOfFans=fanNumberOfFans, outputConfigMaxTemperature=outputConfigMaxTemperature, OutputTripTime=OutputTripTime, outputMeasurementCurrent=outputMeasurementCurrent, can=can, analogInputEntry=analogInputEntry, outputConfigOffsetTerminalVoltage=outputConfigOffsetTerminalVoltage, moduleHardwareLimitVoltage=moduleHardwareLimitVoltage, sensorID=sensorID, outputTripTimeMaxTemperature=outputTripTimeMaxTemperature, moduleAuxiliaryMeasurementVoltage1=moduleAuxiliaryMeasurementVoltage1, outputConfigGainTerminalVoltage=outputConfigGainTerminalVoltage, firmwareUpdate=firmwareUpdate, outputTripActionMaxTerminalVoltage=outputTripActionMaxTerminalVoltage, outputMeasurementTerminalVoltage=outputMeasurementTerminalVoltage, httpPort=httpPort, psOperatingTime=psOperatingTime, outputTripActionTimeout=outputTripActionTimeout, outputCurrent=outputCurrent, fanNominalSpeed=fanNominalSpeed, outputSupervisionMaxPower=outputSupervisionMaxPower, outputCurrentRiseRate=outputCurrentRiseRate, groupsSwitch=groupsSwitch, moduleAuxiliaryMeasurementTemperature2=moduleAuxiliaryMeasurementTemperature2, outputSupervisionMinSenseVoltage=outputSupervisionMinSenseVoltage, snmpCommunityName=snmpCommunityName, outputVoltage=outputVoltage, outputRegulationMode=outputRegulationMode, ipStaticAddress=ipStaticAddress, moduleHardwareLimitCurrent=moduleHardwareLimitCurrent, moduleAuxiliaryMeasurementVoltage0=moduleAuxiliaryMeasurementVoltage0, sensorEntry=sensorEntry, digitalInput=digitalInput, fanConfigMaxSpeed=fanConfigMaxSpeed, moduleAuxiliaryMeasurementTemperature1=moduleAuxiliaryMeasurementTemperature1, sensorAlarmThreshold=sensorAlarmThreshold, canTransmit=canTransmit, outputSupervisionMaxSenseVoltage=outputSupervisionMaxSenseVoltage, sysConfigDoMeasurementCurrent=sysConfigDoMeasurementCurrent, outputVoltageFallRate=outputVoltageFallRate, outputTripTimeMinSenseVoltage=outputTripTimeMinSenseVoltage, macAddress=macAddress, sensorName=sensorName, fanSpeed=fanSpeed, fantray=fantray, outputTripTimeTimeout=outputTripTimeTimeout, moduleEventChannelStatus=moduleEventChannelStatus, sensorNumber=sensorNumber, canReceive=canReceive, canReceiveHv=canReceiveHv, psAuxiliaryTable=psAuxiliaryTable, outputHardwareLimitCurrent=outputHardwareLimitCurrent, sysVmeSysReset=sysVmeSysReset, moduleAuxiliaryMeasurementVoltage=moduleAuxiliaryMeasurementVoltage, canBitRateHv=canBitRateHv, fanAirTemperature=fanAirTemperature, numberOfAnalogInputs=numberOfAnalogInputs, outputTripTimeMaxTerminalVoltage=outputTripTimeMaxTerminalVoltage, outputGroup=outputGroup, outputSupervisionMaxTerminalVoltage=outputSupervisionMaxTerminalVoltage, moduleDoClear=moduleDoClear, fanMinSpeed=fanMinSpeed, OutputTripAction=OutputTripAction, outputTable=outputTable, groupsIndex=groupsIndex, crate=crate, outputTripActionMaxTemperature=outputTripActionMaxTemperature, sysDebugMemory16=sysDebugMemory16, moduleEventStatus=moduleEventStatus, sysDebugDisplay=sysDebugDisplay, psAuxiliaryEntry=psAuxiliaryEntry, signal=signal, analogMeasurementVoltage=analogMeasurementVoltage, outputUserConfig=outputUserConfig, moduleAuxiliaryMeasurementTemperature=moduleAuxiliaryMeasurementTemperature, sysFactoryDefaults=sysFactoryDefaults, analogInputTable=analogInputTable, sysOperatingTime=sysOperatingTime, psAuxiliaryMeasurementCurrent=psAuxiliaryMeasurementCurrent, snmpAccessRight=snmpAccessRight, sensorTable=sensorTable, outputVoltageRiseRate=outputVoltageRiseRate, psDirectAccess=psDirectAccess, outputSupervisionMaxTemperature=outputSupervisionMaxTemperature, output=output, sysHardwareReset=sysHardwareReset, outputConfigGainSenseVoltage=outputConfigGainSenseVoltage, moduleAuxiliaryMeasurementTemperature3=moduleAuxiliaryMeasurementTemperature3, snmpCommunityTable=snmpCommunityTable, psAuxiliaryNumber=psAuxiliaryNumber, moduleConfigDataU=moduleConfigDataU, moduleEntry=moduleEntry, outputSwitch=outputSwitch, fanNumber=fanNumber, outputTripActionMaxCurrent=outputTripActionMaxCurrent, outputCurrentFallRate=outputCurrentFallRate, outputTripTimeMaxSenseVoltage=outputTripTimeMaxSenseVoltage, groupsEntry=groupsEntry, canTransmitHv=canTransmitHv, fanSpeedEntry=fanSpeedEntry, sysDebugMemory8=sysDebugMemory8, PYSNMP_MODULE_ID=wiener, outputSupervisionBehavior=outputSupervisionBehavior, moduleStatus=moduleStatus, moduleDescription=moduleDescription, outputConfigOffsetSenseVoltage=outputConfigOffsetSenseVoltage, moduleTable=moduleTable, outputResistance=outputResistance, sensorIndex=sensorIndex, outputConfigDataS=outputConfigDataS, moduleConfigDataS=moduleConfigDataS, psAuxiliaryMeasurementVoltage=psAuxiliaryMeasurementVoltage, analogInputIndex=analogInputIndex, moduleIndex=moduleIndex, moduleAuxiliaryMeasurementTemperature0=moduleAuxiliaryMeasurementTemperature0, fanOperatingTime=fanOperatingTime, outputConfigMaxTerminalVoltage=outputConfigMaxTerminalVoltage, digitalOutput=digitalOutput, outputName=outputName, ipDynamicAddress=ipDynamicAddress, outputHardwareLimitVoltage=outputHardwareLimitVoltage, sysMainSwitch=sysMainSwitch, groupsTable=groupsTable, sensorWarningThreshold=sensorWarningThreshold, psAuxiliaryIndex=psAuxiliaryIndex, outputTripActionMinSenseVoltage=outputTripActionMinSenseVoltage, outputTripActionExternalInhibit=outputTripActionExternalInhibit, sysDebug=sysDebug, outputEntry=outputEntry, fanConfigMinSpeed=fanConfigMinSpeed, analogMeasurementCurrent=analogMeasurementCurrent, outputConfigOffsetCurrent=outputConfigOffsetCurrent, sensor=sensor, outputMeasurementTemperature=outputMeasurementTemperature, outputTripTimeMaxCurrent=outputTripTimeMaxCurrent, Float=Float, groupsNumber=groupsNumber, canBitRate=canBitRate, input=input, communication=communication, system=system)
| (integer, object_identifier, octet_string) = mibBuilder.importSymbols('ASN1', 'Integer', 'ObjectIdentifier', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, constraints_intersection, single_value_constraint, value_range_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueRangeConstraint', 'ValueSizeConstraint')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(mib_scalar, mib_table, mib_table_row, mib_table_column, enterprises, notification_type, unsigned32, module_identity, ip_address, mib_identifier, opaque, time_ticks, counter32, object_identity, bits, counter64, gauge32, iso, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'enterprises', 'NotificationType', 'Unsigned32', 'ModuleIdentity', 'IpAddress', 'MibIdentifier', 'Opaque', 'TimeTicks', 'Counter32', 'ObjectIdentity', 'Bits', 'Counter64', 'Gauge32', 'iso', 'Integer32')
(mac_address, display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'MacAddress', 'DisplayString', 'TextualConvention')
wiener = module_identity((1, 3, 6, 1, 4, 1, 19947))
wiener.setRevisions(('2019-04-03 00:00', '2016-02-18 00:00', '2008-10-09 00:00', '2008-05-06 00:00', '2008-04-15 00:00', '2008-04-10 00:00', '2008-04-02 00:00', '2007-09-10 00:00', '2007-03-16 00:00', '2005-02-01 00:00', '2004-06-28 00:00'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
wiener.setRevisionsDescriptions(('Update the revision since 2016. ', 'This revision introduces new OIDs for slew control: outputResistance. ', 'New Stuff.', 'Introduction of the signal branch. ', 'Enlargement of u0..u11 -> u0..u1999 ', 'This revision uses again Integer32 instead of Counter32. ', 'This revision modifies the syntax of this file to be complient with smilint. ', 'This revision introduces new OIDs for debug functionality: sysDebugMemory8, sysDebugMemory16 and sysDebugMemory32. ', 'This revision introduces new OIDs for slew control: outputVoltageRiseRate and outputVoltageFallRate. ', 'This revision introduces new OIDs for group managment: groupTable ', 'WIENER Crate MIB, actual Firmware: UEL6E 4.02. Initial Version. '))
if mibBuilder.loadTexts:
wiener.setLastUpdated('201904030000Z')
if mibBuilder.loadTexts:
wiener.setOrganization('W-IE-NE-R Power Electronics GmbH')
if mibBuilder.loadTexts:
wiener.setContactInfo(' postal: W-IE-NE-R Power Electronics GmbH Linde 18 D-51399 Burscheid Germany email: info@wiener-d.com ')
if mibBuilder.loadTexts:
wiener.setDescription('Introduction of the communication.can branch. ')
class Float(TextualConvention, Opaque):
description = "A single precision floating-point number. The semantics and encoding are identical for type 'single' defined in IEEE Standard for Binary Floating-Point, ANSI/IEEE Std 754-1985. The value is restricted to the BER serialization of the following ASN.1 type: FLOATTYPE ::= [120] IMPLICIT FloatType (note: the value 120 is the sum of '30'h and '48'h) The BER serialization of the length for values of this type must use the definite length, short encoding form. For example, the BER serialization of value 123 of type FLOATTYPE is '9f780442f60000'h. (The tag is '9f78'h; the length is '04'h; and the value is '42f60000'h.) The BER serialization of value '9f780442f60000'h of data type Opaque is '44079f780442f60000'h. (The tag is '44'h; the length is '07'h; and the value is '9f780442f60000'h."
status = 'current'
subtype_spec = Opaque.subtypeSpec + value_size_constraint(7, 7)
fixed_length = 7
class Outputtriptime(TextualConvention, Integer32):
description = 'Special data type used for output trip time OIDs. Represents a 16 bit unsigned integer value. BER-coded as INTEGER'
status = 'current'
display_hint = 'd'
subtype_spec = Integer32.subtypeSpec + value_range_constraint(0, 65535)
class Outputtripaction(TextualConvention, Integer32):
description = 'Special data type used for outpot trip action OIDs.'
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3))
named_values = named_values(('ignore', 0), ('channelOff', 1), ('specialOff', 2), ('allOff', 3))
crate = object_identity((1, 3, 6, 1, 4, 1, 19947, 1))
if mibBuilder.loadTexts:
crate.setStatus('current')
if mibBuilder.loadTexts:
crate.setDescription("SNMP control for electronic crates. A crate is a complete electronic system and consists of the mechanical rack, a power supply, a fan tray and a backplane. All this things are necessary to provide an adequate housing for electronic modules (e.g. VME CPU's)")
system = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 1))
if mibBuilder.loadTexts:
system.setStatus('current')
if mibBuilder.loadTexts:
system.setDescription('A collection of objects which affect the complete crate')
input = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 2))
if mibBuilder.loadTexts:
input.setStatus('current')
if mibBuilder.loadTexts:
input.setDescription('All objects which are associated with the power input of the crate')
output = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 3))
if mibBuilder.loadTexts:
output.setStatus('current')
if mibBuilder.loadTexts:
output.setDescription('All objects which are associated with the power output of the crate')
sensor = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 4))
if mibBuilder.loadTexts:
sensor.setStatus('current')
if mibBuilder.loadTexts:
sensor.setDescription('All objects which are associated with temperature sensors in the crate')
communication = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 5))
if mibBuilder.loadTexts:
communication.setStatus('current')
if mibBuilder.loadTexts:
communication.setDescription('All objects which affect the remote control of the crate')
powersupply = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 6))
if mibBuilder.loadTexts:
powersupply.setStatus('current')
if mibBuilder.loadTexts:
powersupply.setDescription('All objects which are specific for the power supply of the crate')
fantray = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 7))
if mibBuilder.loadTexts:
fantray.setStatus('current')
if mibBuilder.loadTexts:
fantray.setDescription('All objects which are specific for the fan tray of the crate')
rack = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 8))
if mibBuilder.loadTexts:
rack.setStatus('current')
if mibBuilder.loadTexts:
rack.setDescription('All objects which are specific for the crate (BIN) of the crate')
signal = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 9))
if mibBuilder.loadTexts:
signal.setStatus('current')
if mibBuilder.loadTexts:
signal.setDescription('All objects which are associated with analog/digtal input/output in the crate')
sys_main_switch = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysMainSwitch.setStatus('current')
if mibBuilder.loadTexts:
sysMainSwitch.setDescription('Read: An enumerated value which shows the current state of the crates main switch. Write: Try to switch the complete crate ON or OFF. Only the values ON or OFF are allowed.')
sys_status = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 2), bits().clone(namedValues=named_values(('mainOn', 0), ('mainInhibit', 1), ('localControlOnly', 2), ('inputFailure', 3), ('outputFailure', 4), ('fantrayFailure', 5), ('sensorFailure', 6), ('vmeSysfail', 7), ('plugAndPlayIncompatible', 8), ('busReset', 9), ('supplyDerating', 10), ('supplyFailure', 11), ('supplyDerating2', 12), ('supplyFailure2', 13)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysStatus.setStatus('current')
if mibBuilder.loadTexts:
sysStatus.setDescription('A bit string which shows the status (health) of the complete crate. If a bit is set (1), the explanation is satisfied mainOn (0), system is switched on, individual outputs may be controlled by their specific ON/INHIBIT mainInhibit(1), external (hardware-)inhibit of the complete system localControlOnly (2), local control only (CANBUS write access denied) inputFailure (3), any input failure (e.g. power fail) outputFailure (4), any output failure, details in outputTable fantrayFailure (5), fantray failure sensorFailure (6), temperature of the external sensors too high vmeSysfail(7), VME SYSFAIL signal is active plugAndPlayIncompatible (8) wrong power supply and rack connected busReset (9) The sytem bus (e.g. VME or CPCI) reset signal is active. supplyDerating (10) The (first) system power supply has the DEG signal active. supplyFailure (11) The (first) system power supply has the FAL signal active. supplyDerating2 (12) The second system power supply has the DEG signal active. supplyFailure2 (13) The second system power supply has the FAL signal active. ')
sys_vme_sys_reset = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('trigger', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysVmeSysReset.setStatus('current')
if mibBuilder.loadTexts:
sysVmeSysReset.setDescription('Read: Always 0. Write: Trigger the generation of the VME SYSRESET or CPIC RESET signal. This signal will be active for a time of 200 ms')
sys_hardware_reset = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 4), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysHardwareReset.setStatus('current')
if mibBuilder.loadTexts:
sysHardwareReset.setDescription('Triggered a Reset via Watchdog or ResetLine.')
sys_factory_defaults = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('off', 0), ('on', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysFactoryDefaults.setStatus('current')
if mibBuilder.loadTexts:
sysFactoryDefaults.setDescription('A set operation performs a complete factory reset of ALL data stored in the controller (e.g. community names, passwords, ...). ')
sys_config_do_measurement_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 10), bits().clone(namedValues=named_values(('ch0', 0), ('ch1', 1), ('ch2', 2), ('ch3', 3), ('ch4', 4), ('ch5', 5), ('ch6', 6), ('ch7', 7)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysConfigDoMeasurementCurrent.setStatus('current')
if mibBuilder.loadTexts:
sysConfigDoMeasurementCurrent.setDescription('CSet the analog inputs to measure voltage or current.')
sys_operating_time = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 11), integer32()).setUnits('s').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysOperatingTime.setStatus('current')
if mibBuilder.loadTexts:
sysOperatingTime.setDescription('The time in seconds for how long the controller was in action.')
sys_debug_memory8 = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1024), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDebugMemory8.setStatus('current')
if mibBuilder.loadTexts:
sysDebugMemory8.setDescription('Debug 16-bit memory access.')
sys_debug_memory16 = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1025), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDebugMemory16.setStatus('current')
if mibBuilder.loadTexts:
sysDebugMemory16.setDescription('Debug 16-bit memory access.')
sys_debug_memory32 = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1026), integer32().subtype(subtypeSpec=value_range_constraint(-2147483648, 2147483647))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDebugMemory32.setStatus('current')
if mibBuilder.loadTexts:
sysDebugMemory32.setDescription('Debug 32-bit memory access.')
sys_debug = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1027), octet_string().subtype(subtypeSpec=value_size_constraint(520, 520)).setFixedLength(520)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDebug.setStatus('current')
if mibBuilder.loadTexts:
sysDebug.setDescription('Debug communication with the MPOD. This is a direct map to the ancient functions which are accessible via USB (without SLIP/SNMP). ')
sys_debug_display = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1028), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDebugDisplay.setStatus('current')
if mibBuilder.loadTexts:
sysDebugDisplay.setDescription('Debug communication with the MPOD display.')
sys_debug_boot = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 1, 1029), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDebugBoot.setStatus('current')
if mibBuilder.loadTexts:
sysDebugBoot.setDescription('Debug communication with the simple debug interface / bootloader.')
output_number = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 1999))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputNumber.setStatus('current')
if mibBuilder.loadTexts:
outputNumber.setDescription('The number of output channels of the crate.')
output_table = mib_table((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2))
if mibBuilder.loadTexts:
outputTable.setStatus('current')
if mibBuilder.loadTexts:
outputTable.setDescription('A list of output entries.')
groups_number = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 1999))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
groupsNumber.setStatus('current')
if mibBuilder.loadTexts:
groupsNumber.setDescription('The number of output groups of the crate.')
groups_table = mib_table((1, 3, 6, 1, 4, 1, 19947, 1, 3, 4))
if mibBuilder.loadTexts:
groupsTable.setStatus('current')
if mibBuilder.loadTexts:
groupsTable.setDescription('A list of output groups entries.')
module_number = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 10))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleNumber.setStatus('current')
if mibBuilder.loadTexts:
moduleNumber.setDescription('The number of HV/LV modules of the crate.')
module_table = mib_table((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6))
if mibBuilder.loadTexts:
moduleTable.setStatus('current')
if mibBuilder.loadTexts:
moduleTable.setDescription('A list of output module entries.')
output_entry = mib_table_row((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1)).setIndexNames((0, 'WIENER-CRATE-MIB', 'outputIndex'))
if mibBuilder.loadTexts:
outputEntry.setStatus('current')
if mibBuilder.loadTexts:
outputEntry.setDescription('A table row')
output_index = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 69, 70, 71, 72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 84, 85, 86, 87, 88, 89, 90, 91, 92, 93, 94, 95, 96, 97, 98, 99, 100, 101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 122, 123, 124, 125, 126, 127, 128, 129, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139, 140, 141, 142, 143, 144, 145, 146, 147, 148, 149, 150, 151, 152, 153, 154, 155, 156, 157, 158, 159, 160, 161, 162, 163, 164, 165, 166, 167, 168, 169, 170, 171, 172, 173, 174, 175, 176, 177, 178, 179, 180, 181, 182, 183, 184, 185, 186, 187, 188, 189, 190, 191, 192, 193, 194, 195, 196, 197, 198, 199, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 210, 211, 212, 213, 214, 215, 216, 217, 218, 219, 220, 221, 222, 223, 224, 225, 226, 227, 228, 229, 230, 231, 232, 233, 234, 235, 236, 237, 238, 239, 240, 241, 242, 243, 244, 245, 246, 247, 248, 249, 250, 251, 252, 253, 254, 255), single_value_constraint(256, 257, 258, 259, 260, 261, 262, 263, 264, 265, 266, 267, 268, 269, 270, 271, 272, 273, 274, 275, 276, 277, 278, 279, 280, 281, 282, 283, 284, 285, 286, 287, 288, 289, 290, 291, 292, 293, 294, 295, 296, 297, 298, 299, 300, 301, 302, 303, 304, 305, 306, 307, 308, 309, 310, 311, 312, 313, 314, 315, 316, 317, 318, 319, 320, 321, 322, 323, 324, 325, 326, 327, 328, 329, 330, 331, 332, 333, 334, 335, 336, 337, 338, 339, 340, 341, 342, 343, 344, 345, 346, 347, 348, 349, 350, 351, 352, 353, 354, 355, 356, 357, 358, 359, 360, 361, 362, 363, 364, 365, 366, 367, 368, 369, 370, 371, 372, 373, 374, 375, 376, 377, 378, 379, 380, 381, 382, 383, 384, 385, 386, 387, 388, 389, 390, 391, 392, 393, 394, 395, 396, 397, 398, 399, 400, 401, 402, 403, 404, 405, 406, 407, 408, 409, 410, 411, 412, 413, 414, 415, 416, 417, 418, 419, 420, 421, 422, 423, 424, 425, 426, 427, 428, 429, 430, 431, 432, 433, 434, 435, 436, 437, 438, 439, 440, 441, 442, 443, 444, 445, 446, 447, 448, 449, 450, 451, 452, 453, 454, 455, 456, 457, 458, 459, 460, 461, 462, 463, 464, 465, 466, 467, 468, 469, 470, 471, 472, 473, 474, 475, 476, 477, 478, 479, 480, 481, 482, 483, 484, 485, 486, 487, 488, 489, 490, 491, 492, 493, 494, 495, 496, 497, 498, 499, 500, 501, 502, 503, 504, 505, 506, 507, 508, 509, 510), single_value_constraint(511, 512, 513, 514, 515, 516, 517, 518, 519, 520, 521, 522, 523, 524, 525, 526, 527, 528, 529, 530, 531, 532, 533, 534, 535, 536, 537, 538, 539, 540, 541, 542, 543, 544, 545, 546, 547, 548, 549, 550, 551, 552, 553, 554, 555, 556, 557, 558, 559, 560, 561, 562, 563, 564, 565, 566, 567, 568, 569, 570, 571, 572, 573, 574, 575, 576, 577, 578, 579, 580, 581, 582, 583, 584, 585, 586, 587, 588, 589, 590, 591, 592, 593, 594, 595, 596, 597, 598, 599, 600, 601, 602, 603, 604, 605, 606, 607, 608, 609, 610, 611, 612, 613, 614, 615, 616, 617, 618, 619, 620, 621, 622, 623, 624, 625, 626, 627, 628, 629, 630, 631, 632, 633, 634, 635, 636, 637, 638, 639, 640, 641, 642, 643, 644, 645, 646, 647, 648, 649, 650, 651, 652, 653, 654, 655, 656, 657, 658, 659, 660, 661, 662, 663, 664, 665, 666, 667, 668, 669, 670, 671, 672, 673, 674, 675, 676, 677, 678, 679, 680, 681, 682, 683, 684, 685, 686, 687, 688, 689, 690, 691, 692, 693, 694, 695, 696, 697, 698, 699, 700, 701, 702, 703, 704, 705, 706, 707, 708, 709, 710, 711, 712, 713, 714, 715, 716, 717, 718, 719, 720, 721, 722, 723, 724, 725, 726, 727, 728, 729, 730, 731, 732, 733, 734, 735, 736, 737, 738, 739, 740, 741, 742, 743, 744, 745, 746, 747, 748, 749, 750, 751, 752, 753, 754, 755, 756, 757, 758, 759, 760, 761, 762, 763, 764, 765), single_value_constraint(766, 767, 768, 769, 770, 771, 772, 773, 774, 775, 776, 777, 778, 779, 780, 781, 782, 783, 784, 785, 786, 787, 788, 789, 790, 791, 792, 793, 794, 795, 796, 797, 798, 799, 800, 801, 802, 803, 804, 805, 806, 807, 808, 809, 810, 811, 812, 813, 814, 815, 816, 817, 818, 819, 820, 821, 822, 823, 824, 825, 826, 827, 828, 829, 830, 831, 832, 833, 834, 835, 836, 837, 838, 839, 840, 841, 842, 843, 844, 845, 846, 847, 848, 849, 850, 851, 852, 853, 854, 855, 856, 857, 858, 859, 860, 861, 862, 863, 864, 865, 866, 867, 868, 869, 870, 871, 872, 873, 874, 875, 876, 877, 878, 879, 880, 881, 882, 883, 884, 885, 886, 887, 888, 889, 890, 891, 892, 893, 894, 895, 896, 897, 898, 899, 900, 901, 902, 903, 904, 905, 906, 907, 908, 909, 910, 911, 912, 913, 914, 915, 916, 917, 918, 919, 920, 921, 922, 923, 924, 925, 926, 927, 928, 929, 930, 931, 932, 933, 934, 935, 936, 937, 938, 939, 940, 941, 942, 943, 944, 945, 946, 947, 948, 949, 950, 951, 952, 953, 954, 955, 956, 957, 958, 959, 960, 961, 962, 963, 964, 965, 966, 967, 968, 969, 970, 971, 972, 973, 974, 975, 976, 977, 978, 979, 980, 981, 982, 983, 984, 985, 986, 987, 988, 989, 990, 991, 992, 993, 994, 995, 996, 997, 998, 999, 1000, 1001, 1002, 1003, 1004, 1005, 1006, 1007, 1008, 1009, 1010, 1011, 1012, 1013, 1014, 1015, 1016, 1017, 1018, 1019, 1020), single_value_constraint(1021, 1022, 1023, 1024, 1025, 1026, 1027, 1028, 1029, 1030, 1031, 1032, 1033, 1034, 1035, 1036, 1037, 1038, 1039, 1040, 1041, 1042, 1043, 1044, 1045, 1046, 1047, 1048, 1049, 1050, 1051, 1052, 1053, 1054, 1055, 1056, 1057, 1058, 1059, 1060, 1061, 1062, 1063, 1064, 1065, 1066, 1067, 1068, 1069, 1070, 1071, 1072, 1073, 1074, 1075, 1076, 1077, 1078, 1079, 1080, 1081, 1082, 1083, 1084, 1085, 1086, 1087, 1088, 1089, 1090, 1091, 1092, 1093, 1094, 1095, 1096, 1097, 1098, 1099, 1100, 1101, 1102, 1103, 1104, 1105, 1106, 1107, 1108, 1109, 1110, 1111, 1112, 1113, 1114, 1115, 1116, 1117, 1118, 1119, 1120, 1121, 1122, 1123, 1124, 1125, 1126, 1127, 1128, 1129, 1130, 1131, 1132, 1133, 1134, 1135, 1136, 1137, 1138, 1139, 1140, 1141, 1142, 1143, 1144, 1145, 1146, 1147, 1148, 1149, 1150, 1151, 1152, 1153, 1154, 1155, 1156, 1157, 1158, 1159, 1160, 1161, 1162, 1163, 1164, 1165, 1166, 1167, 1168, 1169, 1170, 1171, 1172, 1173, 1174, 1175, 1176, 1177, 1178, 1179, 1180, 1181, 1182, 1183, 1184, 1185, 1186, 1187, 1188, 1189, 1190, 1191, 1192, 1193, 1194, 1195, 1196, 1197, 1198, 1199, 1200, 1201, 1202, 1203, 1204, 1205, 1206, 1207, 1208, 1209, 1210, 1211, 1212, 1213, 1214, 1215, 1216, 1217, 1218, 1219, 1220, 1221, 1222, 1223, 1224, 1225, 1226, 1227, 1228, 1229, 1230, 1231, 1232, 1233, 1234, 1235, 1236, 1237, 1238, 1239, 1240, 1241, 1242, 1243, 1244, 1245, 1246, 1247, 1248, 1249, 1250, 1251, 1252, 1253, 1254, 1255, 1256, 1257, 1258, 1259, 1260, 1261, 1262, 1263, 1264, 1265, 1266, 1267, 1268, 1269, 1270, 1271, 1272, 1273, 1274, 1275), single_value_constraint(1276, 1277, 1278, 1279, 1280, 1281, 1282, 1283, 1284, 1285, 1286, 1287, 1288, 1289, 1290, 1291, 1292, 1293, 1294, 1295, 1296, 1297, 1298, 1299, 1300, 1301, 1302, 1303, 1304, 1305, 1306, 1307, 1308, 1309, 1310, 1311, 1312, 1313, 1314, 1315, 1316, 1317, 1318, 1319, 1320, 1321, 1322, 1323, 1324, 1325, 1326, 1327, 1328, 1329, 1330, 1331, 1332, 1333, 1334, 1335, 1336, 1337, 1338, 1339, 1340, 1341, 1342, 1343, 1344, 1345, 1346, 1347, 1348, 1349, 1350, 1351, 1352, 1353, 1354, 1355, 1356, 1357, 1358, 1359, 1360, 1361, 1362, 1363, 1364, 1365, 1366, 1367, 1368, 1369, 1370, 1371, 1372, 1373, 1374, 1375, 1376, 1377, 1378, 1379, 1380, 1381, 1382, 1383, 1384, 1385, 1386, 1387, 1388, 1389, 1390, 1391, 1392, 1393, 1394, 1395, 1396, 1397, 1398, 1399, 1400, 1401, 1402, 1403, 1404, 1405, 1406, 1407, 1408, 1409, 1410, 1411, 1412, 1413, 1414, 1415, 1416, 1417, 1418, 1419, 1420, 1421, 1422, 1423, 1424, 1425, 1426, 1427, 1428, 1429, 1430, 1431, 1432, 1433, 1434, 1435, 1436, 1437, 1438, 1439, 1440, 1441, 1442, 1443, 1444, 1445, 1446, 1447, 1448, 1449, 1450, 1451, 1452, 1453, 1454, 1455, 1456, 1457, 1458, 1459, 1460, 1461, 1462, 1463, 1464, 1465, 1466, 1467, 1468, 1469, 1470, 1471, 1472, 1473, 1474, 1475, 1476, 1477, 1478, 1479, 1480, 1481, 1482, 1483, 1484, 1485, 1486, 1487, 1488, 1489, 1490, 1491, 1492, 1493, 1494, 1495, 1496, 1497, 1498, 1499, 1500, 1501, 1502, 1503, 1504, 1505, 1506, 1507, 1508, 1509, 1510, 1511, 1512, 1513, 1514, 1515, 1516, 1517, 1518, 1519, 1520, 1521, 1522, 1523, 1524, 1525, 1526, 1527, 1528, 1529, 1530), single_value_constraint(1531, 1532, 1533, 1534, 1535, 1536, 1537, 1538, 1539, 1540, 1541, 1542, 1543, 1544, 1545, 1546, 1547, 1548, 1549, 1550, 1551, 1552, 1553, 1554, 1555, 1556, 1557, 1558, 1559, 1560, 1561, 1562, 1563, 1564, 1565, 1566, 1567, 1568, 1569, 1570, 1571, 1572, 1573, 1574, 1575, 1576, 1577, 1578, 1579, 1580, 1581, 1582, 1583, 1584, 1585, 1586, 1587, 1588, 1589, 1590, 1591, 1592, 1593, 1594, 1595, 1596, 1597, 1598, 1599, 1600, 1601, 1602, 1603, 1604, 1605, 1606, 1607, 1608, 1609, 1610, 1611, 1612, 1613, 1614, 1615, 1616, 1617, 1618, 1619, 1620, 1621, 1622, 1623, 1624, 1625, 1626, 1627, 1628, 1629, 1630, 1631, 1632, 1633, 1634, 1635, 1636, 1637, 1638, 1639, 1640, 1641, 1642, 1643, 1644, 1645, 1646, 1647, 1648, 1649, 1650, 1651, 1652, 1653, 1654, 1655, 1656, 1657, 1658, 1659, 1660, 1661, 1662, 1663, 1664, 1665, 1666, 1667, 1668, 1669, 1670, 1671, 1672, 1673, 1674, 1675, 1676, 1677, 1678, 1679, 1680, 1681, 1682, 1683, 1684, 1685, 1686, 1687, 1688, 1689, 1690, 1691, 1692, 1693, 1694, 1695, 1696, 1697, 1698, 1699, 1700, 1701, 1702, 1703, 1704, 1705, 1706, 1707, 1708, 1709, 1710, 1711, 1712, 1713, 1714, 1715, 1716, 1717, 1718, 1719, 1720, 1721, 1722, 1723, 1724, 1725, 1726, 1727, 1728, 1729, 1730, 1731, 1732, 1733, 1734, 1735, 1736, 1737, 1738, 1739, 1740, 1741, 1742, 1743, 1744, 1745, 1746, 1747, 1748, 1749, 1750, 1751, 1752, 1753, 1754, 1755, 1756, 1757, 1758, 1759, 1760, 1761, 1762, 1763, 1764, 1765, 1766, 1767, 1768, 1769, 1770, 1771, 1772, 1773, 1774, 1775, 1776, 1777, 1778, 1779, 1780, 1781, 1782, 1783, 1784, 1785), single_value_constraint(1786, 1787, 1788, 1789, 1790, 1791, 1792, 1793, 1794, 1795, 1796, 1797, 1798, 1799, 1800, 1801, 1802, 1803, 1804, 1805, 1806, 1807, 1808, 1809, 1810, 1811, 1812, 1813, 1814, 1815, 1816, 1817, 1818, 1819, 1820, 1821, 1822, 1823, 1824, 1825, 1826, 1827, 1828, 1829, 1830, 1831, 1832, 1833, 1834, 1835, 1836, 1837, 1838, 1839, 1840, 1841, 1842, 1843, 1844, 1845, 1846, 1847, 1848, 1849, 1850, 1851, 1852, 1853, 1854, 1855, 1856, 1857, 1858, 1859, 1860, 1861, 1862, 1863, 1864, 1865, 1866, 1867, 1868, 1869, 1870, 1871, 1872, 1873, 1874, 1875, 1876, 1877, 1878, 1879, 1880, 1881, 1882, 1883, 1884, 1885, 1886, 1887, 1888, 1889, 1890, 1891, 1892, 1893, 1894, 1895, 1896, 1897, 1898, 1899, 1900, 1901, 1902, 1903, 1904, 1905, 1906, 1907, 1908, 1909, 1910, 1911, 1912, 1913, 1914, 1915, 1916, 1917, 1918, 1919, 1920, 1921, 1922, 1923, 1924, 1925, 1926, 1927, 1928, 1929, 1930, 1931, 1932, 1933, 1934, 1935, 1936, 1937, 1938, 1939, 1940, 1941, 1942, 1943, 1944, 1945, 1946, 1947, 1948, 1949, 1950, 1951, 1952, 1953, 1954, 1955, 1956, 1957, 1958, 1959, 1960, 1961, 1962, 1963, 1964, 1965, 1966, 1967, 1968, 1969, 1970, 1971, 1972, 1973, 1974, 1975, 1976, 1977, 1978, 1979, 1980, 1981, 1982, 1983, 1984, 1985, 1986, 1987, 1988, 1989, 1990, 1991, 1992, 1993, 1994, 1995, 1996, 1997, 1998, 1999, 2000))).clone(namedValues=named_values(('u0', 1), ('u1', 2), ('u2', 3), ('u3', 4), ('u4', 5), ('u5', 6), ('u6', 7), ('u7', 8), ('u8', 9), ('u9', 10), ('u10', 11), ('u11', 12), ('u12', 13), ('u13', 14), ('u14', 15), ('u15', 16), ('u16', 17), ('u17', 18), ('u18', 19), ('u19', 20), ('u20', 21), ('u21', 22), ('u22', 23), ('u23', 24), ('u24', 25), ('u25', 26), ('u26', 27), ('u27', 28), ('u28', 29), ('u29', 30), ('u30', 31), ('u31', 32), ('u32', 33), ('u33', 34), ('u34', 35), ('u35', 36), ('u36', 37), ('u37', 38), ('u38', 39), ('u39', 40), ('u40', 41), ('u41', 42), ('u42', 43), ('u43', 44), ('u44', 45), ('u45', 46), ('u46', 47), ('u47', 48), ('u48', 49), ('u49', 50), ('u50', 51), ('u51', 52), ('u52', 53), ('u53', 54), ('u54', 55), ('u55', 56), ('u56', 57), ('u57', 58), ('u58', 59), ('u59', 60), ('u60', 61), ('u61', 62), ('u62', 63), ('u63', 64), ('u64', 65), ('u65', 66), ('u66', 67), ('u67', 68), ('u68', 69), ('u69', 70), ('u70', 71), ('u71', 72), ('u72', 73), ('u73', 74), ('u74', 75), ('u75', 76), ('u76', 77), ('u77', 78), ('u78', 79), ('u79', 80), ('u80', 81), ('u81', 82), ('u82', 83), ('u83', 84), ('u84', 85), ('u85', 86), ('u86', 87), ('u87', 88), ('u88', 89), ('u89', 90), ('u90', 91), ('u91', 92), ('u92', 93), ('u93', 94), ('u94', 95), ('u95', 96), ('u96', 97), ('u97', 98), ('u98', 99), ('u99', 100), ('u100', 101), ('u101', 102), ('u102', 103), ('u103', 104), ('u104', 105), ('u105', 106), ('u106', 107), ('u107', 108), ('u108', 109), ('u109', 110), ('u110', 111), ('u111', 112), ('u112', 113), ('u113', 114), ('u114', 115), ('u115', 116), ('u116', 117), ('u117', 118), ('u118', 119), ('u119', 120), ('u120', 121), ('u121', 122), ('u122', 123), ('u123', 124), ('u124', 125), ('u125', 126), ('u126', 127), ('u127', 128), ('u128', 129), ('u129', 130), ('u130', 131), ('u131', 132), ('u132', 133), ('u133', 134), ('u134', 135), ('u135', 136), ('u136', 137), ('u137', 138), ('u138', 139), ('u139', 140), ('u140', 141), ('u141', 142), ('u142', 143), ('u143', 144), ('u144', 145), ('u145', 146), ('u146', 147), ('u147', 148), ('u148', 149), ('u149', 150), ('u150', 151), ('u151', 152), ('u152', 153), ('u153', 154), ('u154', 155), ('u155', 156), ('u156', 157), ('u157', 158), ('u158', 159), ('u159', 160), ('u160', 161), ('u161', 162), ('u162', 163), ('u163', 164), ('u164', 165), ('u165', 166), ('u166', 167), ('u167', 168), ('u168', 169), ('u169', 170), ('u170', 171), ('u171', 172), ('u172', 173), ('u173', 174), ('u174', 175), ('u175', 176), ('u176', 177), ('u177', 178), ('u178', 179), ('u179', 180), ('u180', 181), ('u181', 182), ('u182', 183), ('u183', 184), ('u184', 185), ('u185', 186), ('u186', 187), ('u187', 188), ('u188', 189), ('u189', 190), ('u190', 191), ('u191', 192), ('u192', 193), ('u193', 194), ('u194', 195), ('u195', 196), ('u196', 197), ('u197', 198), ('u198', 199), ('u199', 200), ('u200', 201), ('u201', 202), ('u202', 203), ('u203', 204), ('u204', 205), ('u205', 206), ('u206', 207), ('u207', 208), ('u208', 209), ('u209', 210), ('u210', 211), ('u211', 212), ('u212', 213), ('u213', 214), ('u214', 215), ('u215', 216), ('u216', 217), ('u217', 218), ('u218', 219), ('u219', 220), ('u220', 221), ('u221', 222), ('u222', 223), ('u223', 224), ('u224', 225), ('u225', 226), ('u226', 227), ('u227', 228), ('u228', 229), ('u229', 230), ('u230', 231), ('u231', 232), ('u232', 233), ('u233', 234), ('u234', 235), ('u235', 236), ('u236', 237), ('u237', 238), ('u238', 239), ('u239', 240), ('u240', 241), ('u241', 242), ('u242', 243), ('u243', 244), ('u244', 245), ('u245', 246), ('u246', 247), ('u247', 248), ('u248', 249), ('u249', 250), ('u250', 251), ('u251', 252), ('u252', 253), ('u253', 254), ('u254', 255)) + named_values(('u255', 256), ('u256', 257), ('u257', 258), ('u258', 259), ('u259', 260), ('u260', 261), ('u261', 262), ('u262', 263), ('u263', 264), ('u264', 265), ('u265', 266), ('u266', 267), ('u267', 268), ('u268', 269), ('u269', 270), ('u270', 271), ('u271', 272), ('u272', 273), ('u273', 274), ('u274', 275), ('u275', 276), ('u276', 277), ('u277', 278), ('u278', 279), ('u279', 280), ('u280', 281), ('u281', 282), ('u282', 283), ('u283', 284), ('u284', 285), ('u285', 286), ('u286', 287), ('u287', 288), ('u288', 289), ('u289', 290), ('u290', 291), ('u291', 292), ('u292', 293), ('u293', 294), ('u294', 295), ('u295', 296), ('u296', 297), ('u297', 298), ('u298', 299), ('u299', 300), ('u300', 301), ('u301', 302), ('u302', 303), ('u303', 304), ('u304', 305), ('u305', 306), ('u306', 307), ('u307', 308), ('u308', 309), ('u309', 310), ('u310', 311), ('u311', 312), ('u312', 313), ('u313', 314), ('u314', 315), ('u315', 316), ('u316', 317), ('u317', 318), ('u318', 319), ('u319', 320), ('u320', 321), ('u321', 322), ('u322', 323), ('u323', 324), ('u324', 325), ('u325', 326), ('u326', 327), ('u327', 328), ('u328', 329), ('u329', 330), ('u330', 331), ('u331', 332), ('u332', 333), ('u333', 334), ('u334', 335), ('u335', 336), ('u336', 337), ('u337', 338), ('u338', 339), ('u339', 340), ('u340', 341), ('u341', 342), ('u342', 343), ('u343', 344), ('u344', 345), ('u345', 346), ('u346', 347), ('u347', 348), ('u348', 349), ('u349', 350), ('u350', 351), ('u351', 352), ('u352', 353), ('u353', 354), ('u354', 355), ('u355', 356), ('u356', 357), ('u357', 358), ('u358', 359), ('u359', 360), ('u360', 361), ('u361', 362), ('u362', 363), ('u363', 364), ('u364', 365), ('u365', 366), ('u366', 367), ('u367', 368), ('u368', 369), ('u369', 370), ('u370', 371), ('u371', 372), ('u372', 373), ('u373', 374), ('u374', 375), ('u375', 376), ('u376', 377), ('u377', 378), ('u378', 379), ('u379', 380), ('u380', 381), ('u381', 382), ('u382', 383), ('u383', 384), ('u384', 385), ('u385', 386), ('u386', 387), ('u387', 388), ('u388', 389), ('u389', 390), ('u390', 391), ('u391', 392), ('u392', 393), ('u393', 394), ('u394', 395), ('u395', 396), ('u396', 397), ('u397', 398), ('u398', 399), ('u399', 400), ('u400', 401), ('u401', 402), ('u402', 403), ('u403', 404), ('u404', 405), ('u405', 406), ('u406', 407), ('u407', 408), ('u408', 409), ('u409', 410), ('u410', 411), ('u411', 412), ('u412', 413), ('u413', 414), ('u414', 415), ('u415', 416), ('u416', 417), ('u417', 418), ('u418', 419), ('u419', 420), ('u420', 421), ('u421', 422), ('u422', 423), ('u423', 424), ('u424', 425), ('u425', 426), ('u426', 427), ('u427', 428), ('u428', 429), ('u429', 430), ('u430', 431), ('u431', 432), ('u432', 433), ('u433', 434), ('u434', 435), ('u435', 436), ('u436', 437), ('u437', 438), ('u438', 439), ('u439', 440), ('u440', 441), ('u441', 442), ('u442', 443), ('u443', 444), ('u444', 445), ('u445', 446), ('u446', 447), ('u447', 448), ('u448', 449), ('u449', 450), ('u450', 451), ('u451', 452), ('u452', 453), ('u453', 454), ('u454', 455), ('u455', 456), ('u456', 457), ('u457', 458), ('u458', 459), ('u459', 460), ('u460', 461), ('u461', 462), ('u462', 463), ('u463', 464), ('u464', 465), ('u465', 466), ('u466', 467), ('u467', 468), ('u468', 469), ('u469', 470), ('u470', 471), ('u471', 472), ('u472', 473), ('u473', 474), ('u474', 475), ('u475', 476), ('u476', 477), ('u477', 478), ('u478', 479), ('u479', 480), ('u480', 481), ('u481', 482), ('u482', 483), ('u483', 484), ('u484', 485), ('u485', 486), ('u486', 487), ('u487', 488), ('u488', 489), ('u489', 490), ('u490', 491), ('u491', 492), ('u492', 493), ('u493', 494), ('u494', 495), ('u495', 496), ('u496', 497), ('u497', 498), ('u498', 499), ('u499', 500), ('u500', 501), ('u501', 502), ('u502', 503), ('u503', 504), ('u504', 505), ('u505', 506), ('u506', 507), ('u507', 508), ('u508', 509), ('u509', 510)) + named_values(('u510', 511), ('u511', 512), ('u512', 513), ('u513', 514), ('u514', 515), ('u515', 516), ('u516', 517), ('u517', 518), ('u518', 519), ('u519', 520), ('u520', 521), ('u521', 522), ('u522', 523), ('u523', 524), ('u524', 525), ('u525', 526), ('u526', 527), ('u527', 528), ('u528', 529), ('u529', 530), ('u530', 531), ('u531', 532), ('u532', 533), ('u533', 534), ('u534', 535), ('u535', 536), ('u536', 537), ('u537', 538), ('u538', 539), ('u539', 540), ('u540', 541), ('u541', 542), ('u542', 543), ('u543', 544), ('u544', 545), ('u545', 546), ('u546', 547), ('u547', 548), ('u548', 549), ('u549', 550), ('u550', 551), ('u551', 552), ('u552', 553), ('u553', 554), ('u554', 555), ('u555', 556), ('u556', 557), ('u557', 558), ('u558', 559), ('u559', 560), ('u560', 561), ('u561', 562), ('u562', 563), ('u563', 564), ('u564', 565), ('u565', 566), ('u566', 567), ('u567', 568), ('u568', 569), ('u569', 570), ('u570', 571), ('u571', 572), ('u572', 573), ('u573', 574), ('u574', 575), ('u575', 576), ('u576', 577), ('u577', 578), ('u578', 579), ('u579', 580), ('u580', 581), ('u581', 582), ('u582', 583), ('u583', 584), ('u584', 585), ('u585', 586), ('u586', 587), ('u587', 588), ('u588', 589), ('u589', 590), ('u590', 591), ('u591', 592), ('u592', 593), ('u593', 594), ('u594', 595), ('u595', 596), ('u596', 597), ('u597', 598), ('u598', 599), ('u599', 600), ('u600', 601), ('u601', 602), ('u602', 603), ('u603', 604), ('u604', 605), ('u605', 606), ('u606', 607), ('u607', 608), ('u608', 609), ('u609', 610), ('u610', 611), ('u611', 612), ('u612', 613), ('u613', 614), ('u614', 615), ('u615', 616), ('u616', 617), ('u617', 618), ('u618', 619), ('u619', 620), ('u620', 621), ('u621', 622), ('u622', 623), ('u623', 624), ('u624', 625), ('u625', 626), ('u626', 627), ('u627', 628), ('u628', 629), ('u629', 630), ('u630', 631), ('u631', 632), ('u632', 633), ('u633', 634), ('u634', 635), ('u635', 636), ('u636', 637), ('u637', 638), ('u638', 639), ('u639', 640), ('u640', 641), ('u641', 642), ('u642', 643), ('u643', 644), ('u644', 645), ('u645', 646), ('u646', 647), ('u647', 648), ('u648', 649), ('u649', 650), ('u650', 651), ('u651', 652), ('u652', 653), ('u653', 654), ('u654', 655), ('u655', 656), ('u656', 657), ('u657', 658), ('u658', 659), ('u659', 660), ('u660', 661), ('u661', 662), ('u662', 663), ('u663', 664), ('u664', 665), ('u665', 666), ('u666', 667), ('u667', 668), ('u668', 669), ('u669', 670), ('u670', 671), ('u671', 672), ('u672', 673), ('u673', 674), ('u674', 675), ('u675', 676), ('u676', 677), ('u677', 678), ('u678', 679), ('u679', 680), ('u680', 681), ('u681', 682), ('u682', 683), ('u683', 684), ('u684', 685), ('u685', 686), ('u686', 687), ('u687', 688), ('u688', 689), ('u689', 690), ('u690', 691), ('u691', 692), ('u692', 693), ('u693', 694), ('u694', 695), ('u695', 696), ('u696', 697), ('u697', 698), ('u698', 699), ('u699', 700), ('u700', 701), ('u701', 702), ('u702', 703), ('u703', 704), ('u704', 705), ('u705', 706), ('u706', 707), ('u707', 708), ('u708', 709), ('u709', 710), ('u710', 711), ('u711', 712), ('u712', 713), ('u713', 714), ('u714', 715), ('u715', 716), ('u716', 717), ('u717', 718), ('u718', 719), ('u719', 720), ('u720', 721), ('u721', 722), ('u722', 723), ('u723', 724), ('u724', 725), ('u725', 726), ('u726', 727), ('u727', 728), ('u728', 729), ('u729', 730), ('u730', 731), ('u731', 732), ('u732', 733), ('u733', 734), ('u734', 735), ('u735', 736), ('u736', 737), ('u737', 738), ('u738', 739), ('u739', 740), ('u740', 741), ('u741', 742), ('u742', 743), ('u743', 744), ('u744', 745), ('u745', 746), ('u746', 747), ('u747', 748), ('u748', 749), ('u749', 750), ('u750', 751), ('u751', 752), ('u752', 753), ('u753', 754), ('u754', 755), ('u755', 756), ('u756', 757), ('u757', 758), ('u758', 759), ('u759', 760), ('u760', 761), ('u761', 762), ('u762', 763), ('u763', 764), ('u764', 765)) + named_values(('u765', 766), ('u766', 767), ('u767', 768), ('u768', 769), ('u769', 770), ('u770', 771), ('u771', 772), ('u772', 773), ('u773', 774), ('u774', 775), ('u775', 776), ('u776', 777), ('u777', 778), ('u778', 779), ('u779', 780), ('u780', 781), ('u781', 782), ('u782', 783), ('u783', 784), ('u784', 785), ('u785', 786), ('u786', 787), ('u787', 788), ('u788', 789), ('u789', 790), ('u790', 791), ('u791', 792), ('u792', 793), ('u793', 794), ('u794', 795), ('u795', 796), ('u796', 797), ('u797', 798), ('u798', 799), ('u799', 800), ('u800', 801), ('u801', 802), ('u802', 803), ('u803', 804), ('u804', 805), ('u805', 806), ('u806', 807), ('u807', 808), ('u808', 809), ('u809', 810), ('u810', 811), ('u811', 812), ('u812', 813), ('u813', 814), ('u814', 815), ('u815', 816), ('u816', 817), ('u817', 818), ('u818', 819), ('u819', 820), ('u820', 821), ('u821', 822), ('u822', 823), ('u823', 824), ('u824', 825), ('u825', 826), ('u826', 827), ('u827', 828), ('u828', 829), ('u829', 830), ('u830', 831), ('u831', 832), ('u832', 833), ('u833', 834), ('u834', 835), ('u835', 836), ('u836', 837), ('u837', 838), ('u838', 839), ('u839', 840), ('u840', 841), ('u841', 842), ('u842', 843), ('u843', 844), ('u844', 845), ('u845', 846), ('u846', 847), ('u847', 848), ('u848', 849), ('u849', 850), ('u850', 851), ('u851', 852), ('u852', 853), ('u853', 854), ('u854', 855), ('u855', 856), ('u856', 857), ('u857', 858), ('u858', 859), ('u859', 860), ('u860', 861), ('u861', 862), ('u862', 863), ('u863', 864), ('u864', 865), ('u865', 866), ('u866', 867), ('u867', 868), ('u868', 869), ('u869', 870), ('u870', 871), ('u871', 872), ('u872', 873), ('u873', 874), ('u874', 875), ('u875', 876), ('u876', 877), ('u877', 878), ('u878', 879), ('u879', 880), ('u880', 881), ('u881', 882), ('u882', 883), ('u883', 884), ('u884', 885), ('u885', 886), ('u886', 887), ('u887', 888), ('u888', 889), ('u889', 890), ('u890', 891), ('u891', 892), ('u892', 893), ('u893', 894), ('u894', 895), ('u895', 896), ('u896', 897), ('u897', 898), ('u898', 899), ('u899', 900), ('u900', 901), ('u901', 902), ('u902', 903), ('u903', 904), ('u904', 905), ('u905', 906), ('u906', 907), ('u907', 908), ('u908', 909), ('u909', 910), ('u910', 911), ('u911', 912), ('u912', 913), ('u913', 914), ('u914', 915), ('u915', 916), ('u916', 917), ('u917', 918), ('u918', 919), ('u919', 920), ('u920', 921), ('u921', 922), ('u922', 923), ('u923', 924), ('u924', 925), ('u925', 926), ('u926', 927), ('u927', 928), ('u928', 929), ('u929', 930), ('u930', 931), ('u931', 932), ('u932', 933), ('u933', 934), ('u934', 935), ('u935', 936), ('u936', 937), ('u937', 938), ('u938', 939), ('u939', 940), ('u940', 941), ('u941', 942), ('u942', 943), ('u943', 944), ('u944', 945), ('u945', 946), ('u946', 947), ('u947', 948), ('u948', 949), ('u949', 950), ('u950', 951), ('u951', 952), ('u952', 953), ('u953', 954), ('u954', 955), ('u955', 956), ('u956', 957), ('u957', 958), ('u958', 959), ('u959', 960), ('u960', 961), ('u961', 962), ('u962', 963), ('u963', 964), ('u964', 965), ('u965', 966), ('u966', 967), ('u967', 968), ('u968', 969), ('u969', 970), ('u970', 971), ('u971', 972), ('u972', 973), ('u973', 974), ('u974', 975), ('u975', 976), ('u976', 977), ('u977', 978), ('u978', 979), ('u979', 980), ('u980', 981), ('u981', 982), ('u982', 983), ('u983', 984), ('u984', 985), ('u985', 986), ('u986', 987), ('u987', 988), ('u988', 989), ('u989', 990), ('u990', 991), ('u991', 992), ('u992', 993), ('u993', 994), ('u994', 995), ('u995', 996), ('u996', 997), ('u997', 998), ('u998', 999), ('u999', 1000), ('u1000', 1001), ('u1001', 1002), ('u1002', 1003), ('u1003', 1004), ('u1004', 1005), ('u1005', 1006), ('u1006', 1007), ('u1007', 1008), ('u1008', 1009), ('u1009', 1010), ('u1010', 1011), ('u1011', 1012), ('u1012', 1013), ('u1013', 1014), ('u1014', 1015), ('u1015', 1016), ('u1016', 1017), ('u1017', 1018), ('u1018', 1019), ('u1019', 1020)) + named_values(('u1020', 1021), ('u1021', 1022), ('u1022', 1023), ('u1023', 1024), ('u1024', 1025), ('u1025', 1026), ('u1026', 1027), ('u1027', 1028), ('u1028', 1029), ('u1029', 1030), ('u1030', 1031), ('u1031', 1032), ('u1032', 1033), ('u1033', 1034), ('u1034', 1035), ('u1035', 1036), ('u1036', 1037), ('u1037', 1038), ('u1038', 1039), ('u1039', 1040), ('u1040', 1041), ('u1041', 1042), ('u1042', 1043), ('u1043', 1044), ('u1044', 1045), ('u1045', 1046), ('u1046', 1047), ('u1047', 1048), ('u1048', 1049), ('u1049', 1050), ('u1050', 1051), ('u1051', 1052), ('u1052', 1053), ('u1053', 1054), ('u1054', 1055), ('u1055', 1056), ('u1056', 1057), ('u1057', 1058), ('u1058', 1059), ('u1059', 1060), ('u1060', 1061), ('u1061', 1062), ('u1062', 1063), ('u1063', 1064), ('u1064', 1065), ('u1065', 1066), ('u1066', 1067), ('u1067', 1068), ('u1068', 1069), ('u1069', 1070), ('u1070', 1071), ('u1071', 1072), ('u1072', 1073), ('u1073', 1074), ('u1074', 1075), ('u1075', 1076), ('u1076', 1077), ('u1077', 1078), ('u1078', 1079), ('u1079', 1080), ('u1080', 1081), ('u1081', 1082), ('u1082', 1083), ('u1083', 1084), ('u1084', 1085), ('u1085', 1086), ('u1086', 1087), ('u1087', 1088), ('u1088', 1089), ('u1089', 1090), ('u1090', 1091), ('u1091', 1092), ('u1092', 1093), ('u1093', 1094), ('u1094', 1095), ('u1095', 1096), ('u1096', 1097), ('u1097', 1098), ('u1098', 1099), ('u1099', 1100), ('u1100', 1101), ('u1101', 1102), ('u1102', 1103), ('u1103', 1104), ('u1104', 1105), ('u1105', 1106), ('u1106', 1107), ('u1107', 1108), ('u1108', 1109), ('u1109', 1110), ('u1110', 1111), ('u1111', 1112), ('u1112', 1113), ('u1113', 1114), ('u1114', 1115), ('u1115', 1116), ('u1116', 1117), ('u1117', 1118), ('u1118', 1119), ('u1119', 1120), ('u1120', 1121), ('u1121', 1122), ('u1122', 1123), ('u1123', 1124), ('u1124', 1125), ('u1125', 1126), ('u1126', 1127), ('u1127', 1128), ('u1128', 1129), ('u1129', 1130), ('u1130', 1131), ('u1131', 1132), ('u1132', 1133), ('u1133', 1134), ('u1134', 1135), ('u1135', 1136), ('u1136', 1137), ('u1137', 1138), ('u1138', 1139), ('u1139', 1140), ('u1140', 1141), ('u1141', 1142), ('u1142', 1143), ('u1143', 1144), ('u1144', 1145), ('u1145', 1146), ('u1146', 1147), ('u1147', 1148), ('u1148', 1149), ('u1149', 1150), ('u1150', 1151), ('u1151', 1152), ('u1152', 1153), ('u1153', 1154), ('u1154', 1155), ('u1155', 1156), ('u1156', 1157), ('u1157', 1158), ('u1158', 1159), ('u1159', 1160), ('u1160', 1161), ('u1161', 1162), ('u1162', 1163), ('u1163', 1164), ('u1164', 1165), ('u1165', 1166), ('u1166', 1167), ('u1167', 1168), ('u1168', 1169), ('u1169', 1170), ('u1170', 1171), ('u1171', 1172), ('u1172', 1173), ('u1173', 1174), ('u1174', 1175), ('u1175', 1176), ('u1176', 1177), ('u1177', 1178), ('u1178', 1179), ('u1179', 1180), ('u1180', 1181), ('u1181', 1182), ('u1182', 1183), ('u1183', 1184), ('u1184', 1185), ('u1185', 1186), ('u1186', 1187), ('u1187', 1188), ('u1188', 1189), ('u1189', 1190), ('u1190', 1191), ('u1191', 1192), ('u1192', 1193), ('u1193', 1194), ('u1194', 1195), ('u1195', 1196), ('u1196', 1197), ('u1197', 1198), ('u1198', 1199), ('u1199', 1200), ('u1200', 1201), ('u1201', 1202), ('u1202', 1203), ('u1203', 1204), ('u1204', 1205), ('u1205', 1206), ('u1206', 1207), ('u1207', 1208), ('u1208', 1209), ('u1209', 1210), ('u1210', 1211), ('u1211', 1212), ('u1212', 1213), ('u1213', 1214), ('u1214', 1215), ('u1215', 1216), ('u1216', 1217), ('u1217', 1218), ('u1218', 1219), ('u1219', 1220), ('u1220', 1221), ('u1221', 1222), ('u1222', 1223), ('u1223', 1224), ('u1224', 1225), ('u1225', 1226), ('u1226', 1227), ('u1227', 1228), ('u1228', 1229), ('u1229', 1230), ('u1230', 1231), ('u1231', 1232), ('u1232', 1233), ('u1233', 1234), ('u1234', 1235), ('u1235', 1236), ('u1236', 1237), ('u1237', 1238), ('u1238', 1239), ('u1239', 1240), ('u1240', 1241), ('u1241', 1242), ('u1242', 1243), ('u1243', 1244), ('u1244', 1245), ('u1245', 1246), ('u1246', 1247), ('u1247', 1248), ('u1248', 1249), ('u1249', 1250), ('u1250', 1251), ('u1251', 1252), ('u1252', 1253), ('u1253', 1254), ('u1254', 1255), ('u1255', 1256), ('u1256', 1257), ('u1257', 1258), ('u1258', 1259), ('u1259', 1260), ('u1260', 1261), ('u1261', 1262), ('u1262', 1263), ('u1263', 1264), ('u1264', 1265), ('u1265', 1266), ('u1266', 1267), ('u1267', 1268), ('u1268', 1269), ('u1269', 1270), ('u1270', 1271), ('u1271', 1272), ('u1272', 1273), ('u1273', 1274), ('u1274', 1275)) + named_values(('u1275', 1276), ('u1276', 1277), ('u1277', 1278), ('u1278', 1279), ('u1279', 1280), ('u1280', 1281), ('u1281', 1282), ('u1282', 1283), ('u1283', 1284), ('u1284', 1285), ('u1285', 1286), ('u1286', 1287), ('u1287', 1288), ('u1288', 1289), ('u1289', 1290), ('u1290', 1291), ('u1291', 1292), ('u1292', 1293), ('u1293', 1294), ('u1294', 1295), ('u1295', 1296), ('u1296', 1297), ('u1297', 1298), ('u1298', 1299), ('u1299', 1300), ('u1300', 1301), ('u1301', 1302), ('u1302', 1303), ('u1303', 1304), ('u1304', 1305), ('u1305', 1306), ('u1306', 1307), ('u1307', 1308), ('u1308', 1309), ('u1309', 1310), ('u1310', 1311), ('u1311', 1312), ('u1312', 1313), ('u1313', 1314), ('u1314', 1315), ('u1315', 1316), ('u1316', 1317), ('u1317', 1318), ('u1318', 1319), ('u1319', 1320), ('u1320', 1321), ('u1321', 1322), ('u1322', 1323), ('u1323', 1324), ('u1324', 1325), ('u1325', 1326), ('u1326', 1327), ('u1327', 1328), ('u1328', 1329), ('u1329', 1330), ('u1330', 1331), ('u1331', 1332), ('u1332', 1333), ('u1333', 1334), ('u1334', 1335), ('u1335', 1336), ('u1336', 1337), ('u1337', 1338), ('u1338', 1339), ('u1339', 1340), ('u1340', 1341), ('u1341', 1342), ('u1342', 1343), ('u1343', 1344), ('u1344', 1345), ('u1345', 1346), ('u1346', 1347), ('u1347', 1348), ('u1348', 1349), ('u1349', 1350), ('u1350', 1351), ('u1351', 1352), ('u1352', 1353), ('u1353', 1354), ('u1354', 1355), ('u1355', 1356), ('u1356', 1357), ('u1357', 1358), ('u1358', 1359), ('u1359', 1360), ('u1360', 1361), ('u1361', 1362), ('u1362', 1363), ('u1363', 1364), ('u1364', 1365), ('u1365', 1366), ('u1366', 1367), ('u1367', 1368), ('u1368', 1369), ('u1369', 1370), ('u1370', 1371), ('u1371', 1372), ('u1372', 1373), ('u1373', 1374), ('u1374', 1375), ('u1375', 1376), ('u1376', 1377), ('u1377', 1378), ('u1378', 1379), ('u1379', 1380), ('u1380', 1381), ('u1381', 1382), ('u1382', 1383), ('u1383', 1384), ('u1384', 1385), ('u1385', 1386), ('u1386', 1387), ('u1387', 1388), ('u1388', 1389), ('u1389', 1390), ('u1390', 1391), ('u1391', 1392), ('u1392', 1393), ('u1393', 1394), ('u1394', 1395), ('u1395', 1396), ('u1396', 1397), ('u1397', 1398), ('u1398', 1399), ('u1399', 1400), ('u1400', 1401), ('u1401', 1402), ('u1402', 1403), ('u1403', 1404), ('u1404', 1405), ('u1405', 1406), ('u1406', 1407), ('u1407', 1408), ('u1408', 1409), ('u1409', 1410), ('u1410', 1411), ('u1411', 1412), ('u1412', 1413), ('u1413', 1414), ('u1414', 1415), ('u1415', 1416), ('u1416', 1417), ('u1417', 1418), ('u1418', 1419), ('u1419', 1420), ('u1420', 1421), ('u1421', 1422), ('u1422', 1423), ('u1423', 1424), ('u1424', 1425), ('u1425', 1426), ('u1426', 1427), ('u1427', 1428), ('u1428', 1429), ('u1429', 1430), ('u1430', 1431), ('u1431', 1432), ('u1432', 1433), ('u1433', 1434), ('u1434', 1435), ('u1435', 1436), ('u1436', 1437), ('u1437', 1438), ('u1438', 1439), ('u1439', 1440), ('u1440', 1441), ('u1441', 1442), ('u1442', 1443), ('u1443', 1444), ('u1444', 1445), ('u1445', 1446), ('u1446', 1447), ('u1447', 1448), ('u1448', 1449), ('u1449', 1450), ('u1450', 1451), ('u1451', 1452), ('u1452', 1453), ('u1453', 1454), ('u1454', 1455), ('u1455', 1456), ('u1456', 1457), ('u1457', 1458), ('u1458', 1459), ('u1459', 1460), ('u1460', 1461), ('u1461', 1462), ('u1462', 1463), ('u1463', 1464), ('u1464', 1465), ('u1465', 1466), ('u1466', 1467), ('u1467', 1468), ('u1468', 1469), ('u1469', 1470), ('u1470', 1471), ('u1471', 1472), ('u1472', 1473), ('u1473', 1474), ('u1474', 1475), ('u1475', 1476), ('u1476', 1477), ('u1477', 1478), ('u1478', 1479), ('u1479', 1480), ('u1480', 1481), ('u1481', 1482), ('u1482', 1483), ('u1483', 1484), ('u1484', 1485), ('u1485', 1486), ('u1486', 1487), ('u1487', 1488), ('u1488', 1489), ('u1489', 1490), ('u1490', 1491), ('u1491', 1492), ('u1492', 1493), ('u1493', 1494), ('u1494', 1495), ('u1495', 1496), ('u1496', 1497), ('u1497', 1498), ('u1498', 1499), ('u1499', 1500), ('u1500', 1501), ('u1501', 1502), ('u1502', 1503), ('u1503', 1504), ('u1504', 1505), ('u1505', 1506), ('u1506', 1507), ('u1507', 1508), ('u1508', 1509), ('u1509', 1510), ('u1510', 1511), ('u1511', 1512), ('u1512', 1513), ('u1513', 1514), ('u1514', 1515), ('u1515', 1516), ('u1516', 1517), ('u1517', 1518), ('u1518', 1519), ('u1519', 1520), ('u1520', 1521), ('u1521', 1522), ('u1522', 1523), ('u1523', 1524), ('u1524', 1525), ('u1525', 1526), ('u1526', 1527), ('u1527', 1528), ('u1528', 1529), ('u1529', 1530)) + named_values(('u1530', 1531), ('u1531', 1532), ('u1532', 1533), ('u1533', 1534), ('u1534', 1535), ('u1535', 1536), ('u1536', 1537), ('u1537', 1538), ('u1538', 1539), ('u1539', 1540), ('u1540', 1541), ('u1541', 1542), ('u1542', 1543), ('u1543', 1544), ('u1544', 1545), ('u1545', 1546), ('u1546', 1547), ('u1547', 1548), ('u1548', 1549), ('u1549', 1550), ('u1550', 1551), ('u1551', 1552), ('u1552', 1553), ('u1553', 1554), ('u1554', 1555), ('u1555', 1556), ('u1556', 1557), ('u1557', 1558), ('u1558', 1559), ('u1559', 1560), ('u1560', 1561), ('u1561', 1562), ('u1562', 1563), ('u1563', 1564), ('u1564', 1565), ('u1565', 1566), ('u1566', 1567), ('u1567', 1568), ('u1568', 1569), ('u1569', 1570), ('u1570', 1571), ('u1571', 1572), ('u1572', 1573), ('u1573', 1574), ('u1574', 1575), ('u1575', 1576), ('u1576', 1577), ('u1577', 1578), ('u1578', 1579), ('u1579', 1580), ('u1580', 1581), ('u1581', 1582), ('u1582', 1583), ('u1583', 1584), ('u1584', 1585), ('u1585', 1586), ('u1586', 1587), ('u1587', 1588), ('u1588', 1589), ('u1589', 1590), ('u1590', 1591), ('u1591', 1592), ('u1592', 1593), ('u1593', 1594), ('u1594', 1595), ('u1595', 1596), ('u1596', 1597), ('u1597', 1598), ('u1598', 1599), ('u1599', 1600), ('u1600', 1601), ('u1601', 1602), ('u1602', 1603), ('u1603', 1604), ('u1604', 1605), ('u1605', 1606), ('u1606', 1607), ('u1607', 1608), ('u1608', 1609), ('u1609', 1610), ('u1610', 1611), ('u1611', 1612), ('u1612', 1613), ('u1613', 1614), ('u1614', 1615), ('u1615', 1616), ('u1616', 1617), ('u1617', 1618), ('u1618', 1619), ('u1619', 1620), ('u1620', 1621), ('u1621', 1622), ('u1622', 1623), ('u1623', 1624), ('u1624', 1625), ('u1625', 1626), ('u1626', 1627), ('u1627', 1628), ('u1628', 1629), ('u1629', 1630), ('u1630', 1631), ('u1631', 1632), ('u1632', 1633), ('u1633', 1634), ('u1634', 1635), ('u1635', 1636), ('u1636', 1637), ('u1637', 1638), ('u1638', 1639), ('u1639', 1640), ('u1640', 1641), ('u1641', 1642), ('u1642', 1643), ('u1643', 1644), ('u1644', 1645), ('u1645', 1646), ('u1646', 1647), ('u1647', 1648), ('u1648', 1649), ('u1649', 1650), ('u1650', 1651), ('u1651', 1652), ('u1652', 1653), ('u1653', 1654), ('u1654', 1655), ('u1655', 1656), ('u1656', 1657), ('u1657', 1658), ('u1658', 1659), ('u1659', 1660), ('u1660', 1661), ('u1661', 1662), ('u1662', 1663), ('u1663', 1664), ('u1664', 1665), ('u1665', 1666), ('u1666', 1667), ('u1667', 1668), ('u1668', 1669), ('u1669', 1670), ('u1670', 1671), ('u1671', 1672), ('u1672', 1673), ('u1673', 1674), ('u1674', 1675), ('u1675', 1676), ('u1676', 1677), ('u1677', 1678), ('u1678', 1679), ('u1679', 1680), ('u1680', 1681), ('u1681', 1682), ('u1682', 1683), ('u1683', 1684), ('u1684', 1685), ('u1685', 1686), ('u1686', 1687), ('u1687', 1688), ('u1688', 1689), ('u1689', 1690), ('u1690', 1691), ('u1691', 1692), ('u1692', 1693), ('u1693', 1694), ('u1694', 1695), ('u1695', 1696), ('u1696', 1697), ('u1697', 1698), ('u1698', 1699), ('u1699', 1700), ('u1700', 1701), ('u1701', 1702), ('u1702', 1703), ('u1703', 1704), ('u1704', 1705), ('u1705', 1706), ('u1706', 1707), ('u1707', 1708), ('u1708', 1709), ('u1709', 1710), ('u1710', 1711), ('u1711', 1712), ('u1712', 1713), ('u1713', 1714), ('u1714', 1715), ('u1715', 1716), ('u1716', 1717), ('u1717', 1718), ('u1718', 1719), ('u1719', 1720), ('u1720', 1721), ('u1721', 1722), ('u1722', 1723), ('u1723', 1724), ('u1724', 1725), ('u1725', 1726), ('u1726', 1727), ('u1727', 1728), ('u1728', 1729), ('u1729', 1730), ('u1730', 1731), ('u1731', 1732), ('u1732', 1733), ('u1733', 1734), ('u1734', 1735), ('u1735', 1736), ('u1736', 1737), ('u1737', 1738), ('u1738', 1739), ('u1739', 1740), ('u1740', 1741), ('u1741', 1742), ('u1742', 1743), ('u1743', 1744), ('u1744', 1745), ('u1745', 1746), ('u1746', 1747), ('u1747', 1748), ('u1748', 1749), ('u1749', 1750), ('u1750', 1751), ('u1751', 1752), ('u1752', 1753), ('u1753', 1754), ('u1754', 1755), ('u1755', 1756), ('u1756', 1757), ('u1757', 1758), ('u1758', 1759), ('u1759', 1760), ('u1760', 1761), ('u1761', 1762), ('u1762', 1763), ('u1763', 1764), ('u1764', 1765), ('u1765', 1766), ('u1766', 1767), ('u1767', 1768), ('u1768', 1769), ('u1769', 1770), ('u1770', 1771), ('u1771', 1772), ('u1772', 1773), ('u1773', 1774), ('u1774', 1775), ('u1775', 1776), ('u1776', 1777), ('u1777', 1778), ('u1778', 1779), ('u1779', 1780), ('u1780', 1781), ('u1781', 1782), ('u1782', 1783), ('u1783', 1784), ('u1784', 1785)) + named_values(('u1785', 1786), ('u1786', 1787), ('u1787', 1788), ('u1788', 1789), ('u1789', 1790), ('u1790', 1791), ('u1791', 1792), ('u1792', 1793), ('u1793', 1794), ('u1794', 1795), ('u1795', 1796), ('u1796', 1797), ('u1797', 1798), ('u1798', 1799), ('u1799', 1800), ('u1800', 1801), ('u1801', 1802), ('u1802', 1803), ('u1803', 1804), ('u1804', 1805), ('u1805', 1806), ('u1806', 1807), ('u1807', 1808), ('u1808', 1809), ('u1809', 1810), ('u1810', 1811), ('u1811', 1812), ('u1812', 1813), ('u1813', 1814), ('u1814', 1815), ('u1815', 1816), ('u1816', 1817), ('u1817', 1818), ('u1818', 1819), ('u1819', 1820), ('u1820', 1821), ('u1821', 1822), ('u1822', 1823), ('u1823', 1824), ('u1824', 1825), ('u1825', 1826), ('u1826', 1827), ('u1827', 1828), ('u1828', 1829), ('u1829', 1830), ('u1830', 1831), ('u1831', 1832), ('u1832', 1833), ('u1833', 1834), ('u1834', 1835), ('u1835', 1836), ('u1836', 1837), ('u1837', 1838), ('u1838', 1839), ('u1839', 1840), ('u1840', 1841), ('u1841', 1842), ('u1842', 1843), ('u1843', 1844), ('u1844', 1845), ('u1845', 1846), ('u1846', 1847), ('u1847', 1848), ('u1848', 1849), ('u1849', 1850), ('u1850', 1851), ('u1851', 1852), ('u1852', 1853), ('u1853', 1854), ('u1854', 1855), ('u1855', 1856), ('u1856', 1857), ('u1857', 1858), ('u1858', 1859), ('u1859', 1860), ('u1860', 1861), ('u1861', 1862), ('u1862', 1863), ('u1863', 1864), ('u1864', 1865), ('u1865', 1866), ('u1866', 1867), ('u1867', 1868), ('u1868', 1869), ('u1869', 1870), ('u1870', 1871), ('u1871', 1872), ('u1872', 1873), ('u1873', 1874), ('u1874', 1875), ('u1875', 1876), ('u1876', 1877), ('u1877', 1878), ('u1878', 1879), ('u1879', 1880), ('u1880', 1881), ('u1881', 1882), ('u1882', 1883), ('u1883', 1884), ('u1884', 1885), ('u1885', 1886), ('u1886', 1887), ('u1887', 1888), ('u1888', 1889), ('u1889', 1890), ('u1890', 1891), ('u1891', 1892), ('u1892', 1893), ('u1893', 1894), ('u1894', 1895), ('u1895', 1896), ('u1896', 1897), ('u1897', 1898), ('u1898', 1899), ('u1899', 1900), ('u1900', 1901), ('u1901', 1902), ('u1902', 1903), ('u1903', 1904), ('u1904', 1905), ('u1905', 1906), ('u1906', 1907), ('u1907', 1908), ('u1908', 1909), ('u1909', 1910), ('u1910', 1911), ('u1911', 1912), ('u1912', 1913), ('u1913', 1914), ('u1914', 1915), ('u1915', 1916), ('u1916', 1917), ('u1917', 1918), ('u1918', 1919), ('u1919', 1920), ('u1920', 1921), ('u1921', 1922), ('u1922', 1923), ('u1923', 1924), ('u1924', 1925), ('u1925', 1926), ('u1926', 1927), ('u1927', 1928), ('u1928', 1929), ('u1929', 1930), ('u1930', 1931), ('u1931', 1932), ('u1932', 1933), ('u1933', 1934), ('u1934', 1935), ('u1935', 1936), ('u1936', 1937), ('u1937', 1938), ('u1938', 1939), ('u1939', 1940), ('u1940', 1941), ('u1941', 1942), ('u1942', 1943), ('u1943', 1944), ('u1944', 1945), ('u1945', 1946), ('u1946', 1947), ('u1947', 1948), ('u1948', 1949), ('u1949', 1950), ('u1950', 1951), ('u1951', 1952), ('u1952', 1953), ('u1953', 1954), ('u1954', 1955), ('u1955', 1956), ('u1956', 1957), ('u1957', 1958), ('u1958', 1959), ('u1959', 1960), ('u1960', 1961), ('u1961', 1962), ('u1962', 1963), ('u1963', 1964), ('u1964', 1965), ('u1965', 1966), ('u1966', 1967), ('u1967', 1968), ('u1968', 1969), ('u1969', 1970), ('u1970', 1971), ('u1971', 1972), ('u1972', 1973), ('u1973', 1974), ('u1974', 1975), ('u1975', 1976), ('u1976', 1977), ('u1977', 1978), ('u1978', 1979), ('u1979', 1980), ('u1980', 1981), ('u1981', 1982), ('u1982', 1983), ('u1983', 1984), ('u1984', 1985), ('u1985', 1986), ('u1986', 1987), ('u1987', 1988), ('u1988', 1989), ('u1989', 1990), ('u1990', 1991), ('u1991', 1992), ('u1992', 1993), ('u1993', 1994), ('u1994', 1995), ('u1995', 1996), ('u1996', 1997), ('u1997', 1998), ('u1998', 1999), ('u1999', 2000))))
if mibBuilder.loadTexts:
outputIndex.setStatus('current')
if mibBuilder.loadTexts:
outputIndex.setDescription('A unique number for each power output channel. Its value ranges between 1 and total number of output channels. This value is equivalent to the output channel number at the type label of the crate or power supply, but because the SMI index starts at 1, index 1 corresponds to U0. ')
output_name = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputName.setStatus('current')
if mibBuilder.loadTexts:
outputName.setDescription('A textual string containing a short name of the output. If the crate is equipped with an alphanumeric display, this string is shown to identify a output channel. ')
output_group = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 63))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputGroup.setStatus('current')
if mibBuilder.loadTexts:
outputGroup.setDescription('The group number (1...63) assigned to each channel. If commands shall be sent to all channels with a specific group number (e.g. with the groupsSwitch command defined below), additional bits can be added to the group number: HLgggggg g: Group number (1...63) L: Mask bit: 1: high voltage channels only, no low voltage channels H: Mask bit: 1: low voltage channels only, no high voltage channels Special groups: 0: all (LV+HV) channels 0x40: all, but no LV channels 0x80: all, but no HV channels ')
output_status = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 4), bits().clone(namedValues=named_values(('outputOn', 0), ('outputInhibit', 1), ('outputFailureMinSenseVoltage', 2), ('outputFailureMaxSenseVoltage', 3), ('outputFailureMaxTerminalVoltage', 4), ('outputFailureMaxCurrent', 5), ('outputFailureMaxTemperature', 6), ('outputFailureMaxPower', 7), ('outputFailureTimeout', 9), ('outputCurrentLimited', 10), ('outputRampUp', 11), ('outputRampDown', 12), ('outputEnableKill', 13), ('outputEmergencyOff', 14), ('outputAdjusting', 15), ('outputConstantVoltage', 16), ('outputLowCurrentRange', 17), ('outputCurrentBoundsExceeded', 18), ('outputFailureCurrentLimit', 19)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputStatus.setStatus('current')
if mibBuilder.loadTexts:
outputStatus.setDescription('A bit string which shows the status (health and operating conditions) of one output channel. If a bit is set (1), the explanation is satisfied: outputOn (0), output channel is on outputInhibit(1), external (hardware-)inhibit of the output channel outputFailureMinSenseVoltage (2) Supervision limit hurt: Sense voltage is too low outputFailureMaxSenseVoltage (3), Supervision limit hurt: Sense voltage is too high outputFailureMaxTerminalVoltage (4), Supervision limit hurt: Terminal voltage is too high outputFailureMaxCurrent (5), Supervision limit hurt: Current is too high outputFailureMaxTemperature (6), Supervision limit hurt: Heat sink temperature is too high outputFailureMaxPower (7), Supervision limit hurt: Output power is too high outputFailureTimeout (9), Communication timeout between output channel and main control outputCurrentLimited (10), Current limiting is active (constant current mode) outputRampUp (11), Output voltage is increasing (e.g. after switch on) outputRampDown (12), Output voltage is decreasing (e.g. after switch off) outputEnableKill (13), EnableKill is active outputEmergencyOff (14), EmergencyOff event is active outputAdjusting (15), Fine adjustment is working outputConstantVoltage (16), Voltage control (constant voltage mode) outputLowCurrentRange (17), The channel is operating in the low current measurement range outputCurrentBoundsExceeded (18), Output current is out of bounds outputFailureCurrentLimit (19) Hardware current limit (EHS) / trip (EDS, EBS) was exceeded ')
output_measurement_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 5), float()).setUnits('V').setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputMeasurementSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputMeasurementSenseVoltage.setDescription('The measured voltage at the sense input lines.')
output_measurement_terminal_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 6), float()).setUnits('V').setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputMeasurementTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputMeasurementTerminalVoltage.setDescription('The measured voltage at the output terminals.')
output_measurement_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 7), float()).setUnits('A').setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputMeasurementCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputMeasurementCurrent.setDescription('The measured output current.')
output_measurement_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(-128, 127))).clone(namedValues=named_values(('ok', -128), ('failure', 127)))).setUnits('deg.C').setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputMeasurementTemperature.setStatus('current')
if mibBuilder.loadTexts:
outputMeasurementTemperature.setDescription('The measured temperature of the power module.')
output_switch = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 10, 20, 21, 22, 23))).clone(namedValues=named_values(('off', 0), ('on', 1), ('resetEmergencyOff', 2), ('setEmergencyOff', 3), ('clearEvents', 10), ('setVoltageRippleMeasurementOff', 20), ('setVoltageMeasurementOn', 21), ('setRippleMeasurementOn', 22), ('setVoltageRippleMeasurementOn', 23)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputSwitch.setStatus('current')
if mibBuilder.loadTexts:
outputSwitch.setDescription('Read: An enumerated value which shows the current state of the output channel. Write: Change the state of the channel. If the channel is On, and the write value is Off, then the channel will switch Off. If the channel is Off, and the write value is On, and if no other signals (mainInhibit, outputInhibit, outputEmergencyOff or outputFailureMaxCurrent) are active, then the channel will switch on. If the write value is resetEmergencyOff, then the channel will leave the state EmergencyOff. A write of clearEvents is necessary before the voltage can ramp up again. If the write value is setEmergencyOff, then the channel will have the state EmergencyOff, which means that the High Voltage will switch off without a ramp and reset of the outputVoltage to null volt. If the write value is clearEvents, then all failure messages of the outputStatus will be reset (all channel events, all module events and the state emergencyOff). ')
output_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 10), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputVoltage.setDescription('The nominal output voltage of the channel.')
output_adjust_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(-128, 127))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputAdjustVoltage.setStatus('obsolete')
if mibBuilder.loadTexts:
outputAdjustVoltage.setDescription('A posibillity to make small changes of the output voltage.')
output_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 12), float()).setUnits('A').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputCurrent.setDescription('The current limit of the channel.')
output_voltage_rise_rate = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 13), float()).setUnits('V/s').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputVoltageRiseRate.setStatus('current')
if mibBuilder.loadTexts:
outputVoltageRiseRate.setDescription('Voltage Fall Slew Rate [V/s]. The slew rate of the output voltage if it increases (after switch on or if the Voltage has been changed). ')
output_voltage_fall_rate = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 14), float()).setUnits('V/s').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputVoltageFallRate.setStatus('current')
if mibBuilder.loadTexts:
outputVoltageFallRate.setDescription('Voltage Rise Slew Rate [V/s]. The slew rate of the output voltage if it decreases (after switch off or if the Voltage has been changed). ')
output_supervision_behavior = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputSupervisionBehavior.setStatus('current')
if mibBuilder.loadTexts:
outputSupervisionBehavior.setDescription('A bit field packed into an integer which define the behavior of the output channel / power supply after failures. For each supervision value, a two-bit field exists. The enumeration of this value (..L+..H*2) is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate. iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. The position of the bit fields in the integer value are: Bit 0, 1: outputFailureMinSenseVoltage Bit 2, 3: outputFailureMaxSenseVoltage Bit 4, 5: outputFailureMaxTerminalVoltage Bit 6, 7: outputFailureMaxCurrent Bit 8, 9: outputFailureMaxTemperature Bit 10, 11: outputFailureMaxPower Bit 12, 13: outputFailureInhibit Bit 14, 15: outputFailureTimeout ')
output_supervision_min_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 16), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputSupervisionMinSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputSupervisionMinSenseVoltage.setDescription('If the measured sense voltage is below this value, the power supply performs the function defined by SupervisionAction. ')
output_supervision_max_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 17), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputSupervisionMaxSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputSupervisionMaxSenseVoltage.setDescription('If the measured sense voltage is above this value, the power supply performs the function defined by SupervisionAction. ')
output_supervision_max_terminal_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 18), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputSupervisionMaxTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputSupervisionMaxTerminalVoltage.setDescription('If the measured voltage at the power supply output terminals is above this value, the power supply performs the function defined by SupervisionAction. ')
output_supervision_max_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 19), float()).setUnits('A').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputSupervisionMaxCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputSupervisionMaxCurrent.setDescription('If the measured current is above this value, the power supply performs the function defined by SupervisionAction. ')
output_supervision_max_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 20), integer32()).setUnits('deg.C').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputSupervisionMaxTemperature.setStatus('current')
if mibBuilder.loadTexts:
outputSupervisionMaxTemperature.setDescription('If the measured module temperature is above this value, the power supply performs the function defined by SupervisionAction. ')
output_config_max_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 21), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigMaxSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputConfigMaxSenseVoltage.setDescription('The maximum possible value of the sense voltage')
output_config_max_terminal_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 22), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigMaxTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputConfigMaxTerminalVoltage.setDescription('The maximum possible value of the terminal voltage')
output_config_max_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 23), float()).setUnits('A').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigMaxCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputConfigMaxCurrent.setDescription('The maximum possible value of the output current')
output_supervision_max_power = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 24), float()).setUnits('W').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputSupervisionMaxPower.setStatus('current')
if mibBuilder.loadTexts:
outputSupervisionMaxPower.setDescription('If the measured power (measured current * measured terminal voltage) is above this value, the power supply performs the function defined by SupervisionAction. ')
output_current_rise_rate = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 25), float()).setUnits('A/s').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputCurrentRiseRate.setStatus('current')
if mibBuilder.loadTexts:
outputCurrentRiseRate.setDescription('Current Fall Slew Rate [A/s]. The slew rate of the output current if it increases (after switch on or if the Current has been changed). ')
output_current_fall_rate = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 26), float()).setUnits('A/s').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputCurrentFallRate.setStatus('current')
if mibBuilder.loadTexts:
outputCurrentFallRate.setDescription('Current Rise Slew Rate [A/s]. The slew rate of the output current if it decreases (after switch off or if the Current has been changed). ')
output_trip_time_max_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 27), output_trip_time()).setUnits('ms').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripTimeMaxCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputTripTimeMaxCurrent.setDescription('Minimum time the outputSupervisionMaxCurrent threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior (bit field outputFailureMaxCurrent) or the new outputTripActionMaxCurrent.')
output_hardware_limit_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 28), float()).setUnits('V').setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputHardwareLimitVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputHardwareLimitVoltage.setDescription('Hardware Voltage Limit [V]. Potentiometer to adjust the global hardware voltage limit (for all channels of a module). ')
output_hardware_limit_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 29), float()).setUnits('A').setMaxAccess('readonly')
if mibBuilder.loadTexts:
outputHardwareLimitCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputHardwareLimitCurrent.setDescription('Hardware Current Limit [A]. Potentiometer to adjust the global hardware current limit (for all channels of a module). ')
output_config_gain_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 30), float()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigGainSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputConfigGainSenseVoltage.setDescription('The gain value of the sense voltage')
output_config_offset_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 31), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigOffsetSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputConfigOffsetSenseVoltage.setDescription('The offset value of the sense voltage')
output_config_gain_terminal_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 32), float()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigGainTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputConfigGainTerminalVoltage.setDescription('The gain value of the sense voltage')
output_config_offset_terminal_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 33), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigOffsetTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputConfigOffsetTerminalVoltage.setDescription('The offset value of the sense voltage')
output_config_gain_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 34), float()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigGainCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputConfigGainCurrent.setDescription('The gain value of the sense voltage')
output_config_offset_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 35), float()).setUnits('V').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigOffsetCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputConfigOffsetCurrent.setDescription('The offset value of the sense voltage')
output_user_config = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 37), integer32().subtype(subtypeSpec=value_range_constraint(0, 127))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputUserConfig.setStatus('current')
if mibBuilder.loadTexts:
outputUserConfig.setDescription("Definition of user-changeable items. A bit field packed into an integer which define the behavior of the output channel. Usable for WIENER LV devices only. The position of the bit fields in the integer value are: Bit 0: Voltage ramping at switch off: 0: Ramp down at switch off. 1: No ramp at switch off (immediate off) Bit 1, 2: Set different regulation modes, dependent on the cable inductance: 0: fast: short cables, up to 1 meter. 1: moderate: cables from 1 to 30 meter. 2: fast: identical to 0 (should not be used) 3: slow: cables longer than 30 meter. Bit 3: Internal sense line connection to the output (MPOD only): 0: The sense input at the sense connector is used for regulation. 1: The output voltage is used for regulation. Any signals at the sense connector are ignored. Bit 4: Enable External Inhibit input. 0: The external inhibit input is ignored. 1: The external inhibit input must be connected to a voltage source to allow switch on. Bit 5: Disable Global Inhibit inputs. 0: The global inhibit/interlock inputs of the system is active. 1: The global inhibit/interlock inputs of the system is ignored. Bit 6: Automatic Power On. 0: After switching the main system switch ON, the output is not switched on automatically. A separate outputSwitch command is required. 1: After switching the main system switch ON, the output is switched on automatically. If 'Disable Global Inhibit' (bit 5) is set, the output will be switched on regardless of the global inhibit/interlock signals. Community required for write access: guru. ")
output_regulation_mode = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('fast', 0), ('moderate', 1), ('slow', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputRegulationMode.setStatus('current')
if mibBuilder.loadTexts:
outputRegulationMode.setDescription('Definition of the regulation mode. Deprecated, use outputUserConfig for this function in the future! It is possible to set different regulation modes, dependent on the cable inductance. fast: short cables, up to 1 meter. moderate: cables from 1 to 30 meter. slow: cables longer than 30 meter. Community required for write access: guru. ')
output_config_max_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 39), integer32()).setUnits('deg.C').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigMaxTemperature.setStatus('current')
if mibBuilder.loadTexts:
outputConfigMaxTemperature.setDescription('The maximum possible value of outputSupervisionMaxTemperature.')
output_resistance = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 40), float()).setUnits('Ohm').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputResistance.setStatus('current')
if mibBuilder.loadTexts:
outputResistance.setDescription('Item to specify an external resistor. For instance a wire resistor or an external resistor to protect the detectot which is supplied by a cascaded HV module. ')
output_trip_time_min_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 41), output_trip_time()).setUnits('ms').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripTimeMinSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputTripTimeMinSenseVoltage.setDescription('Minimum time the outputSupervisionMinSenseVoltage threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMinSenseVoltage. ')
output_trip_time_max_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 42), output_trip_time()).setUnits('ms').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripTimeMaxSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputTripTimeMaxSenseVoltage.setDescription('Minimum time the outputSupervisionMaxSenseVoltage threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMaxSenseVoltage. ')
output_trip_time_max_terminal_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 43), output_trip_time()).setUnits('ms').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripTimeMaxTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputTripTimeMaxTerminalVoltage.setDescription('Minimum time the outputSupervisionMaxTerminalVoltage threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMaxTerminalVoltage. ')
output_trip_time_max_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 44), output_trip_time()).setUnits('ms').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripTimeMaxTemperature.setStatus('current')
if mibBuilder.loadTexts:
outputTripTimeMaxTemperature.setDescription('Minimum time the outputSupervisionMaxTemperature threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMaxTemperature. ')
output_trip_time_max_power = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 45), output_trip_time()).setUnits('ms').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripTimeMaxPower.setStatus('current')
if mibBuilder.loadTexts:
outputTripTimeMaxPower.setDescription('Minimum time the outputSupervisionMaxPower threshold must be violated to activate the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionMaxPower. ')
output_trip_time_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 46), output_trip_time()).setUnits('ms').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripTimeTimeout.setStatus('current')
if mibBuilder.loadTexts:
outputTripTimeTimeout.setDescription('Maximum time the communication between module and controller can paused before activation the trip action [ms]. The trip action is defined in outputSupervisionBehavior or the new outputTripActionTimeout. ')
output_trip_action_min_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 47), output_trip_action()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripActionMinSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputTripActionMinSenseVoltage.setDescription('Trip action if outputSuperisionMinSenseVoltage threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 0..1 of outputSupervisionBehavior. ')
output_trip_action_max_sense_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 48), output_trip_action()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripActionMaxSenseVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputTripActionMaxSenseVoltage.setDescription('Trip action if outputSuperisionMaxSenseVoltage threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 2..3 of outputSupervisionBehavior. ')
output_trip_action_max_terminal_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 49), output_trip_action()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripActionMaxTerminalVoltage.setStatus('current')
if mibBuilder.loadTexts:
outputTripActionMaxTerminalVoltage.setDescription('Trip action if outputSuperisionMaxTerminalVoltage threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 4..5 of outputSupervisionBehavior. ')
output_trip_action_max_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 50), output_trip_action()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripActionMaxCurrent.setStatus('current')
if mibBuilder.loadTexts:
outputTripActionMaxCurrent.setDescription('Trip action if outputSuperisionMaxCurrent threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate. iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 6..7 of outputSupervisionBehavior. ')
output_trip_action_max_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 51), output_trip_action()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripActionMaxTemperature.setStatus('current')
if mibBuilder.loadTexts:
outputTripActionMaxTemperature.setDescription('Trip action if outputSuperisionMaxTemperature threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 8..9 of outputSupervisionBehavior. ')
output_trip_action_max_power = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 52), output_trip_action()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripActionMaxPower.setStatus('current')
if mibBuilder.loadTexts:
outputTripActionMaxPower.setDescription('Trip action if outputSuperisionMaxPower threshold has been violated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 10..11 of outputSupervisionBehavior. ')
output_trip_action_external_inhibit = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 53), output_trip_action()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripActionExternalInhibit.setStatus('current')
if mibBuilder.loadTexts:
outputTripActionExternalInhibit.setDescription('Trip action if the external inhibit input has been activated. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 12..13 of outputSupervisionBehavior. ')
output_trip_action_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 54), output_trip_action()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputTripActionTimeout.setStatus('current')
if mibBuilder.loadTexts:
outputTripActionTimeout.setDescription('Trip action if the communication between module and controller has been paused longer than outputTripTimeTimeout. The enumerated value is: WIENER LV devices 0 ignore the failure 1 switch off this channel 2 switch off all channels with the same group number 3 switch off the complete crate iseg HV devices 0 ignore the failure 1 switch off this channel by ramp down the voltage 2 switch off this channel by a emergencyOff 3 switch off the whole board of the HV module by emergencyOff. This is a direct access of bits 14..15 of outputSupervisionBehavior. ')
output_config_data_s = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 1024), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigDataS.setStatus('current')
if mibBuilder.loadTexts:
outputConfigDataS.setDescription('Configuration Data raw access. This allows to read / write output channel specific user configuration data. This OID is intended for use by WIENER system software only and my not be accessed directly. snmpget: undefined behavior snmpset: OCTET STRING format for reading data (8 octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit OCTET STRING format used for writing data, or returned from the SNMP client after read/write (8+n octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit data numberOfOctets octets ')
output_config_data_u = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 2, 1, 1025), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
outputConfigDataU.setStatus('current')
if mibBuilder.loadTexts:
outputConfigDataU.setDescription('Configuration Data raw access. This allows to read / write output channel specific user configuration data. This OID is intended for use by WIENER system software only and my not be accessed directly. snmpget: undefined behavior snmpset: OCTET STRING format for reading data (8 octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit OCTET STRING format returned from the SNMP client, or used for writing data (8+n octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit data numberOfOctets octets ')
groups_entry = mib_table_row((1, 3, 6, 1, 4, 1, 19947, 1, 3, 4, 1)).setIndexNames((0, 'WIENER-CRATE-MIB', 'groupsIndex'))
if mibBuilder.loadTexts:
groupsEntry.setStatus('current')
if mibBuilder.loadTexts:
groupsEntry.setDescription('A table row')
groups_index = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 1999)))
if mibBuilder.loadTexts:
groupsIndex.setStatus('current')
if mibBuilder.loadTexts:
groupsIndex.setDescription('A unique number for each power output group. Its value ranges between 1 and 1999. The special group 0 is predefined and gives access to all channels. ')
groups_switch = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 4, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(-1, 0, 1, 2, 3, 4, 5, 6, 7, 10))).clone(namedValues=named_values(('undefined', -1), ('off', 0), ('on', 1), ('resetEmergencyOff', 2), ('setEmergencyOff', 3), ('disableKill', 4), ('enableKill', 5), ('disableAdjust', 6), ('enableAdjust', 7), ('clearEvents', 10)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
groupsSwitch.setStatus('current')
if mibBuilder.loadTexts:
groupsSwitch.setDescription('Read: This function is not defined with groups of output channels. Write: Switch the state of all channels of a group. If any channel is On, and the write value is Off, then all channels will switch off. If any channel is Off, and the write value is On, and if no other signals (mainInhibit, outputInhibit, outputEmergencyOff or outputFailureMaxCurrent) are active, then all channels will switch on. If the write value is resetEmergencyOff, then all channels will leave the state EmergencyOff. A write of clearEvents is necessary before the voltage can ramp up again. If the write value is setEmergencyOff, then all channels will have the state EmergencyOff, which means that the High Voltage will switch off without a ramp and reset of the outputVoltage to null volt. If the write value is disableKILL, then all channels will switch to disableKill (outputStatus outputDisableKill). If the write value is enableKILL, then all channels will switch to enableKill (outputStatus outputEnableKill). If the write value is clearEvents, then all failure messages of the outputStatus will be cleared (all channel events, all module events and the state outputEmergencyOff will be reset). For a detailed description of the different group numbers available look at the outputGroup OID above. ')
module_entry = mib_table_row((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1)).setIndexNames((0, 'WIENER-CRATE-MIB', 'moduleIndex'))
if mibBuilder.loadTexts:
moduleEntry.setStatus('current')
if mibBuilder.loadTexts:
moduleEntry.setDescription('A row in the table of HV/LV modules')
module_index = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('ma0', 1), ('ma1', 2), ('ma2', 3), ('ma3', 4), ('ma4', 5), ('ma5', 6), ('ma6', 7), ('ma7', 8), ('ma8', 9), ('ma9', 10))))
if mibBuilder.loadTexts:
moduleIndex.setStatus('current')
if mibBuilder.loadTexts:
moduleIndex.setDescription('A unique number for each HV/LV module. Its value ranges between 1 and the total number of HV/LV modules. Note, index 1 corresponds to ma0.')
module_description = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 39))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleDescription.setStatus('current')
if mibBuilder.loadTexts:
moduleDescription.setDescription("Vendor, FirmwareName, ChannelNumber, SerialNumber, FirmwareRelease Vendor WIENER or iseg FirmwareName: 'E16D0' EDS 16 channels per PCB, distributor module, range of Vmax from VO max to (VO max - 1kV) 'E16D1' EDS 16 channels per PCB, distributor module 'E08C0' EHS 8 channels per PCB, common GND module 'E08F0' EHS 8 channels per PCB, floating GND module 'E08F2' EHS 8 channels per PCB, floating GND module, 2 current measurement ranges 'E08C2' EHS 8 channels per PCB, common floating GND module, 2 current measurement ranges 'E08B0' EBS 8 bipolars channel per PCB, distributor module 'H101C0' HPS 1 channel HV high power supply ChannelNumber 1 to 64 SerialNumber 71xxxx FirmwareRelease x.xx ")
module_auxiliary_measurement_voltage = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 3))
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementVoltage.setStatus('current')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementVoltage.setDescription('The measured module auxiliary voltages.')
module_auxiliary_measurement_voltage0 = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 3, 1), float()).setUnits('V').setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementVoltage0.setStatus('current')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementVoltage0.setDescription('The measured module auxiliary voltage.')
module_auxiliary_measurement_voltage1 = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 3, 2), float()).setUnits('V').setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementVoltage1.setStatus('current')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementVoltage1.setDescription('The measured module auxiliary voltage.')
module_hardware_limit_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 4), float()).setUnits('%').setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleHardwareLimitVoltage.setStatus('current')
if mibBuilder.loadTexts:
moduleHardwareLimitVoltage.setDescription('The module hardware voltage limit.')
module_hardware_limit_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 5), float()).setUnits('%').setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleHardwareLimitCurrent.setStatus('current')
if mibBuilder.loadTexts:
moduleHardwareLimitCurrent.setDescription('The module hardware current limit.')
module_ramp_speed_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 6), float()).setUnits('%').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
moduleRampSpeedVoltage.setStatus('current')
if mibBuilder.loadTexts:
moduleRampSpeedVoltage.setDescription('The module voltage ramp speed (iseg HV modules have the same ramp speed value for all channels). ')
module_ramp_speed_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 7), float()).setUnits('%').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
moduleRampSpeedCurrent.setStatus('current')
if mibBuilder.loadTexts:
moduleRampSpeedCurrent.setDescription('The module current ramp speed (iseg HV modules have the same ramp speed value for all channels). ')
module_status = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 8), bits().clone(namedValues=named_values(('moduleIsFineAdjustment', 0), ('moduleIsLiveInsertion', 2), ('moduleIsHighVoltageOn', 3), ('moduleNeedService', 4), ('moduleHardwareLimitVoltageIsGood', 5), ('moduleIsInputError', 6), ('moduleIsNoSumError', 8), ('moduleIsNoRamp', 9), ('moduleSafetyLoopIsGood', 10), ('moduleIsEventActive', 11), ('moduleIsGood', 12), ('moduleSupplyIsGood', 13), ('moduleTemperatureIsGood', 14), ('moduleIsKillEnable', 15)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleStatus.setStatus('current')
if mibBuilder.loadTexts:
moduleStatus.setDescription('A bit string which shows the current module status. If a bit is set (1), the explanation is satisfied: moduleIsFineAdjustment (0), Module has reached state fine adjustment. moduleIsLiveInsertion (2), Module is in state live insertion. moduleNeedService (4), Hardware failure detected (consult iseg Spezialelektronik GmbH). moduleIsHardwareLimitVoltageGood (5), Hardware limit voltage in proper range, using for HV distributor modules with current mirror only. moduleIsInputError (6), Input error in connection with a module access. moduleIsNoSumError (8), All channels without any failure. moduleIsNoRamp (9), All channels stable, no is ramp active. moduleIsSafetyLoopGood (10), Safety loop is closed. moduleIsEventActive (11), Any event is active and mask is set. moduleIsGood (12), Module state is good. moduleIsSupplyGood (13), Power supply is good. moduleIsTemperatureGood (14), Module temperature is good. moduleIsKillEnable (15) Module state of kill enable. ')
module_event_status = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 9), bits().clone(namedValues=named_values(('moduleEventPowerFail', 0), ('moduleEventLiveInsertion', 2), ('moduleEventService', 4), ('moduleHardwareLimitVoltageNotGood', 5), ('moduleEventInputError', 6), ('moduleEventSafetyLoopNotGood', 10), ('moduleEventSupplyNotGood', 13), ('moduleEventTemperatureNotGood', 14)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleEventStatus.setStatus('current')
if mibBuilder.loadTexts:
moduleEventStatus.setDescription("A bit string which shows the current module status. If a bit is set (1), the explanation is satisfied: moduleEventPowerFail (0), Event power fail generated by the MPOD controller in order to ramp down all HV's (ramp speed=1000V/s) moduleEventLiveInsertion (2), Event live insertion to prepare a hot plug of a module moduleEventService (4), Module event: Hardware failure detected (consult iseg Spezialelektronik GmbH). moduleHardwareLimitVoltageNotGood (5), Module Event: Hardware voltage limit is not in proper range, using for HV distributor modules with current mirror only. moduleEventInputError (6), Module event: There was an input error in connection with a module access moduleEventSafetyLoopNotGood (10), Module event: Safety loop is open. moduleEventSupplyNotGood (13), Module event: At least one of the supplies is not good. moduleEventTemperatureNotGood (14), Module event: Temperature was above the permitted threshold (for EDS/EHS temperature above 55 degr.C) ")
module_event_channel_status = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 10), bits().clone(namedValues=named_values(('channel0', 0), ('channel1', 1), ('channel2', 2), ('channel3', 3), ('channel4', 4), ('channel5', 5), ('channel6', 6), ('channel7', 7), ('channel8', 8), ('channel9', 9), ('channel10', 10), ('channel11', 11), ('channel12', 12), ('channel13', 13), ('channel14', 14), ('channel15', 15), ('channel16', 16), ('channel17', 17), ('channel18', 18), ('channel19', 19), ('channel20', 20), ('channel21', 21), ('channel22', 22), ('channel23', 23), ('channel24', 24), ('channel25', 25), ('channel26', 26), ('channel27', 27), ('channel28', 28), ('channel29', 29), ('channel30', 30), ('channel31', 31), ('channel32', 32), ('channel33', 33), ('channel34', 34), ('channel35', 35), ('channel36', 36), ('channel37', 37), ('channel38', 38), ('channel39', 39), ('channel40', 40), ('channel41', 41), ('channel42', 42), ('channel43', 43), ('channel44', 44), ('channel45', 45), ('channel46', 46), ('channel47', 47)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleEventChannelStatus.setStatus('current')
if mibBuilder.loadTexts:
moduleEventChannelStatus.setDescription('Bit field that reserves one bit for every channel. bit 0 HV channel 0 bit 1 HV channel 1 bit x HV channel x ')
module_do_clear = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('nothing', 0), ('doClear', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
moduleDoClear.setStatus('current')
if mibBuilder.loadTexts:
moduleDoClear.setDescription('All events of the module will be cleared.')
module_auxiliary_measurement_temperature = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12))
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature.setStatus('current')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature.setDescription('The number of auxiliary temperature sensors in the module.')
module_auxiliary_measurement_temperature0 = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12, 1), float()).setUnits('deg.C').setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature0.setStatus('current')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature0.setDescription('The measured module temperature of sensor 1.')
module_auxiliary_measurement_temperature1 = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12, 2), float()).setUnits('deg.C').setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature1.setStatus('current')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature1.setDescription('The measured module temperature of sensor 2.')
module_auxiliary_measurement_temperature2 = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12, 3), float()).setUnits('deg.C').setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature2.setStatus('current')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature2.setDescription('The measured module temperature of sensor 3.')
module_auxiliary_measurement_temperature3 = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 12, 4), float()).setUnits('deg.C').setMaxAccess('readonly')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature3.setStatus('current')
if mibBuilder.loadTexts:
moduleAuxiliaryMeasurementTemperature3.setDescription('The measured module temperature of sensor 4.')
module_config_data_s = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 1024), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
moduleConfigDataS.setStatus('current')
if mibBuilder.loadTexts:
moduleConfigDataS.setDescription('Configuration Data raw access. This allows to read / write output channel specific system configuration data. This OID is intended for use by WIENER system software only and my not be accessed directly. snmpget: undefined behavior snmpset: OCTET STRING format for reading data (8 octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit OCTET STRING format returned from the SNMP client, or used for writing data (8+n octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit data numberOfOctets octets ')
module_config_data_u = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 3, 6, 1, 1025), octet_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
moduleConfigDataU.setStatus('current')
if mibBuilder.loadTexts:
moduleConfigDataU.setDescription('Configuration Data raw access. This allows to read / write output channel specific user configuration data. This OID is intended for use by WIENER system software only and my not be accessed directly. snmpget: undefined behavior snmpset: OCTET STRING format for reading data (8 octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit OCTET STRING format returned from the SNMP client, or used for writing data (8+n octets): offsetInOctets 4 octets / 32 bit numberOfOctets 4 octets / 32 bit data numberOfOctets octets ')
sensor_number = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 4, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 8))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sensorNumber.setStatus('current')
if mibBuilder.loadTexts:
sensorNumber.setDescription('The number of temperature sensors of the crate.')
sensor_table = mib_table((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2))
if mibBuilder.loadTexts:
sensorTable.setStatus('current')
if mibBuilder.loadTexts:
sensorTable.setDescription('A (conceptual table) of temperature sensor data.')
sensor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1)).setIndexNames((0, 'WIENER-CRATE-MIB', 'sensorIndex'))
if mibBuilder.loadTexts:
sensorEntry.setStatus('current')
if mibBuilder.loadTexts:
sensorEntry.setDescription('An entry (conceptual row) of the sensorTable.')
sensor_index = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('temp1', 1), ('temp2', 2), ('temp3', 3), ('temp4', 4), ('temp5', 5), ('temp6', 6), ('temp7', 7), ('temp8', 8))))
if mibBuilder.loadTexts:
sensorIndex.setStatus('current')
if mibBuilder.loadTexts:
sensorIndex.setDescription('A unique number for each temperature sensor in the crate')
sensor_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(-128, 127))).setUnits('deg.C').setMaxAccess('readonly')
if mibBuilder.loadTexts:
sensorTemperature.setStatus('current')
if mibBuilder.loadTexts:
sensorTemperature.setDescription('The measured temperature of the sensor. Unused temperature probes have the special value -128')
sensor_warning_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 127))).setUnits('deg.C').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sensorWarningThreshold.setStatus('current')
if mibBuilder.loadTexts:
sensorWarningThreshold.setDescription('If the measured temperature of the sensor is higher than this value, the fan speed of the connected fan tray is increased. The value 127 has the special meaning: channel disabled. ')
sensor_failure_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 127))).setUnits('deg.C').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sensorFailureThreshold.setStatus('current')
if mibBuilder.loadTexts:
sensorFailureThreshold.setDescription('If the measured temperature of the sensor is higher than this value, the power supply switches off. The value 127 has the special meaning: channel disabled. ')
sensor_alarm_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 127))).setUnits('deg.C').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sensorAlarmThreshold.setStatus('current')
if mibBuilder.loadTexts:
sensorAlarmThreshold.setDescription('If the measured temperature of the sensor is much higher than this value, the fans rotate in full speed. The value 127 has the special meaning: channel disabled. ')
sensor_name = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sensorName.setStatus('current')
if mibBuilder.loadTexts:
sensorName.setDescription('A textual string containing a short name of the sensor. If the crate is equipped with an alphanumeric display, this string is shown to identify a sensor channel. ')
sensor_id = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 8), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sensorID.setStatus('current')
if mibBuilder.loadTexts:
sensorID.setDescription('Shows the 1-Wire Id of the corresponding Sensor.')
sensor_status = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 4, 2, 1, 9), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sensorStatus.setStatus('current')
if mibBuilder.loadTexts:
sensorStatus.setDescription('A bit field packed into an integer which define the Status of the Sensors after failures. For each Status value, a two-bit field exists. Bits-Value 00 Temperature is ok 01 Temperature is over WarningThreshold 10 Temperature is over AlarmThreshold 11 Temperature is over FailureThreshold The position of the bit fields in the integer value are: Bit 0, 1: Sensor1 Bit 2, 3: Sensor2 Bit 4, 5: Sensor3 Bit 6, 7: Sensor4 Bit 8, 9: Sensor5 Bit 10, 11: Sensor6 Bit 12, 13: Sensor7 Bit 14, 15: Sensor8')
snmp = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1))
if mibBuilder.loadTexts:
snmp.setStatus('current')
if mibBuilder.loadTexts:
snmp.setDescription('SNMP configuration.')
snmp_community_table = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 1))
if mibBuilder.loadTexts:
snmpCommunityTable.setStatus('current')
if mibBuilder.loadTexts:
snmpCommunityTable.setDescription('The SNMP community string table for different views.')
snmp_community_entry = mib_table_row((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 1, 1)).setIndexNames((0, 'WIENER-CRATE-MIB', 'snmpAccessRight'))
if mibBuilder.loadTexts:
snmpCommunityEntry.setStatus('current')
if mibBuilder.loadTexts:
snmpCommunityEntry.setDescription('One table row.')
snmp_access_right = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('public', 1), ('private', 2), ('admin', 3), ('guru', 4))))
if mibBuilder.loadTexts:
snmpAccessRight.setStatus('current')
if mibBuilder.loadTexts:
snmpAccessRight.setDescription('A unique number for each access right')
snmp_community_name = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 1, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 14))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
snmpCommunityName.setStatus('current')
if mibBuilder.loadTexts:
snmpCommunityName.setDescription('The SNMP community names for different views. The rights of the different communities are: public no write access private can switch power on/off, generate system reset admin can change supervision levels guru can change output voltage & current (this may destroy hardware if done wrong!) Setting a community name to a zero-length string completly disables the access to this view. If there is no higher- privileged community, the community name can only changed by direct access to the crate (not via network)! ')
snmp_port = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 2), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
snmpPort.setStatus('current')
if mibBuilder.loadTexts:
snmpPort.setDescription('The UDP port number of the SNMP protocol. A value of 0 disables all future SNMP communication! ')
http_port = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 3), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
httpPort.setStatus('current')
if mibBuilder.loadTexts:
httpPort.setDescription('The TCP port number of the HTTP (web) protocol. A value of 0 disables all HTTP access. ')
firmware_update = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 10), octet_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
firmwareUpdate.setStatus('current')
if mibBuilder.loadTexts:
firmwareUpdate.setDescription('Send a update String')
ip_dynamic_address = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 11), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ipDynamicAddress.setStatus('current')
if mibBuilder.loadTexts:
ipDynamicAddress.setDescription('Shows the Ip which is currently used')
ip_static_address = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 12), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ipStaticAddress.setStatus('current')
if mibBuilder.loadTexts:
ipStaticAddress.setDescription('Shows the Ip which is setted by user')
mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 5, 1, 13), mac_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
macAddress.setStatus('current')
if mibBuilder.loadTexts:
macAddress.setDescription('Shows the MAC of the corresponding device')
can = object_identity((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2))
if mibBuilder.loadTexts:
can.setStatus('current')
if mibBuilder.loadTexts:
can.setDescription('CAN-Bus tunnel via SNMP.')
can_bit_rate = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 1), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
canBitRate.setStatus('current')
if mibBuilder.loadTexts:
canBitRate.setDescription('Control of the CAN-Bus. The value defines the bit rate of the CAN-bus interface. A write disconnects the CAN interface from the ISEG modules and connects it to the SNMP communication. Both the receive and transmit fifos are cleared and the CAN interface is initialized with the selected bit rate. The special bit rate 0 disables the tunnel and switches back to normal operation. ')
can_receive = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 2), octet_string().subtype(subtypeSpec=value_size_constraint(14, 14)).setFixedLength(14)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
canReceive.setStatus('current')
if mibBuilder.loadTexts:
canReceive.setDescription('Control of the CAN-Bus Receive FIFO. A read access returns the total number of CAN messages stored in the receive fifo and the oldest message. This message is removed from the fifo. The OCTET STRING data is formatted according to the CANviaSNMP structure. ')
can_transmit = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 3), octet_string().subtype(subtypeSpec=value_size_constraint(14, 14)).setFixedLength(14)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
canTransmit.setStatus('current')
if mibBuilder.loadTexts:
canTransmit.setDescription('Control of the CAN-Bus Transmit FIFO. A read access returns the total number of CAN messages stored in the transmit fifo and a NULL message. A write inserts the CAN message into the transmit fifo. This message will be transmitted via the CAN interface later. The total number of CAN messages stored in the transmit fifo and the recent message are returned. The OCTET STRING data is formatted according to the CANviaSNMP structure. ')
can_receive_hv = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 4), octet_string().subtype(subtypeSpec=value_size_constraint(14, 14)).setFixedLength(14)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
canReceiveHv.setStatus('current')
if mibBuilder.loadTexts:
canReceiveHv.setDescription('Control of the internal HV CAN-Bus on the backplane Receive FIFO. A read access returns the total number of CAN messages stored in the receive fifo and the oldest message. This message is removed from the fifo. The OCTET STRING data is formatted according to the CANviaSNMP structure. ')
can_transmit_hv = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 5), octet_string().subtype(subtypeSpec=value_size_constraint(14, 14)).setFixedLength(14)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
canTransmitHv.setStatus('current')
if mibBuilder.loadTexts:
canTransmitHv.setDescription('Control of the internal HV CAN-Bus on the backplane. A write access with: CANID=0x600 DLC=4 DATAID=0x1001 CONTROL will switch the HV modules into a special state. CONTROL=0x0001 - enable SNMP CAN access, stop the refresh cycle for the data points of the name space CONTROL=0x0002 - disable SNMP CAN access, activate the refresh cycle for the data points of the name space A write access unequal to CANID=0x600 will be transmitted to the HV CAN on the backplane. Such a message will be transmitted immediately via the CAN interface. The OCTET STRING data is formatted according to the CANviaSNMP structure. ')
can_bit_rate_hv = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 5, 2, 6), integer32().subtype(subtypeSpec=value_range_constraint(125000, 1000000))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
canBitRateHv.setStatus('current')
if mibBuilder.loadTexts:
canBitRateHv.setDescription('Control of the bit rate of the HV CAN-Bus. The value defines the bit rate of the CAN-bus interface. Possible Values are 125000 and 250000. Changing this value requires MPODC slave firmware 1.10 or above. ')
ps_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 6, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
psSerialNumber.setStatus('current')
if mibBuilder.loadTexts:
psSerialNumber.setDescription('The serial number of the power supply.')
ps_operating_time = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 6, 3), integer32()).setUnits('s').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
psOperatingTime.setStatus('current')
if mibBuilder.loadTexts:
psOperatingTime.setDescription('The time in seconds for how long the power supply was switched on.')
ps_auxiliary_number = mib_scalar((1, 3, 6, 1, 4, 1, 19947, 1, 6, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 8))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
psAuxiliaryNumber.setStatus('current')
if mibBuilder.loadTexts:
psAuxiliaryNumber.setDescription('The number of auxiliary channels of the power supply.')
ps_auxiliary_table = mib_table((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5))
if mibBuilder.loadTexts:
psAuxiliaryTable.setStatus('current')
if mibBuilder.loadTexts:
psAuxiliaryTable.setDescription('A list of psAuxiliary entries.')
ps_direct_access = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 6, 1024), octet_string().subtype(subtypeSpec=value_size_constraint(1, 14))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
psDirectAccess.setStatus('current')
if mibBuilder.loadTexts:
psDirectAccess.setDescription('Direct data transfer to the UEP6000 power supply. A read access returns nothing, a write access returns the response of the power supply. ')
ps_auxiliary_entry = mib_table_row((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5, 1)).setIndexNames((0, 'WIENER-CRATE-MIB', 'psAuxiliaryIndex'))
if mibBuilder.loadTexts:
psAuxiliaryEntry.setStatus('current')
if mibBuilder.loadTexts:
psAuxiliaryEntry.setDescription('A table row')
ps_auxiliary_index = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('u0', 1), ('u1', 2), ('u2', 3), ('u3', 4), ('u4', 5), ('u5', 6), ('u6', 7), ('u7', 8))))
if mibBuilder.loadTexts:
psAuxiliaryIndex.setStatus('current')
if mibBuilder.loadTexts:
psAuxiliaryIndex.setDescription('A unique number for each power supply auxiliary channel. Its value ranges between 1 and total number of output channels. SMI index starts at 1, so index 1 corresponds to U0. ')
ps_auxiliary_measurement_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5, 1, 3), float()).setUnits('V').setMaxAccess('readonly')
if mibBuilder.loadTexts:
psAuxiliaryMeasurementVoltage.setStatus('current')
if mibBuilder.loadTexts:
psAuxiliaryMeasurementVoltage.setDescription('The measured power supply auxiliary output voltage.')
ps_auxiliary_measurement_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 6, 5, 1, 4), float()).setUnits('A').setMaxAccess('readonly')
if mibBuilder.loadTexts:
psAuxiliaryMeasurementCurrent.setStatus('current')
if mibBuilder.loadTexts:
psAuxiliaryMeasurementCurrent.setDescription('The measured power supply auxiliary output current.')
fan_serial_number = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 14))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanSerialNumber.setStatus('current')
if mibBuilder.loadTexts:
fanSerialNumber.setDescription('The serial number of the fan tray.')
fan_operating_time = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 3), integer32()).setUnits('s').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanOperatingTime.setStatus('current')
if mibBuilder.loadTexts:
fanOperatingTime.setDescription('The time in seconds for how long the fan tray was switched on.')
fan_air_temperature = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 4), integer32()).setUnits('deg.C').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fanAirTemperature.setStatus('current')
if mibBuilder.loadTexts:
fanAirTemperature.setDescription('The temperature of the fan tray inlet air.')
fan_switch_off_delay = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 900))).setUnits('s').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanSwitchOffDelay.setStatus('current')
if mibBuilder.loadTexts:
fanSwitchOffDelay.setDescription('The maximum time in seconds for which the fans will continue running after the power supply has been switched off. This feature is used to cool down the electronics after switching off. ')
fan_nominal_speed = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 6), integer32()).setUnits('RPM').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanNominalSpeed.setStatus('current')
if mibBuilder.loadTexts:
fanNominalSpeed.setDescription('The nominal fan rotation speed (RPM, Revolutions Per Minute) Value 0 does switch off the fans (only allowed if at least one rack temperature sensor is present). Values 1..1199 are not allowed ')
fan_number_of_fans = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 12))).setUnits('Fans').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanNumberOfFans.setStatus('current')
if mibBuilder.loadTexts:
fanNumberOfFans.setDescription('The number of installed fans')
fan_speed_table = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 8))
if mibBuilder.loadTexts:
fanSpeedTable.setStatus('current')
if mibBuilder.loadTexts:
fanSpeedTable.setDescription('A list of fanSpeedEntries.')
fan_speed_entry = mib_table_row((1, 3, 6, 1, 4, 1, 19947, 1, 7, 8, 1)).setIndexNames((0, 'WIENER-CRATE-MIB', 'fanNumber'))
if mibBuilder.loadTexts:
fanSpeedEntry.setStatus('current')
if mibBuilder.loadTexts:
fanSpeedEntry.setDescription('A table row')
fan_number = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 12)))
if mibBuilder.loadTexts:
fanNumber.setStatus('current')
if mibBuilder.loadTexts:
fanNumber.setDescription('A unique number for each fan.')
fan_speed = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 8, 1, 2), integer32()).setUnits('RPM').setMaxAccess('readonly')
if mibBuilder.loadTexts:
fanSpeed.setStatus('current')
if mibBuilder.loadTexts:
fanSpeed.setDescription('The measured fan rotation speed (RPM, Revolutions Per Minute)')
fan_max_speed = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 9), integer32()).setUnits('RPM').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanMaxSpeed.setStatus('current')
if mibBuilder.loadTexts:
fanMaxSpeed.setDescription('The highest allowed rotationspeed of fan.')
fan_min_speed = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 10), integer32()).setUnits('RPM').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanMinSpeed.setStatus('current')
if mibBuilder.loadTexts:
fanMinSpeed.setDescription('The lowest allowed Rotationspeed of fan.')
fan_config_max_speed = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 11), integer32()).setUnits('RPM').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanConfigMaxSpeed.setStatus('current')
if mibBuilder.loadTexts:
fanConfigMaxSpeed.setDescription('Hardwarelimits. Can only set by WIENER.')
fan_config_min_speed = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 7, 12), integer32()).setUnits('RPM').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
fanConfigMinSpeed.setStatus('current')
if mibBuilder.loadTexts:
fanConfigMinSpeed.setDescription('Hardwarelimits Can only set by WIENER.')
number_of_analog_inputs = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 9, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 8))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
numberOfAnalogInputs.setStatus('current')
if mibBuilder.loadTexts:
numberOfAnalogInputs.setDescription('The number of additional analog inputs of the crate.')
analog_input_table = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2))
if mibBuilder.loadTexts:
analogInputTable.setStatus('current')
if mibBuilder.loadTexts:
analogInputTable.setDescription('A (conceptual table) of analog input data.')
analog_input_entry = mib_table_row((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2, 1)).setIndexNames((0, 'WIENER-CRATE-MIB', 'analogInputIndex'))
if mibBuilder.loadTexts:
analogInputEntry.setStatus('current')
if mibBuilder.loadTexts:
analogInputEntry.setDescription('An entry (conceptual row) of the analogInputTable.')
analog_input_index = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 8)))
if mibBuilder.loadTexts:
analogInputIndex.setStatus('current')
if mibBuilder.loadTexts:
analogInputIndex.setDescription('A unique number for each analog input of the crate')
analog_measurement_voltage = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2, 1, 2), float()).setUnits('V').setMaxAccess('readonly')
if mibBuilder.loadTexts:
analogMeasurementVoltage.setStatus('current')
if mibBuilder.loadTexts:
analogMeasurementVoltage.setDescription('The measured voltage of the analog input.')
analog_measurement_current = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 9, 2, 1, 3), float()).setUnits('A').setMaxAccess('readonly')
if mibBuilder.loadTexts:
analogMeasurementCurrent.setStatus('current')
if mibBuilder.loadTexts:
analogMeasurementCurrent.setDescription('The measured current of the analog input.')
digital_input = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 9, 5), bits().clone(namedValues=named_values(('d0', 0), ('d1', 1), ('d2', 2), ('d3', 3), ('d4', 4), ('d5', 5), ('d6', 6), ('d7', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
digitalInput.setStatus('current')
if mibBuilder.loadTexts:
digitalInput.setDescription('The value of the digital inputs.')
digital_output = mib_table_column((1, 3, 6, 1, 4, 1, 19947, 1, 9, 6), bits().clone(namedValues=named_values(('d0', 0), ('d1', 1), ('d2', 2), ('d3', 3), ('d4', 4), ('d5', 5), ('d6', 6), ('d7', 7)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
digitalOutput.setStatus('current')
if mibBuilder.loadTexts:
digitalOutput.setDescription('The value of the digital outputs.')
mibBuilder.exportSymbols('WIENER-CRATE-MIB', outputIndex=outputIndex, sysStatus=sysStatus, outputTripActionMaxPower=outputTripActionMaxPower, outputSupervisionMaxCurrent=outputSupervisionMaxCurrent, sysDebugMemory32=sysDebugMemory32, outputMeasurementSenseVoltage=outputMeasurementSenseVoltage, fanMaxSpeed=fanMaxSpeed, sysDebugBoot=sysDebugBoot, sensorStatus=sensorStatus, snmpCommunityEntry=snmpCommunityEntry, sensorTemperature=sensorTemperature, moduleRampSpeedVoltage=moduleRampSpeedVoltage, fanSerialNumber=fanSerialNumber, powersupply=powersupply, outputAdjustVoltage=outputAdjustVoltage, snmp=snmp, outputTripTimeMaxPower=outputTripTimeMaxPower, outputNumber=outputNumber, wiener=wiener, outputConfigDataU=outputConfigDataU, moduleRampSpeedCurrent=moduleRampSpeedCurrent, snmpPort=snmpPort, sensorFailureThreshold=sensorFailureThreshold, fanSwitchOffDelay=fanSwitchOffDelay, outputStatus=outputStatus, outputTripActionMaxSenseVoltage=outputTripActionMaxSenseVoltage, fanSpeedTable=fanSpeedTable, rack=rack, outputConfigMaxSenseVoltage=outputConfigMaxSenseVoltage, outputConfigGainCurrent=outputConfigGainCurrent, outputConfigMaxCurrent=outputConfigMaxCurrent, moduleNumber=moduleNumber, psSerialNumber=psSerialNumber, fanNumberOfFans=fanNumberOfFans, outputConfigMaxTemperature=outputConfigMaxTemperature, OutputTripTime=OutputTripTime, outputMeasurementCurrent=outputMeasurementCurrent, can=can, analogInputEntry=analogInputEntry, outputConfigOffsetTerminalVoltage=outputConfigOffsetTerminalVoltage, moduleHardwareLimitVoltage=moduleHardwareLimitVoltage, sensorID=sensorID, outputTripTimeMaxTemperature=outputTripTimeMaxTemperature, moduleAuxiliaryMeasurementVoltage1=moduleAuxiliaryMeasurementVoltage1, outputConfigGainTerminalVoltage=outputConfigGainTerminalVoltage, firmwareUpdate=firmwareUpdate, outputTripActionMaxTerminalVoltage=outputTripActionMaxTerminalVoltage, outputMeasurementTerminalVoltage=outputMeasurementTerminalVoltage, httpPort=httpPort, psOperatingTime=psOperatingTime, outputTripActionTimeout=outputTripActionTimeout, outputCurrent=outputCurrent, fanNominalSpeed=fanNominalSpeed, outputSupervisionMaxPower=outputSupervisionMaxPower, outputCurrentRiseRate=outputCurrentRiseRate, groupsSwitch=groupsSwitch, moduleAuxiliaryMeasurementTemperature2=moduleAuxiliaryMeasurementTemperature2, outputSupervisionMinSenseVoltage=outputSupervisionMinSenseVoltage, snmpCommunityName=snmpCommunityName, outputVoltage=outputVoltage, outputRegulationMode=outputRegulationMode, ipStaticAddress=ipStaticAddress, moduleHardwareLimitCurrent=moduleHardwareLimitCurrent, moduleAuxiliaryMeasurementVoltage0=moduleAuxiliaryMeasurementVoltage0, sensorEntry=sensorEntry, digitalInput=digitalInput, fanConfigMaxSpeed=fanConfigMaxSpeed, moduleAuxiliaryMeasurementTemperature1=moduleAuxiliaryMeasurementTemperature1, sensorAlarmThreshold=sensorAlarmThreshold, canTransmit=canTransmit, outputSupervisionMaxSenseVoltage=outputSupervisionMaxSenseVoltage, sysConfigDoMeasurementCurrent=sysConfigDoMeasurementCurrent, outputVoltageFallRate=outputVoltageFallRate, outputTripTimeMinSenseVoltage=outputTripTimeMinSenseVoltage, macAddress=macAddress, sensorName=sensorName, fanSpeed=fanSpeed, fantray=fantray, outputTripTimeTimeout=outputTripTimeTimeout, moduleEventChannelStatus=moduleEventChannelStatus, sensorNumber=sensorNumber, canReceive=canReceive, canReceiveHv=canReceiveHv, psAuxiliaryTable=psAuxiliaryTable, outputHardwareLimitCurrent=outputHardwareLimitCurrent, sysVmeSysReset=sysVmeSysReset, moduleAuxiliaryMeasurementVoltage=moduleAuxiliaryMeasurementVoltage, canBitRateHv=canBitRateHv, fanAirTemperature=fanAirTemperature, numberOfAnalogInputs=numberOfAnalogInputs, outputTripTimeMaxTerminalVoltage=outputTripTimeMaxTerminalVoltage, outputGroup=outputGroup, outputSupervisionMaxTerminalVoltage=outputSupervisionMaxTerminalVoltage, moduleDoClear=moduleDoClear, fanMinSpeed=fanMinSpeed, OutputTripAction=OutputTripAction, outputTable=outputTable, groupsIndex=groupsIndex, crate=crate, outputTripActionMaxTemperature=outputTripActionMaxTemperature, sysDebugMemory16=sysDebugMemory16, moduleEventStatus=moduleEventStatus, sysDebugDisplay=sysDebugDisplay, psAuxiliaryEntry=psAuxiliaryEntry, signal=signal, analogMeasurementVoltage=analogMeasurementVoltage, outputUserConfig=outputUserConfig, moduleAuxiliaryMeasurementTemperature=moduleAuxiliaryMeasurementTemperature, sysFactoryDefaults=sysFactoryDefaults, analogInputTable=analogInputTable, sysOperatingTime=sysOperatingTime, psAuxiliaryMeasurementCurrent=psAuxiliaryMeasurementCurrent, snmpAccessRight=snmpAccessRight, sensorTable=sensorTable, outputVoltageRiseRate=outputVoltageRiseRate, psDirectAccess=psDirectAccess, outputSupervisionMaxTemperature=outputSupervisionMaxTemperature, output=output, sysHardwareReset=sysHardwareReset, outputConfigGainSenseVoltage=outputConfigGainSenseVoltage, moduleAuxiliaryMeasurementTemperature3=moduleAuxiliaryMeasurementTemperature3, snmpCommunityTable=snmpCommunityTable, psAuxiliaryNumber=psAuxiliaryNumber, moduleConfigDataU=moduleConfigDataU, moduleEntry=moduleEntry, outputSwitch=outputSwitch, fanNumber=fanNumber, outputTripActionMaxCurrent=outputTripActionMaxCurrent, outputCurrentFallRate=outputCurrentFallRate, outputTripTimeMaxSenseVoltage=outputTripTimeMaxSenseVoltage, groupsEntry=groupsEntry, canTransmitHv=canTransmitHv, fanSpeedEntry=fanSpeedEntry, sysDebugMemory8=sysDebugMemory8, PYSNMP_MODULE_ID=wiener, outputSupervisionBehavior=outputSupervisionBehavior, moduleStatus=moduleStatus, moduleDescription=moduleDescription, outputConfigOffsetSenseVoltage=outputConfigOffsetSenseVoltage, moduleTable=moduleTable, outputResistance=outputResistance, sensorIndex=sensorIndex, outputConfigDataS=outputConfigDataS, moduleConfigDataS=moduleConfigDataS, psAuxiliaryMeasurementVoltage=psAuxiliaryMeasurementVoltage, analogInputIndex=analogInputIndex, moduleIndex=moduleIndex, moduleAuxiliaryMeasurementTemperature0=moduleAuxiliaryMeasurementTemperature0, fanOperatingTime=fanOperatingTime, outputConfigMaxTerminalVoltage=outputConfigMaxTerminalVoltage, digitalOutput=digitalOutput, outputName=outputName, ipDynamicAddress=ipDynamicAddress, outputHardwareLimitVoltage=outputHardwareLimitVoltage, sysMainSwitch=sysMainSwitch, groupsTable=groupsTable, sensorWarningThreshold=sensorWarningThreshold, psAuxiliaryIndex=psAuxiliaryIndex, outputTripActionMinSenseVoltage=outputTripActionMinSenseVoltage, outputTripActionExternalInhibit=outputTripActionExternalInhibit, sysDebug=sysDebug, outputEntry=outputEntry, fanConfigMinSpeed=fanConfigMinSpeed, analogMeasurementCurrent=analogMeasurementCurrent, outputConfigOffsetCurrent=outputConfigOffsetCurrent, sensor=sensor, outputMeasurementTemperature=outputMeasurementTemperature, outputTripTimeMaxCurrent=outputTripTimeMaxCurrent, Float=Float, groupsNumber=groupsNumber, canBitRate=canBitRate, input=input, communication=communication, system=system) |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# Source code meta data
__author__ = 'Dalwar Hossain'
__email__ = 'dalwar.hossain@protonmail.com'
# Version
__version__ = '1.1'
__release__ = '1.1'
| __author__ = 'Dalwar Hossain'
__email__ = 'dalwar.hossain@protonmail.com'
__version__ = '1.1'
__release__ = '1.1' |
__version__ = '0.12.1'
__prog_name__ = 'DOLfYN'
__version_date__ = 'May-07-2020'
def ver2tuple(ver):
if isinstance(ver, tuple):
return ver
# ### Previously used FLOATS for 'save-format' versioning.
# Version 1.0: underscore ('_') handled inconsistently.
# Version 1.1: '_' and '#' handled consistently in group naming:
# '#' is for groups that should be excluded, unless listed explicitly.
# '##' and ending with '##' is for specially handled groups.
# Version 1.2: now using time_array.
# '_' is for essential groups.
# Version 1.3: Now load/unload is fully symmetric (needed for __eq__ tests)
# Added _config_type to i/o.
if isinstance(ver, (float, int)):
return (0, int(ver), int(round(10 * (ver % 1))))
# ### Now switched to use pkg_version STRING.
# Switch to pkg_version STRING (pkg_version 0.6)
# Now 'old versions' become '0.x.y'
# ver becomes a tuple.
out = []
for val in ver.split('.'):
try:
val = int(val)
except ValueError:
pass
out.append(val)
return tuple(out)
version_info = ver2tuple(__version__)
| __version__ = '0.12.1'
__prog_name__ = 'DOLfYN'
__version_date__ = 'May-07-2020'
def ver2tuple(ver):
if isinstance(ver, tuple):
return ver
if isinstance(ver, (float, int)):
return (0, int(ver), int(round(10 * (ver % 1))))
out = []
for val in ver.split('.'):
try:
val = int(val)
except ValueError:
pass
out.append(val)
return tuple(out)
version_info = ver2tuple(__version__) |
power = {'BUSES': {'Area': 1.33155,
'Bus/Area': 1.33155,
'Bus/Gate Leakage': 0.00662954,
'Bus/Peak Dynamic': 0.0,
'Bus/Runtime Dynamic': 0.0,
'Bus/Subthreshold Leakage': 0.0691322,
'Bus/Subthreshold Leakage with power gating': 0.0259246,
'Gate Leakage': 0.00662954,
'Peak Dynamic': 0.0,
'Runtime Dynamic': 0.0,
'Subthreshold Leakage': 0.0691322,
'Subthreshold Leakage with power gating': 0.0259246},
'Core': [{'Area': 32.6082,
'Execution Unit/Area': 8.2042,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.0615522,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.251035,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.364373,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.122718,
'Execution Unit/Instruction Scheduler/Area': 2.17927,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.328073,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.00115349,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.20978,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.189927,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.017004,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00962066,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00730101,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 1.00996,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00529112,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 2.07911,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.328886,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0800117,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0455351,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 4.84781,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.841232,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.000856399,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.55892,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.188625,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.0178624,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00897339,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.707438,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.114878,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.0641291,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.131872,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 5.75365,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0688379,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00688502,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0715316,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0509189,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.14037,
'Execution Unit/Register Files/Runtime Dynamic': 0.057804,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0442632,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00607074,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.189713,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.537473,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.0920413,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0345155,
'Execution Unit/Runtime Dynamic': 1.95913,
'Execution Unit/Subthreshold Leakage': 1.83518,
'Execution Unit/Subthreshold Leakage with power gating': 0.709678,
'Gate Leakage': 0.372997,
'Instruction Fetch Unit/Area': 5.86007,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.000131425,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.000131425,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.000113736,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 4.36269e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000731455,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00110804,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.00128637,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0590479,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0489497,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.11362,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.119108,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.166255,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 5.48556,
'Instruction Fetch Unit/Runtime Dynamic': 0.336707,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932587,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.408542,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.141075,
'L2/Runtime Dynamic': 0.0366513,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80969,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 3.30829,
'Load Store Unit/Data Cache/Runtime Dynamic': 1.04115,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0351387,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0670072,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0670072,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 3.626,
'Load Store Unit/Runtime Dynamic': 1.43862,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.165228,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.330457,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591622,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283406,
'Memory Management Unit/Area': 0.434579,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0586401,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0607512,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00813591,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.193593,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0195491,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.453469,
'Memory Management Unit/Runtime Dynamic': 0.0803003,
'Memory Management Unit/Subthreshold Leakage': 0.0769113,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0399462,
'Peak Dynamic': 20.0214,
'Renaming Unit/Area': 0.369768,
'Renaming Unit/FP Front End RAT/Area': 0.168486,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00489731,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 3.33511,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.240161,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0437281,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.024925,
'Renaming Unit/Free List/Area': 0.0414755,
'Renaming Unit/Free List/Gate Leakage': 4.15911e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0401324,
'Renaming Unit/Free List/Runtime Dynamic': 0.0126018,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000670426,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000377987,
'Renaming Unit/Gate Leakage': 0.00863632,
'Renaming Unit/Int Front End RAT/Area': 0.114751,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.00038343,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.86945,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0960641,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00611897,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00348781,
'Renaming Unit/Peak Dynamic': 4.56169,
'Renaming Unit/Runtime Dynamic': 0.348827,
'Renaming Unit/Subthreshold Leakage': 0.070483,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0362779,
'Runtime Dynamic': 4.20023,
'Subthreshold Leakage': 6.21877,
'Subthreshold Leakage with power gating': 2.58311},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.0283133,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.224927,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.147891,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.056089,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.0904695,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.045666,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.192225,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.0414757,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 4.1673,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0279397,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00235263,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0278161,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0173991,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.0557559,
'Execution Unit/Register Files/Runtime Dynamic': 0.0197517,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0656807,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.170502,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 1.01278,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 4.01195e-05,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 4.01195e-05,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 3.4907e-05,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 1.34928e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00024994,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.000365086,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.000385987,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0167262,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 1.06393,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.0389778,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.0568097,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 3.33408,
'Instruction Fetch Unit/Runtime Dynamic': 0.113265,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0431929,
'L2/Runtime Dynamic': 0.0133415,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 1.94103,
'Load Store Unit/Data Cache/Runtime Dynamic': 0.356665,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.022773,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0227729,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 2.04856,
'Load Store Unit/Runtime Dynamic': 0.491746,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.0561544,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.112308,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0199294,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0205755,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.0661511,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.00639738,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.256495,
'Memory Management Unit/Runtime Dynamic': 0.0269728,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 13.4391,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.0734969,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.00342502,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0274434,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.104365,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 1.76247,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.0215805,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.219639,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.131279,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.0526619,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.0849416,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.0428757,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.180479,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.0401025,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 4.12402,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0248013,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00220887,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.023453,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.016336,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.0482543,
'Execution Unit/Register Files/Runtime Dynamic': 0.0185449,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0548052,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.155662,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 0.979702,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 4.35133e-05,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 4.35133e-05,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 3.77511e-05,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 1.45326e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000234668,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.000359445,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.000422522,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0157042,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 0.99892,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.0386381,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.0533385,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 3.26591,
'Instruction Fetch Unit/Runtime Dynamic': 0.108463,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0431776,
'L2/Runtime Dynamic': 0.0123726,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 1.89103,
'Load Store Unit/Data Cache/Runtime Dynamic': 0.331189,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0211555,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0211555,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 1.99093,
'Load Store Unit/Runtime Dynamic': 0.456677,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.0521659,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.104332,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0185138,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0191604,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.0621092,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.0063403,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.250022,
'Memory Management Unit/Runtime Dynamic': 0.0255007,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 13.2635,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.0652409,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.00316993,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0258901,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.094301,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 1.67702,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328},
{'Area': 32.0201,
'Execution Unit/Area': 7.68434,
'Execution Unit/Complex ALUs/Area': 0.235435,
'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646,
'Execution Unit/Complex ALUs/Peak Dynamic': 0.0209712,
'Execution Unit/Complex ALUs/Runtime Dynamic': 0.219161,
'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111,
'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163,
'Execution Unit/Floating Point Units/Area': 4.6585,
'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156,
'Execution Unit/Floating Point Units/Peak Dynamic': 0.128627,
'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033,
'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829,
'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061,
'Execution Unit/Gate Leakage': 0.120359,
'Execution Unit/Instruction Scheduler/Area': 1.66526,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.0509425,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453,
'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519,
'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913,
'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223,
'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562,
'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763,
'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.0821684,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755,
'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964,
'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262,
'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388,
'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608,
'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451,
'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.0414758,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853,
'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446,
'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.174587,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892,
'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346,
'Execution Unit/Integer ALUs/Area': 0.47087,
'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291,
'Execution Unit/Integer ALUs/Peak Dynamic': 0.0385432,
'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344,
'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222,
'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833,
'Execution Unit/Peak Dynamic': 4.11593,
'Execution Unit/Register Files/Area': 0.570804,
'Execution Unit/Register Files/Floating Point RF/Area': 0.208131,
'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788,
'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0243004,
'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00213676,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698,
'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968,
'Execution Unit/Register Files/Gate Leakage': 0.000622708,
'Execution Unit/Register Files/Integer RF/Area': 0.362673,
'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992,
'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0226775,
'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0158026,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175,
'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675,
'Execution Unit/Register Files/Peak Dynamic': 0.046978,
'Execution Unit/Register Files/Runtime Dynamic': 0.0179394,
'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387,
'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643,
'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912,
'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402,
'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0530192,
'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.151148,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478,
'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543,
'Execution Unit/Runtime Dynamic': 0.968212,
'Execution Unit/Subthreshold Leakage': 1.79543,
'Execution Unit/Subthreshold Leakage with power gating': 0.688821,
'Gate Leakage': 0.368936,
'Instruction Fetch Unit/Area': 5.85939,
'Instruction Fetch Unit/Branch Predictor/Area': 0.138516,
'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 4.29935e-05,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 4.29935e-05,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719,
'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 3.73035e-05,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344,
'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 1.43622e-05,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347,
'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045,
'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838,
'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732,
'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05,
'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602,
'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000227006,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505,
'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733,
'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.000350296,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703,
'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282,
'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954,
'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758,
'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867,
'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.000417352,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682,
'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357,
'Instruction Fetch Unit/Gate Leakage': 0.0589979,
'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323,
'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05,
'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827,
'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0151915,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885,
'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682,
'Instruction Fetch Unit/Instruction Cache/Area': 3.14635,
'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931,
'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 0.96631,
'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.0376411,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022,
'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386,
'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799,
'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493,
'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404,
'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.0515971,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943,
'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104,
'Instruction Fetch Unit/Peak Dynamic': 3.23172,
'Instruction Fetch Unit/Runtime Dynamic': 0.105197,
'Instruction Fetch Unit/Subthreshold Leakage': 0.932286,
'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843,
'L2/Area': 4.53318,
'L2/Gate Leakage': 0.015464,
'L2/Peak Dynamic': 0.0411216,
'L2/Runtime Dynamic': 0.0120555,
'L2/Subthreshold Leakage': 0.834142,
'L2/Subthreshold Leakage with power gating': 0.401066,
'Load Store Unit/Area': 8.80901,
'Load Store Unit/Data Cache/Area': 6.84535,
'Load Store Unit/Data Cache/Gate Leakage': 0.0279261,
'Load Store Unit/Data Cache/Peak Dynamic': 1.87156,
'Load Store Unit/Data Cache/Runtime Dynamic': 0.321777,
'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675,
'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085,
'Load Store Unit/Gate Leakage': 0.0350888,
'Load Store Unit/LoadQ/Area': 0.0836782,
'Load Store Unit/LoadQ/Gate Leakage': 0.00059896,
'Load Store Unit/LoadQ/Peak Dynamic': 0.0205255,
'Load Store Unit/LoadQ/Runtime Dynamic': 0.0205255,
'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961,
'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918,
'Load Store Unit/Peak Dynamic': 1.96848,
'Load Store Unit/Runtime Dynamic': 0.443528,
'Load Store Unit/StoreQ/Area': 0.322079,
'Load Store Unit/StoreQ/Gate Leakage': 0.00329971,
'Load Store Unit/StoreQ/Peak Dynamic': 0.0506125,
'Load Store Unit/StoreQ/Runtime Dynamic': 0.101225,
'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621,
'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004,
'Load Store Unit/Subthreshold Leakage': 0.591321,
'Load Store Unit/Subthreshold Leakage with power gating': 0.283293,
'Memory Management Unit/Area': 0.4339,
'Memory Management Unit/Dtlb/Area': 0.0879726,
'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729,
'Memory Management Unit/Dtlb/Peak Dynamic': 0.0179625,
'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0185781,
'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699,
'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485,
'Memory Management Unit/Gate Leakage': 0.00808595,
'Memory Management Unit/Itlb/Area': 0.301552,
'Memory Management Unit/Itlb/Gate Leakage': 0.00393464,
'Memory Management Unit/Itlb/Peak Dynamic': 0.0600816,
'Memory Management Unit/Itlb/Runtime Dynamic': 0.00617672,
'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758,
'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842,
'Memory Management Unit/Peak Dynamic': 0.247047,
'Memory Management Unit/Runtime Dynamic': 0.0247549,
'Memory Management Unit/Subthreshold Leakage': 0.0766103,
'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333,
'Peak Dynamic': 13.1938,
'Renaming Unit/Area': 0.303608,
'Renaming Unit/FP Front End RAT/Area': 0.131045,
'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123,
'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468,
'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.0639232,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571,
'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885,
'Renaming Unit/Free List/Area': 0.0340654,
'Renaming Unit/Free List/Gate Leakage': 2.5481e-05,
'Renaming Unit/Free List/Peak Dynamic': 0.0306032,
'Renaming Unit/Free List/Runtime Dynamic': 0.00307632,
'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144,
'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064,
'Renaming Unit/Gate Leakage': 0.00708398,
'Renaming Unit/Int Front End RAT/Area': 0.0941223,
'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242,
'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965,
'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0250125,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488,
'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228,
'Renaming Unit/Peak Dynamic': 3.58947,
'Renaming Unit/Runtime Dynamic': 0.0920121,
'Renaming Unit/Subthreshold Leakage': 0.0552466,
'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461,
'Runtime Dynamic': 1.64576,
'Subthreshold Leakage': 6.16288,
'Subthreshold Leakage with power gating': 2.55328}],
'DRAM': {'Area': 0,
'Gate Leakage': 0,
'Peak Dynamic': 8.52743213010311,
'Runtime Dynamic': 8.52743213010311,
'Subthreshold Leakage': 4.252,
'Subthreshold Leakage with power gating': 4.252},
'L3': [{'Area': 61.9075,
'Gate Leakage': 0.0484137,
'Peak Dynamic': 0.453471,
'Runtime Dynamic': 0.173055,
'Subthreshold Leakage': 6.80085,
'Subthreshold Leakage with power gating': 3.32364}],
'Processor': {'Area': 191.908,
'Gate Leakage': 1.53485,
'Peak Dynamic': 60.3713,
'Peak Power': 93.4836,
'Runtime Dynamic': 9.45853,
'Subthreshold Leakage': 31.5774,
'Subthreshold Leakage with power gating': 13.9484,
'Total Cores/Area': 128.669,
'Total Cores/Gate Leakage': 1.4798,
'Total Cores/Peak Dynamic': 59.9179,
'Total Cores/Runtime Dynamic': 9.28548,
'Total Cores/Subthreshold Leakage': 24.7074,
'Total Cores/Subthreshold Leakage with power gating': 10.2429,
'Total L3s/Area': 61.9075,
'Total L3s/Gate Leakage': 0.0484137,
'Total L3s/Peak Dynamic': 0.453471,
'Total L3s/Runtime Dynamic': 0.173055,
'Total L3s/Subthreshold Leakage': 6.80085,
'Total L3s/Subthreshold Leakage with power gating': 3.32364,
'Total Leakage': 33.1122,
'Total NoCs/Area': 1.33155,
'Total NoCs/Gate Leakage': 0.00662954,
'Total NoCs/Peak Dynamic': 0.0,
'Total NoCs/Runtime Dynamic': 0.0,
'Total NoCs/Subthreshold Leakage': 0.0691322,
'Total NoCs/Subthreshold Leakage with power gating': 0.0259246}} | power = {'BUSES': {'Area': 1.33155, 'Bus/Area': 1.33155, 'Bus/Gate Leakage': 0.00662954, 'Bus/Peak Dynamic': 0.0, 'Bus/Runtime Dynamic': 0.0, 'Bus/Subthreshold Leakage': 0.0691322, 'Bus/Subthreshold Leakage with power gating': 0.0259246, 'Gate Leakage': 0.00662954, 'Peak Dynamic': 0.0, 'Runtime Dynamic': 0.0, 'Subthreshold Leakage': 0.0691322, 'Subthreshold Leakage with power gating': 0.0259246}, 'Core': [{'Area': 32.6082, 'Execution Unit/Area': 8.2042, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0615522, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.251035, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.364373, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.122718, 'Execution Unit/Instruction Scheduler/Area': 2.17927, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.328073, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.00115349, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.20978, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.189927, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.017004, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00962066, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00730101, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 1.00996, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00529112, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 2.07911, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.328886, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0800117, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0455351, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 4.84781, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.841232, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.000856399, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.55892, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.188625, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.0178624, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00897339, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.707438, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.114878, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.0641291, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.131872, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 5.75365, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0688379, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00688502, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0715316, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0509189, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.14037, 'Execution Unit/Register Files/Runtime Dynamic': 0.057804, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0442632, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00607074, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.189713, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.537473, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.0920413, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0345155, 'Execution Unit/Runtime Dynamic': 1.95913, 'Execution Unit/Subthreshold Leakage': 1.83518, 'Execution Unit/Subthreshold Leakage with power gating': 0.709678, 'Gate Leakage': 0.372997, 'Instruction Fetch Unit/Area': 5.86007, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.000131425, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.000131425, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.000113736, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 4.36269e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000731455, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00110804, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.00128637, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0590479, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0489497, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.11362, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.119108, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.166255, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 5.48556, 'Instruction Fetch Unit/Runtime Dynamic': 0.336707, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932587, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.408542, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.141075, 'L2/Runtime Dynamic': 0.0366513, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80969, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 3.30829, 'Load Store Unit/Data Cache/Runtime Dynamic': 1.04115, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0351387, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0670072, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0670072, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 3.626, 'Load Store Unit/Runtime Dynamic': 1.43862, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.165228, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.330457, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591622, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283406, 'Memory Management Unit/Area': 0.434579, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0586401, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0607512, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00813591, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.193593, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0195491, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.453469, 'Memory Management Unit/Runtime Dynamic': 0.0803003, 'Memory Management Unit/Subthreshold Leakage': 0.0769113, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0399462, 'Peak Dynamic': 20.0214, 'Renaming Unit/Area': 0.369768, 'Renaming Unit/FP Front End RAT/Area': 0.168486, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00489731, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 3.33511, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.240161, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0437281, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.024925, 'Renaming Unit/Free List/Area': 0.0414755, 'Renaming Unit/Free List/Gate Leakage': 4.15911e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0401324, 'Renaming Unit/Free List/Runtime Dynamic': 0.0126018, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000670426, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000377987, 'Renaming Unit/Gate Leakage': 0.00863632, 'Renaming Unit/Int Front End RAT/Area': 0.114751, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.00038343, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.86945, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0960641, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00611897, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00348781, 'Renaming Unit/Peak Dynamic': 4.56169, 'Renaming Unit/Runtime Dynamic': 0.348827, 'Renaming Unit/Subthreshold Leakage': 0.070483, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0362779, 'Runtime Dynamic': 4.20023, 'Subthreshold Leakage': 6.21877, 'Subthreshold Leakage with power gating': 2.58311}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0283133, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.224927, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.147891, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.056089, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.0904695, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.045666, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.192225, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.0414757, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.1673, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0279397, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00235263, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0278161, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0173991, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.0557559, 'Execution Unit/Register Files/Runtime Dynamic': 0.0197517, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0656807, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.170502, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 1.01278, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 4.01195e-05, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 4.01195e-05, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 3.4907e-05, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 1.34928e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00024994, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.000365086, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.000385987, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0167262, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 1.06393, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.0389778, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.0568097, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 3.33408, 'Instruction Fetch Unit/Runtime Dynamic': 0.113265, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0431929, 'L2/Runtime Dynamic': 0.0133415, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 1.94103, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.356665, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.022773, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0227729, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 2.04856, 'Load Store Unit/Runtime Dynamic': 0.491746, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.0561544, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.112308, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0199294, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0205755, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.0661511, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.00639738, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.256495, 'Memory Management Unit/Runtime Dynamic': 0.0269728, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 13.4391, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.0734969, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.00342502, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0274434, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.104365, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 1.76247, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0215805, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.219639, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.131279, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.0526619, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.0849416, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.0428757, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.180479, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.0401025, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.12402, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0248013, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00220887, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.023453, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.016336, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.0482543, 'Execution Unit/Register Files/Runtime Dynamic': 0.0185449, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0548052, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.155662, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 0.979702, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 4.35133e-05, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 4.35133e-05, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 3.77511e-05, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 1.45326e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000234668, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.000359445, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.000422522, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0157042, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 0.99892, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.0386381, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.0533385, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 3.26591, 'Instruction Fetch Unit/Runtime Dynamic': 0.108463, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0431776, 'L2/Runtime Dynamic': 0.0123726, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 1.89103, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.331189, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0211555, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0211555, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 1.99093, 'Load Store Unit/Runtime Dynamic': 0.456677, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.0521659, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.104332, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0185138, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0191604, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.0621092, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0063403, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.250022, 'Memory Management Unit/Runtime Dynamic': 0.0255007, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 13.2635, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.0652409, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.00316993, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0258901, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.094301, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 1.67702, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0209712, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.219161, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.128627, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.0509425, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.0821684, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.0414758, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.174587, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.0385432, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.11593, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0243004, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00213676, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0226775, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0158026, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.046978, 'Execution Unit/Register Files/Runtime Dynamic': 0.0179394, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.0530192, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.151148, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 0.968212, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 4.29935e-05, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 4.29935e-05, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 3.73035e-05, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 1.43622e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000227006, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.000350296, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.000417352, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0151915, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 0.96631, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.0376411, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.0515971, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 3.23172, 'Instruction Fetch Unit/Runtime Dynamic': 0.105197, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0411216, 'L2/Runtime Dynamic': 0.0120555, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 1.87156, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.321777, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0205255, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0205255, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 1.96848, 'Load Store Unit/Runtime Dynamic': 0.443528, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.0506125, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.101225, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0179625, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0185781, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.0600816, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.00617672, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.247047, 'Memory Management Unit/Runtime Dynamic': 0.0247549, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 13.1938, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.0639232, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.00307632, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.0250125, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.0920121, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 1.64576, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}], 'DRAM': {'Area': 0, 'Gate Leakage': 0, 'Peak Dynamic': 8.52743213010311, 'Runtime Dynamic': 8.52743213010311, 'Subthreshold Leakage': 4.252, 'Subthreshold Leakage with power gating': 4.252}, 'L3': [{'Area': 61.9075, 'Gate Leakage': 0.0484137, 'Peak Dynamic': 0.453471, 'Runtime Dynamic': 0.173055, 'Subthreshold Leakage': 6.80085, 'Subthreshold Leakage with power gating': 3.32364}], 'Processor': {'Area': 191.908, 'Gate Leakage': 1.53485, 'Peak Dynamic': 60.3713, 'Peak Power': 93.4836, 'Runtime Dynamic': 9.45853, 'Subthreshold Leakage': 31.5774, 'Subthreshold Leakage with power gating': 13.9484, 'Total Cores/Area': 128.669, 'Total Cores/Gate Leakage': 1.4798, 'Total Cores/Peak Dynamic': 59.9179, 'Total Cores/Runtime Dynamic': 9.28548, 'Total Cores/Subthreshold Leakage': 24.7074, 'Total Cores/Subthreshold Leakage with power gating': 10.2429, 'Total L3s/Area': 61.9075, 'Total L3s/Gate Leakage': 0.0484137, 'Total L3s/Peak Dynamic': 0.453471, 'Total L3s/Runtime Dynamic': 0.173055, 'Total L3s/Subthreshold Leakage': 6.80085, 'Total L3s/Subthreshold Leakage with power gating': 3.32364, 'Total Leakage': 33.1122, 'Total NoCs/Area': 1.33155, 'Total NoCs/Gate Leakage': 0.00662954, 'Total NoCs/Peak Dynamic': 0.0, 'Total NoCs/Runtime Dynamic': 0.0, 'Total NoCs/Subthreshold Leakage': 0.0691322, 'Total NoCs/Subthreshold Leakage with power gating': 0.0259246}} |
def find_deletions(friends_file_path, new_friends_list):
deleted = ""
f1 = open(friends_file_path, "r")
data2 = new_friends_list
for line in f1:
if data2.find(line) == -1:
print ("--" +line),
deleted += line
f1.close()
return deleted
def find_additions(friends_file_path, new_friends_list):
added = ""
f2 = open(friends_file_path, "r")
data1 = new_friends_list
for line in f2:
if data1.find(line) == -1:
print ("++" +line),
added += line
f2.close()
return added
def find_mutual_friends(path1, path2):
f1 = open(path1, "r")
f2 = open(path2, "r")
data2 = f2.read()
for line in f1:
if data2.find(line) != -1:
print ("mutuals: " + line),
f1.close()
f2.close() | def find_deletions(friends_file_path, new_friends_list):
deleted = ''
f1 = open(friends_file_path, 'r')
data2 = new_friends_list
for line in f1:
if data2.find(line) == -1:
(print('--' + line),)
deleted += line
f1.close()
return deleted
def find_additions(friends_file_path, new_friends_list):
added = ''
f2 = open(friends_file_path, 'r')
data1 = new_friends_list
for line in f2:
if data1.find(line) == -1:
(print('++' + line),)
added += line
f2.close()
return added
def find_mutual_friends(path1, path2):
f1 = open(path1, 'r')
f2 = open(path2, 'r')
data2 = f2.read()
for line in f1:
if data2.find(line) != -1:
(print('mutuals: ' + line),)
f1.close()
f2.close() |
# Copyright 2013 Daniel Stokes, Mitchell Stokes
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
def get_condition(args):
return CONDITION_LUT[args[0]](*args[1:])
class AlwaysCondition:
__slots__ = []
def test(self, data):
return True
class RangeCondition:
__slots__ = ["property", "min", "max"]
def __init__(self, prop, _min, _max):
self.property = prop
if type(_min) in (str, unicode):
_min = float(_min)
if type(_max) in (str, unicode):
_max = float(_max)
self.min = _min
self.max = _max
def test(self, data):
return self.min < getattr(data, self.property) < self.max
CONDITION_LUT = {
"VALUE": RangeCondition,
"ALWAYS": AlwaysCondition,
}
| def get_condition(args):
return CONDITION_LUT[args[0]](*args[1:])
class Alwayscondition:
__slots__ = []
def test(self, data):
return True
class Rangecondition:
__slots__ = ['property', 'min', 'max']
def __init__(self, prop, _min, _max):
self.property = prop
if type(_min) in (str, unicode):
_min = float(_min)
if type(_max) in (str, unicode):
_max = float(_max)
self.min = _min
self.max = _max
def test(self, data):
return self.min < getattr(data, self.property) < self.max
condition_lut = {'VALUE': RangeCondition, 'ALWAYS': AlwaysCondition} |
def sort(list_):
"""
This function is a selection sort algorithm. It will put a list in numerical order.
:param list_: a list
:return: a list ordered by numerial order.
"""
for minimum in range(0, len(list_)):
for c in range(minimum + 1, len(list_)):
if list_[c] < list_[minimum]:
temporary = list_[minimum]
list_[minimum] = list_[c]
list_[c] = temporary
return list_
numbers = [30, 18, 70, 100, 20, 5, 10, 50, 8, 14, 47]
print(sort(numbers))
| def sort(list_):
"""
This function is a selection sort algorithm. It will put a list in numerical order.
:param list_: a list
:return: a list ordered by numerial order.
"""
for minimum in range(0, len(list_)):
for c in range(minimum + 1, len(list_)):
if list_[c] < list_[minimum]:
temporary = list_[minimum]
list_[minimum] = list_[c]
list_[c] = temporary
return list_
numbers = [30, 18, 70, 100, 20, 5, 10, 50, 8, 14, 47]
print(sort(numbers)) |
__title__ = 'pinecone-backend'
__summary__ = 'Domain.'
__version__ = '0.0.1-dev'
__license__ = 'All rights reserved.'
__uri__ = 'http://vigotech.org/'
__author__ = 'VigoTech'
__email__ = 'alliance@vigotech.org'
| __title__ = 'pinecone-backend'
__summary__ = 'Domain.'
__version__ = '0.0.1-dev'
__license__ = 'All rights reserved.'
__uri__ = 'http://vigotech.org/'
__author__ = 'VigoTech'
__email__ = 'alliance@vigotech.org' |
'''
This problem was asked by Facebook.
Implement regular expression matching with the following special characters:
. (period) which matches any single character
* (asterisk) which matches zero or more of the preceding element
That is, implement a function that takes in a string and a valid regular
expression and returns whether or not the string matches the regular expression.
For example, given the regular expression "ra." and the string "ray", your function
should return true. The same regular expression on the string "raymond" should return false.
Given the regular expression ".*at" and the string "chat", your function should return true.
The same regular expression on the string "chats" should return false.
'''
memo_table = {} # store what strings are True or False
def check_regular(reg_exp, string):
if (reg_exp, string) in memo_table: # return if in memo_table
return memo_table[(reg_exp, string)]
if len(reg_exp)==0 and len(string)==0: # both stings empty
memo_table[(reg_exp, string)] = True
return memo_table[(reg_exp, string)]
# string is empty but a 'char*...' like reg expression is left, see if we can end it
if len(reg_exp) > 1 and reg_exp[1] == '*' and len(string)==0:
memo_table[(reg_exp, string)] = check_regular(reg_exp[2:], string)
return memo_table[(reg_exp, string)]
if len(reg_exp)==0 and len(string)!=0: # string is still remaining
memo_table[(reg_exp, string)] = False
return memo_table[(reg_exp, string)]
if len(reg_exp)!=0 and len(string)==0: # reg_exp is still remaining
memo_table[(reg_exp, string)] = False
return memo_table[(reg_exp, string)]
# matched the first char, store result it as bool
first_char_match = True if reg_exp[0] == string[0] or reg_exp[0] == '.' else False
if len(reg_exp) > 1 and reg_exp[1] == '*':
if first_char_match: # if True, check by matching or ignoring the 'char*'
memo_table[(reg_exp, string)] = check_regular(reg_exp[2:], string) or check_regular(reg_exp, string[1:])
else:
# ignore the 'char*', it didn't match
memo_table[(reg_exp, string)] = check_regular(reg_exp[2:], string)
elif first_char_match:
# got a match
memo_table[(reg_exp, string)] = check_regular(reg_exp[1:], string[1:])
else:
# got no match
memo_table[(reg_exp, string)] = False
return memo_table[(reg_exp, string)]
if __name__ == '__main__':
# "aab"
# "c*a*b"
#
reg_exp = ".*"
string = "aab"
print(check_regular(reg_exp,string)) | """
This problem was asked by Facebook.
Implement regular expression matching with the following special characters:
. (period) which matches any single character
* (asterisk) which matches zero or more of the preceding element
That is, implement a function that takes in a string and a valid regular
expression and returns whether or not the string matches the regular expression.
For example, given the regular expression "ra." and the string "ray", your function
should return true. The same regular expression on the string "raymond" should return false.
Given the regular expression ".*at" and the string "chat", your function should return true.
The same regular expression on the string "chats" should return false.
"""
memo_table = {}
def check_regular(reg_exp, string):
if (reg_exp, string) in memo_table:
return memo_table[reg_exp, string]
if len(reg_exp) == 0 and len(string) == 0:
memo_table[reg_exp, string] = True
return memo_table[reg_exp, string]
if len(reg_exp) > 1 and reg_exp[1] == '*' and (len(string) == 0):
memo_table[reg_exp, string] = check_regular(reg_exp[2:], string)
return memo_table[reg_exp, string]
if len(reg_exp) == 0 and len(string) != 0:
memo_table[reg_exp, string] = False
return memo_table[reg_exp, string]
if len(reg_exp) != 0 and len(string) == 0:
memo_table[reg_exp, string] = False
return memo_table[reg_exp, string]
first_char_match = True if reg_exp[0] == string[0] or reg_exp[0] == '.' else False
if len(reg_exp) > 1 and reg_exp[1] == '*':
if first_char_match:
memo_table[reg_exp, string] = check_regular(reg_exp[2:], string) or check_regular(reg_exp, string[1:])
else:
memo_table[reg_exp, string] = check_regular(reg_exp[2:], string)
elif first_char_match:
memo_table[reg_exp, string] = check_regular(reg_exp[1:], string[1:])
else:
memo_table[reg_exp, string] = False
return memo_table[reg_exp, string]
if __name__ == '__main__':
reg_exp = '.*'
string = 'aab'
print(check_regular(reg_exp, string)) |
def permutations_with_dups(string):
hash_table = {}
permutations = []
for character in string:
if character in hash_table:
hash_table[character] += 1
else:
hash_table[character] = 1
helper('', hash_table, permutations)
return permutations
def helper(string, hash_table, permutations):
if sum(hash_table.values()) <= 0:
permutations.append(string)
else:
for character in hash_table:
local_hash_table = hash_table.copy()
if local_hash_table[character] <= 1:
local_hash_table.pop(character, None)
else:
local_hash_table[character] -= 1
helper(string + character, local_hash_table, permutations)
| def permutations_with_dups(string):
hash_table = {}
permutations = []
for character in string:
if character in hash_table:
hash_table[character] += 1
else:
hash_table[character] = 1
helper('', hash_table, permutations)
return permutations
def helper(string, hash_table, permutations):
if sum(hash_table.values()) <= 0:
permutations.append(string)
else:
for character in hash_table:
local_hash_table = hash_table.copy()
if local_hash_table[character] <= 1:
local_hash_table.pop(character, None)
else:
local_hash_table[character] -= 1
helper(string + character, local_hash_table, permutations) |
"""
Sudoku solver script using a backtracking algorithm.
"""
def find_empty_location(grid):
"""
Looks for the coordinates of the next zero value on the grid,
starting on the upper left corner, from left to right and top to bottom.
Keyword Arguments:
grid {number matrix} -- The matrix to look for the coordinates on (default: {The instance's grid})
Returns:
tuple -- The (x, y) coordinates of the next zero value on the grid if one is found
"""
for index, row in enumerate(grid):
if 0 in row:
return (row.index(0), index)
def is_completed(grid):
"""
Checks if a grid is completed.
Grids are completed when all cells in them contain non-zero values.
Arguments:
grid {number matrix} -- The matrix to check for unique values on rows and columns
Returns:
bool -- True if all numbers are unique on their respective rows and columns, otherwise, False
"""
return not any(0 in row for row in grid)
def is_unique(digit, cell, grid):
"""
Checks if a given digit is unique across its row, column and subgrid.
Arguments:
digit {number} -- The digit to check for
cell {tuple} -- The (x, y) coordinates of the digit on the grid
grid {number matrix} -- The matrix to check the digit at
Returns:
bool -- True if the digit is unique on its respective row, column and subgrid, otherwise, False
"""
x, y = cell
x_axis = [row[x] for row in grid]
y_axis = grid[y]
col_level = (x // 3) * 3
row_level = (y // 3) * 3
subgrid = []
for index, row in enumerate(grid):
if row_level <= index < row_level + 3:
subgrid += row[col_level : col_level + 3]
return digit not in [*y_axis, *x_axis, *subgrid]
def solve(grid):
"""
Attempts to solve the grid following Sudoku rules, where on a 9x9 grid:
- Only numbers from 1 to 9 are valid
- No duplicates on either rows nor columns
- No duplicates within the special 3x3 subgrids
Arguments:
grid {number matrix} -- The matrix to solve
Returns:
solution -- Returns a list of lists filled with numbers if a solution was found, otherwise, False
"""
if is_completed(grid):
return grid
x, y = find_empty_location(grid)
for digit in range(1, 10):
if is_unique(digit, (x, y), grid):
grid[y][x] = digit
if solve(grid):
return grid
grid[y][x] = 0
return False
| """
Sudoku solver script using a backtracking algorithm.
"""
def find_empty_location(grid):
"""
Looks for the coordinates of the next zero value on the grid,
starting on the upper left corner, from left to right and top to bottom.
Keyword Arguments:
grid {number matrix} -- The matrix to look for the coordinates on (default: {The instance's grid})
Returns:
tuple -- The (x, y) coordinates of the next zero value on the grid if one is found
"""
for (index, row) in enumerate(grid):
if 0 in row:
return (row.index(0), index)
def is_completed(grid):
"""
Checks if a grid is completed.
Grids are completed when all cells in them contain non-zero values.
Arguments:
grid {number matrix} -- The matrix to check for unique values on rows and columns
Returns:
bool -- True if all numbers are unique on their respective rows and columns, otherwise, False
"""
return not any((0 in row for row in grid))
def is_unique(digit, cell, grid):
"""
Checks if a given digit is unique across its row, column and subgrid.
Arguments:
digit {number} -- The digit to check for
cell {tuple} -- The (x, y) coordinates of the digit on the grid
grid {number matrix} -- The matrix to check the digit at
Returns:
bool -- True if the digit is unique on its respective row, column and subgrid, otherwise, False
"""
(x, y) = cell
x_axis = [row[x] for row in grid]
y_axis = grid[y]
col_level = x // 3 * 3
row_level = y // 3 * 3
subgrid = []
for (index, row) in enumerate(grid):
if row_level <= index < row_level + 3:
subgrid += row[col_level:col_level + 3]
return digit not in [*y_axis, *x_axis, *subgrid]
def solve(grid):
"""
Attempts to solve the grid following Sudoku rules, where on a 9x9 grid:
- Only numbers from 1 to 9 are valid
- No duplicates on either rows nor columns
- No duplicates within the special 3x3 subgrids
Arguments:
grid {number matrix} -- The matrix to solve
Returns:
solution -- Returns a list of lists filled with numbers if a solution was found, otherwise, False
"""
if is_completed(grid):
return grid
(x, y) = find_empty_location(grid)
for digit in range(1, 10):
if is_unique(digit, (x, y), grid):
grid[y][x] = digit
if solve(grid):
return grid
grid[y][x] = 0
return False |
#
# @lc app=leetcode id=1004 lang=python3
#
# [1004] Max Consecutive Ones III
#
# https://leetcode.com/problems/max-consecutive-ones-iii/description/
#
# algorithms
# Medium (61.32%)
# Likes: 2593
# Dislikes: 40
# Total Accepted: 123.4K
# Total Submissions: 202.1K
# Testcase Example: '[1,1,1,0,0,0,1,1,1,1,0]\n2'
#
# Given a binary array nums and an integer k, return the maximum number of
# consecutive 1's in the array if you can flip at most k 0's.
#
#
# Example 1:
#
#
# Input: nums = [1,1,1,0,0,0,1,1,1,1,0], k = 2
# Output: 6
# Explanation: [1,1,1,0,0,1,1,1,1,1,1]
# Bolded numbers were flipped from 0 to 1. The longest subarray is underlined.
#
# Example 2:
#
#
# Input: nums = [0,0,1,1,0,0,1,1,1,0,1,1,0,0,0,1,1,1,1], k = 3
# Output: 10
# Explanation: [0,0,1,1,1,1,1,1,1,1,1,1,0,0,0,1,1,1,1]
# Bolded numbers were flipped from 0 to 1. The longest subarray is
# underlined.
#
#
#
# Constraints:
#
#
# 1 <= nums.length <= 10^5
# nums[i] is either 0 or 1.
# 0 <= k <= nums.length
#
#
#
# @lc code=start
class Solution:
def longestOnes(self, nums: List[int], k: int) -> int:
if not nums or len(nums) == 0:
return 0
left, right = 0, 0
if nums[right] == 0:
k -= 1
n = len(nums)
max_length = 0
for left in range(n):
while right + 1 < n and ( (k > 0) or nums[right + 1] == 1 ):
if nums[right + 1] == 0:
k -= 1
right += 1
if k >= 0:
max_length = max(max_length, right - left + 1)
if nums[left] == 0:
k += 1
return max_length
# @lc code=end
| class Solution:
def longest_ones(self, nums: List[int], k: int) -> int:
if not nums or len(nums) == 0:
return 0
(left, right) = (0, 0)
if nums[right] == 0:
k -= 1
n = len(nums)
max_length = 0
for left in range(n):
while right + 1 < n and (k > 0 or nums[right + 1] == 1):
if nums[right + 1] == 0:
k -= 1
right += 1
if k >= 0:
max_length = max(max_length, right - left + 1)
if nums[left] == 0:
k += 1
return max_length |
SECRET_KEY = "fake-key"
DATABASES = {
"default": {
"ENGINE": "django.db.backends.sqlite3",
"NAME": ":memory:",
}
}
INSTALLED_APPS = [
"django.contrib.auth",
"django.contrib.contenttypes",
"rest_email_manager",
]
TEMPLATES = [
{
"BACKEND": "django.template.backends.django.DjangoTemplates",
"APP_DIRS": True,
},
]
ROOT_URLCONF = "tests.urls"
REST_EMAIL_MANAGER = {
"EMAIL_VERIFICATION_URL": "https://example.com/verify/{key}"
}
| secret_key = 'fake-key'
databases = {'default': {'ENGINE': 'django.db.backends.sqlite3', 'NAME': ':memory:'}}
installed_apps = ['django.contrib.auth', 'django.contrib.contenttypes', 'rest_email_manager']
templates = [{'BACKEND': 'django.template.backends.django.DjangoTemplates', 'APP_DIRS': True}]
root_urlconf = 'tests.urls'
rest_email_manager = {'EMAIL_VERIFICATION_URL': 'https://example.com/verify/{key}'} |
"""BaseMetric class."""
class BaseMetric:
"""Base class for all the metrics in SDMetrics.
Attributes:
name (str):
Name to use when reports about this metric are printed.
goal (sdmetrics.goal.Goal):
The goal of this metric.
min_value (Union[float, tuple[float]]):
Minimum value or values that this metric can take.
max_value (Union[float, tuple[float]]):
Maximum value or values that this metric can take.
"""
name = None
goal = None
min_value = None
max_value = None
@classmethod
def get_subclasses(cls, include_parents=False):
"""Recursively find subclasses of this metric.
If ``include_parents`` is passed as ``True``, intermediate child classes
that also have subclasses will be included. Otherwise, only classes
without subclasses will be included to ensure that they are final
implementations and are ready to be run on data.
Args:
include_parents (bool):
Whether to include subclasses which are parents to
other classes. Defaults to ``False``.
"""
subclasses = dict()
for child in cls.__subclasses__():
grandchildren = child.get_subclasses(include_parents)
subclasses.update(grandchildren)
if include_parents or not grandchildren:
subclasses[child.__name__] = child
return subclasses
@staticmethod
def compute(real_data, synthetic_data):
"""Compute this metric.
Args:
real_data:
The values from the real dataset.
synthetic_data:
The values from the synthetic dataset.
Returns:
Union[float, tuple[float]]:
Metric output or outputs.
"""
raise NotImplementedError()
| """BaseMetric class."""
class Basemetric:
"""Base class for all the metrics in SDMetrics.
Attributes:
name (str):
Name to use when reports about this metric are printed.
goal (sdmetrics.goal.Goal):
The goal of this metric.
min_value (Union[float, tuple[float]]):
Minimum value or values that this metric can take.
max_value (Union[float, tuple[float]]):
Maximum value or values that this metric can take.
"""
name = None
goal = None
min_value = None
max_value = None
@classmethod
def get_subclasses(cls, include_parents=False):
"""Recursively find subclasses of this metric.
If ``include_parents`` is passed as ``True``, intermediate child classes
that also have subclasses will be included. Otherwise, only classes
without subclasses will be included to ensure that they are final
implementations and are ready to be run on data.
Args:
include_parents (bool):
Whether to include subclasses which are parents to
other classes. Defaults to ``False``.
"""
subclasses = dict()
for child in cls.__subclasses__():
grandchildren = child.get_subclasses(include_parents)
subclasses.update(grandchildren)
if include_parents or not grandchildren:
subclasses[child.__name__] = child
return subclasses
@staticmethod
def compute(real_data, synthetic_data):
"""Compute this metric.
Args:
real_data:
The values from the real dataset.
synthetic_data:
The values from the synthetic dataset.
Returns:
Union[float, tuple[float]]:
Metric output or outputs.
"""
raise not_implemented_error() |