content
stringlengths 7
1.05M
| fixed_cases
stringlengths 1
1.28M
|
---|---|
class PoolUserConfiguration:
def __init__(self,
pool_name: str,
username: str,
password: str):
self.pool_name = pool_name
self.username = username
self.password = password
def __eq__(self, other):
if not isinstance(other, PoolUserConfiguration):
return False
return self.pool_name == other.pool_name
def __str__(self) -> str:
return 'PoolUserConfiguration{' \
+ 'pool_name=' + self.pool_name \
+ ', username=' + self.username \
+ ', password=' + self.password \
+ '}'
|
class Pooluserconfiguration:
def __init__(self, pool_name: str, username: str, password: str):
self.pool_name = pool_name
self.username = username
self.password = password
def __eq__(self, other):
if not isinstance(other, PoolUserConfiguration):
return False
return self.pool_name == other.pool_name
def __str__(self) -> str:
return 'PoolUserConfiguration{' + 'pool_name=' + self.pool_name + ', username=' + self.username + ', password=' + self.password + '}'
|
if not ( ( 'a' in vars() or 'a' in globals() ) and type(a) == type(0) ):
print("no suitable a")
else:
print("good to go")
|
if not (('a' in vars() or 'a' in globals()) and type(a) == type(0)):
print('no suitable a')
else:
print('good to go')
|
"""
0147. Insertion Sort List
Medium
Sort a linked list using insertion sort.
A graphical example of insertion sort. The partial sorted list (black) initially contains only the first element in the list.
With each iteration one element (red) is removed from the input data and inserted in-place into the sorted list
Algorithm of Insertion Sort:
Insertion sort iterates, consuming one input element each repetition, and growing a sorted output list.
At each iteration, insertion sort removes one element from the input data, finds the location it belongs within the sorted list, and inserts it there.
It repeats until no input elements remain.
Example 1:
Input: 4->2->1->3
Output: 1->2->3->4
Example 2:
Input: -1->5->3->4->0
Output: -1->0->3->4->5
"""
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def insertionSortList(self, head: ListNode) -> ListNode:
dummy = ListNode(0)
dummy.next = nodeToInsert = head
while head and head.next:
if head.val > head.next.val:
nodeToInsert = head.next
nodeToInsertPre = dummy
while nodeToInsertPre.next.val < nodeToInsert.val:
nodeToInsertPre = nodeToInsertPre.next
head.next = nodeToInsert.next
nodeToInsert.next = nodeToInsertPre.next
nodeToInsertPre.next = nodeToInsert
else:
head = head.next
return dummy.next
|
"""
0147. Insertion Sort List
Medium
Sort a linked list using insertion sort.
A graphical example of insertion sort. The partial sorted list (black) initially contains only the first element in the list.
With each iteration one element (red) is removed from the input data and inserted in-place into the sorted list
Algorithm of Insertion Sort:
Insertion sort iterates, consuming one input element each repetition, and growing a sorted output list.
At each iteration, insertion sort removes one element from the input data, finds the location it belongs within the sorted list, and inserts it there.
It repeats until no input elements remain.
Example 1:
Input: 4->2->1->3
Output: 1->2->3->4
Example 2:
Input: -1->5->3->4->0
Output: -1->0->3->4->5
"""
class Solution:
def insertion_sort_list(self, head: ListNode) -> ListNode:
dummy = list_node(0)
dummy.next = node_to_insert = head
while head and head.next:
if head.val > head.next.val:
node_to_insert = head.next
node_to_insert_pre = dummy
while nodeToInsertPre.next.val < nodeToInsert.val:
node_to_insert_pre = nodeToInsertPre.next
head.next = nodeToInsert.next
nodeToInsert.next = nodeToInsertPre.next
nodeToInsertPre.next = nodeToInsert
else:
head = head.next
return dummy.next
|
# Part of the awpa package: https://github.com/pyga/awpa
# See LICENSE for copyright.
"""Token constants (from "token.h")."""
# This file is automatically generated; please don't muck it up!
#
# To update the symbols in this file, 'cd' to the top directory of
# the python source tree after building the interpreter and run:
#
# ./python Lib/token.py
#--start constants--
ENDMARKER = 0
NAME = 1
NUMBER = 2
STRING = 3
NEWLINE = 4
INDENT = 5
DEDENT = 6
LPAR = 7
RPAR = 8
LSQB = 9
RSQB = 10
COLON = 11
COMMA = 12
SEMI = 13
PLUS = 14
MINUS = 15
STAR = 16
SLASH = 17
VBAR = 18
AMPER = 19
LESS = 20
GREATER = 21
EQUAL = 22
DOT = 23
PERCENT = 24
BACKQUOTE = 25
LBRACE = 26
RBRACE = 27
EQEQUAL = 28
NOTEQUAL = 29
LESSEQUAL = 30
GREATEREQUAL = 31
TILDE = 32
CIRCUMFLEX = 33
LEFTSHIFT = 34
RIGHTSHIFT = 35
DOUBLESTAR = 36
PLUSEQUAL = 37
MINEQUAL = 38
STAREQUAL = 39
SLASHEQUAL = 40
PERCENTEQUAL = 41
AMPEREQUAL = 42
VBAREQUAL = 43
CIRCUMFLEXEQUAL = 44
LEFTSHIFTEQUAL = 45
RIGHTSHIFTEQUAL = 46
DOUBLESTAREQUAL = 47
DOUBLESLASH = 48
DOUBLESLASHEQUAL = 49
AT = 50
OP = 51
ERRORTOKEN = 52
N_TOKENS = 53
NT_OFFSET = 256
#--end constants--
tok_name = {value: name
for name, value in globals().items()
if isinstance(value, int) and not name.startswith('_')}
def ISTERMINAL(x):
return x < NT_OFFSET
def ISNONTERMINAL(x):
return x >= NT_OFFSET
def ISEOF(x):
return x == ENDMARKER
|
"""Token constants (from "token.h")."""
endmarker = 0
name = 1
number = 2
string = 3
newline = 4
indent = 5
dedent = 6
lpar = 7
rpar = 8
lsqb = 9
rsqb = 10
colon = 11
comma = 12
semi = 13
plus = 14
minus = 15
star = 16
slash = 17
vbar = 18
amper = 19
less = 20
greater = 21
equal = 22
dot = 23
percent = 24
backquote = 25
lbrace = 26
rbrace = 27
eqequal = 28
notequal = 29
lessequal = 30
greaterequal = 31
tilde = 32
circumflex = 33
leftshift = 34
rightshift = 35
doublestar = 36
plusequal = 37
minequal = 38
starequal = 39
slashequal = 40
percentequal = 41
amperequal = 42
vbarequal = 43
circumflexequal = 44
leftshiftequal = 45
rightshiftequal = 46
doublestarequal = 47
doubleslash = 48
doubleslashequal = 49
at = 50
op = 51
errortoken = 52
n_tokens = 53
nt_offset = 256
tok_name = {value: name for (name, value) in globals().items() if isinstance(value, int) and (not name.startswith('_'))}
def isterminal(x):
return x < NT_OFFSET
def isnonterminal(x):
return x >= NT_OFFSET
def iseof(x):
return x == ENDMARKER
|
'''
A binary gap within a positive integer N is any maximal sequence of consecutive zeros that is surrounded by ones at both ends in the binary representation of N.
For example, number 9 has binary representation 1001 and contains a binary gap of length 2. The number 529 has binary representation 1000010001 and contains two binary gaps: one of length 4 and one of length 3. The number 20 has binary representation 10100 and contains one binary gap of length 1. The number 15 has binary representation 1111 and has no binary gaps. The number 32 has binary representation 100000 and has no binary gaps.
Write a function:
def solution(N)
that, given a positive integer N, returns the length of its longest binary gap. The function should return 0 if N doesn't contain a binary gap.
For example, given N = 1041 the function should return 5, because N has binary representation 10000010001 and so its longest binary gap is of length 5. Given N = 32 the function should return 0, because N has binary representation '100000' and thus no binary gaps.
Write an efficient algorithm for the following assumptions:
N is an integer within the range [1..2,147,483,647].
'''
def solution(N):
i = 0
binary_N = bin(N)[2:]
restult_set = []
breaker = False
while i < len(binary_N):
if binary_N[i] == '1':
count = 0
j = i + 1
while j < len(binary_N):
if (binary_N[j] == '0') and (j != len(binary_N) - 1 ):
count = count + 1
j = j + 1
elif (binary_N[j] == '0') and (j == len(binary_N) - 1 ):
breaker = True
break
elif (binary_N[j] == '1') and (j != len(binary_N) - 1 ):
restult_set.append(count)
i = j
break
else: #(A[j] == '1') and (j == len(N) - 1 )
restult_set.append(count)
breaker = True
break
if breaker:
break
if not restult_set:
return 0
else:
return sorted(restult_set)[-1]
|
"""
A binary gap within a positive integer N is any maximal sequence of consecutive zeros that is surrounded by ones at both ends in the binary representation of N.
For example, number 9 has binary representation 1001 and contains a binary gap of length 2. The number 529 has binary representation 1000010001 and contains two binary gaps: one of length 4 and one of length 3. The number 20 has binary representation 10100 and contains one binary gap of length 1. The number 15 has binary representation 1111 and has no binary gaps. The number 32 has binary representation 100000 and has no binary gaps.
Write a function:
def solution(N)
that, given a positive integer N, returns the length of its longest binary gap. The function should return 0 if N doesn't contain a binary gap.
For example, given N = 1041 the function should return 5, because N has binary representation 10000010001 and so its longest binary gap is of length 5. Given N = 32 the function should return 0, because N has binary representation '100000' and thus no binary gaps.
Write an efficient algorithm for the following assumptions:
N is an integer within the range [1..2,147,483,647].
"""
def solution(N):
i = 0
binary_n = bin(N)[2:]
restult_set = []
breaker = False
while i < len(binary_N):
if binary_N[i] == '1':
count = 0
j = i + 1
while j < len(binary_N):
if binary_N[j] == '0' and j != len(binary_N) - 1:
count = count + 1
j = j + 1
elif binary_N[j] == '0' and j == len(binary_N) - 1:
breaker = True
break
elif binary_N[j] == '1' and j != len(binary_N) - 1:
restult_set.append(count)
i = j
break
else:
restult_set.append(count)
breaker = True
break
if breaker:
break
if not restult_set:
return 0
else:
return sorted(restult_set)[-1]
|
class Node:
"""
Class that represent a tile or node in a senku game.
...
Attributes
----------
"""
def __init__(self, matrix):
self.step = 0 # The step or node geneared
self.parent_id = 0 # The Node parent id
self.name = f'Node: {str(self.step)}!' # Node name
self.matrix = matrix # The matrix representation.
self.level = 0 # The level in senku, is equivalent to the number of movements
self.parent = None # The node parent
self.heuristic = 0 # A value that tell us how near is the node to a solution
def count_pegs(self):
"""
Counts the number of filled items (equals to 1).
Return
------
The number of filled items
"""
count = 0
for i in range(0, len(self.matrix)):
for j in range(0, len(self.matrix[i])):
if self.matrix[i][j] == "1":
count += 1
return count
def count_level(self):
"""
Counts the number of empty items (equals to 0).
The level is the number of movements made.
Return
------
The number of empty items
"""
count = 0
for i in range(0, len(self.matrix)):
for j in range(0,len(self.matrix[i])):
if self.matrix[i][j] == "0":
count += 1
# We substract 1 to count level from 0
return count - 1
def positions_to_play(self):
"""
Look for target positions an put them into a list
Return
------
a list of target positions
"""
positions = []
for i in range(0, len(self.matrix)):
for j in range(0, len(self.matrix[i])):
if self.matrix[i][j] == "0":
# Add [row, column] to the list
positions.append([i, j])
return positions
def verify_winner(self):
"""
Check if the Node is a solution
Return
------
true if the Node is solution
"""
return self.count_pegs() == 1
def tiles(self, nums, row = 1, spaces = 0):
"""
Returns the string representation for a row
to be printed
...
Parameters
----------
nums : list
An array with the tiles values
row : int
The row number
spaces : int
The number of spaces to add to the string.
Return
------
A string with the rows values formated
"""
# We add the (" " * 5) to align the rows
# with odd number of values
separator = ("+---+" + (" " * 5)) * row
space = (" " * 5) * spaces
tile = space + separator + space + "\n"
tile += space
for i in nums:
# We add the (" " * 5) to align the rows
# with odd number of values
tile += f"| {i} |" + (" " * 5)
tile += space + "\n"
tile += space + separator + space + "\n"
return tile
def __str__(self):
"""
Iterates the Node matrix and return the string
that represents the Node
Return
------
Node representative string
"""
# The full representative string
str_matrix = ""
if self.matrix is not None:
# Save the lenght into a variable
# to send this number to the tiles method
# and calculate the number of spaces
spaces = len(self.matrix)
for i in range(0, spaces):
nums = list(filter(lambda x: x != "_", self.matrix[i]))
str_matrix += self.tiles(nums, (i+1), (spaces - i))
return str_matrix
def __eq__(self, other):
"""
Compares two Nodes.
Parameters
----------
other : Node
Element to be compared
Return
------
true if both Nodes have the same matrix
"""
return self.matrix == other.matrix
|
class Node:
"""
Class that represent a tile or node in a senku game.
...
Attributes
----------
"""
def __init__(self, matrix):
self.step = 0
self.parent_id = 0
self.name = f'Node: {str(self.step)}!'
self.matrix = matrix
self.level = 0
self.parent = None
self.heuristic = 0
def count_pegs(self):
"""
Counts the number of filled items (equals to 1).
Return
------
The number of filled items
"""
count = 0
for i in range(0, len(self.matrix)):
for j in range(0, len(self.matrix[i])):
if self.matrix[i][j] == '1':
count += 1
return count
def count_level(self):
"""
Counts the number of empty items (equals to 0).
The level is the number of movements made.
Return
------
The number of empty items
"""
count = 0
for i in range(0, len(self.matrix)):
for j in range(0, len(self.matrix[i])):
if self.matrix[i][j] == '0':
count += 1
return count - 1
def positions_to_play(self):
"""
Look for target positions an put them into a list
Return
------
a list of target positions
"""
positions = []
for i in range(0, len(self.matrix)):
for j in range(0, len(self.matrix[i])):
if self.matrix[i][j] == '0':
positions.append([i, j])
return positions
def verify_winner(self):
"""
Check if the Node is a solution
Return
------
true if the Node is solution
"""
return self.count_pegs() == 1
def tiles(self, nums, row=1, spaces=0):
"""
Returns the string representation for a row
to be printed
...
Parameters
----------
nums : list
An array with the tiles values
row : int
The row number
spaces : int
The number of spaces to add to the string.
Return
------
A string with the rows values formated
"""
separator = ('+---+' + ' ' * 5) * row
space = ' ' * 5 * spaces
tile = space + separator + space + '\n'
tile += space
for i in nums:
tile += f'| {i} |' + ' ' * 5
tile += space + '\n'
tile += space + separator + space + '\n'
return tile
def __str__(self):
"""
Iterates the Node matrix and return the string
that represents the Node
Return
------
Node representative string
"""
str_matrix = ''
if self.matrix is not None:
spaces = len(self.matrix)
for i in range(0, spaces):
nums = list(filter(lambda x: x != '_', self.matrix[i]))
str_matrix += self.tiles(nums, i + 1, spaces - i)
return str_matrix
def __eq__(self, other):
"""
Compares two Nodes.
Parameters
----------
other : Node
Element to be compared
Return
------
true if both Nodes have the same matrix
"""
return self.matrix == other.matrix
|
l = [0,1,2,3,4,5,6,7,8,9,]
def f(x):
return x**2
print(list(map(f,l)))
def fake_map(function,list):
list_new = []
for n in list:
i = function(n)
list_new.append(i)
return list_new
print(fake_map(f,l))
|
l = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
def f(x):
return x ** 2
print(list(map(f, l)))
def fake_map(function, list):
list_new = []
for n in list:
i = function(n)
list_new.append(i)
return list_new
print(fake_map(f, l))
|
working = True
match working:
case True:
print("OK")
case False:
print()
|
working = True
match working:
case True:
print('OK')
case False:
print()
|
"""
tdc_helper.py - tdc helper functions
Copyright (C) 2017 Lucas Bates <[email protected]>
"""
def get_categorized_testlist(alltests, ucat):
""" Sort the master test list into categories. """
testcases = dict()
for category in ucat:
testcases[category] = list(filter(lambda x: category in x['category'], alltests))
return(testcases)
def get_unique_item(lst):
""" For a list, return a set of the unique items in the list. """
return list(set(lst))
def get_test_categories(alltests):
""" Discover all unique test categories present in the test case file. """
ucat = []
for t in alltests:
ucat.extend(get_unique_item(t['category']))
ucat = get_unique_item(ucat)
return ucat
def list_test_cases(testlist):
""" Print IDs and names of all test cases. """
for curcase in testlist:
print(curcase['id'] + ': (' + ', '.join(curcase['category']) + ") " + curcase['name'])
def list_categories(testlist):
""" Show all categories that are present in a test case file. """
categories = set(map(lambda x: x['category'], testlist))
print("Available categories:")
print(", ".join(str(s) for s in categories))
print("")
def print_list(cmdlist):
""" Print a list of strings prepended with a tab. """
for l in cmdlist:
if (type(l) == list):
print("\t" + str(l[0]))
else:
print("\t" + str(l))
def print_sll(items):
print("\n".join(str(s) for s in items))
def print_test_case(tcase):
""" Pretty-printing of a given test case. """
for k in tcase.keys():
if (type(tcase[k]) == list):
print(k + ":")
print_list(tcase[k])
else:
print(k + ": " + tcase[k])
def show_test_case_by_id(testlist, caseID):
""" Find the specified test case to pretty-print. """
if not any(d.get('id', None) == caseID for d in testlist):
print("That ID does not exist.")
exit(1)
else:
print_test_case(next((d for d in testlist if d['id'] == caseID)))
|
"""
tdc_helper.py - tdc helper functions
Copyright (C) 2017 Lucas Bates <[email protected]>
"""
def get_categorized_testlist(alltests, ucat):
""" Sort the master test list into categories. """
testcases = dict()
for category in ucat:
testcases[category] = list(filter(lambda x: category in x['category'], alltests))
return testcases
def get_unique_item(lst):
""" For a list, return a set of the unique items in the list. """
return list(set(lst))
def get_test_categories(alltests):
""" Discover all unique test categories present in the test case file. """
ucat = []
for t in alltests:
ucat.extend(get_unique_item(t['category']))
ucat = get_unique_item(ucat)
return ucat
def list_test_cases(testlist):
""" Print IDs and names of all test cases. """
for curcase in testlist:
print(curcase['id'] + ': (' + ', '.join(curcase['category']) + ') ' + curcase['name'])
def list_categories(testlist):
""" Show all categories that are present in a test case file. """
categories = set(map(lambda x: x['category'], testlist))
print('Available categories:')
print(', '.join((str(s) for s in categories)))
print('')
def print_list(cmdlist):
""" Print a list of strings prepended with a tab. """
for l in cmdlist:
if type(l) == list:
print('\t' + str(l[0]))
else:
print('\t' + str(l))
def print_sll(items):
print('\n'.join((str(s) for s in items)))
def print_test_case(tcase):
""" Pretty-printing of a given test case. """
for k in tcase.keys():
if type(tcase[k]) == list:
print(k + ':')
print_list(tcase[k])
else:
print(k + ': ' + tcase[k])
def show_test_case_by_id(testlist, caseID):
""" Find the specified test case to pretty-print. """
if not any((d.get('id', None) == caseID for d in testlist)):
print('That ID does not exist.')
exit(1)
else:
print_test_case(next((d for d in testlist if d['id'] == caseID)))
|
def test_scout_tumor_normal(invoke_cli, tumor_normal_config):
# GIVEN a tumor-normal config file
# WHEN running analysis
result = invoke_cli([
'plugins', 'scout', '--sample-config', tumor_normal_config,
'--customer-id', 'cust000'
])
# THEN it should run without any error
print(result)
assert result.exit_code == 0
def test_scout_tumor_only(invoke_cli, tumor_only_config):
# GIVEN a tumor-only config file
# WHEN running analysis
result = invoke_cli([
'plugins', 'scout', '--sample-config', tumor_only_config,
'--customer-id', 'cust000'
])
# THEN it should run without any error
print(result)
assert result.exit_code == 0
|
def test_scout_tumor_normal(invoke_cli, tumor_normal_config):
result = invoke_cli(['plugins', 'scout', '--sample-config', tumor_normal_config, '--customer-id', 'cust000'])
print(result)
assert result.exit_code == 0
def test_scout_tumor_only(invoke_cli, tumor_only_config):
result = invoke_cli(['plugins', 'scout', '--sample-config', tumor_only_config, '--customer-id', 'cust000'])
print(result)
assert result.exit_code == 0
|
'''
# Copyright (C) 2020 by ZestIOT. All rights reserved. The
# information in this document is the property of ZestIOT. Except
# as specifically authorized in writing by ZestIOT, the receiver
# of this document shall keep the information contained herein
# confidential and shall protect the same in whole or in part from
# disclosure and dissemination to third parties. Disclosure and
# disseminations to the receiver's employees shall only be made on
# a strict need to know basis.
Input: Coordinates and Scores of Persons whose view is to be detected and number of persons in ROI.
Output: Coordinates, Scores and number of Persons who are viewing in required direction.
Requirements:
This function shall perform the following:
1)For each person it will identify does the person is looking in required direction by considering the below key points.
keypoints are nose,left eye,right eye,left ear,right ear,left shoulder
2)A new list of identified person coordinates and scores viewing in required direction is returned
'''
def view_detection(view_coords,view_scores,roi):
number_view = 0
motion_coords = []
motion_scores = []
for person in range(0,roi):
nose_score,left_eye_score, right_eye_score, nose_x, nose_y, left_eye_y,right_eye_x, right_eye_y, left_ear_score, right_ear_score = view_scores[person][0],view_scores[person][1],view_scores[person][2], view_coords[person][0][0], view_coords[person][0][1], view_coords[person][1][1],view_coords[person][2][0], view_coords[person][2][1], view_scores[person][3], view_scores[person][4]
left_shoulder_x, right_shoulder_x = view_coords[person][5][0], view_coords[person][6][0]
if (((nose_y < left_eye_y) and (nose_y > right_eye_y) and ((nose_x+45 > left_shoulder_x and nose_x+45 > right_shoulder_x) and (left_ear_score > 0.1 and right_ear_score > 0.1))) or ( left_ear_score < 0.1 and right_ear_score >= 0.3 and left_eye_score >= 0.1 and right_eye_score >= 0.3 and (nose_x+45 > left_shoulder_x and nose_x+45 > right_shoulder_x) and ((right_shoulder_x - right_eye_x) < 41))) :
motion_coords.append(view_coords[person])
motion_scores.append(view_scores[person])
number_view = number_view+1
return motion_coords,motion_scores,number_view
|
"""
# Copyright (C) 2020 by ZestIOT. All rights reserved. The
# information in this document is the property of ZestIOT. Except
# as specifically authorized in writing by ZestIOT, the receiver
# of this document shall keep the information contained herein
# confidential and shall protect the same in whole or in part from
# disclosure and dissemination to third parties. Disclosure and
# disseminations to the receiver's employees shall only be made on
# a strict need to know basis.
Input: Coordinates and Scores of Persons whose view is to be detected and number of persons in ROI.
Output: Coordinates, Scores and number of Persons who are viewing in required direction.
Requirements:
This function shall perform the following:
1)For each person it will identify does the person is looking in required direction by considering the below key points.
keypoints are nose,left eye,right eye,left ear,right ear,left shoulder
2)A new list of identified person coordinates and scores viewing in required direction is returned
"""
def view_detection(view_coords, view_scores, roi):
number_view = 0
motion_coords = []
motion_scores = []
for person in range(0, roi):
(nose_score, left_eye_score, right_eye_score, nose_x, nose_y, left_eye_y, right_eye_x, right_eye_y, left_ear_score, right_ear_score) = (view_scores[person][0], view_scores[person][1], view_scores[person][2], view_coords[person][0][0], view_coords[person][0][1], view_coords[person][1][1], view_coords[person][2][0], view_coords[person][2][1], view_scores[person][3], view_scores[person][4])
(left_shoulder_x, right_shoulder_x) = (view_coords[person][5][0], view_coords[person][6][0])
if nose_y < left_eye_y and nose_y > right_eye_y and ((nose_x + 45 > left_shoulder_x and nose_x + 45 > right_shoulder_x) and (left_ear_score > 0.1 and right_ear_score > 0.1)) or (left_ear_score < 0.1 and right_ear_score >= 0.3 and (left_eye_score >= 0.1) and (right_eye_score >= 0.3) and (nose_x + 45 > left_shoulder_x and nose_x + 45 > right_shoulder_x) and (right_shoulder_x - right_eye_x < 41)):
motion_coords.append(view_coords[person])
motion_scores.append(view_scores[person])
number_view = number_view + 1
return (motion_coords, motion_scores, number_view)
|
# funcs01.py
def test_para_02(l1: list ):
l1.append(42)
def test_para(a: int, b: int, c: int = 10 ):
print("*"*34, "test_para", "*"*35)
print("Parameter a: ", a)
print("Parameter b: ", b)
print("Parameter c: ", c)
print("*"*80, "\n")
x: int = 10
y = 12
z = 13
test_para(x, y, z)
print("x: ", x)
test_para(20, 30, 40)
test_para("A", "B", "C")
test_para(100, 200)
liste1 = [1,2,3]
test_para_02(liste1)
print(liste1)
|
def test_para_02(l1: list):
l1.append(42)
def test_para(a: int, b: int, c: int=10):
print('*' * 34, 'test_para', '*' * 35)
print('Parameter a: ', a)
print('Parameter b: ', b)
print('Parameter c: ', c)
print('*' * 80, '\n')
x: int = 10
y = 12
z = 13
test_para(x, y, z)
print('x: ', x)
test_para(20, 30, 40)
test_para('A', 'B', 'C')
test_para(100, 200)
liste1 = [1, 2, 3]
test_para_02(liste1)
print(liste1)
|
"""
Given a binary tree, return the inorder traversal of its nodes' values.
For example:
Given binary tree {1,#,2,3},
1
\
2
/
3
return [1,3,2].
Note: Recursive solution is trivial, could you do it iteratively?
confused what "{1,#,2,3}" means? > read more on how binary tree is serialized on OJ.
"""
__author__ = 'Danyang'
class TreeNode(object):
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution(object):
def inorderTraversal(self, root):
"""
Morris Traversal
"""
ret = []
cur = root
while cur:
if not cur.left:
ret.append(cur.val)
cur = cur.right
else:
pre = cur.left
while pre.right and pre.right != cur:
pre = pre.right
if not pre.right:
pre.right = cur
cur = cur.left
else:
pre.right = None
ret.append(cur.val)
cur = cur.right
return ret
def inorderTraversal_memory(self, root):
"""
:type root: TreeNode
:param root:
:return: a list of integers
"""
lst = []
self.inorderTraverse_itr(root, lst)
return lst
def inorderTraverse(self, root, lst):
"""
In order traverse
"""
if not root:
return
self.inorderTraverse(root.left, lst)
lst.append(root.val)
self.inorderTraverse(root.right, lst)
def inorderTraverse_itr(self, root, lst):
"""
iterative version
leftmost first in the lst
double loop
reference: http://fisherlei.blogspot.sg/2013/01/leetcode-binary-tree-inorder-traversal.html
:type root: TreeNode
:param root:
:param lst:
:return:
"""
if not root:
return
cur = root
stk = []
while stk or cur:
while cur:
stk.append(cur)
cur = cur.left
cur = stk.pop() # left_most
lst.append(cur.val)
cur = cur.right
# if cur.right: # should go to next iteration
# cur = cur.right
# stk.append(cur)
|
"""
Given a binary tree, return the inorder traversal of its nodes' values.
For example:
Given binary tree {1,#,2,3},
1
2
/
3
return [1,3,2].
Note: Recursive solution is trivial, could you do it iteratively?
confused what "{1,#,2,3}" means? > read more on how binary tree is serialized on OJ.
"""
__author__ = 'Danyang'
class Treenode(object):
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution(object):
def inorder_traversal(self, root):
"""
Morris Traversal
"""
ret = []
cur = root
while cur:
if not cur.left:
ret.append(cur.val)
cur = cur.right
else:
pre = cur.left
while pre.right and pre.right != cur:
pre = pre.right
if not pre.right:
pre.right = cur
cur = cur.left
else:
pre.right = None
ret.append(cur.val)
cur = cur.right
return ret
def inorder_traversal_memory(self, root):
"""
:type root: TreeNode
:param root:
:return: a list of integers
"""
lst = []
self.inorderTraverse_itr(root, lst)
return lst
def inorder_traverse(self, root, lst):
"""
In order traverse
"""
if not root:
return
self.inorderTraverse(root.left, lst)
lst.append(root.val)
self.inorderTraverse(root.right, lst)
def inorder_traverse_itr(self, root, lst):
"""
iterative version
leftmost first in the lst
double loop
reference: http://fisherlei.blogspot.sg/2013/01/leetcode-binary-tree-inorder-traversal.html
:type root: TreeNode
:param root:
:param lst:
:return:
"""
if not root:
return
cur = root
stk = []
while stk or cur:
while cur:
stk.append(cur)
cur = cur.left
cur = stk.pop()
lst.append(cur.val)
cur = cur.right
|
##
## This file is maintained by Ansible - CHANGES WILL BE OVERWRITTEN
##
USERS = (
'[email protected]',
'[email protected]',
'[email protected]'
)
NORM_USERS = [ u.lower() for u in USERS ]
def dynamic_normal_reserved( user_email ):
if user_email is not None and user_email.lower() in NORM_USERS:
return 'reserved'
return 'slurm_normal'
def dynamic_normal_reserved_16gb( user_email ):
if user_email is not None and user_email.lower() in NORM_USERS:
return 'reserved_16gb'
return 'slurm_normal_16gb'
def dynamic_normal_reserved_64gb( user_email ):
if user_email is not None and user_email.lower() in NORM_USERS:
return 'reserved_64gb'
return 'slurm_normal_64gb'
def dynamic_multi_reserved( user_email ):
if user_email is not None and user_email.lower() in NORM_USERS:
return 'reserved_multi'
return 'slurm_multi'
|
users = ('[email protected]', '[email protected]', '[email protected]')
norm_users = [u.lower() for u in USERS]
def dynamic_normal_reserved(user_email):
if user_email is not None and user_email.lower() in NORM_USERS:
return 'reserved'
return 'slurm_normal'
def dynamic_normal_reserved_16gb(user_email):
if user_email is not None and user_email.lower() in NORM_USERS:
return 'reserved_16gb'
return 'slurm_normal_16gb'
def dynamic_normal_reserved_64gb(user_email):
if user_email is not None and user_email.lower() in NORM_USERS:
return 'reserved_64gb'
return 'slurm_normal_64gb'
def dynamic_multi_reserved(user_email):
if user_email is not None and user_email.lower() in NORM_USERS:
return 'reserved_multi'
return 'slurm_multi'
|
# Game
GAME_NAME = 'Pong-v0'
# Preprocessing
STACK_SIZE = 4
FRAME_H = 84
FRAME_W = 84
# Model
STATE_SHAPE = [FRAME_H, FRAME_W, STACK_SIZE]
# Training
NUM_EPISODES = 2500
# Discount factor
GAMMA = 0.99
# RMSProp
LEARNING_RATE = 2.5e-4
# Save the model every 50 episodes
SAVE_EVERY = 50
SAVE_PATH = './checkpoints'
|
game_name = 'Pong-v0'
stack_size = 4
frame_h = 84
frame_w = 84
state_shape = [FRAME_H, FRAME_W, STACK_SIZE]
num_episodes = 2500
gamma = 0.99
learning_rate = 0.00025
save_every = 50
save_path = './checkpoints'
|
SECRET_KEY = 'dev'
SQLALCHEMY_DATABASE_URI = 'postgresql:///sopy'
SQLALCHEMY_TRACK_MODIFICATIONS = False
ALEMBIC_CONTEXT = {
'compare_type': True,
'compare_server_default': True,
'user_module_prefix': 'user',
}
# Set the following in <app.instance_path>/config.py
# On dev that's <project>/instance/config.py
# On prod that's <env>/var/sopy-instance/config.py
# SE_API_KEY = str
# SE_CONSUMER_KEY = int
# SE_CONSUMER_SECRET = str
# GOOGLE_ANALYTICS_KEY = str
|
secret_key = 'dev'
sqlalchemy_database_uri = 'postgresql:///sopy'
sqlalchemy_track_modifications = False
alembic_context = {'compare_type': True, 'compare_server_default': True, 'user_module_prefix': 'user'}
|
class Tagger(object):
tags = []
def __call__(self, tokens):
raise NotImplementedError
def check_tag(self, tag):
return tag in self.tags
class PassTagger(Tagger):
def __call__(self, tokens):
for token in tokens:
yield token
class TaggersComposition(Tagger):
def __init__(self, taggers):
self.taggers = taggers
def __call__(self, tokens):
for tagger in self.taggers:
tokens = tagger(tokens)
return tokens
def check_tag(self, tag):
return any(
_.check_tag(tag)
for _ in self.taggers
)
|
class Tagger(object):
tags = []
def __call__(self, tokens):
raise NotImplementedError
def check_tag(self, tag):
return tag in self.tags
class Passtagger(Tagger):
def __call__(self, tokens):
for token in tokens:
yield token
class Taggerscomposition(Tagger):
def __init__(self, taggers):
self.taggers = taggers
def __call__(self, tokens):
for tagger in self.taggers:
tokens = tagger(tokens)
return tokens
def check_tag(self, tag):
return any((_.check_tag(tag) for _ in self.taggers))
|
sys.stdout = open("3-letter.txt", "w")
data = "abcdefghijklmnopqrstuvwxyz"
data += data.upper()
for a in data:
for b in data:
for c in data:
print(a+b+c)
sys.stdout.close()
|
sys.stdout = open('3-letter.txt', 'w')
data = 'abcdefghijklmnopqrstuvwxyz'
data += data.upper()
for a in data:
for b in data:
for c in data:
print(a + b + c)
sys.stdout.close()
|
# date: 17/07/2020
# Description:
# Given a set of words,
# find all words that are concatenations of other words in the set.
class Solution(object):
def findAllConcatenatedWords(self, words):
seen = []
wrds = []
for i,a in enumerate(words):
for j,b in enumerate(words):
# don't check the same string
if i != j:
# check if the string is in the words list, and has not checked before
if a+b in words and a+b not in seen:
wrds.append(a+b)
seen.append(a+b)
return wrds
input = ['rat', 'cat', 'cats', 'dog', 'catsdog', 'dogcat', 'dogcatrat']
print(Solution().findAllConcatenatedWords(input))
# ['catsdog', 'dogcat', 'dogcatrat']
|
class Solution(object):
def find_all_concatenated_words(self, words):
seen = []
wrds = []
for (i, a) in enumerate(words):
for (j, b) in enumerate(words):
if i != j:
if a + b in words and a + b not in seen:
wrds.append(a + b)
seen.append(a + b)
return wrds
input = ['rat', 'cat', 'cats', 'dog', 'catsdog', 'dogcat', 'dogcatrat']
print(solution().findAllConcatenatedWords(input))
|
# iterators/iterator.py
class OddEven:
def __init__(self, data):
self._data = data
self.indexes = (list(range(0, len(data), 2)) +
list(range(1, len(data), 2)))
def __iter__(self):
return self
def __next__(self):
if self.indexes:
return self._data[self.indexes.pop(0)]
raise StopIteration
oddeven = OddEven('ThIsIsCoOl!')
print(''.join(c for c in oddeven)) # TIICO!hssol
oddeven = OddEven('CiAo') # or manually...
it = iter(oddeven) # this calls oddeven.__iter__ internally
print(next(it)) # C
print(next(it)) # A
print(next(it)) # i
print(next(it)) # o
# make sure it works correctly with edge cases
oddeven = OddEven('')
print(' '.join(c for c in oddeven))
oddeven = OddEven('A')
print(' '.join(c for c in oddeven))
oddeven = OddEven('Ab')
print(' '.join(c for c in oddeven))
oddeven = OddEven('AbC')
print(' '.join(c for c in oddeven))
"""
$ python iterators/iterator.py
TIICO!hssol
C
A
i
o
A
A b
A C b
"""
|
class Oddeven:
def __init__(self, data):
self._data = data
self.indexes = list(range(0, len(data), 2)) + list(range(1, len(data), 2))
def __iter__(self):
return self
def __next__(self):
if self.indexes:
return self._data[self.indexes.pop(0)]
raise StopIteration
oddeven = odd_even('ThIsIsCoOl!')
print(''.join((c for c in oddeven)))
oddeven = odd_even('CiAo')
it = iter(oddeven)
print(next(it))
print(next(it))
print(next(it))
print(next(it))
oddeven = odd_even('')
print(' '.join((c for c in oddeven)))
oddeven = odd_even('A')
print(' '.join((c for c in oddeven)))
oddeven = odd_even('Ab')
print(' '.join((c for c in oddeven)))
oddeven = odd_even('AbC')
print(' '.join((c for c in oddeven)))
'\n$ python iterators/iterator.py\nTIICO!hssol\nC\nA\ni\no\n\nA\nA b\nA C b\n'
|
# Copyright (c) Microsoft Corporation.
# Licensed under the MIT License.
# Scratch buffer slice with manual indexing
class BufferSlice:
def __init__(self, buf, name):
self.name = name
self.buf = buf
self.offset = -1 # Offset into the global scratch buffer
self.chunks = []
# Returns the global index into the scratch buffer
def get_global_index(self, index):
assert (self.offset > -1), 'set_offset needs to be called first'
return self.offset + index
def get_buffer(self):
return self.buf
def instance_size(self):
return len(self.chunks)
def set_offset(self, offset):
self.offset = offset
def __getitem__(self, index):
return self.chunks[index]
def __setitem__(self, index, value):
current_size = len(self.chunks)
while index > current_size:
self.chunks.append(None)
current_size = len(self.chunks)
if index == current_size:
self.chunks.append(value)
else:
self.chunks[index] = value
|
class Bufferslice:
def __init__(self, buf, name):
self.name = name
self.buf = buf
self.offset = -1
self.chunks = []
def get_global_index(self, index):
assert self.offset > -1, 'set_offset needs to be called first'
return self.offset + index
def get_buffer(self):
return self.buf
def instance_size(self):
return len(self.chunks)
def set_offset(self, offset):
self.offset = offset
def __getitem__(self, index):
return self.chunks[index]
def __setitem__(self, index, value):
current_size = len(self.chunks)
while index > current_size:
self.chunks.append(None)
current_size = len(self.chunks)
if index == current_size:
self.chunks.append(value)
else:
self.chunks[index] = value
|
# Generated by h2py from stdin
TCS_MULTILINE = 0x0200
CBRS_ALIGN_LEFT = 0x1000
CBRS_ALIGN_TOP = 0x2000
CBRS_ALIGN_RIGHT = 0x4000
CBRS_ALIGN_BOTTOM = 0x8000
CBRS_ALIGN_ANY = 0xF000
CBRS_BORDER_LEFT = 0x0100
CBRS_BORDER_TOP = 0x0200
CBRS_BORDER_RIGHT = 0x0400
CBRS_BORDER_BOTTOM = 0x0800
CBRS_BORDER_ANY = 0x0F00
CBRS_TOOLTIPS = 0x0010
CBRS_FLYBY = 0x0020
CBRS_FLOAT_MULTI = 0x0040
CBRS_BORDER_3D = 0x0080
CBRS_HIDE_INPLACE = 0x0008
CBRS_SIZE_DYNAMIC = 0x0004
CBRS_SIZE_FIXED = 0x0002
CBRS_FLOATING = 0x0001
CBRS_GRIPPER = 0x00400000
CBRS_ORIENT_HORZ = (CBRS_ALIGN_TOP|CBRS_ALIGN_BOTTOM)
CBRS_ORIENT_VERT = (CBRS_ALIGN_LEFT|CBRS_ALIGN_RIGHT)
CBRS_ORIENT_ANY = (CBRS_ORIENT_HORZ|CBRS_ORIENT_VERT)
CBRS_ALL = 0xFFFF
CBRS_NOALIGN = 0x00000000
CBRS_LEFT = (CBRS_ALIGN_LEFT|CBRS_BORDER_RIGHT)
CBRS_TOP = (CBRS_ALIGN_TOP|CBRS_BORDER_BOTTOM)
CBRS_RIGHT = (CBRS_ALIGN_RIGHT|CBRS_BORDER_LEFT)
CBRS_BOTTOM = (CBRS_ALIGN_BOTTOM|CBRS_BORDER_TOP)
SBPS_NORMAL = 0x0000
SBPS_NOBORDERS = 0x0100
SBPS_POPOUT = 0x0200
SBPS_OWNERDRAW = 0x1000
SBPS_DISABLED = 0x04000000
SBPS_STRETCH = 0x08000000
ID_INDICATOR_EXT = 0xE700
ID_INDICATOR_CAPS = 0xE701
ID_INDICATOR_NUM = 0xE702
ID_INDICATOR_SCRL = 0xE703
ID_INDICATOR_OVR = 0xE704
ID_INDICATOR_REC = 0xE705
ID_INDICATOR_KANA = 0xE706
ID_SEPARATOR = 0
AFX_IDW_CONTROLBAR_FIRST = 0xE800
AFX_IDW_CONTROLBAR_LAST = 0xE8FF
AFX_IDW_TOOLBAR = 0xE800
AFX_IDW_STATUS_BAR = 0xE801
AFX_IDW_PREVIEW_BAR = 0xE802
AFX_IDW_RESIZE_BAR = 0xE803
AFX_IDW_DOCKBAR_TOP = 0xE81B
AFX_IDW_DOCKBAR_LEFT = 0xE81C
AFX_IDW_DOCKBAR_RIGHT = 0xE81D
AFX_IDW_DOCKBAR_BOTTOM = 0xE81E
AFX_IDW_DOCKBAR_FLOAT = 0xE81F
def AFX_CONTROLBAR_MASK(nIDC): return (1 << (nIDC - AFX_IDW_CONTROLBAR_FIRST))
AFX_IDW_PANE_FIRST = 0xE900
AFX_IDW_PANE_LAST = 0xE9ff
AFX_IDW_HSCROLL_FIRST = 0xEA00
AFX_IDW_VSCROLL_FIRST = 0xEA10
AFX_IDW_SIZE_BOX = 0xEA20
AFX_IDW_PANE_SAVE = 0xEA21
AFX_IDS_APP_TITLE = 0xE000
AFX_IDS_IDLEMESSAGE = 0xE001
AFX_IDS_HELPMODEMESSAGE = 0xE002
AFX_IDS_APP_TITLE_EMBEDDING = 0xE003
AFX_IDS_COMPANY_NAME = 0xE004
AFX_IDS_OBJ_TITLE_INPLACE = 0xE005
ID_FILE_NEW = 0xE100
ID_FILE_OPEN = 0xE101
ID_FILE_CLOSE = 0xE102
ID_FILE_SAVE = 0xE103
ID_FILE_SAVE_AS = 0xE104
ID_FILE_PAGE_SETUP = 0xE105
ID_FILE_PRINT_SETUP = 0xE106
ID_FILE_PRINT = 0xE107
ID_FILE_PRINT_DIRECT = 0xE108
ID_FILE_PRINT_PREVIEW = 0xE109
ID_FILE_UPDATE = 0xE10A
ID_FILE_SAVE_COPY_AS = 0xE10B
ID_FILE_SEND_MAIL = 0xE10C
ID_FILE_MRU_FIRST = 0xE110
ID_FILE_MRU_FILE1 = 0xE110
ID_FILE_MRU_FILE2 = 0xE111
ID_FILE_MRU_FILE3 = 0xE112
ID_FILE_MRU_FILE4 = 0xE113
ID_FILE_MRU_FILE5 = 0xE114
ID_FILE_MRU_FILE6 = 0xE115
ID_FILE_MRU_FILE7 = 0xE116
ID_FILE_MRU_FILE8 = 0xE117
ID_FILE_MRU_FILE9 = 0xE118
ID_FILE_MRU_FILE10 = 0xE119
ID_FILE_MRU_FILE11 = 0xE11A
ID_FILE_MRU_FILE12 = 0xE11B
ID_FILE_MRU_FILE13 = 0xE11C
ID_FILE_MRU_FILE14 = 0xE11D
ID_FILE_MRU_FILE15 = 0xE11E
ID_FILE_MRU_FILE16 = 0xE11F
ID_FILE_MRU_LAST = 0xE11F
ID_EDIT_CLEAR = 0xE120
ID_EDIT_CLEAR_ALL = 0xE121
ID_EDIT_COPY = 0xE122
ID_EDIT_CUT = 0xE123
ID_EDIT_FIND = 0xE124
ID_EDIT_PASTE = 0xE125
ID_EDIT_PASTE_LINK = 0xE126
ID_EDIT_PASTE_SPECIAL = 0xE127
ID_EDIT_REPEAT = 0xE128
ID_EDIT_REPLACE = 0xE129
ID_EDIT_SELECT_ALL = 0xE12A
ID_EDIT_UNDO = 0xE12B
ID_EDIT_REDO = 0xE12C
ID_WINDOW_NEW = 0xE130
ID_WINDOW_ARRANGE = 0xE131
ID_WINDOW_CASCADE = 0xE132
ID_WINDOW_TILE_HORZ = 0xE133
ID_WINDOW_TILE_VERT = 0xE134
ID_WINDOW_SPLIT = 0xE135
AFX_IDM_WINDOW_FIRST = 0xE130
AFX_IDM_WINDOW_LAST = 0xE13F
AFX_IDM_FIRST_MDICHILD = 0xFF00
ID_APP_ABOUT = 0xE140
ID_APP_EXIT = 0xE141
ID_HELP_INDEX = 0xE142
ID_HELP_FINDER = 0xE143
ID_HELP_USING = 0xE144
ID_CONTEXT_HELP = 0xE145
ID_HELP = 0xE146
ID_DEFAULT_HELP = 0xE147
ID_NEXT_PANE = 0xE150
ID_PREV_PANE = 0xE151
ID_FORMAT_FONT = 0xE160
ID_OLE_INSERT_NEW = 0xE200
ID_OLE_EDIT_LINKS = 0xE201
ID_OLE_EDIT_CONVERT = 0xE202
ID_OLE_EDIT_CHANGE_ICON = 0xE203
ID_OLE_EDIT_PROPERTIES = 0xE204
ID_OLE_VERB_FIRST = 0xE210
ID_OLE_VERB_LAST = 0xE21F
AFX_ID_PREVIEW_CLOSE = 0xE300
AFX_ID_PREVIEW_NUMPAGE = 0xE301
AFX_ID_PREVIEW_NEXT = 0xE302
AFX_ID_PREVIEW_PREV = 0xE303
AFX_ID_PREVIEW_PRINT = 0xE304
AFX_ID_PREVIEW_ZOOMIN = 0xE305
AFX_ID_PREVIEW_ZOOMOUT = 0xE306
ID_VIEW_TOOLBAR = 0xE800
ID_VIEW_STATUS_BAR = 0xE801
ID_RECORD_FIRST = 0xE900
ID_RECORD_LAST = 0xE901
ID_RECORD_NEXT = 0xE902
ID_RECORD_PREV = 0xE903
IDC_STATIC = (-1)
AFX_IDS_SCFIRST = 0xEF00
AFX_IDS_SCSIZE = 0xEF00
AFX_IDS_SCMOVE = 0xEF01
AFX_IDS_SCMINIMIZE = 0xEF02
AFX_IDS_SCMAXIMIZE = 0xEF03
AFX_IDS_SCNEXTWINDOW = 0xEF04
AFX_IDS_SCPREVWINDOW = 0xEF05
AFX_IDS_SCCLOSE = 0xEF06
AFX_IDS_SCRESTORE = 0xEF12
AFX_IDS_SCTASKLIST = 0xEF13
AFX_IDS_MDICHILD = 0xEF1F
AFX_IDS_DESKACCESSORY = 0xEFDA
AFX_IDS_OPENFILE = 0xF000
AFX_IDS_SAVEFILE = 0xF001
AFX_IDS_ALLFILTER = 0xF002
AFX_IDS_UNTITLED = 0xF003
AFX_IDS_SAVEFILECOPY = 0xF004
AFX_IDS_PREVIEW_CLOSE = 0xF005
AFX_IDS_UNNAMED_FILE = 0xF006
AFX_IDS_ABOUT = 0xF010
AFX_IDS_HIDE = 0xF011
AFX_IDP_NO_ERROR_AVAILABLE = 0xF020
AFX_IDS_NOT_SUPPORTED_EXCEPTION = 0xF021
AFX_IDS_RESOURCE_EXCEPTION = 0xF022
AFX_IDS_MEMORY_EXCEPTION = 0xF023
AFX_IDS_USER_EXCEPTION = 0xF024
AFX_IDS_PRINTONPORT = 0xF040
AFX_IDS_ONEPAGE = 0xF041
AFX_IDS_TWOPAGE = 0xF042
AFX_IDS_PRINTPAGENUM = 0xF043
AFX_IDS_PREVIEWPAGEDESC = 0xF044
AFX_IDS_PRINTDEFAULTEXT = 0xF045
AFX_IDS_PRINTDEFAULT = 0xF046
AFX_IDS_PRINTFILTER = 0xF047
AFX_IDS_PRINTCAPTION = 0xF048
AFX_IDS_PRINTTOFILE = 0xF049
AFX_IDS_OBJECT_MENUITEM = 0xF080
AFX_IDS_EDIT_VERB = 0xF081
AFX_IDS_ACTIVATE_VERB = 0xF082
AFX_IDS_CHANGE_LINK = 0xF083
AFX_IDS_AUTO = 0xF084
AFX_IDS_MANUAL = 0xF085
AFX_IDS_FROZEN = 0xF086
AFX_IDS_ALL_FILES = 0xF087
AFX_IDS_SAVE_MENU = 0xF088
AFX_IDS_UPDATE_MENU = 0xF089
AFX_IDS_SAVE_AS_MENU = 0xF08A
AFX_IDS_SAVE_COPY_AS_MENU = 0xF08B
AFX_IDS_EXIT_MENU = 0xF08C
AFX_IDS_UPDATING_ITEMS = 0xF08D
AFX_IDS_METAFILE_FORMAT = 0xF08E
AFX_IDS_DIB_FORMAT = 0xF08F
AFX_IDS_BITMAP_FORMAT = 0xF090
AFX_IDS_LINKSOURCE_FORMAT = 0xF091
AFX_IDS_EMBED_FORMAT = 0xF092
AFX_IDS_PASTELINKEDTYPE = 0xF094
AFX_IDS_UNKNOWNTYPE = 0xF095
AFX_IDS_RTF_FORMAT = 0xF096
AFX_IDS_TEXT_FORMAT = 0xF097
AFX_IDS_INVALID_CURRENCY = 0xF098
AFX_IDS_INVALID_DATETIME = 0xF099
AFX_IDS_INVALID_DATETIMESPAN = 0xF09A
AFX_IDP_INVALID_FILENAME = 0xF100
AFX_IDP_FAILED_TO_OPEN_DOC = 0xF101
AFX_IDP_FAILED_TO_SAVE_DOC = 0xF102
AFX_IDP_ASK_TO_SAVE = 0xF103
AFX_IDP_FAILED_TO_CREATE_DOC = 0xF104
AFX_IDP_FILE_TOO_LARGE = 0xF105
AFX_IDP_FAILED_TO_START_PRINT = 0xF106
AFX_IDP_FAILED_TO_LAUNCH_HELP = 0xF107
AFX_IDP_INTERNAL_FAILURE = 0xF108
AFX_IDP_COMMAND_FAILURE = 0xF109
AFX_IDP_FAILED_MEMORY_ALLOC = 0xF10A
AFX_IDP_PARSE_INT = 0xF110
AFX_IDP_PARSE_REAL = 0xF111
AFX_IDP_PARSE_INT_RANGE = 0xF112
AFX_IDP_PARSE_REAL_RANGE = 0xF113
AFX_IDP_PARSE_STRING_SIZE = 0xF114
AFX_IDP_PARSE_RADIO_BUTTON = 0xF115
AFX_IDP_PARSE_BYTE = 0xF116
AFX_IDP_PARSE_UINT = 0xF117
AFX_IDP_PARSE_DATETIME = 0xF118
AFX_IDP_PARSE_CURRENCY = 0xF119
AFX_IDP_FAILED_INVALID_FORMAT = 0xF120
AFX_IDP_FAILED_INVALID_PATH = 0xF121
AFX_IDP_FAILED_DISK_FULL = 0xF122
AFX_IDP_FAILED_ACCESS_READ = 0xF123
AFX_IDP_FAILED_ACCESS_WRITE = 0xF124
AFX_IDP_FAILED_IO_ERROR_READ = 0xF125
AFX_IDP_FAILED_IO_ERROR_WRITE = 0xF126
AFX_IDP_STATIC_OBJECT = 0xF180
AFX_IDP_FAILED_TO_CONNECT = 0xF181
AFX_IDP_SERVER_BUSY = 0xF182
AFX_IDP_BAD_VERB = 0xF183
AFX_IDP_FAILED_TO_NOTIFY = 0xF185
AFX_IDP_FAILED_TO_LAUNCH = 0xF186
AFX_IDP_ASK_TO_UPDATE = 0xF187
AFX_IDP_FAILED_TO_UPDATE = 0xF188
AFX_IDP_FAILED_TO_REGISTER = 0xF189
AFX_IDP_FAILED_TO_AUTO_REGISTER = 0xF18A
AFX_IDP_FAILED_TO_CONVERT = 0xF18B
AFX_IDP_GET_NOT_SUPPORTED = 0xF18C
AFX_IDP_SET_NOT_SUPPORTED = 0xF18D
AFX_IDP_ASK_TO_DISCARD = 0xF18E
AFX_IDP_FAILED_TO_CREATE = 0xF18F
AFX_IDP_FAILED_MAPI_LOAD = 0xF190
AFX_IDP_INVALID_MAPI_DLL = 0xF191
AFX_IDP_FAILED_MAPI_SEND = 0xF192
AFX_IDP_FILE_NONE = 0xF1A0
AFX_IDP_FILE_GENERIC = 0xF1A1
AFX_IDP_FILE_NOT_FOUND = 0xF1A2
AFX_IDP_FILE_BAD_PATH = 0xF1A3
AFX_IDP_FILE_TOO_MANY_OPEN = 0xF1A4
AFX_IDP_FILE_ACCESS_DENIED = 0xF1A5
AFX_IDP_FILE_INVALID_FILE = 0xF1A6
AFX_IDP_FILE_REMOVE_CURRENT = 0xF1A7
AFX_IDP_FILE_DIR_FULL = 0xF1A8
AFX_IDP_FILE_BAD_SEEK = 0xF1A9
AFX_IDP_FILE_HARD_IO = 0xF1AA
AFX_IDP_FILE_SHARING = 0xF1AB
AFX_IDP_FILE_LOCKING = 0xF1AC
AFX_IDP_FILE_DISKFULL = 0xF1AD
AFX_IDP_FILE_EOF = 0xF1AE
AFX_IDP_ARCH_NONE = 0xF1B0
AFX_IDP_ARCH_GENERIC = 0xF1B1
AFX_IDP_ARCH_READONLY = 0xF1B2
AFX_IDP_ARCH_ENDOFFILE = 0xF1B3
AFX_IDP_ARCH_WRITEONLY = 0xF1B4
AFX_IDP_ARCH_BADINDEX = 0xF1B5
AFX_IDP_ARCH_BADCLASS = 0xF1B6
AFX_IDP_ARCH_BADSCHEMA = 0xF1B7
AFX_IDS_OCC_SCALEUNITS_PIXELS = 0xF1C0
AFX_IDS_STATUS_FONT = 0xF230
AFX_IDS_TOOLTIP_FONT = 0xF231
AFX_IDS_UNICODE_FONT = 0xF232
AFX_IDS_MINI_FONT = 0xF233
AFX_IDP_SQL_FIRST = 0xF280
AFX_IDP_SQL_CONNECT_FAIL = 0xF281
AFX_IDP_SQL_RECORDSET_FORWARD_ONLY = 0xF282
AFX_IDP_SQL_EMPTY_COLUMN_LIST = 0xF283
AFX_IDP_SQL_FIELD_SCHEMA_MISMATCH = 0xF284
AFX_IDP_SQL_ILLEGAL_MODE = 0xF285
AFX_IDP_SQL_MULTIPLE_ROWS_AFFECTED = 0xF286
AFX_IDP_SQL_NO_CURRENT_RECORD = 0xF287
AFX_IDP_SQL_NO_ROWS_AFFECTED = 0xF288
AFX_IDP_SQL_RECORDSET_READONLY = 0xF289
AFX_IDP_SQL_SQL_NO_TOTAL = 0xF28A
AFX_IDP_SQL_ODBC_LOAD_FAILED = 0xF28B
AFX_IDP_SQL_DYNASET_NOT_SUPPORTED = 0xF28C
AFX_IDP_SQL_SNAPSHOT_NOT_SUPPORTED = 0xF28D
AFX_IDP_SQL_API_CONFORMANCE = 0xF28E
AFX_IDP_SQL_SQL_CONFORMANCE = 0xF28F
AFX_IDP_SQL_NO_DATA_FOUND = 0xF290
AFX_IDP_SQL_ROW_UPDATE_NOT_SUPPORTED = 0xF291
AFX_IDP_SQL_ODBC_V2_REQUIRED = 0xF292
AFX_IDP_SQL_NO_POSITIONED_UPDATES = 0xF293
AFX_IDP_SQL_LOCK_MODE_NOT_SUPPORTED = 0xF294
AFX_IDP_SQL_DATA_TRUNCATED = 0xF295
AFX_IDP_SQL_ROW_FETCH = 0xF296
AFX_IDP_SQL_INCORRECT_ODBC = 0xF297
AFX_IDP_SQL_UPDATE_DELETE_FAILED = 0xF298
AFX_IDP_SQL_DYNAMIC_CURSOR_NOT_SUPPORTED = 0xF299
AFX_IDP_DAO_FIRST = 0xF2A0
AFX_IDP_DAO_ENGINE_INITIALIZATION = 0xF2A0
AFX_IDP_DAO_DFX_BIND = 0xF2A1
AFX_IDP_DAO_OBJECT_NOT_OPEN = 0xF2A2
AFX_IDP_DAO_ROWTOOSHORT = 0xF2A3
AFX_IDP_DAO_BADBINDINFO = 0xF2A4
AFX_IDP_DAO_COLUMNUNAVAILABLE = 0xF2A5
AFX_IDC_LISTBOX = 100
AFX_IDC_CHANGE = 101
AFX_IDC_PRINT_DOCNAME = 201
AFX_IDC_PRINT_PRINTERNAME = 202
AFX_IDC_PRINT_PORTNAME = 203
AFX_IDC_PRINT_PAGENUM = 204
ID_APPLY_NOW = 0x3021
ID_WIZBACK = 0x3023
ID_WIZNEXT = 0x3024
ID_WIZFINISH = 0x3025
AFX_IDC_TAB_CONTROL = 0x3020
AFX_IDD_FILEOPEN = 28676
AFX_IDD_FILESAVE = 28677
AFX_IDD_FONT = 28678
AFX_IDD_COLOR = 28679
AFX_IDD_PRINT = 28680
AFX_IDD_PRINTSETUP = 28681
AFX_IDD_FIND = 28682
AFX_IDD_REPLACE = 28683
AFX_IDD_NEWTYPEDLG = 30721
AFX_IDD_PRINTDLG = 30722
AFX_IDD_PREVIEW_TOOLBAR = 30723
AFX_IDD_PREVIEW_SHORTTOOLBAR = 30731
AFX_IDD_INSERTOBJECT = 30724
AFX_IDD_CHANGEICON = 30725
AFX_IDD_CONVERT = 30726
AFX_IDD_PASTESPECIAL = 30727
AFX_IDD_EDITLINKS = 30728
AFX_IDD_FILEBROWSE = 30729
AFX_IDD_BUSY = 30730
AFX_IDD_OBJECTPROPERTIES = 30732
AFX_IDD_CHANGESOURCE = 30733
AFX_IDC_CONTEXTHELP = 30977
AFX_IDC_MAGNIFY = 30978
AFX_IDC_SMALLARROWS = 30979
AFX_IDC_HSPLITBAR = 30980
AFX_IDC_VSPLITBAR = 30981
AFX_IDC_NODROPCRSR = 30982
AFX_IDC_TRACKNWSE = 30983
AFX_IDC_TRACKNESW = 30984
AFX_IDC_TRACKNS = 30985
AFX_IDC_TRACKWE = 30986
AFX_IDC_TRACK4WAY = 30987
AFX_IDC_MOVE4WAY = 30988
AFX_IDB_MINIFRAME_MENU = 30994
AFX_IDB_CHECKLISTBOX_NT = 30995
AFX_IDB_CHECKLISTBOX_95 = 30996
AFX_IDR_PREVIEW_ACCEL = 30997
AFX_IDI_STD_MDIFRAME = 31233
AFX_IDI_STD_FRAME = 31234
AFX_IDC_FONTPROP = 1000
AFX_IDC_FONTNAMES = 1001
AFX_IDC_FONTSTYLES = 1002
AFX_IDC_FONTSIZES = 1003
AFX_IDC_STRIKEOUT = 1004
AFX_IDC_UNDERLINE = 1005
AFX_IDC_SAMPLEBOX = 1006
AFX_IDC_COLOR_BLACK = 1100
AFX_IDC_COLOR_WHITE = 1101
AFX_IDC_COLOR_RED = 1102
AFX_IDC_COLOR_GREEN = 1103
AFX_IDC_COLOR_BLUE = 1104
AFX_IDC_COLOR_YELLOW = 1105
AFX_IDC_COLOR_MAGENTA = 1106
AFX_IDC_COLOR_CYAN = 1107
AFX_IDC_COLOR_GRAY = 1108
AFX_IDC_COLOR_LIGHTGRAY = 1109
AFX_IDC_COLOR_DARKRED = 1110
AFX_IDC_COLOR_DARKGREEN = 1111
AFX_IDC_COLOR_DARKBLUE = 1112
AFX_IDC_COLOR_LIGHTBROWN = 1113
AFX_IDC_COLOR_DARKMAGENTA = 1114
AFX_IDC_COLOR_DARKCYAN = 1115
AFX_IDC_COLORPROP = 1116
AFX_IDC_SYSTEMCOLORS = 1117
AFX_IDC_PROPNAME = 1201
AFX_IDC_PICTURE = 1202
AFX_IDC_BROWSE = 1203
AFX_IDC_CLEAR = 1204
AFX_IDD_PROPPAGE_COLOR = 32257
AFX_IDD_PROPPAGE_FONT = 32258
AFX_IDD_PROPPAGE_PICTURE = 32259
AFX_IDB_TRUETYPE = 32384
AFX_IDS_PROPPAGE_UNKNOWN = 0xFE01
AFX_IDS_COLOR_DESKTOP = 0xFE04
AFX_IDS_COLOR_APPWORKSPACE = 0xFE05
AFX_IDS_COLOR_WNDBACKGND = 0xFE06
AFX_IDS_COLOR_WNDTEXT = 0xFE07
AFX_IDS_COLOR_MENUBAR = 0xFE08
AFX_IDS_COLOR_MENUTEXT = 0xFE09
AFX_IDS_COLOR_ACTIVEBAR = 0xFE0A
AFX_IDS_COLOR_INACTIVEBAR = 0xFE0B
AFX_IDS_COLOR_ACTIVETEXT = 0xFE0C
AFX_IDS_COLOR_INACTIVETEXT = 0xFE0D
AFX_IDS_COLOR_ACTIVEBORDER = 0xFE0E
AFX_IDS_COLOR_INACTIVEBORDER = 0xFE0F
AFX_IDS_COLOR_WNDFRAME = 0xFE10
AFX_IDS_COLOR_SCROLLBARS = 0xFE11
AFX_IDS_COLOR_BTNFACE = 0xFE12
AFX_IDS_COLOR_BTNSHADOW = 0xFE13
AFX_IDS_COLOR_BTNTEXT = 0xFE14
AFX_IDS_COLOR_BTNHIGHLIGHT = 0xFE15
AFX_IDS_COLOR_DISABLEDTEXT = 0xFE16
AFX_IDS_COLOR_HIGHLIGHT = 0xFE17
AFX_IDS_COLOR_HIGHLIGHTTEXT = 0xFE18
AFX_IDS_REGULAR = 0xFE19
AFX_IDS_BOLD = 0xFE1A
AFX_IDS_ITALIC = 0xFE1B
AFX_IDS_BOLDITALIC = 0xFE1C
AFX_IDS_SAMPLETEXT = 0xFE1D
AFX_IDS_DISPLAYSTRING_FONT = 0xFE1E
AFX_IDS_DISPLAYSTRING_COLOR = 0xFE1F
AFX_IDS_DISPLAYSTRING_PICTURE = 0xFE20
AFX_IDS_PICTUREFILTER = 0xFE21
AFX_IDS_PICTYPE_UNKNOWN = 0xFE22
AFX_IDS_PICTYPE_NONE = 0xFE23
AFX_IDS_PICTYPE_BITMAP = 0xFE24
AFX_IDS_PICTYPE_METAFILE = 0xFE25
AFX_IDS_PICTYPE_ICON = 0xFE26
AFX_IDS_COLOR_PPG = 0xFE28
AFX_IDS_COLOR_PPG_CAPTION = 0xFE29
AFX_IDS_FONT_PPG = 0xFE2A
AFX_IDS_FONT_PPG_CAPTION = 0xFE2B
AFX_IDS_PICTURE_PPG = 0xFE2C
AFX_IDS_PICTURE_PPG_CAPTION = 0xFE2D
AFX_IDS_PICTUREBROWSETITLE = 0xFE30
AFX_IDS_BORDERSTYLE_0 = 0xFE31
AFX_IDS_BORDERSTYLE_1 = 0xFE32
AFX_IDS_VERB_EDIT = 0xFE40
AFX_IDS_VERB_PROPERTIES = 0xFE41
AFX_IDP_PICTURECANTOPEN = 0xFE83
AFX_IDP_PICTURECANTLOAD = 0xFE84
AFX_IDP_PICTURETOOLARGE = 0xFE85
AFX_IDP_PICTUREREADFAILED = 0xFE86
AFX_IDP_E_ILLEGALFUNCTIONCALL = 0xFEA0
AFX_IDP_E_OVERFLOW = 0xFEA1
AFX_IDP_E_OUTOFMEMORY = 0xFEA2
AFX_IDP_E_DIVISIONBYZERO = 0xFEA3
AFX_IDP_E_OUTOFSTRINGSPACE = 0xFEA4
AFX_IDP_E_OUTOFSTACKSPACE = 0xFEA5
AFX_IDP_E_BADFILENAMEORNUMBER = 0xFEA6
AFX_IDP_E_FILENOTFOUND = 0xFEA7
AFX_IDP_E_BADFILEMODE = 0xFEA8
AFX_IDP_E_FILEALREADYOPEN = 0xFEA9
AFX_IDP_E_DEVICEIOERROR = 0xFEAA
AFX_IDP_E_FILEALREADYEXISTS = 0xFEAB
AFX_IDP_E_BADRECORDLENGTH = 0xFEAC
AFX_IDP_E_DISKFULL = 0xFEAD
AFX_IDP_E_BADRECORDNUMBER = 0xFEAE
AFX_IDP_E_BADFILENAME = 0xFEAF
AFX_IDP_E_TOOMANYFILES = 0xFEB0
AFX_IDP_E_DEVICEUNAVAILABLE = 0xFEB1
AFX_IDP_E_PERMISSIONDENIED = 0xFEB2
AFX_IDP_E_DISKNOTREADY = 0xFEB3
AFX_IDP_E_PATHFILEACCESSERROR = 0xFEB4
AFX_IDP_E_PATHNOTFOUND = 0xFEB5
AFX_IDP_E_INVALIDPATTERNSTRING = 0xFEB6
AFX_IDP_E_INVALIDUSEOFNULL = 0xFEB7
AFX_IDP_E_INVALIDFILEFORMAT = 0xFEB8
AFX_IDP_E_INVALIDPROPERTYVALUE = 0xFEB9
AFX_IDP_E_INVALIDPROPERTYARRAYINDEX = 0xFEBA
AFX_IDP_E_SETNOTSUPPORTEDATRUNTIME = 0xFEBB
AFX_IDP_E_SETNOTSUPPORTED = 0xFEBC
AFX_IDP_E_NEEDPROPERTYARRAYINDEX = 0xFEBD
AFX_IDP_E_SETNOTPERMITTED = 0xFEBE
AFX_IDP_E_GETNOTSUPPORTEDATRUNTIME = 0xFEBF
AFX_IDP_E_GETNOTSUPPORTED = 0xFEC0
AFX_IDP_E_PROPERTYNOTFOUND = 0xFEC1
AFX_IDP_E_INVALIDCLIPBOARDFORMAT = 0xFEC2
AFX_IDP_E_INVALIDPICTURE = 0xFEC3
AFX_IDP_E_PRINTERERROR = 0xFEC4
AFX_IDP_E_CANTSAVEFILETOTEMP = 0xFEC5
AFX_IDP_E_SEARCHTEXTNOTFOUND = 0xFEC6
AFX_IDP_E_REPLACEMENTSTOOLONG = 0xFEC7
|
tcs_multiline = 512
cbrs_align_left = 4096
cbrs_align_top = 8192
cbrs_align_right = 16384
cbrs_align_bottom = 32768
cbrs_align_any = 61440
cbrs_border_left = 256
cbrs_border_top = 512
cbrs_border_right = 1024
cbrs_border_bottom = 2048
cbrs_border_any = 3840
cbrs_tooltips = 16
cbrs_flyby = 32
cbrs_float_multi = 64
cbrs_border_3_d = 128
cbrs_hide_inplace = 8
cbrs_size_dynamic = 4
cbrs_size_fixed = 2
cbrs_floating = 1
cbrs_gripper = 4194304
cbrs_orient_horz = CBRS_ALIGN_TOP | CBRS_ALIGN_BOTTOM
cbrs_orient_vert = CBRS_ALIGN_LEFT | CBRS_ALIGN_RIGHT
cbrs_orient_any = CBRS_ORIENT_HORZ | CBRS_ORIENT_VERT
cbrs_all = 65535
cbrs_noalign = 0
cbrs_left = CBRS_ALIGN_LEFT | CBRS_BORDER_RIGHT
cbrs_top = CBRS_ALIGN_TOP | CBRS_BORDER_BOTTOM
cbrs_right = CBRS_ALIGN_RIGHT | CBRS_BORDER_LEFT
cbrs_bottom = CBRS_ALIGN_BOTTOM | CBRS_BORDER_TOP
sbps_normal = 0
sbps_noborders = 256
sbps_popout = 512
sbps_ownerdraw = 4096
sbps_disabled = 67108864
sbps_stretch = 134217728
id_indicator_ext = 59136
id_indicator_caps = 59137
id_indicator_num = 59138
id_indicator_scrl = 59139
id_indicator_ovr = 59140
id_indicator_rec = 59141
id_indicator_kana = 59142
id_separator = 0
afx_idw_controlbar_first = 59392
afx_idw_controlbar_last = 59647
afx_idw_toolbar = 59392
afx_idw_status_bar = 59393
afx_idw_preview_bar = 59394
afx_idw_resize_bar = 59395
afx_idw_dockbar_top = 59419
afx_idw_dockbar_left = 59420
afx_idw_dockbar_right = 59421
afx_idw_dockbar_bottom = 59422
afx_idw_dockbar_float = 59423
def afx_controlbar_mask(nIDC):
return 1 << nIDC - AFX_IDW_CONTROLBAR_FIRST
afx_idw_pane_first = 59648
afx_idw_pane_last = 59903
afx_idw_hscroll_first = 59904
afx_idw_vscroll_first = 59920
afx_idw_size_box = 59936
afx_idw_pane_save = 59937
afx_ids_app_title = 57344
afx_ids_idlemessage = 57345
afx_ids_helpmodemessage = 57346
afx_ids_app_title_embedding = 57347
afx_ids_company_name = 57348
afx_ids_obj_title_inplace = 57349
id_file_new = 57600
id_file_open = 57601
id_file_close = 57602
id_file_save = 57603
id_file_save_as = 57604
id_file_page_setup = 57605
id_file_print_setup = 57606
id_file_print = 57607
id_file_print_direct = 57608
id_file_print_preview = 57609
id_file_update = 57610
id_file_save_copy_as = 57611
id_file_send_mail = 57612
id_file_mru_first = 57616
id_file_mru_file1 = 57616
id_file_mru_file2 = 57617
id_file_mru_file3 = 57618
id_file_mru_file4 = 57619
id_file_mru_file5 = 57620
id_file_mru_file6 = 57621
id_file_mru_file7 = 57622
id_file_mru_file8 = 57623
id_file_mru_file9 = 57624
id_file_mru_file10 = 57625
id_file_mru_file11 = 57626
id_file_mru_file12 = 57627
id_file_mru_file13 = 57628
id_file_mru_file14 = 57629
id_file_mru_file15 = 57630
id_file_mru_file16 = 57631
id_file_mru_last = 57631
id_edit_clear = 57632
id_edit_clear_all = 57633
id_edit_copy = 57634
id_edit_cut = 57635
id_edit_find = 57636
id_edit_paste = 57637
id_edit_paste_link = 57638
id_edit_paste_special = 57639
id_edit_repeat = 57640
id_edit_replace = 57641
id_edit_select_all = 57642
id_edit_undo = 57643
id_edit_redo = 57644
id_window_new = 57648
id_window_arrange = 57649
id_window_cascade = 57650
id_window_tile_horz = 57651
id_window_tile_vert = 57652
id_window_split = 57653
afx_idm_window_first = 57648
afx_idm_window_last = 57663
afx_idm_first_mdichild = 65280
id_app_about = 57664
id_app_exit = 57665
id_help_index = 57666
id_help_finder = 57667
id_help_using = 57668
id_context_help = 57669
id_help = 57670
id_default_help = 57671
id_next_pane = 57680
id_prev_pane = 57681
id_format_font = 57696
id_ole_insert_new = 57856
id_ole_edit_links = 57857
id_ole_edit_convert = 57858
id_ole_edit_change_icon = 57859
id_ole_edit_properties = 57860
id_ole_verb_first = 57872
id_ole_verb_last = 57887
afx_id_preview_close = 58112
afx_id_preview_numpage = 58113
afx_id_preview_next = 58114
afx_id_preview_prev = 58115
afx_id_preview_print = 58116
afx_id_preview_zoomin = 58117
afx_id_preview_zoomout = 58118
id_view_toolbar = 59392
id_view_status_bar = 59393
id_record_first = 59648
id_record_last = 59649
id_record_next = 59650
id_record_prev = 59651
idc_static = -1
afx_ids_scfirst = 61184
afx_ids_scsize = 61184
afx_ids_scmove = 61185
afx_ids_scminimize = 61186
afx_ids_scmaximize = 61187
afx_ids_scnextwindow = 61188
afx_ids_scprevwindow = 61189
afx_ids_scclose = 61190
afx_ids_screstore = 61202
afx_ids_sctasklist = 61203
afx_ids_mdichild = 61215
afx_ids_deskaccessory = 61402
afx_ids_openfile = 61440
afx_ids_savefile = 61441
afx_ids_allfilter = 61442
afx_ids_untitled = 61443
afx_ids_savefilecopy = 61444
afx_ids_preview_close = 61445
afx_ids_unnamed_file = 61446
afx_ids_about = 61456
afx_ids_hide = 61457
afx_idp_no_error_available = 61472
afx_ids_not_supported_exception = 61473
afx_ids_resource_exception = 61474
afx_ids_memory_exception = 61475
afx_ids_user_exception = 61476
afx_ids_printonport = 61504
afx_ids_onepage = 61505
afx_ids_twopage = 61506
afx_ids_printpagenum = 61507
afx_ids_previewpagedesc = 61508
afx_ids_printdefaultext = 61509
afx_ids_printdefault = 61510
afx_ids_printfilter = 61511
afx_ids_printcaption = 61512
afx_ids_printtofile = 61513
afx_ids_object_menuitem = 61568
afx_ids_edit_verb = 61569
afx_ids_activate_verb = 61570
afx_ids_change_link = 61571
afx_ids_auto = 61572
afx_ids_manual = 61573
afx_ids_frozen = 61574
afx_ids_all_files = 61575
afx_ids_save_menu = 61576
afx_ids_update_menu = 61577
afx_ids_save_as_menu = 61578
afx_ids_save_copy_as_menu = 61579
afx_ids_exit_menu = 61580
afx_ids_updating_items = 61581
afx_ids_metafile_format = 61582
afx_ids_dib_format = 61583
afx_ids_bitmap_format = 61584
afx_ids_linksource_format = 61585
afx_ids_embed_format = 61586
afx_ids_pastelinkedtype = 61588
afx_ids_unknowntype = 61589
afx_ids_rtf_format = 61590
afx_ids_text_format = 61591
afx_ids_invalid_currency = 61592
afx_ids_invalid_datetime = 61593
afx_ids_invalid_datetimespan = 61594
afx_idp_invalid_filename = 61696
afx_idp_failed_to_open_doc = 61697
afx_idp_failed_to_save_doc = 61698
afx_idp_ask_to_save = 61699
afx_idp_failed_to_create_doc = 61700
afx_idp_file_too_large = 61701
afx_idp_failed_to_start_print = 61702
afx_idp_failed_to_launch_help = 61703
afx_idp_internal_failure = 61704
afx_idp_command_failure = 61705
afx_idp_failed_memory_alloc = 61706
afx_idp_parse_int = 61712
afx_idp_parse_real = 61713
afx_idp_parse_int_range = 61714
afx_idp_parse_real_range = 61715
afx_idp_parse_string_size = 61716
afx_idp_parse_radio_button = 61717
afx_idp_parse_byte = 61718
afx_idp_parse_uint = 61719
afx_idp_parse_datetime = 61720
afx_idp_parse_currency = 61721
afx_idp_failed_invalid_format = 61728
afx_idp_failed_invalid_path = 61729
afx_idp_failed_disk_full = 61730
afx_idp_failed_access_read = 61731
afx_idp_failed_access_write = 61732
afx_idp_failed_io_error_read = 61733
afx_idp_failed_io_error_write = 61734
afx_idp_static_object = 61824
afx_idp_failed_to_connect = 61825
afx_idp_server_busy = 61826
afx_idp_bad_verb = 61827
afx_idp_failed_to_notify = 61829
afx_idp_failed_to_launch = 61830
afx_idp_ask_to_update = 61831
afx_idp_failed_to_update = 61832
afx_idp_failed_to_register = 61833
afx_idp_failed_to_auto_register = 61834
afx_idp_failed_to_convert = 61835
afx_idp_get_not_supported = 61836
afx_idp_set_not_supported = 61837
afx_idp_ask_to_discard = 61838
afx_idp_failed_to_create = 61839
afx_idp_failed_mapi_load = 61840
afx_idp_invalid_mapi_dll = 61841
afx_idp_failed_mapi_send = 61842
afx_idp_file_none = 61856
afx_idp_file_generic = 61857
afx_idp_file_not_found = 61858
afx_idp_file_bad_path = 61859
afx_idp_file_too_many_open = 61860
afx_idp_file_access_denied = 61861
afx_idp_file_invalid_file = 61862
afx_idp_file_remove_current = 61863
afx_idp_file_dir_full = 61864
afx_idp_file_bad_seek = 61865
afx_idp_file_hard_io = 61866
afx_idp_file_sharing = 61867
afx_idp_file_locking = 61868
afx_idp_file_diskfull = 61869
afx_idp_file_eof = 61870
afx_idp_arch_none = 61872
afx_idp_arch_generic = 61873
afx_idp_arch_readonly = 61874
afx_idp_arch_endoffile = 61875
afx_idp_arch_writeonly = 61876
afx_idp_arch_badindex = 61877
afx_idp_arch_badclass = 61878
afx_idp_arch_badschema = 61879
afx_ids_occ_scaleunits_pixels = 61888
afx_ids_status_font = 62000
afx_ids_tooltip_font = 62001
afx_ids_unicode_font = 62002
afx_ids_mini_font = 62003
afx_idp_sql_first = 62080
afx_idp_sql_connect_fail = 62081
afx_idp_sql_recordset_forward_only = 62082
afx_idp_sql_empty_column_list = 62083
afx_idp_sql_field_schema_mismatch = 62084
afx_idp_sql_illegal_mode = 62085
afx_idp_sql_multiple_rows_affected = 62086
afx_idp_sql_no_current_record = 62087
afx_idp_sql_no_rows_affected = 62088
afx_idp_sql_recordset_readonly = 62089
afx_idp_sql_sql_no_total = 62090
afx_idp_sql_odbc_load_failed = 62091
afx_idp_sql_dynaset_not_supported = 62092
afx_idp_sql_snapshot_not_supported = 62093
afx_idp_sql_api_conformance = 62094
afx_idp_sql_sql_conformance = 62095
afx_idp_sql_no_data_found = 62096
afx_idp_sql_row_update_not_supported = 62097
afx_idp_sql_odbc_v2_required = 62098
afx_idp_sql_no_positioned_updates = 62099
afx_idp_sql_lock_mode_not_supported = 62100
afx_idp_sql_data_truncated = 62101
afx_idp_sql_row_fetch = 62102
afx_idp_sql_incorrect_odbc = 62103
afx_idp_sql_update_delete_failed = 62104
afx_idp_sql_dynamic_cursor_not_supported = 62105
afx_idp_dao_first = 62112
afx_idp_dao_engine_initialization = 62112
afx_idp_dao_dfx_bind = 62113
afx_idp_dao_object_not_open = 62114
afx_idp_dao_rowtooshort = 62115
afx_idp_dao_badbindinfo = 62116
afx_idp_dao_columnunavailable = 62117
afx_idc_listbox = 100
afx_idc_change = 101
afx_idc_print_docname = 201
afx_idc_print_printername = 202
afx_idc_print_portname = 203
afx_idc_print_pagenum = 204
id_apply_now = 12321
id_wizback = 12323
id_wiznext = 12324
id_wizfinish = 12325
afx_idc_tab_control = 12320
afx_idd_fileopen = 28676
afx_idd_filesave = 28677
afx_idd_font = 28678
afx_idd_color = 28679
afx_idd_print = 28680
afx_idd_printsetup = 28681
afx_idd_find = 28682
afx_idd_replace = 28683
afx_idd_newtypedlg = 30721
afx_idd_printdlg = 30722
afx_idd_preview_toolbar = 30723
afx_idd_preview_shorttoolbar = 30731
afx_idd_insertobject = 30724
afx_idd_changeicon = 30725
afx_idd_convert = 30726
afx_idd_pastespecial = 30727
afx_idd_editlinks = 30728
afx_idd_filebrowse = 30729
afx_idd_busy = 30730
afx_idd_objectproperties = 30732
afx_idd_changesource = 30733
afx_idc_contexthelp = 30977
afx_idc_magnify = 30978
afx_idc_smallarrows = 30979
afx_idc_hsplitbar = 30980
afx_idc_vsplitbar = 30981
afx_idc_nodropcrsr = 30982
afx_idc_tracknwse = 30983
afx_idc_tracknesw = 30984
afx_idc_trackns = 30985
afx_idc_trackwe = 30986
afx_idc_track4_way = 30987
afx_idc_move4_way = 30988
afx_idb_miniframe_menu = 30994
afx_idb_checklistbox_nt = 30995
afx_idb_checklistbox_95 = 30996
afx_idr_preview_accel = 30997
afx_idi_std_mdiframe = 31233
afx_idi_std_frame = 31234
afx_idc_fontprop = 1000
afx_idc_fontnames = 1001
afx_idc_fontstyles = 1002
afx_idc_fontsizes = 1003
afx_idc_strikeout = 1004
afx_idc_underline = 1005
afx_idc_samplebox = 1006
afx_idc_color_black = 1100
afx_idc_color_white = 1101
afx_idc_color_red = 1102
afx_idc_color_green = 1103
afx_idc_color_blue = 1104
afx_idc_color_yellow = 1105
afx_idc_color_magenta = 1106
afx_idc_color_cyan = 1107
afx_idc_color_gray = 1108
afx_idc_color_lightgray = 1109
afx_idc_color_darkred = 1110
afx_idc_color_darkgreen = 1111
afx_idc_color_darkblue = 1112
afx_idc_color_lightbrown = 1113
afx_idc_color_darkmagenta = 1114
afx_idc_color_darkcyan = 1115
afx_idc_colorprop = 1116
afx_idc_systemcolors = 1117
afx_idc_propname = 1201
afx_idc_picture = 1202
afx_idc_browse = 1203
afx_idc_clear = 1204
afx_idd_proppage_color = 32257
afx_idd_proppage_font = 32258
afx_idd_proppage_picture = 32259
afx_idb_truetype = 32384
afx_ids_proppage_unknown = 65025
afx_ids_color_desktop = 65028
afx_ids_color_appworkspace = 65029
afx_ids_color_wndbackgnd = 65030
afx_ids_color_wndtext = 65031
afx_ids_color_menubar = 65032
afx_ids_color_menutext = 65033
afx_ids_color_activebar = 65034
afx_ids_color_inactivebar = 65035
afx_ids_color_activetext = 65036
afx_ids_color_inactivetext = 65037
afx_ids_color_activeborder = 65038
afx_ids_color_inactiveborder = 65039
afx_ids_color_wndframe = 65040
afx_ids_color_scrollbars = 65041
afx_ids_color_btnface = 65042
afx_ids_color_btnshadow = 65043
afx_ids_color_btntext = 65044
afx_ids_color_btnhighlight = 65045
afx_ids_color_disabledtext = 65046
afx_ids_color_highlight = 65047
afx_ids_color_highlighttext = 65048
afx_ids_regular = 65049
afx_ids_bold = 65050
afx_ids_italic = 65051
afx_ids_bolditalic = 65052
afx_ids_sampletext = 65053
afx_ids_displaystring_font = 65054
afx_ids_displaystring_color = 65055
afx_ids_displaystring_picture = 65056
afx_ids_picturefilter = 65057
afx_ids_pictype_unknown = 65058
afx_ids_pictype_none = 65059
afx_ids_pictype_bitmap = 65060
afx_ids_pictype_metafile = 65061
afx_ids_pictype_icon = 65062
afx_ids_color_ppg = 65064
afx_ids_color_ppg_caption = 65065
afx_ids_font_ppg = 65066
afx_ids_font_ppg_caption = 65067
afx_ids_picture_ppg = 65068
afx_ids_picture_ppg_caption = 65069
afx_ids_picturebrowsetitle = 65072
afx_ids_borderstyle_0 = 65073
afx_ids_borderstyle_1 = 65074
afx_ids_verb_edit = 65088
afx_ids_verb_properties = 65089
afx_idp_picturecantopen = 65155
afx_idp_picturecantload = 65156
afx_idp_picturetoolarge = 65157
afx_idp_picturereadfailed = 65158
afx_idp_e_illegalfunctioncall = 65184
afx_idp_e_overflow = 65185
afx_idp_e_outofmemory = 65186
afx_idp_e_divisionbyzero = 65187
afx_idp_e_outofstringspace = 65188
afx_idp_e_outofstackspace = 65189
afx_idp_e_badfilenameornumber = 65190
afx_idp_e_filenotfound = 65191
afx_idp_e_badfilemode = 65192
afx_idp_e_filealreadyopen = 65193
afx_idp_e_deviceioerror = 65194
afx_idp_e_filealreadyexists = 65195
afx_idp_e_badrecordlength = 65196
afx_idp_e_diskfull = 65197
afx_idp_e_badrecordnumber = 65198
afx_idp_e_badfilename = 65199
afx_idp_e_toomanyfiles = 65200
afx_idp_e_deviceunavailable = 65201
afx_idp_e_permissiondenied = 65202
afx_idp_e_disknotready = 65203
afx_idp_e_pathfileaccesserror = 65204
afx_idp_e_pathnotfound = 65205
afx_idp_e_invalidpatternstring = 65206
afx_idp_e_invaliduseofnull = 65207
afx_idp_e_invalidfileformat = 65208
afx_idp_e_invalidpropertyvalue = 65209
afx_idp_e_invalidpropertyarrayindex = 65210
afx_idp_e_setnotsupportedatruntime = 65211
afx_idp_e_setnotsupported = 65212
afx_idp_e_needpropertyarrayindex = 65213
afx_idp_e_setnotpermitted = 65214
afx_idp_e_getnotsupportedatruntime = 65215
afx_idp_e_getnotsupported = 65216
afx_idp_e_propertynotfound = 65217
afx_idp_e_invalidclipboardformat = 65218
afx_idp_e_invalidpicture = 65219
afx_idp_e_printererror = 65220
afx_idp_e_cantsavefiletotemp = 65221
afx_idp_e_searchtextnotfound = 65222
afx_idp_e_replacementstoolong = 65223
|
"""Remove Dups: Write code to remove duplicates from an unsorted linked list."""
def remove_dups(linked_list):
"""Remove duplicates from a linked list."""
prev_node = None
curr_node = linked_list.head
vals_seen = set()
while curr_node:
if curr_node.val in vals_seen:
prev_node.next = curr_node.next
curr_node = curr_node.next
else:
vals_seen.add(curr_node.val)
prev_node = curr_node
curr_node = curr_node.next
|
"""Remove Dups: Write code to remove duplicates from an unsorted linked list."""
def remove_dups(linked_list):
"""Remove duplicates from a linked list."""
prev_node = None
curr_node = linked_list.head
vals_seen = set()
while curr_node:
if curr_node.val in vals_seen:
prev_node.next = curr_node.next
curr_node = curr_node.next
else:
vals_seen.add(curr_node.val)
prev_node = curr_node
curr_node = curr_node.next
|
x = 1
if x == 1:
# indented four spaces
print("Hello World")
|
x = 1
if x == 1:
print('Hello World')
|
#!/usr/bin/python3
#~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
# With a given integral number n, write a program to generate a
# dictionary that contains (i, i*i) such that is an integral number
# between 1 and n (both included). and then the program should print the
# dictionary.
#
# Suppose the following input is supplied to the program:
#
# 8
#
# Then, the output should be:
#
# {1: 1, 2: 4, 3: 9, 4: 16, 5: 25, 6: 36, 7: 49, 8: 64}
#~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
n=10
dict = { i:i*i for i in range(1,n+1) }
print(dict)
|
n = 10
dict = {i: i * i for i in range(1, n + 1)}
print(dict)
|
n = [3, 5, 7]
def total(numbers):
result = 0
for i in range(len(numbers)):
result += numbers[i]
return result
print(total(n))
|
n = [3, 5, 7]
def total(numbers):
result = 0
for i in range(len(numbers)):
result += numbers[i]
return result
print(total(n))
|
with open("input.txt") as fp:
instructions = [(line.strip('\n')[0], int(line.strip('\n')[1:]))
for line in fp]
moves = {'E': 1, 'W': -1, 'N': 1, 'S': -1, 'R': 1, 'L': -1}
sides = 'ESWN'
current_direction = 'E'
current_coords = (0, 0)
current_waypoint_offset = (10, 1)
current_waypoint_coords = (
current_coords[0] + current_waypoint_offset[0], current_coords[1] + current_waypoint_offset[1])
for instruction in instructions:
if instruction[0] == 'F':
temp = instruction[1]
current_coords = (current_coords[0] + current_waypoint_offset[0]
* temp, current_coords[1] + current_waypoint_offset[1] * temp)
if instruction[0] in 'EW':
current_waypoint_offset = (
current_waypoint_offset[0] + instruction[1] * moves[instruction[0]], current_waypoint_offset[1])
elif instruction[0] in 'NS':
current_waypoint_offset = (
current_waypoint_offset[0], current_waypoint_offset[1] + instruction[1] * moves[instruction[0]])
if instruction[0] in 'RL':
rotations = [
current_waypoint_offset,
(current_waypoint_offset[1], - current_waypoint_offset[0]),
(- current_waypoint_offset[0], - current_waypoint_offset[1]),
(- current_waypoint_offset[1], current_waypoint_offset[0]),
]
rotation = int((instruction[1] / 90) % 4)
new_index = (sides.index(current_direction) +
rotation * moves[instruction[0]]) % 4
current_waypoint_offset = rotations[new_index]
current_waypoint_coords = (
current_coords[0] + current_waypoint_offset[0], current_coords[1] + current_waypoint_offset[1])
print(abs(current_coords[0]) + abs(current_coords[1]))
|
with open('input.txt') as fp:
instructions = [(line.strip('\n')[0], int(line.strip('\n')[1:])) for line in fp]
moves = {'E': 1, 'W': -1, 'N': 1, 'S': -1, 'R': 1, 'L': -1}
sides = 'ESWN'
current_direction = 'E'
current_coords = (0, 0)
current_waypoint_offset = (10, 1)
current_waypoint_coords = (current_coords[0] + current_waypoint_offset[0], current_coords[1] + current_waypoint_offset[1])
for instruction in instructions:
if instruction[0] == 'F':
temp = instruction[1]
current_coords = (current_coords[0] + current_waypoint_offset[0] * temp, current_coords[1] + current_waypoint_offset[1] * temp)
if instruction[0] in 'EW':
current_waypoint_offset = (current_waypoint_offset[0] + instruction[1] * moves[instruction[0]], current_waypoint_offset[1])
elif instruction[0] in 'NS':
current_waypoint_offset = (current_waypoint_offset[0], current_waypoint_offset[1] + instruction[1] * moves[instruction[0]])
if instruction[0] in 'RL':
rotations = [current_waypoint_offset, (current_waypoint_offset[1], -current_waypoint_offset[0]), (-current_waypoint_offset[0], -current_waypoint_offset[1]), (-current_waypoint_offset[1], current_waypoint_offset[0])]
rotation = int(instruction[1] / 90 % 4)
new_index = (sides.index(current_direction) + rotation * moves[instruction[0]]) % 4
current_waypoint_offset = rotations[new_index]
current_waypoint_coords = (current_coords[0] + current_waypoint_offset[0], current_coords[1] + current_waypoint_offset[1])
print(abs(current_coords[0]) + abs(current_coords[1]))
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""WDOM: Browser-based GUI library for python."""
|
"""WDOM: Browser-based GUI library for python."""
|
#!/usr/bin/python
command = (oiio_app("maketx") + " --filter lanczos3 "
+ parent + "/oiio-images/grid-overscan.exr"
+ " -o grid-overscan.exr ;\n")
command = command + testtex_command ("grid-overscan.exr", "--wrap black")
outputs = [ "out.exr" ]
|
command = oiio_app('maketx') + ' --filter lanczos3 ' + parent + '/oiio-images/grid-overscan.exr' + ' -o grid-overscan.exr ;\n'
command = command + testtex_command('grid-overscan.exr', '--wrap black')
outputs = ['out.exr']
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
Author:
"""
class Roboter:
pass
if __name__ == "__main__":
x = Roboter()
y = Roboter()
print(x)
print(y)
print(x == y)
|
"""
Author:
"""
class Roboter:
pass
if __name__ == '__main__':
x = roboter()
y = roboter()
print(x)
print(y)
print(x == y)
|
n = int(input())
horas = n // 3600
n %= 3600
minutos = n // 60
n %= 60
segundos = n
print(f'{horas}:{minutos}:{segundos}')
|
n = int(input())
horas = n // 3600
n %= 3600
minutos = n // 60
n %= 60
segundos = n
print(f'{horas}:{minutos}:{segundos}')
|
# optimizer
optimizer = dict(type='AdamW', lr=0.0001, weight_decay=0.0005)
optimizer_config = dict(grad_clip=dict(max_norm=1, norm_type=2))
# learning policy
lr_config = dict(
policy='step',
warmup='linear',
warmup_iters=1000,
warmup_ratio=0.001,
step=[60000, 72000],
by_epoch=False)
# runtime settings
runner = dict(type='IterBasedRunner', max_iters=80000)
checkpoint_config = dict(by_epoch=False, interval=8000)
evaluation = dict(interval=8000, metric='mIoU')
|
optimizer = dict(type='AdamW', lr=0.0001, weight_decay=0.0005)
optimizer_config = dict(grad_clip=dict(max_norm=1, norm_type=2))
lr_config = dict(policy='step', warmup='linear', warmup_iters=1000, warmup_ratio=0.001, step=[60000, 72000], by_epoch=False)
runner = dict(type='IterBasedRunner', max_iters=80000)
checkpoint_config = dict(by_epoch=False, interval=8000)
evaluation = dict(interval=8000, metric='mIoU')
|
#!/usr/bin/env python3
#global num_path
#num_path = 0
class Path:
num_path = 0
def __init__(self, start, end):
self.passed_by = False
self.start = start
self.end = end
def __str__(self):
return "{}-{} [{}]".format(self.start, self.end, "T" if self.passed_by else "F")
def __eq__(self, n):
return (self.start == n.start and self.end == n.end ) or (self.start == n.end and self.end == n.start)
class Node:
def __init__(self, x, y):
self.x = x
self.y = y
self.edges = list()
def add_path(self, n):
for edge in self.edges:
if edge.end == n:
print("edges ({}, {}) has already been added".format(n.x, n.y))
return False
self.edges.append(Path(self, n))
print("{} --- {}".format(self, n))
Path.num_path += 1
added = n.add_path(self)
print(added)
# for edge in n.edges:
# if edge.end == self:
# return
# n.edges.append(Path(n, self))
# Path.num_path += 1
return True
def add_path(self, n):
for edge in self.edges:
if edge.end == n:
return False
self.edges.append(Path(self, n))
# n.add_path(self)
return True
def get_path(self, n):
for edge in self.edges:
if edge.end == n:
return edge
return None
def __str__(self):
return "({}, {})".format(self.x, self.y)
def __eq__(self, other):
return (self.x == other.x) and (self.y == other.y)
class Map:
def __init__(self, N):
self.N = N
self.matrix = []
for i in range(0, N):
self.matrix.append([])
i = 0
while i < N:
j = 0
while j < N:
self.matrix[i].append(Node(i, j))
j += 1
i += 1
def process_data(self, adjacent_ls):
i = 0
while i < self.N:
j = 0
while j < self.N:
cur_node = self.matrix[i][j]
edge_ls = adjacent_ls[i][j]
for coord in edge_ls:
cur_node.add_path(self.matrix[coord[0]][coord[1]])
j += 1
i += 1
class Solution:
def __init__(self, N):
ls_adjacent = []
self.N = N
for i in range(0, N):
ls_adjacent.append(list())
self.solution = list()
self.map = Map(N)
self.num_path = 0
def dfs(self, pre_node: Node, cur_node: Node):
self.solution.append(cur_node)
# if len(self.solution) - 1 == Path.num_path:
# return True
if len(self.solution) - 1 == self.num_path:
return True
# print(", ".join(str(ele) for ele in cur_node.edges))
# print(cur_node.edges)
for path in cur_node.edges:
if not path.passed_by:
path.passed_by = True
# print(cur_node)
# print(path.end)
path.end.get_path(cur_node).passed_by = True
res = self.dfs(cur_node, path.end)
if res:
return True
else:
continue
deleted = self.solution.pop()
# print(deleted)
if pre_node:
cur_node.get_path(pre_node).passed_by = False
passed_path = pre_node.get_path(cur_node)
if passed_path:
passed_path.passedby = False
else:
print("Miss path")
return False
#ls = [
# [[(1, 0), (1, 1), (0, 1)], [(0, 0), (1, 1), (2, 1), (0,2)], [(0,1), (1,2), (2,2), (2,1)]],
# [[(0, 0), (1, 1), (2, 0)], [(0,0), (1,0), (2,0), (2, 2), (1, 2), (0, 1)], [(1,1), (0,2)]],
# [[(1,0), (1,1), (2,1), (2,2)], [(0,1), (0,2),(2,0), (2,2)], [(1,1), (2,0), (2,1), (0,2)]]
#]
#
#
#ls_2 = [
# [[(1,0)], [(1,1), (0,2)], [(0,1), (1,2)]],
# [[(0,0), (2,0)], [(0,1)], [(0,2), (2,2)]],
# [[(1,0), (2,1)], [(2,0), (2,2)], [(2,1), (1,2)]]
#]
ls_3 = [
[[(0,1), (1,1), (2,2), (2,0)], [(0,0), (1,1), (0, 2), (3,2)], [(1,1), (0,1)], [(0,4), (1,3), (1,2), (2,1)], [(1,4), (2,4), (3,3), (2,3), (2,0), (0,3)]],
[[], [(0,0), (0,1), (0,2), (1,3), (4,0), (2,0)], [(0,3), (1,3), (2,1), (2,0)], [(1,1), (0,3), (1,4), (3,4), (3,3), (2,2), (1,2)], [(0,4), (1,3)]],
[[(0,0), (1,1), (1,2), (0,4), (2,1), (4,2), (4,0)], [(1,2), (0,3), (2,2), (3,2), (3,1), (4,0), (3,0), (2,0)], [(1,3), (2,3), (3,3), (3,2), (2,1), (0, 0)], [(0,4), (2,4), (3,3), (2,2)], [(0,4), (3,4), (4,4), (4,2), (3,2), (2,3)]],
[[(2,1), (3,2), (4,3), (4,0)], [(2,1), (4,1)], [(2,2), (2,4), (3,3), (4,3), (4,0), (3,0), (2,1), (0,1)], [(2,3), (1,3), (0,4), (4,3), (3,2), (2,2)], [(2,4), (4,4), (4,3), (1,3)]],
[[(3,0), (2,0), (3,2), (4,2), (2,1), (1,1)], [(3,1), (4,2)], [(2,4), (4,3), (4,4), (4,1), (4,0), (2,0)], [(3,3), (3,4), (4,4), (4,2), (3,0), (3,2)], [(3,4), (2,4), (4,3), (4,2)]]
]
############################
data_set = ls_3
N = len(data_set)
numm = 0
for _ in data_set:
for i in _:
numm += len(i)
print("the number of elements:", numm)
sol = Solution(N)
sol.map.process_data(data_set)
Path.num_path //= 2
print("process data done!")
num_edges = 0
for i in sol.map.matrix:
for j in i:
if j:
num_edges += len(j.edges)
print("number of edges:", num_edges)
sol.num_path = num_edges//2
res = sol.dfs(None, sol.map.matrix[2][0])
print(res)
print(len(sol.solution))
print("->".join(str(ele) for ele in sol.solution))
print(Path.num_path)
|
class Path:
num_path = 0
def __init__(self, start, end):
self.passed_by = False
self.start = start
self.end = end
def __str__(self):
return '{}-{} [{}]'.format(self.start, self.end, 'T' if self.passed_by else 'F')
def __eq__(self, n):
return self.start == n.start and self.end == n.end or (self.start == n.end and self.end == n.start)
class Node:
def __init__(self, x, y):
self.x = x
self.y = y
self.edges = list()
def add_path(self, n):
for edge in self.edges:
if edge.end == n:
print('edges ({}, {}) has already been added'.format(n.x, n.y))
return False
self.edges.append(path(self, n))
print('{} --- {}'.format(self, n))
Path.num_path += 1
added = n.add_path(self)
print(added)
return True
def add_path(self, n):
for edge in self.edges:
if edge.end == n:
return False
self.edges.append(path(self, n))
return True
def get_path(self, n):
for edge in self.edges:
if edge.end == n:
return edge
return None
def __str__(self):
return '({}, {})'.format(self.x, self.y)
def __eq__(self, other):
return self.x == other.x and self.y == other.y
class Map:
def __init__(self, N):
self.N = N
self.matrix = []
for i in range(0, N):
self.matrix.append([])
i = 0
while i < N:
j = 0
while j < N:
self.matrix[i].append(node(i, j))
j += 1
i += 1
def process_data(self, adjacent_ls):
i = 0
while i < self.N:
j = 0
while j < self.N:
cur_node = self.matrix[i][j]
edge_ls = adjacent_ls[i][j]
for coord in edge_ls:
cur_node.add_path(self.matrix[coord[0]][coord[1]])
j += 1
i += 1
class Solution:
def __init__(self, N):
ls_adjacent = []
self.N = N
for i in range(0, N):
ls_adjacent.append(list())
self.solution = list()
self.map = map(N)
self.num_path = 0
def dfs(self, pre_node: Node, cur_node: Node):
self.solution.append(cur_node)
if len(self.solution) - 1 == self.num_path:
return True
for path in cur_node.edges:
if not path.passed_by:
path.passed_by = True
path.end.get_path(cur_node).passed_by = True
res = self.dfs(cur_node, path.end)
if res:
return True
else:
continue
deleted = self.solution.pop()
if pre_node:
cur_node.get_path(pre_node).passed_by = False
passed_path = pre_node.get_path(cur_node)
if passed_path:
passed_path.passedby = False
else:
print('Miss path')
return False
ls_3 = [[[(0, 1), (1, 1), (2, 2), (2, 0)], [(0, 0), (1, 1), (0, 2), (3, 2)], [(1, 1), (0, 1)], [(0, 4), (1, 3), (1, 2), (2, 1)], [(1, 4), (2, 4), (3, 3), (2, 3), (2, 0), (0, 3)]], [[], [(0, 0), (0, 1), (0, 2), (1, 3), (4, 0), (2, 0)], [(0, 3), (1, 3), (2, 1), (2, 0)], [(1, 1), (0, 3), (1, 4), (3, 4), (3, 3), (2, 2), (1, 2)], [(0, 4), (1, 3)]], [[(0, 0), (1, 1), (1, 2), (0, 4), (2, 1), (4, 2), (4, 0)], [(1, 2), (0, 3), (2, 2), (3, 2), (3, 1), (4, 0), (3, 0), (2, 0)], [(1, 3), (2, 3), (3, 3), (3, 2), (2, 1), (0, 0)], [(0, 4), (2, 4), (3, 3), (2, 2)], [(0, 4), (3, 4), (4, 4), (4, 2), (3, 2), (2, 3)]], [[(2, 1), (3, 2), (4, 3), (4, 0)], [(2, 1), (4, 1)], [(2, 2), (2, 4), (3, 3), (4, 3), (4, 0), (3, 0), (2, 1), (0, 1)], [(2, 3), (1, 3), (0, 4), (4, 3), (3, 2), (2, 2)], [(2, 4), (4, 4), (4, 3), (1, 3)]], [[(3, 0), (2, 0), (3, 2), (4, 2), (2, 1), (1, 1)], [(3, 1), (4, 2)], [(2, 4), (4, 3), (4, 4), (4, 1), (4, 0), (2, 0)], [(3, 3), (3, 4), (4, 4), (4, 2), (3, 0), (3, 2)], [(3, 4), (2, 4), (4, 3), (4, 2)]]]
data_set = ls_3
n = len(data_set)
numm = 0
for _ in data_set:
for i in _:
numm += len(i)
print('the number of elements:', numm)
sol = solution(N)
sol.map.process_data(data_set)
Path.num_path //= 2
print('process data done!')
num_edges = 0
for i in sol.map.matrix:
for j in i:
if j:
num_edges += len(j.edges)
print('number of edges:', num_edges)
sol.num_path = num_edges // 2
res = sol.dfs(None, sol.map.matrix[2][0])
print(res)
print(len(sol.solution))
print('->'.join((str(ele) for ele in sol.solution)))
print(Path.num_path)
|
#!/usr/bin/env python3
"""
Simple python file allowing one to add a row (or multiple rows) into the
sinkhole list in one fell swoop in combination with the add_rows.py file.
Simply populate this data structure and run add_rows.py at the terminal to
add rows to the sinkhole list.
"""
# Example. Only the bottom most "addition(s)" will be added in.
addition = [{
'Organization': 'OpenDNS',
'IP Range': '146.112.61.104-110',
'Whois': 'hit-{block,botnet,adult,malware,phish,block,malware}.opendns.com',
'Notes': 'https://support.opendns.com/hc/en-us/articles/227986927-What-are-the-Cisco-Umbrella-Block-Page-IP-Addresses-'
}]
addition = [{
# The Organization responsible / running the sinkholes specified in the IP
# Ranges section
'Organization': '',
# The IP ranges that are part of the sinkhole. Formats include CIDR
# notation, singular IP addresses, or a small range of IPs designated with
# a dash character (e.g. 192.168.0.1-10 to indicate all IPs starting at
# 192.168.0.1 and incrementing up to 192.168.0.10 are sinkhole IPs)
'IP Range': '',
# Fill this in with either the organization name or any DNS name for the IP
# ranges listed above.
'Whois': '',
# Generally, fill this in with any reference URLs, additional information
# regarding the IP range, etc.
'Notes': ''
}]
|
"""
Simple python file allowing one to add a row (or multiple rows) into the
sinkhole list in one fell swoop in combination with the add_rows.py file.
Simply populate this data structure and run add_rows.py at the terminal to
add rows to the sinkhole list.
"""
addition = [{'Organization': 'OpenDNS', 'IP Range': '146.112.61.104-110', 'Whois': 'hit-{block,botnet,adult,malware,phish,block,malware}.opendns.com', 'Notes': 'https://support.opendns.com/hc/en-us/articles/227986927-What-are-the-Cisco-Umbrella-Block-Page-IP-Addresses-'}]
addition = [{'Organization': '', 'IP Range': '', 'Whois': '', 'Notes': ''}]
|
execfile("Modified_data/data_record.dr")
trick.sim_services.exec_set_terminate_time(300.0)
|
execfile('Modified_data/data_record.dr')
trick.sim_services.exec_set_terminate_time(300.0)
|
class BaseConfig:
DEBUG = True
TESTING = False
SECRET_KEY = 'melhor isso aqui depois =D'
class Producao(BaseConfig):
SECRET_KEY = 'aqui deve ser melhorado ainda mais - de um arquivo de fora.'
DEBUG = False
class Desenvolvimento(BaseConfig):
TESTING = True
|
class Baseconfig:
debug = True
testing = False
secret_key = 'melhor isso aqui depois =D'
class Producao(BaseConfig):
secret_key = 'aqui deve ser melhorado ainda mais - de um arquivo de fora.'
debug = False
class Desenvolvimento(BaseConfig):
testing = True
|
def regular_intervals(points, interval):
cum_distance = 0.0
first = True
for p in points:
if first:
yield p
first = False
else:
cum_distance += p['distance']
last_p = p
if cum_distance >= interval:
yield p
cum_distance = 0.0
yield last_p
|
def regular_intervals(points, interval):
cum_distance = 0.0
first = True
for p in points:
if first:
yield p
first = False
else:
cum_distance += p['distance']
last_p = p
if cum_distance >= interval:
yield p
cum_distance = 0.0
yield last_p
|
# Base of the number - count of digits used un that number system
# Smallest entity of data in computing is a bit - either 0 or 1
# bit = BInary digiT
# Bit to the extreme left is the MSB (Most Significant Bit)
# Bit to the extreme right is the LSB (Least Significant Bit)
class ConvertToBinary:
def __init__(self, i):
self.i = i
def dec2bin(self):
# Check if number is float or not
if isinstance(self.i, int):
return self.int2bin()
elif isinstance(self.i, float):
return self.float2bin()
else:
raise ValueError("Given value is neither integer nor float")
def int2bin(self):
result = []
j = int(str(self.i).split(".")[0])
while (j != 0):
_t = j % 2
result.append(_t)
j = j // 2
result.reverse()
result = [str(i) for i in result]
return "".join(result)
def float2bin(self):
# Convert the integer part to binary
int_result = self.int2bin()
# Extract the float part
float_part = "0.{0}".format(str(self.i).split(".")[1])
result = []
count = 0
while True:
count = count + 1
if count > 24:
break
float_part = float(float_part) * 2
if self.check_if_1(str(float_part)):
result.append(self.first_bit(str(float_part)))
break
result.append(self.first_bit(str(float_part)))
float_part = "0.{0}".format(str(float_part).split(".")[1])
result = "".join([str(i) for i in result])
return "{0}.{1}".format(int_result, result)
def check_if_1(self, i):
return i == "1.0"
def first_bit(self, float_part):
return float_part.split(".")[0]
if __name__ == "__main__":
number = input("Integer or float to convert to binary:")
try:
if ("." in number):
number = float(number)
else:
number = int(number)
except Exception as e:
print("Invalid input")
exit(0)
a = ConvertToBinary(number)
print(a.dec2bin())
|
class Converttobinary:
def __init__(self, i):
self.i = i
def dec2bin(self):
if isinstance(self.i, int):
return self.int2bin()
elif isinstance(self.i, float):
return self.float2bin()
else:
raise value_error('Given value is neither integer nor float')
def int2bin(self):
result = []
j = int(str(self.i).split('.')[0])
while j != 0:
_t = j % 2
result.append(_t)
j = j // 2
result.reverse()
result = [str(i) for i in result]
return ''.join(result)
def float2bin(self):
int_result = self.int2bin()
float_part = '0.{0}'.format(str(self.i).split('.')[1])
result = []
count = 0
while True:
count = count + 1
if count > 24:
break
float_part = float(float_part) * 2
if self.check_if_1(str(float_part)):
result.append(self.first_bit(str(float_part)))
break
result.append(self.first_bit(str(float_part)))
float_part = '0.{0}'.format(str(float_part).split('.')[1])
result = ''.join([str(i) for i in result])
return '{0}.{1}'.format(int_result, result)
def check_if_1(self, i):
return i == '1.0'
def first_bit(self, float_part):
return float_part.split('.')[0]
if __name__ == '__main__':
number = input('Integer or float to convert to binary:')
try:
if '.' in number:
number = float(number)
else:
number = int(number)
except Exception as e:
print('Invalid input')
exit(0)
a = convert_to_binary(number)
print(a.dec2bin())
|
"""**nte**
A CLI scratch pad for notes, commands, lists, etc
"""
__version__ = "0.0.7"
|
"""**nte**
A CLI scratch pad for notes, commands, lists, etc
"""
__version__ = '0.0.7'
|
with open('2017/day_02/list.txt', encoding="utf-8") as f:
lines = f.readlines()
v = 0
for i in lines:
t = i.split('\t')
t[len(t)-1] = t[len(t)-1].split('\n')[0]
t.sort(key=int)
v += int(t[len(t)-1]) - int(t[0])
print(v)
|
with open('2017/day_02/list.txt', encoding='utf-8') as f:
lines = f.readlines()
v = 0
for i in lines:
t = i.split('\t')
t[len(t) - 1] = t[len(t) - 1].split('\n')[0]
t.sort(key=int)
v += int(t[len(t) - 1]) - int(t[0])
print(v)
|
class Nodo():
def __init__(self, val, izq=None, der=None):
self.valor = val
self.izq = izq
self.der = der
|
class Nodo:
def __init__(self, val, izq=None, der=None):
self.valor = val
self.izq = izq
self.der = der
|
x = int(input('Digite um valor:'))
print('{} x {} = {}'.format(x, 1, (x *1)))
print('{} x {} = {}'.format(x, 2, (x*2)))
print('{} x {} = {} '.format(x, 3,(x*3)))
print('{} x {} = {}'.format(x, 4, (x*4)))
print('{} x {} = {}'.format(x, 5, (x*5)))
print('{} x {} = {}'.format(x, 6, (x*6)))
print('{} x {} = {} '.format(x, 7,(x*7)))
print('{} x {} = {}'.format(x, 8,(x*8)))
print('{} x {} = {}'.format(x,9,(x*9)))
print('{} x {} = {}'.format(x,10,(x*10)))
|
x = int(input('Digite um valor:'))
print('{} x {} = {}'.format(x, 1, x * 1))
print('{} x {} = {}'.format(x, 2, x * 2))
print('{} x {} = {} '.format(x, 3, x * 3))
print('{} x {} = {}'.format(x, 4, x * 4))
print('{} x {} = {}'.format(x, 5, x * 5))
print('{} x {} = {}'.format(x, 6, x * 6))
print('{} x {} = {} '.format(x, 7, x * 7))
print('{} x {} = {}'.format(x, 8, x * 8))
print('{} x {} = {}'.format(x, 9, x * 9))
print('{} x {} = {}'.format(x, 10, x * 10))
|
li = [1, 1] #_ [int,int,]
it = iter(li) #_ listiterator
tu = (1, 1) #_ (int,int,)
it = iter(tu) #_ tupleiterator
ra = range(2) #_ [int,int,]
it = iter(ra) #_ listiterator
|
li = [1, 1]
it = iter(li)
tu = (1, 1)
it = iter(tu)
ra = range(2)
it = iter(ra)
|
# -*- encoding: utf-8 -*-
# @Time : 11/24/18 3:00 PM
# @File : settings.py
TEXTS_SIZE = 400
TEXT_NOISE_SIZE = 410
EMBEDDING_SIZE = 300
PREFIX = "/gated_fusion_network"
IMAGES_SIZE = 4
IMAGE_NOISE_SIZE = 50
LEAVES_SIZE = 300
LEAF_NOISE_SIZE = 350
EMBEDDING_MATRIX_FN = PREFIX + "/word2vec_embedding_matrix.pkl"
GFN_INIT_PARAMETERS = {
"texts_size": TEXTS_SIZE,
"embedding_size": EMBEDDING_SIZE,
"vocab_size": 60230,
"n_filter": 250,
"kernel_size": 3,
"hidden_size": 250,
"images_size": IMAGES_SIZE,
"leaves_size": LEAVES_SIZE,
"is_gate": True,
"is_fusion": True,
}
GFN_TRAIN_PARAMETERS = {
"epochs": 20,
"batch_size": 32,
}
N_GEN_SAMPLES = 15700
MULTI_GENERATOR_FOR_TEXT = PREFIX + "/multimodal_gan/generator_for_text.h5"
MULTI_GENERATOR_FOR_IMAGE = PREFIX + "/multimodal_gan/generator_for_image.h5"
MULTI_GENERATOR_FOR_LEAF = PREFIX + "/multimodal_gan/generator_for_leaf.h5"
MULTI_DISCRIMINATOR = PREFIX + "/multimodal_gan/discriminator.h5"
MULTIMODAL_GAN_LOSS = PREFIX + "/multimodal_gan/losses.pkl"
UNI_GENERATOR_FOR_TEXT = PREFIX + "/unimodal_gan/generator_for_text.h5"
UNI_GENERATOR_FOR_IMAGE = PREFIX + "/unimodal_gan/generator_for_image.h5"
UNI_GENERATOR_FOR_LEAF = PREFIX + "/unimodal_gan/generator_for_leaf.h5"
UNI_DISCRIMINATOR_FOR_TEXT = PREFIX + "/unimodal_gan/discriminator_for_text.h5"
UNI_DISCRIMINATOR_FOR_IMAGE = PREFIX + "/unimodal_gan/discriminator_for_image.h5"
UNI_DISCRIMINATOR_FOR_LEAF = PREFIX + "/unimodal_gan/discriminator_for_leaf.h5"
UNIMODAL_GAN_LOSS_FOR_IMAGE = PREFIX + "/unimodal_gan/losses_for_image.pkl"
UNIMODAL_GAN_LOSS_FOR_LEAF = PREFIX + "/unimodal_gan/losses_for_leaf.pkl"
UNIMODAL_GAN_LOSS_FOR_TEXT = PREFIX + "/unimodal_gan/losses_for_text.pkl"
# pos_train, neg_train, pos_test, neg_test
TEXTS = PREFIX + "/imbalanced_data/texts.pkl"
IMAGES = PREFIX + "/imbalanced_data/images.pkl"
LEAVES = PREFIX + "/imbalanced_data/leaves.pkl"
TARGET = PREFIX + "/imbalanced_data/target.pkl"
IMBALANCED_TFIDF_MATRIX = PREFIX + "/imbalanced_data/tfidf_matrix.pkl"
# pos_train, neg_train, pos_test, neg_test
AUGMENTED_TEXTS_BY_MULTIMODAL_GAN = PREFIX + "/augmented_data_by_multimodal_gan/texts.pkl"
AUGMENTED_IMAGES_BY_MULTIMODAL_GAN = PREFIX + "/augmented_data_by_multimodal_gan/images.pkl"
AUGMENTED_LEAVES_BY_MULTIMODAL_GAN = PREFIX + "/augmented_data_by_multimodal_gan/leaves.pkl"
AUGMENTED_TARGET_BY_MULTIMODAL_GAN = PREFIX + "/augmented_data_by_multimodal_gan/target.pkl"
AUGMENTED_TEXTS_BY_UNIMODAL_GAN = PREFIX + "/augmented_data_by_unimodal_gan/texts.pkl"
AUGMENTED_IMAGES_BY_UNIMODAL_GAN = PREFIX + "/augmented_data_by_unimodal_gan/images.pkl"
AUGMENTED_LEAVES_BY_UNIMODAL_GAN = PREFIX + "/augmented_data_by_unimodal_gan/leaves.pkl"
AUGMENTED_TARGET_BY_UNIMODAL_GAN = PREFIX + "/augmented_data_by_unimodal_gan/target.pkl"
GFN_MODEL_DIR = PREFIX + "/gfn/"
OTHER_MODEL_DIR = PREFIX + "/others/"
|
texts_size = 400
text_noise_size = 410
embedding_size = 300
prefix = '/gated_fusion_network'
images_size = 4
image_noise_size = 50
leaves_size = 300
leaf_noise_size = 350
embedding_matrix_fn = PREFIX + '/word2vec_embedding_matrix.pkl'
gfn_init_parameters = {'texts_size': TEXTS_SIZE, 'embedding_size': EMBEDDING_SIZE, 'vocab_size': 60230, 'n_filter': 250, 'kernel_size': 3, 'hidden_size': 250, 'images_size': IMAGES_SIZE, 'leaves_size': LEAVES_SIZE, 'is_gate': True, 'is_fusion': True}
gfn_train_parameters = {'epochs': 20, 'batch_size': 32}
n_gen_samples = 15700
multi_generator_for_text = PREFIX + '/multimodal_gan/generator_for_text.h5'
multi_generator_for_image = PREFIX + '/multimodal_gan/generator_for_image.h5'
multi_generator_for_leaf = PREFIX + '/multimodal_gan/generator_for_leaf.h5'
multi_discriminator = PREFIX + '/multimodal_gan/discriminator.h5'
multimodal_gan_loss = PREFIX + '/multimodal_gan/losses.pkl'
uni_generator_for_text = PREFIX + '/unimodal_gan/generator_for_text.h5'
uni_generator_for_image = PREFIX + '/unimodal_gan/generator_for_image.h5'
uni_generator_for_leaf = PREFIX + '/unimodal_gan/generator_for_leaf.h5'
uni_discriminator_for_text = PREFIX + '/unimodal_gan/discriminator_for_text.h5'
uni_discriminator_for_image = PREFIX + '/unimodal_gan/discriminator_for_image.h5'
uni_discriminator_for_leaf = PREFIX + '/unimodal_gan/discriminator_for_leaf.h5'
unimodal_gan_loss_for_image = PREFIX + '/unimodal_gan/losses_for_image.pkl'
unimodal_gan_loss_for_leaf = PREFIX + '/unimodal_gan/losses_for_leaf.pkl'
unimodal_gan_loss_for_text = PREFIX + '/unimodal_gan/losses_for_text.pkl'
texts = PREFIX + '/imbalanced_data/texts.pkl'
images = PREFIX + '/imbalanced_data/images.pkl'
leaves = PREFIX + '/imbalanced_data/leaves.pkl'
target = PREFIX + '/imbalanced_data/target.pkl'
imbalanced_tfidf_matrix = PREFIX + '/imbalanced_data/tfidf_matrix.pkl'
augmented_texts_by_multimodal_gan = PREFIX + '/augmented_data_by_multimodal_gan/texts.pkl'
augmented_images_by_multimodal_gan = PREFIX + '/augmented_data_by_multimodal_gan/images.pkl'
augmented_leaves_by_multimodal_gan = PREFIX + '/augmented_data_by_multimodal_gan/leaves.pkl'
augmented_target_by_multimodal_gan = PREFIX + '/augmented_data_by_multimodal_gan/target.pkl'
augmented_texts_by_unimodal_gan = PREFIX + '/augmented_data_by_unimodal_gan/texts.pkl'
augmented_images_by_unimodal_gan = PREFIX + '/augmented_data_by_unimodal_gan/images.pkl'
augmented_leaves_by_unimodal_gan = PREFIX + '/augmented_data_by_unimodal_gan/leaves.pkl'
augmented_target_by_unimodal_gan = PREFIX + '/augmented_data_by_unimodal_gan/target.pkl'
gfn_model_dir = PREFIX + '/gfn/'
other_model_dir = PREFIX + '/others/'
|
class Solution(object):
def numSquares(self, n):
"""
:type n: int
:rtype: int
"""
squares = []
j = 1
while j * j <= n:
squares.append(j * j)
j += 1
level = 0
queue = [n]
visited = [False] * (n + 1)
while queue:
level += 1
temp = []
for q in queue:
for factor in squares:
if q - factor == 0:
return level
if q - factor < 0:
break
if visited[q - factor]:
continue
temp.append(q - factor)
visited[q - factor] = True
queue = temp
return level
|
class Solution(object):
def num_squares(self, n):
"""
:type n: int
:rtype: int
"""
squares = []
j = 1
while j * j <= n:
squares.append(j * j)
j += 1
level = 0
queue = [n]
visited = [False] * (n + 1)
while queue:
level += 1
temp = []
for q in queue:
for factor in squares:
if q - factor == 0:
return level
if q - factor < 0:
break
if visited[q - factor]:
continue
temp.append(q - factor)
visited[q - factor] = True
queue = temp
return level
|
"""
@author: David Lei
@since: 21/08/2016
@modified:
Not a comparison sort, so comparison O(n log n) lower bound doesn't apply
Visualization: https://www.cs.usfca.edu/~galles/visualization/CountingSort.html
How it works: Integer sorting algorithm - it counts the number of objects
Applies when elements to be sorted come from a finite set i.e. integers 0 to k
create an array of buckets to count how many times each element has appeared --> then place back in right order
example: arr = [7, 1, 5, 2, 2]
1. create array of buckets (size of max value +1) or of size k+1 where k is the max value in our set to sort
buckets = [[], [], [], [], [], [], [], []] # k + 1 buckets, k = 7
2. count each element, look at the element in the input arr and put it in corresponding bucket
buckets = [[0], [1], [1,1], [0], [0], [1], [0], [1]] # visual rep
buckets = [ 0, 1, 2, 0, 0, 1, 0, 1] # actual rep
index: 0 1 2 3 4 5 6 7
means that we have zero 0's, two 2's, one 7 etc
3. add up number of elements in the bucket array left to right (cumulative sum)
buckets = [0, 1, 3, 3, 3, 4, 4, 5] # buckets[-1] == len(input_arr)
4. put them back to output
a) loop over input_arr
b) find index of element in input arr in bucket (or count arr)
c) put that element of input_arr into output arr in the index specified in bucket (after adding counts)
output = [?, ?, ?, ?, ?] # same len as input
input = [7, 1, 5, 2, 2]
buckets = [0, 1, 3, 3, 3, 4, 4, 5] # after counting
idx 0 1 2 3 4 5 6 7
put 7 in index 5-1 (look at idx 7 of buckets) of output, decrement buckets[7] by 1
output = [?, ?, ?, ?, 7]
0 1 2 3 4
then do the same for 1 (idx 1 of input arr)
output = [1, ?, ?, ?, 7]
--> [1, ?, ?, 5, 7]
--> [1, ?, 2, 5, 7] # first 2 in input goes in idx 2 (then decrement value at idx 2 in bucket)
--> [1, 2, 2, 5, 7] # second 2 in input goes in idx 1
# so not stable if iterating over the unsorted array forwards
! iterating backwards over the sorted array will be stable
above example iterating backwards
output = [?, ?, ?, ?, ?]
input = [7, 1, 5, 2!, 2*]
buckets = [0, 1, 3, 3, 3, 4, 4, 5]
idx 0 1 2 3 4 5 6 7
look at input[-1], it is 2, look at index 2 of buckets, it is 3, put 2 in index 3-1 of output
output = [?, ?, 2*, ?, ?] now decrement buckets[2] by 1 so buckets = [0, 1, 2, 3, 3, 4, 4, 5]
--> [?, 2!, 2*, ?, ?] repeat, it has now it is stable
--> [?, 2, 2, 5, ?]
--> [1, 2, 2, 5, ?]
--> [1, 2, 2, 5, 7] done!
Note:
- doesnt't work for negative numbers
- assumes each element is a small integer
- O(max v - min v) which is O(n) if difference between min and max not too large
k is the range of the input
Time complexity: O(2n + k)
- efficient when range(k) not significantly greater than number of elements to sort
- dependent on number of buckets
fast when data being sorted can be distributed between buckets evenly, if values sparse allocated then bigger buckets
if values are dense, smaller buckets i.e.
[2034, 33, 1001] --> bucket size around 1000
[100,90,80,70,110] --> smaller bucket size ideal
Good when:
- additional O(n+k) memory not an issue, n to copy array, k for the number of buckets(?)
- elements expected to be fairly evenly distributed
- as k is a constant for a set number of buckets, when small it gives O(n) performance
Bad when:
- all elements are put into the same bucket
- individual buckets are sorted, if everything put into 1 bucket, complexity dominated by inner
sorting algo(?)
- first loop to count occurrences is always O(n)
- second loop to cumulative sum occurrences is always O(k+1) where k is the number such that all values lay in 0..k
- third loop to put elements in input in the right position of output is always O(n)
so overall O(2n + k + 1) = O(n+k) which is linear (best = worst = avg)
Space complexity: O(n + k)
- with just input arr it is O(1)
- we make a solution array (or output) which is the same size as input O(n)
- we also have an array for the buckets or counts which is the range of smallest to biggest which is of size k+1
so overall O(n + k) space complexity
When the max value difference is significantly smaller than number of items, counting sort is really efficient
Stability: yes when you put elements from input to output backwards
"""
def counting_sort_alphabet_2(string): # Not stable, can work with string or array.
counts = [0] * 26 # Assumed lower case alphabet.
output = []
for char in string:
index = ord(char) - ord('a') # 'a' is index 0.
counts[index] += 1
for i in range(len(counts)): # O(26) loop, inner loop will only execute O(n) times.
# This will not preserve stability but is ok when just dealing with single chars.
ascii_value = ord('a') + i
for c in range(counts[i]):
output.append(chr(ascii_value))
return "".join(output)
def counting_sort_alphabet(arr): # Assuming only lower case letters, is stable.
count = [0] * 26
output = [0] * len(arr)
for char in arr: # Count.
count[ord(char) - ord('a')] += 1
for i in range(1, len(count)): # Accumulate indexes.
count[i] += count[i-1]
for j in range(len(arr)-1, -1, -1): # Working backwards from input arr to keep stable.
idx = count[ord(arr[j]) - ord('a')] -1 # Get position in output array, if value is count is 1 then put in index 0 of occurance of that character.
output[idx] = arr[j] # Copy over to output array.
count[ord(arr[j]) - ord('a')] -= 1 # Decrement count.
return output
def counting_sort_ints_2(array):
max_val = max(array)
min_val = min(array)
counts = [0] * (max_val - min_val + 1)
output = [0] * len(array)
counts_offset = min_val
for value in array: # Count occurrences.
index = value - counts_offset
counts[index] += 1
for i in range(1, len(counts)): # Cumulative sum so can loop backwards.
counts[i] += counts[i - 1]
for i in range(len(array) - 1, -1, -1): # Loop backwards over input array.
index = counts[array[i] - counts_offset] - 1 # Find the index to copy the value to.
output[index] = array[i]
counts[array[i] - counts_offset] -= 1
return output
def counting_sort_ints(arr):
"""
for array [7,1,5,2,2] len = 5, range of values from 0 = 0 to 7
the algorithm is
O(len) to count (assuming that finding max and min is O(1))
O(range) for cumulative sum
O(len) to copy back
so O(2n + k) = O(n) where k is the range of items and assumed to be less than the input size.
if the range is big (like in big_arr), the complexity is dominated by k
However in application, k usually small.
"""
c1, c2, c3 = 0, 0, 0 # Use to look at the counts.
# Set up
max_number = max(arr)
count = [0] * (max_number+1) # is the array of "buckets" which starts at 0 and goes to max+1
output = [0] * len(arr)
# Count occurrences of each number in arr and put it in 'bucket' in count.
for number in arr: # the item at index number of count += 1 to found occurrence of that number
count[number] += 1
c1 += 1
# Cumulative sum of occurrences.
for i in range(1, len(count)): # cumulative sum
count[i] += count[i-1]
c2 += 1
# Put into output stably.
for j in range(len(arr)-1, -1, -1): # work backwards to keep stable
output_idx = count[arr[j]] - 1 # -1 as output len = arr len
output[output_idx] = arr[j] # put in right place in output
count[arr[j]] -= 1 # decrement value in count
c3 += 1
print("first loop counting: " + str(c1) + "\nsecond loop summing: " + str(c2) + "\nthird loop copying: " + str(c3))
return output
if __name__ == "__main__":
arr = [7,1,5,2,2,2,2,2,2,2,2,2,6,1,3,5,7,5,4,1,5,6,7]
big_arr = [100,101,101,105,104,103, 1,1,1,1,2,3,3,4,5,6,7,8,9,10,11,100,150,160,170,200,300,650]
test_arr = [1,2,3,4,5,6]
negs = [-3, 0, 5, -10, 100, 4, -195, 13, -5, 100, 103, 14, 4, -123, -95]
arrays = [arr, big_arr, test_arr]
print("Counting sort 2 can handle negative numbers")
print(counting_sort_ints_2(negs))
print("\n~~ Testing integer counting sort")
for array in arrays:
sorted_array = array[::]
sorted_array.sort()
print("\nInput: " + str(array))
result1 = counting_sort_ints(array)
result2 = counting_sort_ints_2(array)
if result1 == result2 == sorted_array:
print("Success: " + str(result1))
else:
print("Error:")
print("Result1: " + str(result1))
print("Result2: " + str(result2))
print("\n~~ Test alphabet counting sort")
s = "zsquirtlebulbasaurcharmander"
a = "applebeesfruittomato"
strings = [s, a]
for s in strings:
sorted_string = s
sorted_string = list(sorted_string)
sorted_string.sort()
sorted_string = "".join(sorted_string)
print("\nInput: " + s)
result1 = counting_sort_alphabet(s)
result1 = "".join(result1)
result2 = counting_sort_alphabet_2(s)
if result1 == result2 == sorted_string:
print("Success: " + result2)
else:
print("Error:")
print("Result1: " + result1)
print("Result2: " + result2)
|
"""
@author: David Lei
@since: 21/08/2016
@modified:
Not a comparison sort, so comparison O(n log n) lower bound doesn't apply
Visualization: https://www.cs.usfca.edu/~galles/visualization/CountingSort.html
How it works: Integer sorting algorithm - it counts the number of objects
Applies when elements to be sorted come from a finite set i.e. integers 0 to k
create an array of buckets to count how many times each element has appeared --> then place back in right order
example: arr = [7, 1, 5, 2, 2]
1. create array of buckets (size of max value +1) or of size k+1 where k is the max value in our set to sort
buckets = [[], [], [], [], [], [], [], []] # k + 1 buckets, k = 7
2. count each element, look at the element in the input arr and put it in corresponding bucket
buckets = [[0], [1], [1,1], [0], [0], [1], [0], [1]] # visual rep
buckets = [ 0, 1, 2, 0, 0, 1, 0, 1] # actual rep
index: 0 1 2 3 4 5 6 7
means that we have zero 0's, two 2's, one 7 etc
3. add up number of elements in the bucket array left to right (cumulative sum)
buckets = [0, 1, 3, 3, 3, 4, 4, 5] # buckets[-1] == len(input_arr)
4. put them back to output
a) loop over input_arr
b) find index of element in input arr in bucket (or count arr)
c) put that element of input_arr into output arr in the index specified in bucket (after adding counts)
output = [?, ?, ?, ?, ?] # same len as input
input = [7, 1, 5, 2, 2]
buckets = [0, 1, 3, 3, 3, 4, 4, 5] # after counting
idx 0 1 2 3 4 5 6 7
put 7 in index 5-1 (look at idx 7 of buckets) of output, decrement buckets[7] by 1
output = [?, ?, ?, ?, 7]
0 1 2 3 4
then do the same for 1 (idx 1 of input arr)
output = [1, ?, ?, ?, 7]
--> [1, ?, ?, 5, 7]
--> [1, ?, 2, 5, 7] # first 2 in input goes in idx 2 (then decrement value at idx 2 in bucket)
--> [1, 2, 2, 5, 7] # second 2 in input goes in idx 1
# so not stable if iterating over the unsorted array forwards
! iterating backwards over the sorted array will be stable
above example iterating backwards
output = [?, ?, ?, ?, ?]
input = [7, 1, 5, 2!, 2*]
buckets = [0, 1, 3, 3, 3, 4, 4, 5]
idx 0 1 2 3 4 5 6 7
look at input[-1], it is 2, look at index 2 of buckets, it is 3, put 2 in index 3-1 of output
output = [?, ?, 2*, ?, ?] now decrement buckets[2] by 1 so buckets = [0, 1, 2, 3, 3, 4, 4, 5]
--> [?, 2!, 2*, ?, ?] repeat, it has now it is stable
--> [?, 2, 2, 5, ?]
--> [1, 2, 2, 5, ?]
--> [1, 2, 2, 5, 7] done!
Note:
- doesnt't work for negative numbers
- assumes each element is a small integer
- O(max v - min v) which is O(n) if difference between min and max not too large
k is the range of the input
Time complexity: O(2n + k)
- efficient when range(k) not significantly greater than number of elements to sort
- dependent on number of buckets
fast when data being sorted can be distributed between buckets evenly, if values sparse allocated then bigger buckets
if values are dense, smaller buckets i.e.
[2034, 33, 1001] --> bucket size around 1000
[100,90,80,70,110] --> smaller bucket size ideal
Good when:
- additional O(n+k) memory not an issue, n to copy array, k for the number of buckets(?)
- elements expected to be fairly evenly distributed
- as k is a constant for a set number of buckets, when small it gives O(n) performance
Bad when:
- all elements are put into the same bucket
- individual buckets are sorted, if everything put into 1 bucket, complexity dominated by inner
sorting algo(?)
- first loop to count occurrences is always O(n)
- second loop to cumulative sum occurrences is always O(k+1) where k is the number such that all values lay in 0..k
- third loop to put elements in input in the right position of output is always O(n)
so overall O(2n + k + 1) = O(n+k) which is linear (best = worst = avg)
Space complexity: O(n + k)
- with just input arr it is O(1)
- we make a solution array (or output) which is the same size as input O(n)
- we also have an array for the buckets or counts which is the range of smallest to biggest which is of size k+1
so overall O(n + k) space complexity
When the max value difference is significantly smaller than number of items, counting sort is really efficient
Stability: yes when you put elements from input to output backwards
"""
def counting_sort_alphabet_2(string):
counts = [0] * 26
output = []
for char in string:
index = ord(char) - ord('a')
counts[index] += 1
for i in range(len(counts)):
ascii_value = ord('a') + i
for c in range(counts[i]):
output.append(chr(ascii_value))
return ''.join(output)
def counting_sort_alphabet(arr):
count = [0] * 26
output = [0] * len(arr)
for char in arr:
count[ord(char) - ord('a')] += 1
for i in range(1, len(count)):
count[i] += count[i - 1]
for j in range(len(arr) - 1, -1, -1):
idx = count[ord(arr[j]) - ord('a')] - 1
output[idx] = arr[j]
count[ord(arr[j]) - ord('a')] -= 1
return output
def counting_sort_ints_2(array):
max_val = max(array)
min_val = min(array)
counts = [0] * (max_val - min_val + 1)
output = [0] * len(array)
counts_offset = min_val
for value in array:
index = value - counts_offset
counts[index] += 1
for i in range(1, len(counts)):
counts[i] += counts[i - 1]
for i in range(len(array) - 1, -1, -1):
index = counts[array[i] - counts_offset] - 1
output[index] = array[i]
counts[array[i] - counts_offset] -= 1
return output
def counting_sort_ints(arr):
"""
for array [7,1,5,2,2] len = 5, range of values from 0 = 0 to 7
the algorithm is
O(len) to count (assuming that finding max and min is O(1))
O(range) for cumulative sum
O(len) to copy back
so O(2n + k) = O(n) where k is the range of items and assumed to be less than the input size.
if the range is big (like in big_arr), the complexity is dominated by k
However in application, k usually small.
"""
(c1, c2, c3) = (0, 0, 0)
max_number = max(arr)
count = [0] * (max_number + 1)
output = [0] * len(arr)
for number in arr:
count[number] += 1
c1 += 1
for i in range(1, len(count)):
count[i] += count[i - 1]
c2 += 1
for j in range(len(arr) - 1, -1, -1):
output_idx = count[arr[j]] - 1
output[output_idx] = arr[j]
count[arr[j]] -= 1
c3 += 1
print('first loop counting: ' + str(c1) + '\nsecond loop summing: ' + str(c2) + '\nthird loop copying: ' + str(c3))
return output
if __name__ == '__main__':
arr = [7, 1, 5, 2, 2, 2, 2, 2, 2, 2, 2, 2, 6, 1, 3, 5, 7, 5, 4, 1, 5, 6, 7]
big_arr = [100, 101, 101, 105, 104, 103, 1, 1, 1, 1, 2, 3, 3, 4, 5, 6, 7, 8, 9, 10, 11, 100, 150, 160, 170, 200, 300, 650]
test_arr = [1, 2, 3, 4, 5, 6]
negs = [-3, 0, 5, -10, 100, 4, -195, 13, -5, 100, 103, 14, 4, -123, -95]
arrays = [arr, big_arr, test_arr]
print('Counting sort 2 can handle negative numbers')
print(counting_sort_ints_2(negs))
print('\n~~ Testing integer counting sort')
for array in arrays:
sorted_array = array[:]
sorted_array.sort()
print('\nInput: ' + str(array))
result1 = counting_sort_ints(array)
result2 = counting_sort_ints_2(array)
if result1 == result2 == sorted_array:
print('Success: ' + str(result1))
else:
print('Error:')
print('Result1: ' + str(result1))
print('Result2: ' + str(result2))
print('\n~~ Test alphabet counting sort')
s = 'zsquirtlebulbasaurcharmander'
a = 'applebeesfruittomato'
strings = [s, a]
for s in strings:
sorted_string = s
sorted_string = list(sorted_string)
sorted_string.sort()
sorted_string = ''.join(sorted_string)
print('\nInput: ' + s)
result1 = counting_sort_alphabet(s)
result1 = ''.join(result1)
result2 = counting_sort_alphabet_2(s)
if result1 == result2 == sorted_string:
print('Success: ' + result2)
else:
print('Error:')
print('Result1: ' + result1)
print('Result2: ' + result2)
|
def grade(autogen, key):
n = autogen.instance
if "flag_{}_do_the_hard_work_to_make_it_simple".format(n) == key.lower().strip():
return True, "Correct!"
else:
return False, "Try Again."
|
def grade(autogen, key):
n = autogen.instance
if 'flag_{}_do_the_hard_work_to_make_it_simple'.format(n) == key.lower().strip():
return (True, 'Correct!')
else:
return (False, 'Try Again.')
|
# -*- coding: utf-8 -*-
"""
Created on Thu Mar 17 09:27:36 2016
@author: tih
"""
def Accounts(Type=None):
User_Pass = {
'NASA': ['',''],
'GLEAM': ['', ''],
'FTP_WA': ['',''],
'MSWEP': ['', ''],
'Copernicus': ['', ''], #https://land.copernicus.vgt.vito.be/PDF/
'VITO': ['', '']} #https://www.vito-eodata.be/PDF/datapool/
Selected_Path = User_Pass[Type]
return(Selected_Path)
|
"""
Created on Thu Mar 17 09:27:36 2016
@author: tih
"""
def accounts(Type=None):
user__pass = {'NASA': ['', ''], 'GLEAM': ['', ''], 'FTP_WA': ['', ''], 'MSWEP': ['', ''], 'Copernicus': ['', ''], 'VITO': ['', '']}
selected__path = User_Pass[Type]
return Selected_Path
|
score_regular = {'A': 11, 'K': 4, 'Q': 3, 'J': 2, 'T': 10, '9': 0, '8': 0, '7': 0}
score_trump = {'A': 11, 'K': 4, 'Q': 3, 'J': 20, 'T': 10, '9': 14, '8': 0, '7': 0}
inp = input().split()
hands = int(inp[0])
trump_suite = inp[1]
score = 0
for i in range(4*hands):
hand = input()
score += score_trump[hand[0]] if hand[1] == trump_suite else score_regular[hand[0]]
print(score)
|
score_regular = {'A': 11, 'K': 4, 'Q': 3, 'J': 2, 'T': 10, '9': 0, '8': 0, '7': 0}
score_trump = {'A': 11, 'K': 4, 'Q': 3, 'J': 20, 'T': 10, '9': 14, '8': 0, '7': 0}
inp = input().split()
hands = int(inp[0])
trump_suite = inp[1]
score = 0
for i in range(4 * hands):
hand = input()
score += score_trump[hand[0]] if hand[1] == trump_suite else score_regular[hand[0]]
print(score)
|
# A single node of a singly linked list
class Node:
# constructor
def __init__(self, data, next=None):
self.data = data
self.next = next
# Creating a single node
first = Node(3)
print(first.data)
|
class Node:
def __init__(self, data, next=None):
self.data = data
self.next = next
first = node(3)
print(first.data)
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
@Desc:
@Author: shane
@Contact: [email protected]
@Software: PyCharm
@Since: Python3.6
@Date: 2019/1/9
@All right reserved
"""
|
"""
@Desc:
@Author: shane
@Contact: [email protected]
@Software: PyCharm
@Since: Python3.6
@Date: 2019/1/9
@All right reserved
"""
|
def get_index(flower_n):
if flower_n == "Roses":
return 0
elif flower_n == "Dahlias":
return 1
elif flower_n == "Tulips":
return 2
elif flower_n == "Narcissus":
return 3
elif flower_n == "Gladiolus":
return 4
flower = input()
count_of_flowers = int(input())
budget = int(input())
flowers = ["Roses", "Dahlias", "Tulips", "Narcissus", "Gladiolus"]
index = get_index(flower)
prices = [5, 3.80, 2.80, 3, 2.50]
price = 0
if flower == "Roses":
price = prices[index] * count_of_flowers
if count_of_flowers > 80:
price *= 0.90
elif flower == "Dahlias":
price = prices[index] * count_of_flowers
if count_of_flowers > 90:
price *= 0.85
elif flower == "Tulips":
price = prices[index] * count_of_flowers
if count_of_flowers > 80:
price *= 0.85
elif flower == "Narcissus":
price = prices[index] * count_of_flowers
if count_of_flowers < 120:
price *= 1.15
elif flower == "Gladiolus":
price = prices[index] * count_of_flowers
if count_of_flowers < 80:
price *= 1.20
if budget >= price:
print(f"Hey, you have a great garden with {count_of_flowers} {flower} and {budget - price:.2f} leva left.")
else:
print(f"Not enough money, you need {price - budget:.2f} leva more.")
|
def get_index(flower_n):
if flower_n == 'Roses':
return 0
elif flower_n == 'Dahlias':
return 1
elif flower_n == 'Tulips':
return 2
elif flower_n == 'Narcissus':
return 3
elif flower_n == 'Gladiolus':
return 4
flower = input()
count_of_flowers = int(input())
budget = int(input())
flowers = ['Roses', 'Dahlias', 'Tulips', 'Narcissus', 'Gladiolus']
index = get_index(flower)
prices = [5, 3.8, 2.8, 3, 2.5]
price = 0
if flower == 'Roses':
price = prices[index] * count_of_flowers
if count_of_flowers > 80:
price *= 0.9
elif flower == 'Dahlias':
price = prices[index] * count_of_flowers
if count_of_flowers > 90:
price *= 0.85
elif flower == 'Tulips':
price = prices[index] * count_of_flowers
if count_of_flowers > 80:
price *= 0.85
elif flower == 'Narcissus':
price = prices[index] * count_of_flowers
if count_of_flowers < 120:
price *= 1.15
elif flower == 'Gladiolus':
price = prices[index] * count_of_flowers
if count_of_flowers < 80:
price *= 1.2
if budget >= price:
print(f'Hey, you have a great garden with {count_of_flowers} {flower} and {budget - price:.2f} leva left.')
else:
print(f'Not enough money, you need {price - budget:.2f} leva more.')
|
# Copyright 2014 The Bazel Authors. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
load("@io_bazel_rules_go//go/private:common.bzl",
"split_srcs",
"to_set",
"sets",
)
load("@io_bazel_rules_go//go/private:mode.bzl",
"get_mode",
"mode_string",
)
load("@io_bazel_rules_go//go/private:providers.bzl",
"GoLibrary",
"GoSourceList",
"GoArchive",
"GoArchiveData",
"sources",
)
load("@io_bazel_rules_go//go/platform:list.bzl",
"GOOS",
"GOARCH",
)
GoAspectProviders = provider()
def get_archive(dep):
if GoAspectProviders in dep:
return dep[GoAspectProviders].archive
return dep[GoArchive]
def get_source_list(dep):
if GoAspectProviders in dep:
return dep[GoAspectProviders].source
return dep[GoSourceList]
def collect_src(ctx, aspect=False, srcs = None, deps=None, want_coverage = None):
rule = ctx.rule if aspect else ctx
if srcs == None:
srcs = rule.files.srcs
if deps == None:
deps = rule.attr.deps
if want_coverage == None:
want_coverage = ctx.coverage_instrumented() and not rule.label.name.endswith("~library~")
return sources.merge([get_source_list(s) for s in rule.attr.embed] + [sources.new(
srcs = srcs,
deps = deps,
gc_goopts = rule.attr.gc_goopts,
runfiles = ctx.runfiles(collect_data = True),
want_coverage = want_coverage,
)])
def _go_archive_aspect_impl(target, ctx):
mode = get_mode(ctx, ctx.rule.attr._go_toolchain_flags)
if GoArchive not in target:
if GoSourceList in target and hasattr(ctx.rule.attr, "embed"):
return [GoAspectProviders(
source = collect_src(ctx, aspect=True),
)]
return []
goarchive = target[GoArchive]
if goarchive.mode == mode:
return [GoAspectProviders(
source = target[GoSourceList],
archive = goarchive,
)]
source = collect_src(ctx, aspect=True)
for dep in ctx.rule.attr.deps:
a = get_archive(dep)
if a.mode != mode: fail("In aspect on {} found {} is {} expected {}".format(ctx.label, a.data.importpath, mode_string(a.mode), mode_string(mode)))
go_toolchain = ctx.toolchains["@io_bazel_rules_go//go:toolchain"]
goarchive = go_toolchain.actions.archive(ctx,
go_toolchain = go_toolchain,
mode = mode,
importpath = target[GoLibrary].package.importpath,
source = source,
importable = True,
)
return [GoAspectProviders(
source = source,
archive = goarchive,
)]
go_archive_aspect = aspect(
_go_archive_aspect_impl,
attr_aspects = ["deps", "embed"],
attrs = {
"pure": attr.string(values=["on", "off", "auto"]),
"static": attr.string(values=["on", "off", "auto"]),
"msan": attr.string(values=["on", "off", "auto"]),
"race": attr.string(values=["on", "off", "auto"]),
"goos": attr.string(values=GOOS.keys() + ["auto"], default="auto"),
"goarch": attr.string(values=GOARCH.keys() + ["auto"], default="auto"),
},
toolchains = ["@io_bazel_rules_go//go:toolchain"],
)
|
load('@io_bazel_rules_go//go/private:common.bzl', 'split_srcs', 'to_set', 'sets')
load('@io_bazel_rules_go//go/private:mode.bzl', 'get_mode', 'mode_string')
load('@io_bazel_rules_go//go/private:providers.bzl', 'GoLibrary', 'GoSourceList', 'GoArchive', 'GoArchiveData', 'sources')
load('@io_bazel_rules_go//go/platform:list.bzl', 'GOOS', 'GOARCH')
go_aspect_providers = provider()
def get_archive(dep):
if GoAspectProviders in dep:
return dep[GoAspectProviders].archive
return dep[GoArchive]
def get_source_list(dep):
if GoAspectProviders in dep:
return dep[GoAspectProviders].source
return dep[GoSourceList]
def collect_src(ctx, aspect=False, srcs=None, deps=None, want_coverage=None):
rule = ctx.rule if aspect else ctx
if srcs == None:
srcs = rule.files.srcs
if deps == None:
deps = rule.attr.deps
if want_coverage == None:
want_coverage = ctx.coverage_instrumented() and (not rule.label.name.endswith('~library~'))
return sources.merge([get_source_list(s) for s in rule.attr.embed] + [sources.new(srcs=srcs, deps=deps, gc_goopts=rule.attr.gc_goopts, runfiles=ctx.runfiles(collect_data=True), want_coverage=want_coverage)])
def _go_archive_aspect_impl(target, ctx):
mode = get_mode(ctx, ctx.rule.attr._go_toolchain_flags)
if GoArchive not in target:
if GoSourceList in target and hasattr(ctx.rule.attr, 'embed'):
return [go_aspect_providers(source=collect_src(ctx, aspect=True))]
return []
goarchive = target[GoArchive]
if goarchive.mode == mode:
return [go_aspect_providers(source=target[GoSourceList], archive=goarchive)]
source = collect_src(ctx, aspect=True)
for dep in ctx.rule.attr.deps:
a = get_archive(dep)
if a.mode != mode:
fail('In aspect on {} found {} is {} expected {}'.format(ctx.label, a.data.importpath, mode_string(a.mode), mode_string(mode)))
go_toolchain = ctx.toolchains['@io_bazel_rules_go//go:toolchain']
goarchive = go_toolchain.actions.archive(ctx, go_toolchain=go_toolchain, mode=mode, importpath=target[GoLibrary].package.importpath, source=source, importable=True)
return [go_aspect_providers(source=source, archive=goarchive)]
go_archive_aspect = aspect(_go_archive_aspect_impl, attr_aspects=['deps', 'embed'], attrs={'pure': attr.string(values=['on', 'off', 'auto']), 'static': attr.string(values=['on', 'off', 'auto']), 'msan': attr.string(values=['on', 'off', 'auto']), 'race': attr.string(values=['on', 'off', 'auto']), 'goos': attr.string(values=GOOS.keys() + ['auto'], default='auto'), 'goarch': attr.string(values=GOARCH.keys() + ['auto'], default='auto')}, toolchains=['@io_bazel_rules_go//go:toolchain'])
|
class Condor:
def __init__(self):
self.desc = 'load2: jsub_ext3.backend.condor.Condor'
class ClassWithSpecificName:
def __init__(self):
self.desc = 'load1: jsub_ext3.backend.condor.ClassWithSpecificName'
class ClassWithAnotherName:
def __init__(self):
self.desc = 'load2: jsub_ext3.backend.condor.ClassWithAnotherName'
|
class Condor:
def __init__(self):
self.desc = 'load2: jsub_ext3.backend.condor.Condor'
class Classwithspecificname:
def __init__(self):
self.desc = 'load1: jsub_ext3.backend.condor.ClassWithSpecificName'
class Classwithanothername:
def __init__(self):
self.desc = 'load2: jsub_ext3.backend.condor.ClassWithAnotherName'
|
n=str(input())
d={"0":"zero","1":"one","2":"two","3":"three","4":"four","5":"five",
"6":"six","7":"seven","8":"eight","9":"nine"}
for i in n:
print(d[i],end=" ")
|
n = str(input())
d = {'0': 'zero', '1': 'one', '2': 'two', '3': 'three', '4': 'four', '5': 'five', '6': 'six', '7': 'seven', '8': 'eight', '9': 'nine'}
for i in n:
print(d[i], end=' ')
|
# -*- coding: utf-8 -*-
"""Top-level package for nider."""
__author__ = """Vladyslav Ovchynnykov"""
__email__ = '[email protected]'
__version__ = '0.5.0'
|
"""Top-level package for nider."""
__author__ = 'Vladyslav Ovchynnykov'
__email__ = '[email protected]'
__version__ = '0.5.0'
|
# Much faster and more elegant than brute force solution
def remove(array, even):
if even:
mod = 2
else:
mod = 1
return [array[i] for i in range(len(array)) if i % 3 == mod]
num_elves = 3014387
elves = [i + 1 for i in range(num_elves)]
while len(elves) > 1:
midpoint = int(len(elves) / 2)
preserved_array = elves[:midpoint]
to_prune_array = elves[midpoint:]
pruned_array = remove(to_prune_array, len(elves) % 2 == 0)
pivot_index = len(to_prune_array) - len(pruned_array)
elves = preserved_array[pivot_index:] + pruned_array + preserved_array[:pivot_index]
print('The elf with all the presents at the end is elf {}.'.format(elves[0]))
|
def remove(array, even):
if even:
mod = 2
else:
mod = 1
return [array[i] for i in range(len(array)) if i % 3 == mod]
num_elves = 3014387
elves = [i + 1 for i in range(num_elves)]
while len(elves) > 1:
midpoint = int(len(elves) / 2)
preserved_array = elves[:midpoint]
to_prune_array = elves[midpoint:]
pruned_array = remove(to_prune_array, len(elves) % 2 == 0)
pivot_index = len(to_prune_array) - len(pruned_array)
elves = preserved_array[pivot_index:] + pruned_array + preserved_array[:pivot_index]
print('The elf with all the presents at the end is elf {}.'.format(elves[0]))
|
#Config
MYSQL_HOST = '45.78.57.84'
MYSQL_PORT = 3306
MYSQL_USER = 'ss'
MYSQL_PASS = 'ss'
MYSQL_DB = 'shadowsocks'
MANAGE_PASS = 'ss233333333'
#if you want manage in other server you should set this value to global ip
MANAGE_BIND_IP = '127.0.0.1'
#make sure this port is idle
MANAGE_PORT = 23333
|
mysql_host = '45.78.57.84'
mysql_port = 3306
mysql_user = 'ss'
mysql_pass = 'ss'
mysql_db = 'shadowsocks'
manage_pass = 'ss233333333'
manage_bind_ip = '127.0.0.1'
manage_port = 23333
|
class Solution:
# @param s, a string
# @return a string
def reverseWords(self, s):
b = s.rstrip().lstrip().split(' ')
b = filter(lambda x: len(x) > 0, b)
b.reverse()
return ' '.join(b)
|
class Solution:
def reverse_words(self, s):
b = s.rstrip().lstrip().split(' ')
b = filter(lambda x: len(x) > 0, b)
b.reverse()
return ' '.join(b)
|
# Copyright (c) 2020-2022, Adam Karpierz
# Licensed under the BSD license
# https://opensource.org/licenses/BSD-3-Clause
__import__("pkg_about").about()
__copyright__ = f"Copyright (c) 2020-2022 {__author__}" # noqa
|
__import__('pkg_about').about()
__copyright__ = f'Copyright (c) 2020-2022 {__author__}'
|
n=100
f=1
for i in range(1,101):
f*=i
print(f)
s=0
c=str(f)
for i in c:
s+=int(i)
print("sum is ",s)
|
n = 100
f = 1
for i in range(1, 101):
f *= i
print(f)
s = 0
c = str(f)
for i in c:
s += int(i)
print('sum is ', s)
|
"""
Homework | Exceptions
18-09-2020
Alejandro AS
"""
# how to create a custom exception
class CustomError(Exception):
# class need to extends from BaseException
# you can declare a constructor to recibe some custom values like a message
def __init__(self, *args):
""" This method inits the Error can or not recibe a list of args """
if args:
self.message = args[0]
else:
self.message = None
# str method is the one that returns the str that show when rised when rise.
def __str__(self):
""" Method that returns the error string """
return "CustomError | This is a custom error class"
def run_custom_exception():
""" Function that helps you try the custom errors """
raise CustomError
def run_manage_custom_exception():
""" Function that helps you try the manage of custom error """
try:
raise CustomError
except CustomError as e:
print(f"managing the custom error {e}")
|
"""
Homework | Exceptions
18-09-2020
Alejandro AS
"""
class Customerror(Exception):
def __init__(self, *args):
""" This method inits the Error can or not recibe a list of args """
if args:
self.message = args[0]
else:
self.message = None
def __str__(self):
""" Method that returns the error string """
return 'CustomError | This is a custom error class'
def run_custom_exception():
""" Function that helps you try the custom errors """
raise CustomError
def run_manage_custom_exception():
""" Function that helps you try the manage of custom error """
try:
raise CustomError
except CustomError as e:
print(f'managing the custom error {e}')
|
# a terrible brute force way to get a list of values (with key) in disired order
def ez_sort(ListToSort,ListInOrder,index=0):
Ordered = []
for x in ListInOrder:
i = 0
for y in ListToSort:
if y[index] == x:
Ordered.append(y)
i = i + 1
return Ordered
TESTCASE= ([1,2,3,4,5],[[2,11],[3,23],[1,32],[4,45]])
tc1 = [2,3,1,4]
tc2 = [11,23,32,45]
|
def ez_sort(ListToSort, ListInOrder, index=0):
ordered = []
for x in ListInOrder:
i = 0
for y in ListToSort:
if y[index] == x:
Ordered.append(y)
i = i + 1
return Ordered
testcase = ([1, 2, 3, 4, 5], [[2, 11], [3, 23], [1, 32], [4, 45]])
tc1 = [2, 3, 1, 4]
tc2 = [11, 23, 32, 45]
|
'''
Control:
robot.move_forward()
robot.rotate_right()
robot.rotate_left()
robot.display_color(string)
robot.finish_round()
Sensors:
robot.ultrasonic_front() -> int
robot.ultrasonic_right() -> int
robot.ultrasonic_left() -> int
robot.get_color() -> string
'''
def main():
robot.move_forward()
robot.display_color(robot.get_color())
robot.rotate_right()
robot.move_forward()
robot.display_color(robot.get_color())
robot.rotate_right()
robot.display_color(robot.get_color())
robot.move_forward()
robot.display_color(robot.get_color())
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.finish_round()
if __name__ == "__main__":
main()
|
"""
Control:
robot.move_forward()
robot.rotate_right()
robot.rotate_left()
robot.display_color(string)
robot.finish_round()
Sensors:
robot.ultrasonic_front() -> int
robot.ultrasonic_right() -> int
robot.ultrasonic_left() -> int
robot.get_color() -> string
"""
def main():
robot.move_forward()
robot.display_color(robot.get_color())
robot.rotate_right()
robot.move_forward()
robot.display_color(robot.get_color())
robot.rotate_right()
robot.display_color(robot.get_color())
robot.move_forward()
robot.display_color(robot.get_color())
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.rotate_right()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_left()
robot.rotate_left()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.rotate_right()
robot.move_forward()
robot.finish_round()
if __name__ == '__main__':
main()
|
name = '{name:s}'
isins = 'isinstance(' + name + ', '
isStr = 'isinstance({name:s}, str)'
isstr = isStr + ' or {name:s} is None'
isTpl = 'isinstance({name:s}, tuple)'
istpl = isTpl + ' or {name:s} is None'
isBool = 'isinstance({name:s}, (bool, np.bool_))'
isbool = isBool + ' or {name:s} is None'
isInt = 'isinstance({name:s}, (int, np.int64))'
isint = isInt + ' or {name:s} is None'
isNat = 'isinstance({name:s}, (int, np.int64)) and {name:s} > 0'
isnat = isNat + ' or {name:s} is None'
isFlt = 'isinstance({name:s}, float)'
isflt = isFlt + ' or {name:s} is None'
isLst = 'isinstance({name:s}, (list, np.ndarray))'
islst = isLst + ' or {name:s} is None'
isArr = 'isinstance({name:s}, (tuple, list, np.ndarray))'
isarr = isArr + ' or {name:s} is None'
isDct = 'isinstance({name:s}, (dict, OrderedDict))'
isdct = isDct + ' or {name:s} is None'
isSclr = 'isinstance({name:s}, (int, float, np.int64))'
issclr = isInt + ' or ' + isFlt + ' or {name:s} is None'
isSclrStr = 'isinstance({name:s}, (int, float, np.int64, str))'
issclrstr = isSclrStr + ' or {name:s} is None'
dflt = 'default'
asst = 'assert'
|
name = '{name:s}'
isins = 'isinstance(' + name + ', '
is_str = 'isinstance({name:s}, str)'
isstr = isStr + ' or {name:s} is None'
is_tpl = 'isinstance({name:s}, tuple)'
istpl = isTpl + ' or {name:s} is None'
is_bool = 'isinstance({name:s}, (bool, np.bool_))'
isbool = isBool + ' or {name:s} is None'
is_int = 'isinstance({name:s}, (int, np.int64))'
isint = isInt + ' or {name:s} is None'
is_nat = 'isinstance({name:s}, (int, np.int64)) and {name:s} > 0'
isnat = isNat + ' or {name:s} is None'
is_flt = 'isinstance({name:s}, float)'
isflt = isFlt + ' or {name:s} is None'
is_lst = 'isinstance({name:s}, (list, np.ndarray))'
islst = isLst + ' or {name:s} is None'
is_arr = 'isinstance({name:s}, (tuple, list, np.ndarray))'
isarr = isArr + ' or {name:s} is None'
is_dct = 'isinstance({name:s}, (dict, OrderedDict))'
isdct = isDct + ' or {name:s} is None'
is_sclr = 'isinstance({name:s}, (int, float, np.int64))'
issclr = isInt + ' or ' + isFlt + ' or {name:s} is None'
is_sclr_str = 'isinstance({name:s}, (int, float, np.int64, str))'
issclrstr = isSclrStr + ' or {name:s} is None'
dflt = 'default'
asst = 'assert'
|
class LFSR():
"""
Class that implements 'basic' Linear Feedback Shift Register (LFSR) for the generation of pseudo random numbers
"""
def __init__(self, fb_poly):
self.fb_poly = fb_poly
exponents = fb_poly.split()
self.degree = int(exponents[0])
indices = ["0"]*(self.degree+1)
for i in exponents:
indices[int(i)] = '1'
indices = indices[::-1][1:]
self.p_states = [i for i in range(self.degree) if indices[i] == "1"]
def __calculate_feedback(self, state):
xor_elements = [state[i] for i in self.p_states]
result = 0
for i in xor_elements:
result = result ^ int(i)
return str(result)
def generate(self, initial, count=256):
if len(initial) != self.degree:
raise Exception("Incorrect number of initial states, should be {}".format(self.degree))
seq = initial
output_bit = seq[-1]
for _ in range(count):
yield output_bit
seq = self.__calculate_feedback(seq) + seq[:-1]
output_bit = seq[-1]
|
class Lfsr:
"""
Class that implements 'basic' Linear Feedback Shift Register (LFSR) for the generation of pseudo random numbers
"""
def __init__(self, fb_poly):
self.fb_poly = fb_poly
exponents = fb_poly.split()
self.degree = int(exponents[0])
indices = ['0'] * (self.degree + 1)
for i in exponents:
indices[int(i)] = '1'
indices = indices[::-1][1:]
self.p_states = [i for i in range(self.degree) if indices[i] == '1']
def __calculate_feedback(self, state):
xor_elements = [state[i] for i in self.p_states]
result = 0
for i in xor_elements:
result = result ^ int(i)
return str(result)
def generate(self, initial, count=256):
if len(initial) != self.degree:
raise exception('Incorrect number of initial states, should be {}'.format(self.degree))
seq = initial
output_bit = seq[-1]
for _ in range(count):
yield output_bit
seq = self.__calculate_feedback(seq) + seq[:-1]
output_bit = seq[-1]
|
# keyboard input and concatenation
name = input("Enter Name: ")
color = input("What's your favorite color? ")
count = input("How many? ")
print(name + " ate " + count + ' ' + color + " dicks today.")
|
name = input('Enter Name: ')
color = input("What's your favorite color? ")
count = input('How many? ')
print(name + ' ate ' + count + ' ' + color + ' dicks today.')
|
# coding: utf-8
class Issue(object):
def __init__(self, api):
"""
:param api:
"""
self.api = api
def list(self, **kwargs):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-issue-list/
:param kwargs: query parameter
:return:
"""
_uri = "issues"
_method = "GET"
resp = self.api.invoke_method(_method, _uri, query_param=kwargs)
return resp.json()
def count(self, **kwargs):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/count-issue/
:param kwargs:
:return:
"""
_uri = "issues/count"
_method = "GET"
resp = self.api.invoke_method(_method, _uri, query_param=kwargs)
return resp.json()
def create(self, **kwargs):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/add-issue/
:param kwargs:
:return:
"""
_uri = "issues"
_method = "POST"
resp = self.api.invoke_method(_method, _uri, request_param=kwargs)
return resp.json()
def get(self, issueIdOrKey):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-issue/
:param issueIdOrKey:
:return:
"""
_uri = "issues/{issue_id_or_key}".format(issue_id_or_key=issueIdOrKey)
_method = "GET"
resp = self.api.invoke_method(_method, _uri)
return resp.json()
def update(self, issueIdOrKey, **kwargs):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/update-issue/
:param issueIdOrKey:
:param kwargs: issue param
:return:
"""
_uri = "issues/{issue_id_or_key}".format(issue_id_or_key=issueIdOrKey)
_method = "PATCH"
resp = self.api.invoke_method(_method, _uri, request_param=kwargs)
return resp.json()
def delete(self, issueIdOrKey):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/delete-issue/
:param issueIdOrKey:
:return:
"""
_uri = "issues/{issue_id_or_key}".format(issue_id_or_key=issueIdOrKey)
_method = "DELETE"
resp = self.api.invoke_method(_method, _uri)
return resp.json()
def get_comments(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-comment-list/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def add_comment(self, issueIdOrKey, content, notifiedUserId=None, attachmentId=None):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/add-comment/
:param issueIdOrKey:
:param content:
:param notifiedUserId:
:param attachmentId:
:return:
"""
_uri = "issues/{issue_id_or_key}/comments".format(issue_id_or_key=issueIdOrKey)
_method = "POST"
_data = {
"content": content
}
if notifiedUserId is not None:
_data.update([("notifiedUserId[]", notifiedUserId)])
if attachmentId is not None:
_data.update([("attachmentId[]", attachmentId)])
resp = self.api.invoke_method(_method, _uri, _data)
return resp.json()
def count_comments(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/count-comment/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def get_comment(self, issueIdOrKey, commentId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-comment/
:param issueIdOrKey:
:param commentId:
:return:
"""
raise NotImplementedError
def update_comment(self, issueIdOrKey, commentId, content):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/update-comment/
:param issueIdOrKey:
:param commentId:
:param content:
:return:
"""
raise NotImplementedError
def get_comment_notifications(self, issueIdOrKey, commentId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-list-of-comment-notifications/
:param issueIdOrKey:
:param commentId:
:return:
"""
raise NotImplementedError
def add_comment_notification(self, issueIdOrKey, commentId, notifiedUserId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/add-comment-notification/
:param issueIdOrKey:
:param commentId:
:param notifiedUserId:
:return:
"""
raise NotImplementedError
def list_issue_attachments(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-list-of-issue-attachments/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def get_issue_attachments(self, issueIdOrKey, attachmentId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-issue-attachment/
:param issueIdOrKey:
:param attachmentId:
:return:
"""
raise NotImplementedError
def delete_issue_attachment(self, issueIdOrKey, attachmentId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/delete-issue-attachment/
:param issueIdOrKey:
:param attachmentId:
:return:
"""
raise NotImplementedError
def list_issue_shared_files(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-list-of-linked-shared-files/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def link_issue_shared_files(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/link-shared-files-to-issue/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def unlink_issue_shared_file(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/remove-link-to-shared-file-from-issue/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
|
class Issue(object):
def __init__(self, api):
"""
:param api:
"""
self.api = api
def list(self, **kwargs):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-issue-list/
:param kwargs: query parameter
:return:
"""
_uri = 'issues'
_method = 'GET'
resp = self.api.invoke_method(_method, _uri, query_param=kwargs)
return resp.json()
def count(self, **kwargs):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/count-issue/
:param kwargs:
:return:
"""
_uri = 'issues/count'
_method = 'GET'
resp = self.api.invoke_method(_method, _uri, query_param=kwargs)
return resp.json()
def create(self, **kwargs):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/add-issue/
:param kwargs:
:return:
"""
_uri = 'issues'
_method = 'POST'
resp = self.api.invoke_method(_method, _uri, request_param=kwargs)
return resp.json()
def get(self, issueIdOrKey):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-issue/
:param issueIdOrKey:
:return:
"""
_uri = 'issues/{issue_id_or_key}'.format(issue_id_or_key=issueIdOrKey)
_method = 'GET'
resp = self.api.invoke_method(_method, _uri)
return resp.json()
def update(self, issueIdOrKey, **kwargs):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/update-issue/
:param issueIdOrKey:
:param kwargs: issue param
:return:
"""
_uri = 'issues/{issue_id_or_key}'.format(issue_id_or_key=issueIdOrKey)
_method = 'PATCH'
resp = self.api.invoke_method(_method, _uri, request_param=kwargs)
return resp.json()
def delete(self, issueIdOrKey):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/delete-issue/
:param issueIdOrKey:
:return:
"""
_uri = 'issues/{issue_id_or_key}'.format(issue_id_or_key=issueIdOrKey)
_method = 'DELETE'
resp = self.api.invoke_method(_method, _uri)
return resp.json()
def get_comments(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-comment-list/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def add_comment(self, issueIdOrKey, content, notifiedUserId=None, attachmentId=None):
"""
https://developer.nulab-inc.com/ja/docs/backlog/api/2/add-comment/
:param issueIdOrKey:
:param content:
:param notifiedUserId:
:param attachmentId:
:return:
"""
_uri = 'issues/{issue_id_or_key}/comments'.format(issue_id_or_key=issueIdOrKey)
_method = 'POST'
_data = {'content': content}
if notifiedUserId is not None:
_data.update([('notifiedUserId[]', notifiedUserId)])
if attachmentId is not None:
_data.update([('attachmentId[]', attachmentId)])
resp = self.api.invoke_method(_method, _uri, _data)
return resp.json()
def count_comments(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/count-comment/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def get_comment(self, issueIdOrKey, commentId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-comment/
:param issueIdOrKey:
:param commentId:
:return:
"""
raise NotImplementedError
def update_comment(self, issueIdOrKey, commentId, content):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/update-comment/
:param issueIdOrKey:
:param commentId:
:param content:
:return:
"""
raise NotImplementedError
def get_comment_notifications(self, issueIdOrKey, commentId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-list-of-comment-notifications/
:param issueIdOrKey:
:param commentId:
:return:
"""
raise NotImplementedError
def add_comment_notification(self, issueIdOrKey, commentId, notifiedUserId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/add-comment-notification/
:param issueIdOrKey:
:param commentId:
:param notifiedUserId:
:return:
"""
raise NotImplementedError
def list_issue_attachments(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-list-of-issue-attachments/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def get_issue_attachments(self, issueIdOrKey, attachmentId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-issue-attachment/
:param issueIdOrKey:
:param attachmentId:
:return:
"""
raise NotImplementedError
def delete_issue_attachment(self, issueIdOrKey, attachmentId):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/delete-issue-attachment/
:param issueIdOrKey:
:param attachmentId:
:return:
"""
raise NotImplementedError
def list_issue_shared_files(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/get-list-of-linked-shared-files/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def link_issue_shared_files(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/link-shared-files-to-issue/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
def unlink_issue_shared_file(self, issueIdOrKey):
"""Sorry, not implemented yet
https://developer.nulab-inc.com/ja/docs/backlog/api/2/remove-link-to-shared-file-from-issue/
:param issueIdOrKey:
:return:
"""
raise NotImplementedError
|
#!/usr/bin/env python3
#
# MIT License
#
# Copyright (c) 2020-2021 EntySec
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
#
class dictionary:
def __init__(self):
self.paths = ['~root',
'~toor',
'~bin',
'~daemon',
'~adm',
'~lp',
'~sync',
'~shutdown',
'~halt',
'~mail',
'~pop',
'~postmaster',
'~news',
'~uucp',
'~operator',
'~games',
'~gopher',
'~ftp',
'~nobody',
'~nscd',
'~mailnull',
'~ident',
'~rpc',
'~rpcuser',
'~xfs',
'~gdm',
'~apache',
'~http',
'~web',
'~www',
'~adm',
'~admin',
'~administrator',
'~guest',
'~firewall',
'~fwuser',
'~fwadmin',
'~fw',
'~test',
'~testuser',
'~user',
'~user1',
'~user2',
'~user3',
'~user4',
'~user5',
'~sql',
'~data',
'~database',
'~anonymous',
'~staff',
'~office',
'~help',
'~helpdesk',
'~reception',
'~system',
'~operator',
'~backup',
'~aaron',
'~ab',
'~abba',
'~abbe',
'~abbey',
'~abbie',
'~root',
'~abbot',
'~abbott',
'~abby',
'~abdel',
'~abdul',
'~abe',
'~abel',
'~abelard',
'~abeu',
'~abey',
'~abie',
'~abner',
'~abraham',
'~abrahan',
'~abram',
'~abramo',
'~abran',
'~ad',
'~adair',
'~adam',
'~adamo',
'~adams',
'~adan',
'~addie',
'~addison',
'~addy',
'~ade',
'~adelbert',
'~adham',
'~adlai',
'~adler',
'~ado',
'~adolf',
'~adolph',
'~adolphe',
'~adolpho',
'~adolphus',
'~adrian',
'~adriano',
'~adrien',
'~agosto',
'~aguie',
'~aguistin',
'~aguste',
'~agustin',
'~aharon',
'~ahmad',
'~ahmed',
'~ailbert',
'~akim',
'~aksel',
'~al',
'~alain',
'~alair',
'~alan',
'~aland',
'~alano',
'~alanson',
'~alard',
'~alaric',
'~alasdair',
'~alastair',
'~alasteir',
'~alaster',
'~alberik',
'~albert',
'~alberto',
'~albie',
'~albrecht',
'~alden',
'~aldin',
'~aldis',
'~aldo',
'~aldon',
'~aldous',
'~aldric',
'~aldrich',
'~aldridge',
'~aldus',
'~aldwin',
'~alec',
'~alejandro',
'~alejoa',
'~aleksandr',
'~alessandro',
'~alex',
'~alexander',
'~alexandr',
'~alexandre',
'~alexandro',
'~alexandros',
'~alexei',
'~alexio',
'~alexis',
'~alf',
'~alfie',
'~alfons',
'~alfonse',
'~alfonso',
'~alford',
'~alfred',
'~alfredo',
'~alfy',
'~algernon',
'~ali',
'~alic',
'~alick',
'~alisander',
'~alistair',
'~alister',
'~alix',
'~allan',
'~allard',
'~allayne',
'~allen',
'~alley',
'~alleyn',
'~allie',
'~allin',
'~allister',
'~allistir',
'~allyn',
'~aloin',
'~alon',
'~alonso',
'~alonzo',
'~aloysius',
'~alphard',
'~alphonse',
'~alphonso',
'~alric',
'~aluin',
'~aluino',
'~alva',
'~alvan',
'~alvie',
'~alvin',
'~alvis',
'~alvy',
'~alwin',
'~alwyn',
'~alyosha',
'~amble',
'~ambros',
'~ambrose',
'~ambrosi',
'~ambrosio',
'~ambrosius',
'~amby',
'~amerigo',
'~amery',
'~amory',
'~amos',
'~anatol',
'~anatole',
'~anatollo',
'~ancell',
'~anders',
'~anderson',
'~andie',
'~andonis',
'~andras',
'~andre',
'~andrea',
'~andreas',
'~andrej',
'~andres',
'~andrew',
'~andrey',
'~andris',
'~andros',
'~andrus',
'~andy',
'~ange',
'~angel',
'~angeli',
'~angelico',
'~angelo',
'~angie',
'~angus',
'~ansel',
'~ansell',
'~anselm',
'~anson',
'~anthony',
'~antin',
'~antoine',
'~anton',
'~antone',
'~antoni',
'~antonin',
'~antonino',
'~antonio',
'~antonius',
'~antons',
'~antony',
'~any',
'~ara',
'~araldo',
'~arch',
'~archaimbaud',
'~archambault',
'~archer',
'~archibald',
'~archibaldo',
'~archibold',
'~archie',
'~archy',
'~arel',
'~ari',
'~arie',
'~ariel',
'~arin',
'~ario',
'~aristotle',
'~arlan',
'~arlen',
'~arley',
'~arlin',
'~arman',
'~armand',
'~armando',
'~armin',
'~armstrong',
'~arnaldo',
'~arne',
'~arney',
'~arni',
'~arnie',
'~arnold',
'~arnoldo',
'~arnuad',
'~arny',
'~aron',
'~arri',
'~arron',
'~art',
'~artair',
'~arte',
'~artemas',
'~artemis',
'~artemus',
'~arther',
'~arthur',
'~artie',
'~artur',
'~arturo',
'~artus',
'~arty',
'~arv',
'~arvie',
'~arvin',
'~arvy',
'~asa',
'~ase',
'~ash',
'~ashbey',
'~ashby',
'~asher',
'~ashley',
'~ashlin',
'~ashton',
'~aube',
'~auberon',
'~aubert',
'~aubrey',
'~augie',
'~august',
'~augustin',
'~augustine',
'~augusto',
'~augustus',
'~augy',
'~aurthur',
'~austen',
'~austin',
'~ave',
'~averell',
'~averil',
'~averill',
'~avery',
'~avictor',
'~avigdor',
'~avram',
'~avrom',
'~ax',
'~axe',
'~axel',
'~aylmar',
'~aylmer',
'~aymer',
'~bail',
'~bailey',
'~bailie',
'~baillie',
'~baily',
'~baird',
'~bald',
'~balduin',
'~baldwin',
'~bale',
'~ban',
'~bancroft',
'~bank',
'~banky',
'~bar',
'~barbabas',
'~barclay',
'~bard',
'~barde',
'~barn',
'~barnabas',
'~barnabe',
'~barnaby',
'~barnard',
'~barnebas',
'~barnett',
'~barney',
'~barnie',
'~barny',
'~baron',
'~barr',
'~barret',
'~barrett',
'~barri',
'~barrie',
'~barris',
'~barron',
'~barry',
'~bart',
'~bartel',
'~barth',
'~barthel',
'~bartholemy',
'~bartholomeo',
'~bartholomeus',
'~bartholomew',
'~bartie',
'~bartlet',
'~bartlett',
'~bartolemo',
'~bartolomeo',
'~barton',
'~bartram',
'~barty',
'~bary',
'~baryram',
'~base',
'~basil',
'~basile',
'~basilio',
'~basilius',
'~bastian',
'~bastien',
'~bat',
'~batholomew',
'~baudoin',
'~bax',
'~baxie',
'~baxter',
'~baxy',
'~bay',
'~bayard',
'~beale',
'~bealle',
'~bear',
'~bearnard',
'~beau',
'~beaufort',
'~beauregard',
'~beck',
'~beltran',
'~ben',
'~bendick',
'~bendicty',
'~bendix',
'~benedetto',
'~benedick',
'~benedict',
'~benedicto',
'~benedikt',
'~bengt',
'~root',
'~beniamino',
'~benito',
'~benjamen',
'~benjamin',
'~benji',
'~benjie',
'~benjy',
'~benn',
'~bennett',
'~bennie',
'~benny',
'~benoit',
'~benson',
'~bent',
'~bentlee',
'~bentley',
'~benton',
'~benyamin',
'~ber',
'~berk',
'~berke',
'~berkeley',
'~berkie',
'~berkley',
'~berkly',
'~berky',
'~bern',
'~bernard',
'~bernardo',
'~bernarr',
'~berne',
'~bernhard',
'~bernie',
'~berny',
'~bert',
'~berti',
'~bertie',
'~berton',
'~bertram',
'~bertrand',
'~bertrando',
'~berty',
'~bev',
'~bevan',
'~bevin',
'~bevon',
'~bil',
'~bill',
'~billie',
'~billy',
'~bing',
'~bink',
'~binky',
'~birch',
'~birk',
'~biron',
'~bjorn',
'~blaine',
'~blair',
'~blake',
'~blane',
'~blayne',
'~bo',
'~bob',
'~bobbie',
'~bobby',
'~bogart',
'~bogey',
'~boigie',
'~bond',
'~bondie',
'~bondon',
'~bondy',
'~bone',
'~boniface',
'~boone',
'~boonie',
'~boony',
'~boot',
'~boote',
'~booth',
'~boothe',
'~bord',
'~borden',
'~bordie',
'~bordy',
'~borg',
'~boris',
'~bourke',
'~bowie',
'~boy',
'~boyce',
'~boycey',
'~boycie',
'~boyd',
'~brad',
'~bradan',
'~brade',
'~braden',
'~bradford',
'~bradley',
'~bradly',
'~bradney',
'~brady',
'~bram',
'~bran',
'~brand',
'~branden',
'~brander',
'~brandon',
'~brandtr',
'~brandy',
'~brandyn',
'~brannon',
'~brant',
'~brantley',
'~bren',
'~brendan',
'~brenden',
'~brendin',
'~brendis',
'~brendon',
'~brennan',
'~brennen',
'~brent',
'~bret',
'~brett',
'~brew',
'~brewer',
'~brewster',
'~brian',
'~briano',
'~briant',
'~brice',
'~brien',
'~brig',
'~brigg',
'~briggs',
'~brigham',
'~brion',
'~brit',
'~britt',
'~brnaba',
'~brnaby',
'~brock',
'~brockie',
'~brocky',
'~brod',
'~broddie',
'~broddy',
'~broderic',
'~broderick',
'~brodie',
'~brody',
'~brok',
'~bron',
'~bronnie',
'~bronny',
'~bronson',
'~brook',
'~brooke',
'~brooks',
'~brose',
'~bruce',
'~brucie',
'~bruis',
'~bruno',
'~bryan',
'~bryant',
'~bryanty',
'~bryce',
'~bryn',
'~bryon',
'~buck',
'~buckie',
'~bucky',
'~bud',
'~budd',
'~buddie',
'~buddy',
'~buiron',
'~burch',
'~burg',
'~burgess',
'~burk',
'~burke',
'~burl',
'~burlie',
'~burnaby',
'~burnard',
'~burr',
'~burt',
'~burtie',
'~burton',
'~burty',
'~butch',
'~byram',
'~byran',
'~byrann',
'~byrle',
'~byrom',
'~byron',
'~cad',
'~caddric',
'~caesar',
'~cal',
'~caldwell',
'~cale',
'~caleb',
'~calhoun',
'~callean',
'~calv',
'~calvin',
'~cam',
'~cameron',
'~camey',
'~cammy',
'~car',
'~carce',
'~care',
'~carey',
'~carl',
'~carleton',
'~carlie',
'~carlin',
'~carling',
'~carlo',
'~carlos',
'~carly',
'~carlyle',
'~carmine',
'~carney',
'~carny',
'~carolus',
'~carr',
'~carrol',
'~carroll',
'~carson',
'~cart',
'~carter',
'~carver',
'~cary',
'~caryl',
'~casar',
'~case',
'~casey',
'~cash',
'~caspar',
'~casper',
'~cass',
'~cassie',
'~cassius',
'~caz',
'~cazzie',
'~cchaddie',
'~cece',
'~cecil',
'~cecilio',
'~cecilius',
'~ced',
'~cedric',
'~cello',
'~cesar',
'~cesare',
'~cesaro',
'~chad',
'~chadd',
'~chaddie',
'~chaddy',
'~chadwick',
'~chaim',
'~chalmers',
'~chan',
'~chance',
'~chancey',
'~chandler',
'~chane',
'~chariot',
'~charles',
'~charley',
'~charlie',
'~charlton',
'~chas',
'~chase',
'~chaunce',
'~chauncey',
'~che',
'~chen',
'~ches',
'~chester',
'~cheston',
'~chet',
'~chev',
'~chevalier',
'~chevy',
'~chic',
'~chick',
'~chickie',
'~chicky',
'~chico',
'~chilton',
'~chip',
'~chris',
'~chrisse',
'~chrissie',
'~chrissy',
'~christian',
'~christiano',
'~christie',
'~christoffer',
'~christoforo',
'~christoper',
'~christoph',
'~christophe',
'~christopher',
'~christophorus',
'~christos',
'~christy',
'~chrisy',
'~chrotoem',
'~chucho',
'~chuck',
'~cirillo',
'~cirilo',
'~ciro',
'~cirstoforo',
'~claiborn',
'~claiborne',
'~clair',
'~claire',
'~clarance',
'~clare',
'~clarence',
'~clark',
'~clarke',
'~claudell',
'~claudian',
'~claudianus',
'~claudio',
'~claudius',
'~claus',
'~clay',
'~clayborn',
'~clayborne',
'~claybourne',
'~clayson',
'~clayton',
'~cleavland',
'~clem',
'~clemens',
'~clement',
'~clemente',
'~clementius',
'~clemmie',
'~clemmy',
'~cleon',
'~clerc',
'~clerkclaude',
'~cletis',
'~cletus',
'~cleve',
'~cleveland',
'~clevey',
'~clevie',
'~cliff',
'~clifford',
'~clim',
'~clint',
'~clive',
'~cly',
'~clyde',
'~clyve',
'~clywd',
'~cob',
'~cobb',
'~cobbie',
'~cobby',
'~codi',
'~codie',
'~cody',
'~cointon',
'~colan',
'~colas',
'~colby',
'~cole',
'~coleman',
'~colet',
'~colin',
'~collin',
'~colman',
'~colver',
'~con',
'~conan',
'~conant',
'~conn',
'~conney',
'~connie',
'~connor',
'~conny',
'~conrad',
'~conrade',
'~conrado',
'~conroy',
'~consalve',
'~constantin',
'~constantine',
'~constantino',
'~conway',
'~coop',
'~cooper',
'~corbet',
'~corbett',
'~corbie',
'~corbin',
'~corby',
'~cord',
'~cordell',
'~cordie',
'~cordy',
'~corey',
'~cori',
'~cornall',
'~cornelius',
'~cornell',
'~corney',
'~cornie',
'~corny',
'~correy',
'~corrie',
'~cort',
'~cortie',
'~corty',
'~cory',
'~cos',
'~cosimo',
'~cosme',
'~cosmo',
'~costa',
'~court',
'~courtnay',
'~courtney',
'~cozmo',
'~craggie',
'~craggy',
'~craig',
'~crawford',
'~creigh',
'~creight',
'~creighton',
'~crichton',
'~cris',
'~cristian',
'~cristiano',
'~cristobal',
'~crosby',
'~cross',
'~cull',
'~cullan',
'~cullen',
'~culley',
'~cullie',
'~cullin',
'~cully',
'~culver',
'~curcio',
'~curr',
'~curran',
'~currey',
'~currie',
'~curry',
'~curt',
'~curtice',
'~curtis',
'~cy',
'~cyril',
'~cyrill',
'~cyrille',
'~cyrillus',
'~cyrus',
'~darcy',
'~dael',
'~dag',
'~dagny',
'~dal',
'~dale',
'~dalis',
'~dall',
'~dallas',
'~dalli',
'~dallis',
'~dallon',
'~dalston',
'~dalt',
'~dalton',
'~dame',
'~damian',
'~damiano',
'~damien',
'~damon',
'~dan',
'~dana',
'~dane',
'~dani',
'~danie',
'~daniel',
'~dannel',
'~dannie',
'~danny',
'~dante',
'~danya',
'~dar',
'~darb',
'~darbee',
'~darby',
'~darcy',
'~dare',
'~daren',
'~darill',
'~darin',
'~dario',
'~darius',
'~darn',
'~darnall',
'~darnell',
'~daron',
'~darrel',
'~darrell',
'~darren',
'~darrick',
'~darrin',
'~darryl',
'~darwin',
'~daryl',
'~daryle',
'~dav',
'~dave',
'~daven',
'~davey',
'~david',
'~davidde',
'~davide',
'~davidson',
'~davie',
'~davin',
'~davis',
'~davon',
'~davy',
'~dean',
'~deane',
'~decca',
'~deck',
'~del',
'~delainey',
'~delaney',
'~delano',
'~delbert',
'~dell',
'~delmar',
'~delmer',
'~delmor',
'~delmore',
'~demetre',
'~demetri',
'~demetris',
'~demetrius',
'~demott',
'~den',
'~dene',
'~denis',
'~dennet',
'~denney',
'~dennie',
'~dennis',
'~dennison',
'~denny',
'~denver',
'~denys',
'~der',
'~derby',
'~derek',
'~derick',
'~derk',
'~dermot',
'~derrek',
'~derrick',
'~derrik',
'~derril',
'~derron',
'~derry',
'~derward',
'~derwin',
'~des',
'~desi',
'~desmond',
'~desmund',
'~dev',
'~devin',
'~devland',
'~devlen',
'~devlin',
'~devy',
'~dew',
'~dewain',
'~dewey',
'~dewie',
'~dewitt',
'~dex',
'~dexter',
'~diarmid',
'~dick',
'~dickie',
'~dicky',
'~diego',
'~dieter',
'~dietrich',
'~dilan',
'~dill',
'~dillie',
'~dillon',
'~dilly',
'~dimitri',
'~dimitry',
'~dino',
'~dion',
'~dionisio',
'~dionysus',
'~dirk',
'~dmitri',
'~dolf',
'~dolph',
'~dom',
'~domenic',
'~domenico',
'~domingo',
'~dominic',
'~dominick',
'~dominik',
'~dominique',
'~don',
'~donal',
'~donall',
'~donalt',
'~donaugh',
'~donavon',
'~donn',
'~donnell',
'~donnie',
'~donny',
'~donovan',
'~dore',
'~dorey',
'~dorian',
'~dorie',
'~dory',
'~doug',
'~dougie',
'~douglas',
'~douglass',
'~dougy',
'~dov',
'~doy',
'~doyle',
'~drake',
'~drew',
'~dru',
'~drud',
'~drugi',
'~duane',
'~dud',
'~dudley',
'~duff',
'~duffie',
'~duffy',
'~dugald',
'~duke',
'~dukey',
'~dukie',
'~duky',
'~dun',
'~dunc',
'~duncan',
'~dunn',
'~dunstan',
'~dur',
'~durand',
'~durant',
'~durante',
'~durward',
'~dwain',
'~dwayne',
'~dwight',
'~dylan',
'~eadmund',
'~eal',
'~eamon',
'~earl',
'~earle',
'~earlie',
'~early',
'~earvin',
'~eb',
'~eben',
'~ebeneser',
'~ebenezer',
'~eberhard',
'~eberto',
'~ed',
'~edan',
'~edd',
'~eddie',
'~eddy',
'~edgar',
'~edgard',
'~edgardo',
'~edik',
'~edlin',
'~edmon',
'~edmund',
'~edouard',
'~edsel',
'~eduard',
'~eduardo',
'~eduino',
'~edvard',
'~edward',
'~edwin',
'~efrem',
'~efren',
'~egan',
'~egbert',
'~egon',
'~egor',
'~el',
'~elbert',
'~elden',
'~eldin',
'~eldon',
'~eldredge',
'~eldridge',
'~eli',
'~elia',
'~elias',
'~elihu',
'~elijah',
'~eliot',
'~elisha',
'~ellary',
'~ellerey',
'~ellery',
'~elliot',
'~elliott',
'~ellis',
'~ellswerth',
'~ellsworth',
'~ellwood',
'~elmer',
'~elmo',
'~elmore',
'~elnar',
'~elroy',
'~elston',
'~elsworth',
'~elton',
'~elvin',
'~elvis',
'~elvyn',
'~elwin',
'~elwood',
'~elwyn',
'~ely',
'~em',
'~emanuel',
'~emanuele',
'~emelen',
'~emerson',
'~emery',
'~emile',
'~emilio',
'~emlen',
'~emlyn',
'~emmanuel',
'~emmerich',
'~emmery',
'~emmet',
'~emmett',
'~emmit',
'~emmott',
'~emmy',
'~emory',
'~engelbert',
'~englebert',
'~ennis',
'~enoch',
'~enos',
'~enrico',
'~enrique',
'~ephraim',
'~ephrayim',
'~ephrem',
'~erasmus',
'~erastus',
'~erek',
'~erhard',
'~erhart',
'~eric',
'~erich',
'~erick',
'~erie',
'~erik',
'~erin',
'~erl',
'~ermanno',
'~ermin',
'~ernest',
'~ernesto',
'~ernestus',
'~ernie',
'~ernst',
'~erny',
'~errick',
'~errol',
'~erroll',
'~erskine',
'~erv',
'~ervin',
'~erwin',
'~esdras',
'~esme',
'~esra',
'~esteban',
'~estevan',
'~etan',
'~ethan',
'~ethe',
'~ethelbert',
'~ethelred',
'~etienne',
'~ettore',
'~euell',
'~eugen',
'~eugene',
'~eugenio',
'~eugenius',
'~eustace',
'~ev',
'~evan',
'~evelin',
'~evelyn',
'~even',
'~everard',
'~evered',
'~everett',
'~evin',
'~evyn',
'~ewan',
'~eward',
'~ewart',
'~ewell',
'~ewen',
'~ezechiel',
'~ezekiel',
'~ezequiel',
'~eziechiele',
'~ezra',
'~ezri',
'~fabe',
'~faber',
'~fabian',
'~fabiano',
'~fabien',
'~fabio',
'~fair',
'~fairfax',
'~fairleigh',
'~fairlie',
'~falito',
'~falkner',
'~far',
'~farlay',
'~farlee',
'~farleigh',
'~farley',
'~farlie',
'~farly',
'~farr',
'~farrel',
'~farrell',
'~farris',
'~faulkner',
'~fax',
'~federico',
'~fee',
'~felic',
'~felice',
'~felicio',
'~felike',
'~feliks',
'~felipe',
'~felix',
'~felizio',
'~feodor',
'~ferd',
'~ferdie',
'~ferdinand',
'~ferdy',
'~fergus',
'~ferguson',
'~fernando',
'~ferrel',
'~ferrell',
'~ferris',
'~fidel',
'~fidelio',
'~fidole',
'~field',
'~fielding',
'~fields',
'~filbert',
'~filberte',
'~filberto',
'~filip',
'~filippo',
'~filmer',
'~filmore',
'~fin',
'~findlay',
'~findley',
'~finlay',
'~finley',
'~finn',
'~fitz',
'~fitzgerald',
'~flem',
'~fleming',
'~flemming',
'~fletch',
'~fletcher',
'~flin',
'~flinn',
'~flint',
'~florian',
'~flory',
'~floyd',
'~flynn',
'~fons',
'~fonsie',
'~fonz',
'~fonzie',
'~forbes',
'~ford',
'~forest',
'~forester',
'~forrest',
'~forrester',
'~forster',
'~foss',
'~foster',
'~fowler',
'~fran',
'~francesco',
'~franchot',
'~francis',
'~francisco',
'~franciskus',
'~francklin',
'~francklyn',
'~francois',
'~frank',
'~frankie',
'~franklin',
'~franklyn',
'~franky',
'~frannie',
'~franny',
'~frans',
'~fransisco',
'~frants',
'~franz',
'~franzen',
'~frasco',
'~fraser',
'~frasier',
'~frasquito',
'~fraze',
'~frazer',
'~frazier',
'~fred',
'~freddie',
'~freddy',
'~fredek',
'~frederic',
'~frederich',
'~frederick',
'~frederico',
'~frederigo',
'~frederik',
'~fredric',
'~fredrick',
'~free',
'~freedman',
'~freeland',
'~freeman',
'~freemon',
'~fremont',
'~friedrich',
'~friedrick',
'~fritz',
'~fulton',
'~gabbie',
'~gabby',
'~gabe',
'~gabi',
'~gabie',
'~gabriel',
'~gabriele',
'~gabriello',
'~gaby',
'~gael',
'~gaelan',
'~gage',
'~gail',
'~gaile',
'~gal',
'~gale',
'~galen',
'~gallagher',
'~gallard',
'~galvan',
'~galven',
'~galvin',
'~gamaliel',
'~gan',
'~gannie',
'~gannon',
'~ganny',
'~gar',
'~garald',
'~gard',
'~gardener',
'~gardie',
'~gardiner',
'~gardner',
'~gardy',
'~gare',
'~garek',
'~gareth',
'~garey',
'~garfield',
'~garik',
'~garner',
'~garold',
'~garrard',
'~garrek',
'~garret',
'~garreth',
'~garrett',
'~garrick',
'~garrik',
'~garrot',
'~garrott',
'~garry',
'~garth',
'~garv',
'~garvey',
'~garvin',
'~garvy',
'~garwin',
'~garwood',
'~gary',
'~gaspar',
'~gaspard',
'~gasparo',
'~gasper',
'~gaston',
'~gaultiero',
'~gauthier',
'~gav',
'~gavan',
'~gaven',
'~gavin',
'~gawain',
'~gawen',
'~gay',
'~gayelord',
'~gayle',
'~gayler',
'~gaylor',
'~gaylord',
'~gearalt',
'~gearard',
'~gene',
'~geno',
'~geoff',
'~geoffrey',
'~geoffry',
'~georas',
'~geordie',
'~georg',
'~george',
'~georges',
'~georgi',
'~georgie',
'~georgy',
'~gerald',
'~gerard',
'~gerardo',
'~gerek',
'~gerhard',
'~gerhardt',
'~geri',
'~gerick',
'~gerik',
'~germain',
'~germaine',
'~germayne',
'~gerome',
'~gerrard',
'~gerri',
'~gerrie',
'~gerry',
'~gery',
'~gherardo',
'~giacobo',
'~giacomo',
'~giacopo',
'~gian',
'~gianni',
'~giavani',
'~gib',
'~gibb',
'~gibbie',
'~gibby',
'~gideon',
'~giff',
'~giffard',
'~giffer',
'~giffie',
'~gifford',
'~giffy',
'~gil',
'~gilbert',
'~gilberto',
'~gilburt',
'~giles',
'~gill',
'~gilles',
'~ginger',
'~gino',
'~giordano',
'~giorgi',
'~giorgio',
'~giovanni',
'~giraldo',
'~giraud',
'~giselbert',
'~giulio',
'~giuseppe',
'~giustino',
'~giusto',
'~glen',
'~glenden',
'~glendon',
'~glenn',
'~glyn',
'~glynn',
'~godard',
'~godart',
'~goddard',
'~goddart',
'~godfree',
'~godfrey',
'~godfry',
'~godwin',
'~gonzales',
'~gonzalo',
'~goober',
'~goran',
'~goraud',
'~gordan',
'~gorden',
'~gordie',
'~gordon',
'~gordy',
'~gothart',
'~gottfried',
'~grace',
'~gradeigh',
'~gradey',
'~grady',
'~graehme',
'~graeme',
'~graham',
'~graig',
'~gram',
'~gran',
'~grange',
'~granger',
'~grannie',
'~granny',
'~grant',
'~grantham',
'~granthem',
'~grantley',
'~granville',
'~gray',
'~greg',
'~gregg',
'~greggory',
'~gregoire',
'~gregoor',
'~gregor',
'~gregorio',
'~gregorius',
'~gregory',
'~grenville',
'~griff',
'~griffie',
'~griffin',
'~griffith',
'~griffy',
'~gris',
'~griswold',
'~griz',
'~grove',
'~grover',
'~gualterio',
'~guglielmo',
'~guido',
'~guilbert',
'~guillaume',
'~guillermo',
'~gun',
'~gunar',
'~gunner',
'~guntar',
'~gunter',
'~gunther',
'~gus',
'~guss',
'~gustaf',
'~gustav',
'~gustave',
'~gustavo',
'~gustavus',
'~guthrey',
'~guthrie',
'~guthry',
'~guy',
'~had',
'~hadlee',
'~hadleigh',
'~hadley',
'~hadrian',
'~hagan',
'~hagen',
'~hailey',
'~haily',
'~hakeem',
'~hakim',
'~hal',
'~hale',
'~haleigh',
'~haley',
'~hall',
'~hallsy',
'~halsey',
'~halsy',
'~ham',
'~hamel',
'~hamid',
'~hamil',
'~hamilton',
'~hamish',
'~hamlen',
'~hamlin',
'~hammad',
'~hamnet',
'~hanan',
'~hank',
'~hans',
'~hansiain',
'~hanson',
'~harald',
'~harbert',
'~harcourt',
'~hardy',
'~harlan',
'~harland',
'~harlen',
'~harley',
'~harlin',
'~harman',
'~harmon',
'~harold',
'~haroun',
'~harp',
'~harper',
'~harris',
'~harrison',
'~harry',
'~hart',
'~hartley',
'~hartwell',
'~harv',
'~harvey',
'~harwell',
'~harwilll',
'~hasheem',
'~hashim',
'~haskel',
'~haskell',
'~haslett',
'~hastie',
'~hastings',
'~hasty',
'~haven',
'~hayden',
'~haydon',
'~hayes',
'~hayward',
'~haywood',
'~hayyim',
'~haze',
'~hazel',
'~hazlett',
'~heall',
'~heath',
'~hebert',
'~hector',
'~heindrick',
'~heinrick',
'~heinrik',
'~henderson',
'~hendrick',
'~hendrik',
'~henri',
'~henrik',
'~henry',
'~herb',
'~herbert',
'~herbie',
'~herby',
'~herc',
'~hercule',
'~hercules',
'~herculie',
'~heriberto',
'~herman',
'~hermann',
'~hermie',
'~hermon',
'~hermy',
'~hernando',
'~herold',
'~herrick',
'~hersch',
'~herschel',
'~hersh',
'~hershel',
'~herve',
'~hervey',
'~hew',
'~hewe',
'~hewet',
'~hewett',
'~hewie',
'~hewitt',
'~heywood',
'~hi',
'~hieronymus',
'~hilario',
'~hilarius',
'~hilary',
'~hill',
'~hillard',
'~hillary',
'~hillel',
'~hillery',
'~hilliard',
'~hillie',
'~hillier',
'~hilly',
'~hillyer',
'~hilton',
'~hinze',
'~hiram',
'~hirsch',
'~hobard',
'~hobart',
'~hobey',
'~hobie',
'~hodge',
'~hoebart',
'~hogan',
'~holden',
'~hollis',
'~holly',
'~holmes',
'~holt',
'~homer',
'~homere',
'~homerus',
'~horace',
'~horacio',
'~horatio',
'~horatius',
'~horst',
'~hort',
'~horten',
'~horton',
'~howard',
'~howey',
'~howie',
'~hoyt',
'~hube',
'~hubert',
'~huberto',
'~hubey',
'~hubie',
'~huey',
'~hugh',
'~hughie',
'~hugibert',
'~hugo',
'~hugues',
'~humbert',
'~humberto',
'~humfrey',
'~humfrid',
'~humfried',
'~humphrey',
'~hunfredo',
'~hunt',
'~hunter',
'~huntington',
'~huntlee',
'~huntley',
'~hurlee',
'~hurleigh',
'~hurley',
'~husain',
'~husein',
'~hussein',
'~hy',
'~hyatt',
'~hyman',
'~hymie',
'~iago',
'~iain',
'~ian',
'~ibrahim',
'~ichabod',
'~iggie',
'~iggy',
'~ignace',
'~ignacio',
'~ignacius',
'~ignatius',
'~ignaz',
'~ignazio',
'~igor',
'~ike',
'~ikey',
'~ilaire',
'~ilario',
'~immanuel',
'~ingamar',
'~ingar',
'~ingelbert',
'~ingemar',
'~inger',
'~inglebert',
'~inglis',
'~ingmar',
'~ingra',
'~ingram',
'~ingrim',
'~inigo',
'~inness',
'~innis',
'~iorgo',
'~iorgos',
'~iosep',
'~ira',
'~irv',
'~irvin',
'~irvine',
'~irving',
'~irwin',
'~irwinn',
'~isa',
'~isaac',
'~isaak',
'~isac',
'~isacco',
'~isador',
'~isadore',
'~isaiah',
'~isak',
'~isiahi',
'~isidor',
'~isidore',
'~isidoro',
'~isidro',
'~israel',
'~issiah',
'~itch',
'~ivan',
'~ivar',
'~ive',
'~iver',
'~ives',
'~ivor',
'~izaak',
'~izak',
'~izzy',
'~jabez',
'~jack',
'~jackie',
'~jackson',
'~jacky',
'~jacob',
'~jacobo',
'~jacques',
'~jae',
'~jaime',
'~jaimie',
'~jake',
'~jakie',
'~jakob',
'~jamaal',
'~jamal',
'~james',
'~jameson',
'~jamesy',
'~jamey',
'~jamie',
'~jamil',
'~jamill',
'~jamison',
'~jammal',
'~jan',
'~janek',
'~janos',
'~jarad',
'~jard',
'~jareb',
'~jared',
'~jarib',
'~jarid',
'~jarrad',
'~jarred',
'~jarret',
'~jarrett',
'~jarrid',
'~jarrod',
'~jarvis',
'~jase',
'~jasen',
'~jason',
'~jasper',
'~jasun',
'~javier',
'~jay',
'~jaye',
'~jayme',
'~jaymie',
'~jayson',
'~jdavie',
'~jean',
'~jecho',
'~jed',
'~jedd',
'~jeddy',
'~jedediah',
'~jedidiah',
'~jeff',
'~jefferey',
'~jefferson',
'~jeffie',
'~jeffrey',
'~jeffry',
'~jeffy',
'~jehu',
'~jeno',
'~jens',
'~jephthah',
'~jerad',
'~jerald',
'~jeramey',
'~jeramie',
'~jere',
'~jereme',
'~jeremiah',
'~jeremias',
'~jeremie',
'~jeremy',
'~jermain',
'~jermaine',
'~jermayne',
'~jerome',
'~jeromy',
'~jerri',
'~jerrie',
'~jerrold',
'~jerrome',
'~jerry',
'~jervis',
'~jess',
'~jesse',
'~jessee',
'~jessey',
'~jessie',
'~jesus',
'~jeth',
'~jethro',
'~jim',
'~jimmie',
'~jimmy',
'~jo',
'~joachim',
'~joaquin',
'~job',
'~jock',
'~jocko',
'~jodi',
'~jodie',
'~jody',
'~joe',
'~joel',
'~joey',
'~johan',
'~johann',
'~johannes',
'~john',
'~johnathan',
'~johnathon',
'~johnnie',
'~johnny',
'~johny',
'~jon',
'~jonah',
'~jonas',
'~jonathan',
'~jonathon',
'~jone',
'~jordan',
'~jordon',
'~jorgan',
'~jorge',
'~jory',
'~jose',
'~joseito',
'~joseph',
'~josh',
'~joshia',
'~joshua',
'~joshuah',
'~josiah',
'~josias',
'~jourdain',
'~jozef',
'~juan',
'~jud',
'~judah',
'~judas',
'~judd',
'~jude',
'~judon',
'~jule',
'~jules',
'~julian',
'~julie',
'~julio',
'~julius',
'~justen',
'~justin',
'~justinian',
'~justino',
'~justis',
'~justus',
'~kahaleel',
'~kahlil',
'~kain',
'~kaine',
'~kaiser',
'~kale',
'~kaleb',
'~kalil',
'~kalle',
'~kalvin',
'~kane',
'~kareem',
'~karel',
'~karim',
'~karl',
'~karlan',
'~karlens',
'~karlik',
'~karlis',
'~karney',
'~karoly',
'~kaspar',
'~kasper',
'~kayne',
'~kean',
'~keane',
'~kearney',
'~keary',
'~keefe',
'~keefer',
'~keelby',
'~keen',
'~keenan',
'~keene',
'~keir',
'~keith',
'~kelbee',
'~kelby',
'~kele',
'~kellby',
'~kellen',
'~kelley',
'~kelly',
'~kelsey',
'~kelvin',
'~kelwin',
'~ken',
'~kendal',
'~kendall',
'~kendell',
'~kendrick',
'~kendricks',
'~kenn',
'~kennan',
'~kennedy',
'~kenneth',
'~kennett',
'~kennie',
'~kennith',
'~kenny',
'~kenon',
'~kent',
'~kenton',
'~kenyon',
'~ker',
'~kerby',
'~kerk',
'~kermie',
'~kermit',
'~kermy',
'~kerr',
'~kerry',
'~kerwin',
'~kerwinn',
'~kev',
'~kevan',
'~keven',
'~kevin',
'~kevon',
'~khalil',
'~kiel',
'~kienan',
'~kile',
'~kiley',
'~kilian',
'~killian',
'~killie',
'~killy',
'~kim',
'~kimball',
'~kimbell',
'~kimble',
'~kin',
'~kincaid',
'~king',
'~kingsley',
'~kingsly',
'~kingston',
'~kinnie',
'~kinny',
'~kinsley',
'~kip',
'~kipp',
'~kippar',
'~kipper',
'~kippie',
'~kippy',
'~kirby',
'~kirk',
'~kit',
'~klaus',
'~klemens',
'~klement',
'~kleon',
'~kliment',
'~knox',
'~koenraad',
'~konrad',
'~konstantin',
'~konstantine',
'~korey',
'~kort',
'~kory',
'~kris',
'~krisha',
'~krishna',
'~krishnah',
'~krispin',
'~kristian',
'~kristo',
'~kristofer',
'~kristoffer',
'~kristofor',
'~kristoforo',
'~kristopher',
'~kristos',
'~kurt',
'~kurtis',
'~ky',
'~kyle',
'~kylie',
'~laird',
'~lalo',
'~lamar',
'~lambert',
'~lammond',
'~lamond',
'~lamont',
'~lance',
'~lancelot',
'~land',
'~lane',
'~laney',
'~langsdon',
'~langston',
'~lanie',
'~lannie',
'~lanny',
'~larry',
'~lars',
'~laughton',
'~launce',
'~lauren',
'~laurence',
'~laurens',
'~laurent',
'~laurie',
'~lauritz',
'~law',
'~lawrence',
'~lawry',
'~lawton',
'~lay',
'~layton',
'~lazar',
'~lazare',
'~lazaro',
'~lazarus',
'~lee',
'~leeland',
'~lefty',
'~leicester',
'~leif',
'~leigh',
'~leighton',
'~lek',
'~leland',
'~lem',
'~lemar',
'~lemmie',
'~lemmy',
'~lemuel',
'~lenard',
'~lenci',
'~lennard',
'~lennie',
'~leo',
'~leon',
'~leonard',
'~leonardo',
'~leonerd',
'~leonhard',
'~leonid',
'~leonidas',
'~leopold',
'~leroi',
'~leroy',
'~les',
'~lesley',
'~leslie',
'~lester',
'~leupold',
'~lev',
'~levey',
'~levi',
'~levin',
'~levon',
'~levy',
'~lew',
'~lewes',
'~lewie',
'~lewiss',
'~lezley',
'~liam',
'~lief',
'~lin',
'~linc',
'~lincoln',
'~lind',
'~lindon',
'~lindsay',
'~lindsey',
'~lindy',
'~link',
'~linn',
'~linoel',
'~linus',
'~lion',
'~lionel',
'~lionello',
'~lisle',
'~llewellyn',
'~lloyd',
'~llywellyn',
'~lock',
'~locke',
'~lockwood',
'~lodovico',
'~logan',
'~lombard',
'~lon',
'~lonnard',
'~lonnie',
'~lonny',
'~lorant',
'~loren',
'~lorens',
'~lorenzo',
'~lorin',
'~lorne',
'~lorrie',
'~lorry',
'~lothaire',
'~lothario',
'~lou',
'~louie',
'~louis',
'~lovell',
'~lowe',
'~lowell',
'~lowrance',
'~loy',
'~loydie',
'~luca',
'~lucais',
'~lucas',
'~luce',
'~lucho',
'~lucian',
'~luciano',
'~lucias',
'~lucien',
'~lucio',
'~lucius',
'~ludovico',
'~ludvig',
'~ludwig',
'~luigi',
'~luis',
'~lukas',
'~luke',
'~lutero',
'~luther',
'~ly',
'~lydon',
'~lyell',
'~lyle',
'~lyman',
'~lyn',
'~lynn',
'~lyon',
'~mac',
'~mace',
'~mack',
'~mackenzie',
'~maddie',
'~maddy',
'~madison',
'~magnum',
'~mahmoud',
'~mahmud',
'~maison',
'~maje',
'~major',
'~mal',
'~malachi',
'~malchy',
'~malcolm',
'~mallory',
'~malvin',
'~man',
'~mandel',
'~manfred',
'~mannie',
'~manny',
'~mano',
'~manolo',
'~manuel',
'~mar',
'~marc',
'~marcel',
'~marcello',
'~marcellus',
'~marcelo',
'~marchall',
'~marco',
'~marcos',
'~marcus',
'~marietta',
'~marijn',
'~mario',
'~marion',
'~marius',
'~mark',
'~markos',
'~markus',
'~marlin',
'~marlo',
'~marlon',
'~marlow',
'~marlowe',
'~marmaduke',
'~marsh',
'~marshal',
'~marshall',
'~mart',
'~martainn',
'~marten',
'~martie',
'~martin',
'~martino',
'~marty',
'~martyn',
'~marv',
'~marve',
'~marven',
'~marvin',
'~marwin',
'~mason',
'~massimiliano',
'~massimo',
'~mata',
'~mateo',
'~mathe',
'~mathew',
'~mathian',
'~mathias',
'~matias',
'~matt',
'~matteo',
'~matthaeus',
'~mattheus',
'~matthew',
'~matthias',
'~matthieu',
'~matthiew',
'~matthus',
'~mattias',
'~mattie',
'~matty',
'~maurice',
'~mauricio',
'~maurie',
'~maurise',
'~maurits',
'~maurizio',
'~maury',
'~max',
'~maxie',
'~maxim',
'~maximilian',
'~maximilianus',
'~maximilien',
'~maximo',
'~maxwell',
'~maxy',
'~mayer',
'~maynard',
'~mayne',
'~maynord',
'~mayor',
'~mead',
'~meade',
'~meier',
'~meir',
'~mel',
'~melvin',
'~melvyn',
'~menard',
'~mendel',
'~mendie',
'~mendy',
'~meredeth',
'~meredith',
'~merell',
'~merill',
'~merle',
'~merrel',
'~merrick',
'~merrill',
'~merry',
'~merv',
'~mervin',
'~merwin',
'~merwyn',
'~meryl',
'~meyer',
'~mic',
'~micah',
'~michael',
'~michail',
'~michal',
'~michale',
'~micheal',
'~micheil',
'~michel',
'~michele',
'~mick',
'~mickey',
'~mickie',
'~micky',
'~miguel',
'~mikael',
'~mike',
'~mikel',
'~mikey',
'~mikkel',
'~mikol',
'~mile',
'~miles',
'~mill',
'~millard',
'~miller',
'~milo',
'~milt',
'~miltie',
'~milton',
'~milty',
'~miner',
'~minor',
'~mischa',
'~mitch',
'~mitchael',
'~mitchel',
'~mitchell',
'~moe',
'~mohammed',
'~mohandas',
'~mohandis',
'~moise',
'~moises',
'~moishe',
'~monro',
'~monroe',
'~montague',
'~monte',
'~montgomery',
'~monti',
'~monty',
'~moore',
'~mord',
'~mordecai',
'~mordy',
'~morey',
'~morgan',
'~morgen',
'~morgun',
'~morie',
'~moritz',
'~morlee',
'~morley',
'~morly',
'~morrie',
'~morris',
'~morry',
'~morse',
'~mort',
'~morten',
'~mortie',
'~mortimer',
'~morton',
'~morty',
'~mose',
'~moses',
'~moshe',
'~moss',
'~mozes',
'~muffin',
'~muhammad',
'~munmro',
'~munroe',
'~murdoch',
'~murdock',
'~murray',
'~murry',
'~murvyn',
'~my',
'~myca',
'~mycah',
'~mychal',
'~myer',
'~myles',
'~mylo',
'~myron',
'~myrvyn',
'~myrwyn',
'~nahum',
'~nap',
'~napoleon',
'~nappie',
'~nappy',
'~nat',
'~natal',
'~natale',
'~nataniel',
'~nate',
'~nathan',
'~nathanael',
'~nathanial',
'~nathaniel',
'~nathanil',
'~natty',
'~neal',
'~neale',
'~neall',
'~nealon',
'~nealson',
'~nealy',
'~ned',
'~neddie',
'~neddy',
'~neel',
'~nefen',
'~nehemiah',
'~neil',
'~neill',
'~neils',
'~nels',
'~nelson',
'~nero',
'~neron',
'~nester',
'~nestor',
'~nev',
'~nevil',
'~nevile',
'~neville',
'~nevin',
'~nevins',
'~newton',
'~nial',
'~niall',
'~niccolo',
'~nicholas',
'~nichole',
'~nichols',
'~nick',
'~nickey',
'~nickie',
'~nicko',
'~nickola',
'~nickolai',
'~nickolas',
'~nickolaus',
'~nicky',
'~nico',
'~nicol',
'~nicola',
'~nicolai',
'~nicolais',
'~nicolas',
'~nicolis',
'~niel',
'~niels',
'~nigel',
'~niki',
'~nikita',
'~nikki',
'~niko',
'~nikola',
'~nikolai',
'~nikolaos',
'~nikolas',
'~nikolaus',
'~nikolos',
'~nikos',
'~nil',
'~niles',
'~nils',
'~nilson',
'~niven',
'~noach',
'~noah',
'~noak',
'~noam',
'~nobe',
'~nobie',
'~noble',
'~noby',
'~noe',
'~noel',
'~nolan',
'~noland',
'~noll',
'~nollie',
'~nolly',
'~norbert',
'~norbie',
'~norby',
'~norman',
'~normand',
'~normie',
'~normy',
'~norrie',
'~norris',
'~norry',
'~north',
'~northrop',
'~northrup',
'~norton',
'~nowell',
'~nye',
'~oates',
'~obadiah',
'~obadias',
'~obed',
'~obediah',
'~oberon',
'~obidiah',
'~obie',
'~oby',
'~octavius',
'~ode',
'~odell',
'~odey',
'~odie',
'~odo',
'~ody',
'~ogdan',
'~ogden',
'~ogdon',
'~olag',
'~olav',
'~ole',
'~olenolin',
'~olin',
'~oliver',
'~olivero',
'~olivier',
'~oliviero',
'~ollie',
'~olly',
'~olvan',
'~omar',
'~omero',
'~onfre',
'~onfroi',
'~onofredo',
'~oran',
'~orazio',
'~orbadiah',
'~oren',
'~orin',
'~orion',
'~orlan',
'~orland',
'~orlando',
'~orran',
'~orren',
'~orrin',
'~orson',
'~orton',
'~orv',
'~orville',
'~osbert',
'~osborn',
'~osborne',
'~osbourn',
'~osbourne',
'~osgood',
'~osmond',
'~osmund',
'~ossie',
'~oswald',
'~oswell',
'~otes',
'~othello',
'~otho',
'~otis',
'~otto',
'~owen',
'~ozzie',
'~ozzy',
'~pablo',
'~pace',
'~packston',
'~paco',
'~pacorro',
'~paddie',
'~paddy',
'~padget',
'~padgett',
'~padraic',
'~padraig',
'~padriac',
'~page',
'~paige',
'~pail',
'~pall',
'~palm',
'~palmer',
'~panchito',
'~pancho',
'~paolo',
'~papageno',
'~paquito',
'~park',
'~parke',
'~parker',
'~parnell',
'~parrnell',
'~parry',
'~parsifal',
'~pascal',
'~pascale',
'~pasquale',
'~pat',
'~pate',
'~paten',
'~patin',
'~paton',
'~patric',
'~patrice',
'~patricio',
'~patrick',
'~patrizio',
'~patrizius',
'~patsy',
'~patten',
'~pattie',
'~pattin',
'~patton',
'~patty',
'~paul',
'~paulie',
'~paulo',
'~pauly',
'~pavel',
'~pavlov',
'~paxon',
'~paxton',
'~payton',
'~peadar',
'~pearce',
'~pebrook',
'~peder',
'~pedro',
'~peirce',
'~pembroke',
'~pen',
'~penn',
'~pennie',
'~penny',
'~penrod',
'~pepe',
'~pepillo',
'~pepito',
'~perceval',
'~percival',
'~percy',
'~perice',
'~perkin',
'~pernell',
'~perren',
'~perry',
'~pete',
'~peter',
'~peterus',
'~petey',
'~petr',
'~peyter',
'~peyton',
'~phil',
'~philbert',
'~philip',
'~phillip',
'~phillipe',
'~phillipp',
'~phineas',
'~phip',
'~pierce',
'~pierre',
'~pierson',
'~pieter',
'~pietrek',
'~pietro',
'~piggy',
'~pincas',
'~pinchas',
'~pincus',
'~piotr',
'~pip',
'~pippo',
'~pooh',
'~port',
'~porter',
'~portie',
'~porty',
'~poul',
'~powell',
'~pren',
'~prent',
'~prentice',
'~prentiss',
'~prescott',
'~preston',
'~price',
'~prince',
'~prinz',
'~pryce',
'~puff',
'~purcell',
'~putnam',
'~putnem',
'~pyotr',
'~quent',
'~quentin',
'~quill',
'~quillan',
'~quincey',
'~quincy',
'~quinlan',
'~quinn',
'~quint',
'~quintin',
'~quinton',
'~quintus',
'~rab',
'~rabbi',
'~rabi',
'~rad',
'~radcliffe',
'~raddie',
'~raddy',
'~rafael',
'~rafaellle',
'~rafaello',
'~rafe',
'~raff',
'~raffaello',
'~raffarty',
'~rafferty',
'~rafi',
'~ragnar',
'~raimondo',
'~raimund',
'~raimundo',
'~rainer',
'~raleigh',
'~ralf',
'~ralph',
'~ram',
'~ramon',
'~ramsay',
'~ramsey',
'~rance',
'~rancell',
'~rand',
'~randal',
'~randall',
'~randell',
'~randi',
'~randie',
'~randolf',
'~randolph',
'~randy',
'~ransell',
'~ransom',
'~raoul',
'~raphael',
'~raul',
'~ravi',
'~ravid',
'~raviv',
'~rawley',
'~ray',
'~raymond',
'~raymund',
'~raynard',
'~rayner',
'~raynor',
'~read',
'~reade',
'~reagan',
'~reagen',
'~reamonn',
'~red',
'~redd',
'~redford',
'~reece',
'~reed',
'~rees',
'~reese',
'~reg',
'~regan',
'~regen',
'~reggie',
'~reggis',
'~reggy',
'~reginald',
'~reginauld',
'~reid',
'~reidar',
'~reider',
'~reilly',
'~reinald',
'~reinaldo',
'~reinaldos',
'~reinhard',
'~reinhold',
'~reinold',
'~reinwald',
'~rem',
'~remington',
'~remus',
'~renado',
'~renaldo',
'~renard',
'~renato',
'~renaud',
'~renault',
'~rene',
'~reube',
'~reuben',
'~reuven',
'~rex',
'~rey',
'~reynard',
'~reynold',
'~reynolds',
'~rhett',
'~rhys',
'~ric',
'~ricard',
'~ricardo',
'~riccardo',
'~rice',
'~rich',
'~richard',
'~richardo',
'~richart',
'~richie',
'~richmond',
'~richmound',
'~richy',
'~rick',
'~rickard',
'~rickert',
'~rickey',
'~ricki',
'~rickie',
'~ricky',
'~ricoriki',
'~rik',
'~rikki',
'~riley',
'~rinaldo',
'~ring',
'~ringo',
'~riobard',
'~riordan',
'~rip',
'~ripley',
'~ritchie',
'~roarke',
'~rob',
'~robb',
'~robbert',
'~robbie',
'~robby',
'~robers',
'~robert',
'~roberto',
'~robin',
'~robinet',
'~robinson',
'~rochester',
'~rock',
'~rockey',
'~rockie',
'~rockwell',
'~rocky',
'~rod',
'~rodd',
'~roddie',
'~roddy',
'~roderic',
'~roderich',
'~roderick',
'~roderigo',
'~rodge',
'~rodger',
'~rodney',
'~rodolfo',
'~rodolph',
'~rodolphe',
'~rodrick',
'~rodrigo',
'~rodrique',
'~rog',
'~roger',
'~rogerio',
'~rogers',
'~roi',
'~roland',
'~rolando',
'~roldan',
'~roley',
'~rolf',
'~rolfe',
'~rolland',
'~rollie',
'~rollin',
'~rollins',
'~rollo',
'~rolph',
'~roma',
'~romain',
'~roman',
'~romeo',
'~ron',
'~ronald',
'~ronnie',
'~ronny',
'~rooney',
'~roosevelt',
'~rorke',
'~rory',
'~rosco',
'~roscoe',
'~ross',
'~rossie',
'~rossy',
'~roth',
'~rourke',
'~rouvin',
'~rowan',
'~rowen',
'~rowland',
'~rowney',
'~roy',
'~royal',
'~royall',
'~royce',
'~rriocard',
'~rube',
'~ruben',
'~rubin',
'~ruby',
'~rudd',
'~ruddie',
'~ruddy',
'~rudie',
'~rudiger',
'~rudolf',
'~rudolfo',
'~rudolph',
'~rudy',
'~rudyard',
'~rufe',
'~rufus',
'~ruggiero',
'~rupert',
'~ruperto',
'~ruprecht',
'~rurik',
'~russ',
'~russell',
'~rustie',
'~rustin',
'~rusty',
'~rutger',
'~rutherford',
'~rutledge',
'~rutter',
'~ruttger',
'~ruy',
'~ryan',
'~ryley',
'~ryon',
'~ryun',
'~sal',
'~saleem',
'~salem',
'~salim',
'~salmon',
'~salomo',
'~salomon',
'~salomone',
'~salvador',
'~salvatore',
'~salvidor',
'~sam',
'~sammie',
'~sammy',
'~sampson',
'~samson',
'~samuel',
'~samuele',
'~sancho',
'~sander',
'~sanders',
'~sanderson',
'~sandor',
'~sandro',
'~sandy',
'~sanford',
'~sanson',
'~sansone',
'~sarge',
'~sargent',
'~sascha',
'~sasha',
'~saul',
'~sauncho',
'~saunder',
'~saunders',
'~saunderson',
'~saundra',
'~sauveur',
'~saw',
'~sawyer',
'~sawyere',
'~sax',
'~saxe',
'~saxon',
'~say',
'~sayer',
'~sayers',
'~sayre',
'~sayres',
'~scarface',
'~schuyler',
'~scot',
'~scott',
'~scotti',
'~scottie',
'~scotty',
'~seamus',
'~sean',
'~sebastian',
'~sebastiano',
'~sebastien',
'~see',
'~selby',
'~selig',
'~serge',
'~sergeant',
'~sergei',
'~sergent',
'~sergio',
'~seth',
'~seumas',
'~seward',
'~seymour',
'~shadow',
'~shae',
'~shaine',
'~shalom',
'~shamus',
'~shanan',
'~shane',
'~shannan',
'~shannon',
'~shaughn',
'~shaun',
'~shaw',
'~shawn',
'~shay',
'~shayne',
'~shea',
'~sheff',
'~sheffie',
'~sheffield',
'~sheffy',
'~shelby',
'~shelden',
'~shell',
'~shelley',
'~shellysheldon',
'~shelton',
'~shem',
'~shep',
'~shepard',
'~shepherd',
'~sheppard',
'~shepperd',
'~sheridan',
'~sherlock',
'~sherlocke',
'~sherm',
'~sherman',
'~shermie',
'~shermy',
'~sherwin',
'~sherwood',
'~sherwynd',
'~sholom',
'~shurlock',
'~shurlocke',
'~shurwood',
'~si',
'~sibyl',
'~sid',
'~sidnee',
'~sidney',
'~siegfried',
'~siffre',
'~sig',
'~sigfrid',
'~sigfried',
'~sigismond',
'~sigismondo',
'~sigismund',
'~sigismundo',
'~sigmund',
'~sigvard',
'~silas',
'~silvain',
'~silvan',
'~silvano',
'~silvanus',
'~silvester',
'~silvio',
'~sim',
'~simeon',
'~simmonds',
'~simon',
'~simone',
'~sinclair',
'~sinclare',
'~siward',
'~skell',
'~skelly',
'~skip',
'~skipp',
'~skipper',
'~skippie',
'~skippy',
'~skipton',
'~sky',
'~skye',
'~skylar',
'~skyler',
'~slade',
'~sloan',
'~sloane',
'~sly',
'~smith',
'~smitty',
'~sol',
'~sollie',
'~solly',
'~solomon',
'~somerset',
'~son',
'~sonnie',
'~sonny',
'~spence',
'~spencer',
'~spense',
'~spenser',
'~spike',
'~stacee',
'~stacy',
'~staffard',
'~stafford',
'~staford',
'~stan',
'~standford',
'~stanfield',
'~stanford',
'~stanislas',
'~stanislaus',
'~stanislaw',
'~stanleigh',
'~stanley',
'~stanly',
'~stanton',
'~stanwood',
'~stavro',
'~stavros',
'~stearn',
'~stearne',
'~stefan',
'~stefano',
'~steffen',
'~stephan',
'~stephanus',
'~stephen',
'~sterling',
'~stern',
'~sterne',
'~steve',
'~steven',
'~stevie',
'~stevy',
'~steward',
'~stewart',
'~stillman',
'~stillmann',
'~stinky',
'~stirling',
'~stu',
'~stuart',
'~sullivan',
'~sully',
'~sumner',
'~sunny',
'~sutherlan',
'~sutherland',
'~sutton',
'~sven',
'~svend',
'~swen',
'~syd',
'~sydney',
'~sylas',
'~sylvan',
'~sylvester',
'~syman',
'~symon',
'~tab',
'~tabb',
'~tabbie',
'~tabby',
'~taber',
'~tabor',
'~tad',
'~tadd',
'~taddeo',
'~taddeusz',
'~tadeas',
'~tadeo',
'~tades',
'~tadio',
'~tailor',
'~tait',
'~taite',
'~talbert',
'~talbot',
'~tallie',
'~tally',
'~tam',
'~tamas',
'~tammie',
'~tammy',
'~tan',
'~tann',
'~tanner',
'~tanney',
'~tannie',
'~tanny',
'~tarrance',
'~tate',
'~taylor',
'~teador',
'~ted',
'~tedd',
'~teddie',
'~teddy',
'~tedie',
'~tedman',
'~tedmund',
'~temp',
'~temple',
'~templeton',
'~teodoor',
'~teodor',
'~teodorico',
'~teodoro',
'~terence',
'~terencio',
'~terrance',
'~terrel',
'~terrell',
'~terrence',
'~terri',
'~terrill',
'~terry',
'~thacher',
'~thaddeus',
'~thaddus',
'~thadeus',
'~thain',
'~thaine',
'~thane',
'~thatch',
'~thatcher',
'~thaxter',
'~thayne',
'~thebault',
'~thedric',
'~thedrick',
'~theo',
'~theobald',
'~theodor',
'~theodore',
'~theodoric',
'~thibaud',
'~thibaut',
'~thom',
'~thoma',
'~thomas',
'~thor',
'~thorin',
'~thorn',
'~thorndike',
'~thornie',
'~thornton',
'~thorny',
'~thorpe',
'~thorstein',
'~thorsten',
'~thorvald',
'~thurstan',
'~thurston',
'~tibold',
'~tiebold',
'~tiebout',
'~tiler',
'~tim',
'~timmie',
'~timmy',
'~timofei',
'~timoteo',
'~timothee',
'~timotheus',
'~timothy',
'~tirrell',
'~tito',
'~titos',
'~titus',
'~tobe',
'~tobiah',
'~tobias',
'~tobie',
'~tobin',
'~tobit',
'~toby',
'~tod',
'~todd',
'~toddie',
'~toddy',
'~toiboid',
'~tom',
'~tomas',
'~tomaso',
'~tome',
'~tomkin',
'~tomlin',
'~tommie',
'~tommy',
'~tonnie',
'~tony',
'~tore',
'~torey',
'~torin',
'~torr',
'~torrance',
'~torre',
'~torrence',
'~torrey',
'~torrin',
'~torry',
'~town',
'~towney',
'~townie',
'~townsend',
'~towny',
'~trace',
'~tracey',
'~tracie',
'~tracy',
'~traver',
'~travers',
'~travis',
'~travus',
'~trefor',
'~tremain',
'~tremaine',
'~tremayne',
'~trent',
'~trenton',
'~trev',
'~trevar',
'~trever',
'~trevor',
'~trey',
'~trip',
'~tripp',
'~tris',
'~tristam',
'~tristan',
'~troy',
'~trstram',
'~trueman',
'~trumaine',
'~truman',
'~trumann',
'~tuck',
'~tucker',
'~tuckie',
'~tucky',
'~tudor',
'~tull',
'~tulley',
'~tully',
'~turner',
'~ty',
'~tybalt',
'~tye',
'~tyler',
'~tymon',
'~tymothy',
'~tynan',
'~tyrone',
'~tyrus',
'~tyson',
'~udale',
'~udall',
'~udell',
'~ugo',
'~ulberto',
'~ulick',
'~ulises',
'~ulric',
'~ulrich',
'~ulrick',
'~ulysses',
'~umberto',
'~upton',
'~urbain',
'~urban',
'~urbano',
'~urbanus',
'~uri',
'~uriah',
'~uriel',
'~urson',
'~vachel',
'~vaclav',
'~vail',
'~val',
'~valdemar',
'~vale',
'~valentijn',
'~valentin',
'~valentine',
'~valentino',
'~valle',
'~van',
'~vance',
'~vanya',
'~vasili',
'~vasilis',
'~vasily',
'~vassili',
'~vassily',
'~vaughan',
'~vaughn',
'~verge',
'~vergil',
'~vern',
'~verne',
'~vernen',
'~verney',
'~vernon',
'~vernor',
'~vic',
'~vick',
'~victoir',
'~victor',
'~vidovic',
'~vidovik',
'~vin',
'~vince',
'~vincent',
'~vincents',
'~vincenty',
'~vincenz',
'~vinnie',
'~vinny',
'~vinson',
'~virge',
'~virgie',
'~virgil',
'~virgilio',
'~vite',
'~vito',
'~vittorio',
'~vlad',
'~vladamir',
'~vladimir',
'~von',
'~wade',
'~wadsworth',
'~wain',
'~wainwright',
'~wait',
'~waite',
'~waiter',
'~wake',
'~wakefield',
'~wald',
'~waldemar',
'~walden',
'~waldo',
'~waldon',
'~walker',
'~wallace',
'~wallache',
'~wallas',
'~wallie',
'~wallis',
'~wally',
'~walsh',
'~walt',
'~walther',
'~walton',
'~wang',
'~ward',
'~warde',
'~warden',
'~ware',
'~waring',
'~warner',
'~warren',
'~wash',
'~washington',
'~wat',
'~waverley',
'~waverly',
'~way',
'~waylan',
'~wayland',
'~waylen',
'~waylin',
'~waylon',
'~wayne',
'~web',
'~webb',
'~weber',
'~webster',
'~weidar',
'~weider',
'~welbie',
'~welby',
'~welch',
'~wells',
'~welsh',
'~wendall',
'~wendel',
'~wendell',
'~werner',
'~wernher',
'~wes',
'~wesley',
'~west',
'~westbrook',
'~westbrooke',
'~westleigh',
'~westley',
'~weston',
'~weylin',
'~wheeler',
'~whit',
'~whitaker',
'~whitby',
'~whitman',
'~whitney',
'~whittaker',
'~wiatt',
'~wilbert',
'~wilbur',
'~wilburt',
'~wilden',
'~wildon',
'~wilek',
'~wiley',
'~wilfred',
'~wilfrid',
'~wilhelm',
'~will',
'~willard',
'~willdon',
'~willem',
'~willey',
'~willi',
'~william',
'~willie',
'~willis',
'~willy',
'~wilmar',
'~wilmer',
'~wilt',
'~wilton',
'~win',
'~windham',
'~winfield',
'~winfred',
'~winifield',
'~winn',
'~winnie',
'~winny',
'~winslow',
'~winston',
'~winthrop',
'~wit',
'~wittie',
'~witty',
'~wolf',
'~wolfgang',
'~wolfie',
'~wolfy',
'~wood',
'~woodie',
'~woodman',
'~woodrow',
'~woody',
'~worden',
'~worth',
'~worthington',
'~worthy',
'~wright',
'~wyatan',
'~wyatt',
'~wye',
'~wylie',
'~wyn',
'~wyndham',
'~wynn',
'~xavier',
'~xenos',
'~xerxes',
'~xever',
'~ximenes',
'~ximenez',
'~xymenes',
'~yale',
'~yanaton',
'~yance',
'~yancey',
'~yancy',
'~yank',
'~yankee',
'~yard',
'~yardley',
'~yehudi',
'~yehudit',
'~yorgo',
'~yorgos',
'~york',
'~yorke',
'~yorker',
'~yul',
'~yule',
'~yulma',
'~yuma',
'~yuri',
'~yurik',
'~yves',
'~yvon',
'~yvor',
'~zaccaria',
'~zach',
'~zacharia',
'~zachariah',
'~zacharias',
'~zacharie',
'~zachary',
'~zacherie',
'~zachery',
'~zack',
'~zackariah',
'~zak',
'~zane',
'~zared',
'~zeb',
'~zebadiah',
'~zebedee',
'~zebulen',
'~zebulon',
'~zechariah',
'~zed',
'~zedekiah',
'~zeke',
'~zelig',
'~zerk',
'~zollie',
'~zolly',
'~aaren',
'~aarika',
'~abagael',
'~abagail',
'~abbe',
'~abbey',
'~abbi',
'~abbie',
'~abby',
'~abbye',
'~abigael',
'~abigail',
'~abigale',
'~abra',
'~ada',
'~adah',
'~adaline',
'~adan',
'~adara',
'~adda',
'~addi',
'~addia',
'~addie',
'~addy',
'~adel',
'~adela',
'~adelaida',
'~adelaide',
'~adele',
'~adelheid',
'~adelice',
'~adelina',
'~adelind',
'~adeline',
'~adella',
'~adelle',
'~adena',
'~adey',
'~adi',
'~adiana',
'~adina',
'~adora',
'~adore',
'~adoree',
'~adorne',
'~adrea',
'~adria',
'~adriaens',
'~adrian',
'~adriana',
'~adriane',
'~adrianna',
'~adrianne',
'~adriena',
'~adrienne',
'~aeriel',
'~aeriela',
'~aeriell',
'~afton',
'~ag',
'~agace',
'~agata',
'~agatha',
'~agathe',
'~aggi',
'~aggie',
'~aggy',
'~agna',
'~agnella',
'~agnes',
'~agnese',
'~agnesse',
'~agneta',
'~agnola',
'~agretha',
'~aida',
'~aidan',
'~aigneis',
'~aila',
'~aile',
'~ailee',
'~aileen',
'~ailene',
'~ailey',
'~aili',
'~ailina',
'~ailis',
'~ailsun',
'~ailyn',
'~aime',
'~aimee',
'~aimil',
'~aindrea',
'~ainslee',
'~ainsley',
'~ainslie',
'~ajay',
'~alaine',
'~alameda',
'~alana',
'~alanah',
'~alane',
'~alanna',
'~alayne',
'~alberta',
'~albertina',
'~albertine',
'~albina',
'~alecia',
'~aleda',
'~aleece',
'~aleen',
'~alejandra',
'~alejandrina',
'~alena',
'~alene',
'~alessandra',
'~aleta',
'~alethea',
'~alex',
'~alexa',
'~alexandra',
'~alexandrina',
'~alexi',
'~alexia',
'~alexina',
'~alexine',
'~alexis',
'~alfi',
'~alfie',
'~alfreda',
'~alfy',
'~ali',
'~alia',
'~alica',
'~alice',
'~alicea',
'~alicia',
'~alida',
'~alidia',
'~alie',
'~alika',
'~alikee',
'~alina',
'~aline',
'~alis',
'~alisa',
'~alisha',
'~alison',
'~alissa',
'~alisun',
'~alix',
'~aliza',
'~alla',
'~alleen',
'~allegra',
'~allene',
'~alli',
'~allianora',
'~allie',
'~allina',
'~allis',
'~allison',
'~allissa',
'~allix',
'~allsun',
'~allx',
'~ally',
'~allyce',
'~allyn',
'~allys',
'~allyson',
'~alma',
'~almeda',
'~almeria',
'~almeta',
'~almira',
'~almire',
'~aloise',
'~aloisia',
'~aloysia',
'~alta',
'~althea',
'~alvera',
'~alverta',
'~alvina',
'~alvinia',
'~alvira',
'~alyce',
'~alyda',
'~alys',
'~alysa',
'~alyse',
'~alysia',
'~alyson',
'~alyss',
'~alyssa',
'~amabel',
'~amabelle',
'~amalea',
'~amalee',
'~amaleta',
'~amalia',
'~amalie',
'~amalita',
'~amalle',
'~amanda',
'~amandi',
'~amandie',
'~amandy',
'~amara',
'~amargo',
'~amata',
'~amber',
'~amberly',
'~ambur',
'~ame',
'~amelia',
'~amelie',
'~amelina',
'~ameline',
'~amelita',
'~ami',
'~amie',
'~amii',
'~amil',
'~amitie',
'~amity',
'~ammamaria',
'~amy',
'~amye',
'~ana',
'~anabal',
'~anabel',
'~anabella',
'~anabelle',
'~analiese',
'~analise',
'~anallese',
'~anallise',
'~anastasia',
'~anastasie',
'~anastassia',
'~anatola',
'~andee',
'~andeee',
'~anderea',
'~andi',
'~andie',
'~andra',
'~andrea',
'~andreana',
'~andree',
'~andrei',
'~andria',
'~andriana',
'~andriette',
'~andromache',
'~andy',
'~anestassia',
'~anet',
'~anett',
'~anetta',
'~anette',
'~ange',
'~angel',
'~angela',
'~angele',
'~angelia',
'~angelica',
'~angelika',
'~angelina',
'~angeline',
'~angelique',
'~angelita',
'~angelle',
'~angie',
'~angil',
'~angy',
'~ania',
'~anica',
'~anissa',
'~anita',
'~anitra',
'~anjanette',
'~anjela',
'~ann',
'~ann-marie',
'~anna',
'~anna-diana',
'~anna-diane',
'~anna-maria',
'~annabal',
'~annabel',
'~annabela',
'~annabell',
'~annabella',
'~annabelle',
'~annadiana',
'~annadiane',
'~annalee',
'~annaliese',
'~annalise',
'~annamaria',
'~annamarie',
'~anne',
'~anne-corinne',
'~anne-marie',
'~annecorinne',
'~anneliese',
'~annelise',
'~annemarie',
'~annetta',
'~annette',
'~anni',
'~annice',
'~annie',
'~annis',
'~annissa',
'~annmaria',
'~annmarie',
'~annnora',
'~annora',
'~anny',
'~anselma',
'~ansley',
'~anstice',
'~anthe',
'~anthea',
'~anthia',
'~anthiathia',
'~antoinette',
'~antonella',
'~antonetta',
'~antonia',
'~antonie',
'~antonietta',
'~antonina',
'~anya',
'~appolonia',
'~april',
'~aprilette',
'~ara',
'~arabel',
'~arabela',
'~arabele',
'~arabella',
'~arabelle',
'~arda',
'~ardath',
'~ardeen',
'~ardelia',
'~ardelis',
'~ardella',
'~ardelle',
'~arden',
'~ardene',
'~ardenia',
'~ardine',
'~ardis',
'~ardisj',
'~ardith',
'~ardra',
'~ardyce',
'~ardys',
'~ardyth',
'~aretha',
'~ariadne',
'~ariana',
'~aridatha',
'~ariel',
'~ariela',
'~ariella',
'~arielle',
'~arlana',
'~arlee',
'~arleen',
'~arlen',
'~arlena',
'~arlene',
'~arleta',
'~arlette',
'~arleyne',
'~arlie',
'~arliene',
'~arlina',
'~arlinda',
'~arline',
'~arluene',
'~arly',
'~arlyn',
'~arlyne',
'~aryn',
'~ashely',
'~ashia',
'~ashien',
'~ashil',
'~ashla',
'~ashlan',
'~ashlee',
'~ashleigh',
'~ashlen',
'~ashley',
'~ashli',
'~ashlie',
'~ashly',
'~asia',
'~astra',
'~astrid',
'~astrix',
'~atalanta',
'~athena',
'~athene',
'~atlanta',
'~atlante',
'~auberta',
'~aubine',
'~aubree',
'~aubrette',
'~aubrey',
'~aubrie',
'~aubry',
'~audi',
'~audie',
'~audra',
'~audre',
'~audrey',
'~audrie',
'~audry',
'~audrye',
'~audy',
'~augusta',
'~auguste',
'~augustina',
'~augustine',
'~aundrea',
'~aura',
'~aurea',
'~aurel',
'~aurelea',
'~aurelia',
'~aurelie',
'~auria',
'~aurie',
'~aurilia',
'~aurlie',
'~auroora',
'~aurora',
'~aurore',
'~austin',
'~austina',
'~austine',
'~ava',
'~aveline',
'~averil',
'~averyl',
'~avie',
'~avis',
'~aviva',
'~avivah',
'~avril',
'~avrit',
'~ayn',
'~bab',
'~babara',
'~babb',
'~babbette',
'~babbie',
'~babette',
'~babita',
'~babs',
'~bambi',
'~bambie',
'~bamby',
'~barb',
'~barbabra',
'~barbara',
'~barbara-anne',
'~barbaraanne',
'~barbe',
'~barbee',
'~barbette',
'~barbey',
'~barbi',
'~barbie',
'~barbra',
'~barby',
'~bari',
'~barrie',
'~barry',
'~basia',
'~bathsheba',
'~batsheva',
'~bea',
'~beatrice',
'~beatrisa',
'~beatrix',
'~beatriz',
'~bebe',
'~becca',
'~becka',
'~becki',
'~beckie',
'~becky',
'~bee',
'~beilul',
'~beitris',
'~bekki',
'~bel',
'~belia',
'~belicia',
'~belinda',
'~belita',
'~bell',
'~bella',
'~bellanca',
'~belle',
'~bellina',
'~belva',
'~belvia',
'~bendite',
'~benedetta',
'~benedicta',
'~benedikta',
'~benetta',
'~benita',
'~benni',
'~bennie',
'~benny',
'~benoite',
'~berenice',
'~beret',
'~berget',
'~berna',
'~bernadene',
'~bernadette',
'~bernadina',
'~bernadine',
'~bernardina',
'~bernardine',
'~bernelle',
'~bernete',
'~bernetta',
'~bernette',
'~berni',
'~bernice',
'~bernie',
'~bernita',
'~berny',
'~berri',
'~berrie',
'~berry',
'~bert',
'~berta',
'~berte',
'~bertha',
'~berthe',
'~berti',
'~bertie',
'~bertina',
'~bertine',
'~berty',
'~beryl',
'~beryle',
'~bess',
'~bessie',
'~bessy',
'~beth',
'~bethanne',
'~bethany',
'~bethena',
'~bethina',
'~betsey',
'~betsy',
'~betta',
'~bette',
'~bette-ann',
'~betteann',
'~betteanne',
'~betti',
'~bettina',
'~bettine',
'~betty',
'~bettye',
'~beulah',
'~bev',
'~beverie',
'~beverlee',
'~beverley',
'~beverlie',
'~beverly',
'~bevvy',
'~bianca',
'~bianka',
'~bibbie',
'~bibby',
'~bibbye',
'~bibi',
'~biddie',
'~biddy',
'~bidget',
'~bili',
'~bill',
'~billi',
'~billie',
'~billy',
'~billye',
'~binni',
'~binnie',
'~binny',
'~bird',
'~birdie',
'~birgit',
'~birgitta',
'~blair',
'~blaire',
'~blake',
'~blakelee',
'~blakeley',
'~blanca',
'~blanch',
'~blancha',
'~blanche',
'~blinni',
'~blinnie',
'~blinny',
'~bliss',
'~blisse',
'~blithe',
'~blondell',
'~blondelle',
'~blondie',
'~blondy',
'~blythe',
'~bobbe',
'~bobbee',
'~bobbette',
'~bobbi',
'~bobbie',
'~bobby',
'~bobbye',
'~bobette',
'~bobina',
'~bobine',
'~bobinette',
'~bonita',
'~bonnee',
'~bonni',
'~bonnibelle',
'~bonnie',
'~bonny',
'~brana',
'~brandais',
'~brande',
'~brandea',
'~brandi',
'~brandice',
'~brandie',
'~brandise',
'~brandy',
'~breanne',
'~brear',
'~bree',
'~breena',
'~bren',
'~brena',
'~brenda',
'~brenn',
'~brenna',
'~brett',
'~bria',
'~briana',
'~brianna',
'~brianne',
'~bride',
'~bridget',
'~bridgette',
'~bridie',
'~brier',
'~brietta',
'~brigid',
'~brigida',
'~brigit',
'~brigitta',
'~brigitte',
'~brina',
'~briney',
'~brinn',
'~brinna',
'~briny',
'~brit',
'~brita',
'~britney',
'~britni',
'~britt',
'~britta',
'~brittan',
'~brittaney',
'~brittani',
'~brittany',
'~britte',
'~britteny',
'~brittne',
'~brittney',
'~brittni',
'~brook',
'~brooke',
'~brooks',
'~brunhilda',
'~brunhilde',
'~bryana',
'~bryn',
'~bryna',
'~brynn',
'~brynna',
'~brynne',
'~buffy',
'~bunni',
'~bunnie',
'~bunny',
'~cacilia',
'~cacilie',
'~cahra',
'~cairistiona',
'~caitlin',
'~caitrin',
'~cal',
'~calida',
'~calla',
'~calley',
'~calli',
'~callida',
'~callie',
'~cally',
'~calypso',
'~cam',
'~camala',
'~camel',
'~camella',
'~camellia',
'~cami',
'~camila',
'~camile',
'~camilla',
'~camille',
'~cammi',
'~cammie',
'~cammy',
'~candace',
'~candi',
'~candice',
'~candida',
'~candide',
'~candie',
'~candis',
'~candra',
'~candy',
'~caprice',
'~cara',
'~caralie',
'~caren',
'~carena',
'~caresa',
'~caressa',
'~caresse',
'~carey',
'~cari',
'~caria',
'~carie',
'~caril',
'~carilyn',
'~carin',
'~carina',
'~carine',
'~cariotta',
'~carissa',
'~carita',
'~caritta',
'~carla',
'~carlee',
'~carleen',
'~carlen',
'~carlene',
'~carley',
'~carlie',
'~carlin',
'~carlina',
'~carline',
'~carlita',
'~carlota',
'~carlotta',
'~carly',
'~carlye',
'~carlyn',
'~carlynn',
'~carlynne',
'~carma',
'~carmel',
'~carmela',
'~carmelia',
'~carmelina',
'~carmelita',
'~carmella',
'~carmelle',
'~carmen',
'~carmencita',
'~carmina',
'~carmine',
'~carmita',
'~carmon',
'~caro',
'~carol',
'~carol-jean',
'~carola',
'~carolan',
'~carolann',
'~carole',
'~carolee',
'~carolin',
'~carolina',
'~caroline',
'~caroljean',
'~carolyn',
'~carolyne',
'~carolynn',
'~caron',
'~carree',
'~carri',
'~carrie',
'~carrissa',
'~carroll',
'~carry',
'~cary',
'~caryl',
'~caryn',
'~casandra',
'~casey',
'~casi',
'~casie',
'~cass',
'~cassandra',
'~cassandre',
'~cassandry',
'~cassaundra',
'~cassey',
'~cassi',
'~cassie',
'~cassondra',
'~cassy',
'~catarina',
'~cate',
'~caterina',
'~catha',
'~catharina',
'~catharine',
'~cathe',
'~cathee',
'~catherin',
'~catherina',
'~catherine',
'~cathi',
'~cathie',
'~cathleen',
'~cathlene',
'~cathrin',
'~cathrine',
'~cathryn',
'~cathy',
'~cathyleen',
'~cati',
'~catie',
'~catina',
'~catlaina',
'~catlee',
'~catlin',
'~catrina',
'~catriona',
'~caty',
'~caye',
'~cayla',
'~cecelia',
'~cecil',
'~cecile',
'~ceciley',
'~cecilia',
'~cecilla',
'~cecily',
'~ceil',
'~cele',
'~celene',
'~celesta',
'~celeste',
'~celestia',
'~celestina',
'~celestine',
'~celestyn',
'~celestyna',
'~celia',
'~celie',
'~celina',
'~celinda',
'~celine',
'~celinka',
'~celisse',
'~celka',
'~celle',
'~cesya',
'~chad',
'~chanda',
'~chandal',
'~chandra',
'~channa',
'~chantal',
'~chantalle',
'~charil',
'~charin',
'~charis',
'~charissa',
'~charisse',
'~charita',
'~charity',
'~charla',
'~charlean',
'~charleen',
'~charlena',
'~charlene',
'~charline',
'~charlot',
'~charlotta',
'~charlotte',
'~charmain',
'~charmaine',
'~charmane',
'~charmian',
'~charmine',
'~charmion',
'~charo',
'~charyl',
'~chastity',
'~chelsae',
'~chelsea',
'~chelsey',
'~chelsie',
'~chelsy',
'~cher',
'~chere',
'~cherey',
'~cheri',
'~cherianne',
'~cherice',
'~cherida',
'~cherie',
'~cherilyn',
'~cherilynn',
'~cherin',
'~cherise',
'~cherish',
'~cherlyn',
'~cherri',
'~cherrita',
'~cherry',
'~chery',
'~cherye',
'~cheryl',
'~cheslie',
'~chiarra',
'~chickie',
'~chicky',
'~chiquia',
'~chiquita',
'~chlo',
'~chloe',
'~chloette',
'~chloris',
'~chris',
'~chrissie',
'~chrissy',
'~christa',
'~christabel',
'~christabella',
'~christal',
'~christalle',
'~christan',
'~christean',
'~christel',
'~christen',
'~christi',
'~christian',
'~christiana',
'~christiane',
'~christie',
'~christin',
'~christina',
'~christine',
'~christy',
'~christye',
'~christyna',
'~chrysa',
'~chrysler',
'~chrystal',
'~chryste',
'~chrystel',
'~cicely',
'~cicily',
'~ciel',
'~cilka',
'~cinda',
'~cindee',
'~cindelyn',
'~cinderella',
'~cindi',
'~cindie',
'~cindra',
'~cindy',
'~cinnamon',
'~cissiee',
'~cissy',
'~clair',
'~claire',
'~clara',
'~clarabelle',
'~clare',
'~claresta',
'~clareta',
'~claretta',
'~clarette',
'~clarey',
'~clari',
'~claribel',
'~clarice',
'~clarie',
'~clarinda',
'~clarine',
'~clarissa',
'~clarisse',
'~clarita',
'~clary',
'~claude',
'~claudelle',
'~claudetta',
'~claudette',
'~claudia',
'~claudie',
'~claudina',
'~claudine',
'~clea',
'~clem',
'~clemence',
'~clementia',
'~clementina',
'~clementine',
'~clemmie',
'~clemmy',
'~cleo',
'~cleopatra',
'~clerissa',
'~clio',
'~clo',
'~cloe',
'~cloris',
'~clotilda',
'~clovis',
'~codee',
'~codi',
'~codie',
'~cody',
'~coleen',
'~colene',
'~coletta',
'~colette',
'~colleen',
'~collen',
'~collete',
'~collette',
'~collie',
'~colline',
'~colly',
'~con',
'~concettina',
'~conchita',
'~concordia',
'~conni',
'~connie',
'~conny',
'~consolata',
'~constance',
'~constancia',
'~constancy',
'~constanta',
'~constantia',
'~constantina',
'~constantine',
'~consuela',
'~consuelo',
'~cookie',
'~cora',
'~corabel',
'~corabella',
'~corabelle',
'~coral',
'~coralie',
'~coraline',
'~coralyn',
'~cordelia',
'~cordelie',
'~cordey',
'~cordi',
'~cordie',
'~cordula',
'~cordy',
'~coreen',
'~corella',
'~corena',
'~corenda',
'~corene',
'~coretta',
'~corette',
'~corey',
'~cori',
'~corie',
'~corilla',
'~corina',
'~corine',
'~corinna',
'~corinne',
'~coriss',
'~corissa',
'~corliss',
'~corly',
'~cornela',
'~cornelia',
'~cornelle',
'~cornie',
'~corny',
'~correna',
'~correy',
'~corri',
'~corrianne',
'~corrie',
'~corrina',
'~corrine',
'~corrinne',
'~corry',
'~cortney',
'~cory',
'~cosetta',
'~cosette',
'~costanza',
'~courtenay',
'~courtnay',
'~courtney',
'~crin',
'~cris',
'~crissie',
'~crissy',
'~crista',
'~cristabel',
'~cristal',
'~cristen',
'~cristi',
'~cristie',
'~cristin',
'~cristina',
'~cristine',
'~cristionna',
'~cristy',
'~crysta',
'~crystal',
'~crystie',
'~cthrine',
'~cyb',
'~cybil',
'~cybill',
'~cymbre',
'~cynde',
'~cyndi',
'~cyndia',
'~cyndie',
'~cyndy',
'~cynthea',
'~cynthia',
'~cynthie',
'~cynthy',
'~dacey',
'~dacia',
'~dacie',
'~dacy',
'~dael',
'~daffi',
'~daffie',
'~daffy',
'~dagmar',
'~dahlia',
'~daile',
'~daisey',
'~daisi',
'~daisie',
'~daisy',
'~dale',
'~dalenna',
'~dalia',
'~dalila',
'~dallas',
'~daloris',
'~damara',
'~damaris',
'~damita',
'~dana',
'~danell',
'~danella',
'~danette',
'~dani',
'~dania',
'~danica',
'~danice',
'~daniela',
'~daniele',
'~daniella',
'~danielle',
'~danika',
'~danila',
'~danit',
'~danita',
'~danna',
'~danni',
'~dannie',
'~danny',
'~dannye',
'~danya',
'~danyelle',
'~danyette',
'~daphene',
'~daphna',
'~daphne',
'~dara',
'~darb',
'~darbie',
'~darby',
'~darcee',
'~darcey',
'~darci',
'~darcie',
'~darcy',
'~darda',
'~dareen',
'~darell',
'~darelle',
'~dari',
'~daria',
'~darice',
'~darla',
'~darleen',
'~darlene',
'~darline',
'~darlleen',
'~daron',
'~darrelle',
'~darryl',
'~darsey',
'~darsie',
'~darya',
'~daryl',
'~daryn',
'~dasha',
'~dasi',
'~dasie',
'~dasya',
'~datha',
'~daune',
'~daveen',
'~daveta',
'~davida',
'~davina',
'~davine',
'~davita',
'~dawn',
'~dawna',
'~dayle',
'~dayna',
'~ddene',
'~de',
'~deana',
'~deane',
'~deanna',
'~deanne',
'~deb',
'~debbi',
'~debbie',
'~debby',
'~debee',
'~debera',
'~debi',
'~debor',
'~debora',
'~deborah',
'~debra',
'~dede',
'~dedie',
'~dedra',
'~dee',
'~deeann',
'~deeanne',
'~deedee',
'~deena',
'~deerdre',
'~deeyn',
'~dehlia',
'~deidre',
'~deina',
'~deirdre',
'~del',
'~dela',
'~delcina',
'~delcine',
'~delia',
'~delila',
'~delilah',
'~delinda',
'~dell',
'~della',
'~delly',
'~delora',
'~delores',
'~deloria',
'~deloris',
'~delphine',
'~delphinia',
'~demeter',
'~demetra',
'~demetria',
'~demetris',
'~dena',
'~deni',
'~denice',
'~denise',
'~denna',
'~denni',
'~dennie',
'~denny',
'~deny',
'~denys',
'~denyse',
'~deonne',
'~desdemona',
'~desirae',
'~desiree',
'~desiri',
'~deva',
'~devan',
'~devi',
'~devin',
'~devina',
'~devinne',
'~devon',
'~devondra',
'~devonna',
'~devonne',
'~devora',
'~di',
'~diahann',
'~dian',
'~diana',
'~diandra',
'~diane',
'~diane-marie',
'~dianemarie',
'~diann',
'~dianna',
'~dianne',
'~diannne',
'~didi',
'~dido',
'~diena',
'~dierdre',
'~dina',
'~dinah',
'~dinnie',
'~dinny',
'~dion',
'~dione',
'~dionis',
'~dionne',
'~dita',
'~dix',
'~dixie',
'~dniren',
'~dode',
'~dodi',
'~dodie',
'~dody',
'~doe',
'~doll',
'~dolley',
'~dolli',
'~dollie',
'~dolly',
'~dolores',
'~dolorita',
'~doloritas',
'~domeniga',
'~dominga',
'~domini',
'~dominica',
'~dominique',
'~dona',
'~donella',
'~donelle',
'~donetta',
'~donia',
'~donica',
'~donielle',
'~donna',
'~donnajean',
'~donnamarie',
'~donni',
'~donnie',
'~donny',
'~dora',
'~doralia',
'~doralin',
'~doralyn',
'~doralynn',
'~doralynne',
'~dore',
'~doreen',
'~dorelia',
'~dorella',
'~dorelle',
'~dorena',
'~dorene',
'~doretta',
'~dorette',
'~dorey',
'~dori',
'~doria',
'~dorian',
'~dorice',
'~dorie',
'~dorine',
'~doris',
'~dorisa',
'~dorise',
'~dorita',
'~doro',
'~dorolice',
'~dorolisa',
'~dorotea',
'~doroteya',
'~dorothea',
'~dorothee',
'~dorothy',
'~dorree',
'~dorri',
'~dorrie',
'~dorris',
'~dorry',
'~dorthea',
'~dorthy',
'~dory',
'~dosi',
'~dot',
'~doti',
'~dotti',
'~dottie',
'~dotty',
'~dre',
'~dreddy',
'~dredi',
'~drona',
'~dru',
'~druci',
'~drucie',
'~drucill',
'~drucy',
'~drusi',
'~drusie',
'~drusilla',
'~drusy',
'~dulce',
'~dulcea',
'~dulci',
'~dulcia',
'~dulciana',
'~dulcie',
'~dulcine',
'~dulcinea',
'~dulcy',
'~dulsea',
'~dusty',
'~dyan',
'~dyana',
'~dyane',
'~dyann',
'~dyanna',
'~dyanne',
'~dyna',
'~dynah',
'~eachelle',
'~eada',
'~eadie',
'~eadith',
'~ealasaid',
'~eartha',
'~easter',
'~eba',
'~ebba',
'~ebonee',
'~ebony',
'~eda',
'~eddi',
'~eddie',
'~eddy',
'~ede',
'~edee',
'~edeline',
'~eden',
'~edi',
'~edie',
'~edin',
'~edita',
'~edith',
'~editha',
'~edithe',
'~ediva',
'~edna',
'~edwina',
'~edy',
'~edyth',
'~edythe',
'~effie',
'~eileen',
'~eilis',
'~eimile',
'~eirena',
'~ekaterina',
'~elaina',
'~elaine',
'~elana',
'~elane',
'~elayne',
'~elberta',
'~elbertina',
'~elbertine',
'~eleanor',
'~eleanora',
'~eleanore',
'~electra',
'~eleen',
'~elena',
'~elene',
'~eleni',
'~elenore',
'~eleonora',
'~eleonore',
'~elfie',
'~elfreda',
'~elfrida',
'~elfrieda',
'~elga',
'~elianora',
'~elianore',
'~elicia',
'~elie',
'~elinor',
'~elinore',
'~elisa',
'~elisabet',
'~elisabeth',
'~elisabetta',
'~elise',
'~elisha',
'~elissa',
'~elita',
'~eliza',
'~elizabet',
'~elizabeth',
'~elka',
'~elke',
'~ella',
'~elladine',
'~elle',
'~ellen',
'~ellene',
'~ellette',
'~elli',
'~ellie',
'~ellissa',
'~elly',
'~ellyn',
'~ellynn',
'~elmira',
'~elna',
'~elnora',
'~elnore',
'~eloisa',
'~eloise',
'~elonore',
'~elora',
'~elsa',
'~elsbeth',
'~else',
'~elset',
'~elsey',
'~elsi',
'~elsie',
'~elsinore',
'~elspeth',
'~elsy',
'~elva',
'~elvera',
'~elvina',
'~elvira',
'~elwira',
'~elyn',
'~elyse',
'~elysee',
'~elysha',
'~elysia',
'~elyssa',
'~em',
'~ema',
'~emalee',
'~emalia',
'~emelda',
'~emelia',
'~emelina',
'~emeline',
'~emelita',
'~emelyne',
'~emera',
'~emilee',
'~emili',
'~emilia',
'~emilie',
'~emiline',
'~emily',
'~emlyn',
'~emlynn',
'~emlynne',
'~emma',
'~emmalee',
'~emmaline',
'~emmalyn',
'~emmalynn',
'~emmalynne',
'~emmeline',
'~emmey',
'~emmi',
'~emmie',
'~emmy',
'~emmye',
'~emogene',
'~emyle',
'~emylee',
'~engracia',
'~enid',
'~enrica',
'~enrichetta',
'~enrika',
'~enriqueta',
'~eolanda',
'~eolande',
'~eran',
'~erda',
'~erena',
'~erica',
'~ericha',
'~ericka',
'~erika',
'~erin',
'~erina',
'~erinn',
'~erinna',
'~erma',
'~ermengarde',
'~ermentrude',
'~ermina',
'~erminia',
'~erminie',
'~erna',
'~ernaline',
'~ernesta',
'~ernestine',
'~ertha',
'~eryn',
'~esma',
'~esmaria',
'~esme',
'~esmeralda',
'~essa',
'~essie',
'~essy',
'~esta',
'~estel',
'~estele',
'~estell',
'~estella',
'~estelle',
'~ester',
'~esther',
'~estrella',
'~estrellita',
'~ethel',
'~ethelda',
'~ethelin',
'~ethelind',
'~etheline',
'~ethelyn',
'~ethyl',
'~etta',
'~etti',
'~ettie',
'~etty',
'~eudora',
'~eugenia',
'~eugenie',
'~eugine',
'~eula',
'~eulalie',
'~eunice',
'~euphemia',
'~eustacia',
'~eva',
'~evaleen',
'~evangelia',
'~evangelin',
'~evangelina',
'~evangeline',
'~evania',
'~evanne',
'~eve',
'~eveleen',
'~evelina',
'~eveline',
'~evelyn',
'~evey',
'~evie',
'~evita',
'~evonne',
'~evvie',
'~evvy',
'~evy',
'~eyde',
'~eydie',
'~ezmeralda',
'~fae',
'~faina',
'~faith',
'~fallon',
'~fan',
'~fanchette',
'~fanchon',
'~fancie',
'~fancy',
'~fanechka',
'~fania',
'~fanni',
'~fannie',
'~fanny',
'~fanya',
'~fara',
'~farah',
'~farand',
'~farica',
'~farra',
'~farrah',
'~farrand',
'~faun',
'~faunie',
'~faustina',
'~faustine',
'~fawn',
'~fawne',
'~fawnia',
'~fay',
'~faydra',
'~faye',
'~fayette',
'~fayina',
'~fayre',
'~fayth',
'~faythe',
'~federica',
'~fedora',
'~felecia',
'~felicdad',
'~felice',
'~felicia',
'~felicity',
'~felicle',
'~felipa',
'~felisha',
'~felita',
'~feliza',
'~fenelia',
'~feodora',
'~ferdinanda',
'~ferdinande',
'~fern',
'~fernanda',
'~fernande',
'~fernandina',
'~ferne',
'~fey',
'~fiann',
'~fianna',
'~fidela',
'~fidelia',
'~fidelity',
'~fifi',
'~fifine',
'~filia',
'~filide',
'~filippa',
'~fina',
'~fiona',
'~fionna',
'~fionnula',
'~fiorenze',
'~fleur',
'~fleurette',
'~flo',
'~flor',
'~flora',
'~florance',
'~flore',
'~florella',
'~florence',
'~florencia',
'~florentia',
'~florenza',
'~florette',
'~flori',
'~floria',
'~florida',
'~florie',
'~florina',
'~florinda',
'~floris',
'~florri',
'~florrie',
'~florry',
'~flory',
'~flossi',
'~flossie',
'~flossy',
'~flss',
'~fran',
'~francene',
'~frances',
'~francesca',
'~francine',
'~francisca',
'~franciska',
'~francoise',
'~francyne',
'~frank',
'~frankie',
'~franky',
'~franni',
'~frannie',
'~franny',
'~frayda',
'~fred',
'~freda',
'~freddi',
'~freddie',
'~freddy',
'~fredelia',
'~frederica',
'~fredericka',
'~frederique',
'~fredi',
'~fredia',
'~fredra',
'~fredrika',
'~freida',
'~frieda',
'~friederike',
'~fulvia',
'~gabbey',
'~gabbi',
'~gabbie',
'~gabey',
'~gabi',
'~gabie',
'~gabriel',
'~gabriela',
'~gabriell',
'~gabriella',
'~gabrielle',
'~gabriellia',
'~gabrila',
'~gaby',
'~gae',
'~gael',
'~gail',
'~gale',
'~gale',
'~galina',
'~garland',
'~garnet',
'~garnette',
'~gates',
'~gavra',
'~gavrielle',
'~gay',
'~gaye',
'~gayel',
'~gayla',
'~gayle',
'~gayleen',
'~gaylene',
'~gaynor',
'~gelya',
'~gena',
'~gene',
'~geneva',
'~genevieve',
'~genevra',
'~genia',
'~genna',
'~genni',
'~gennie',
'~gennifer',
'~genny',
'~genovera',
'~genvieve',
'~george',
'~georgeanna',
'~georgeanne',
'~georgena',
'~georgeta',
'~georgetta',
'~georgette',
'~georgia',
'~georgiana',
'~georgianna',
'~georgianne',
'~georgie',
'~georgina',
'~georgine',
'~geralda',
'~geraldine',
'~gerda',
'~gerhardine',
'~geri',
'~gerianna',
'~gerianne',
'~gerladina',
'~germain',
'~germaine',
'~germana',
'~gerri',
'~gerrie',
'~gerrilee',
'~gerry',
'~gert',
'~gerta',
'~gerti',
'~gertie',
'~gertrud',
'~gertruda',
'~gertrude',
'~gertrudis',
'~gerty',
'~giacinta',
'~giana',
'~gianina',
'~gianna',
'~gigi',
'~gilberta',
'~gilberte',
'~gilbertina',
'~gilbertine',
'~gilda',
'~gilemette',
'~gill',
'~gillan',
'~gilli',
'~gillian',
'~gillie',
'~gilligan',
'~gilly',
'~gina',
'~ginelle',
'~ginevra',
'~ginger',
'~ginni',
'~ginnie',
'~ginnifer',
'~ginny',
'~giorgia',
'~giovanna',
'~gipsy',
'~giralda',
'~gisela',
'~gisele',
'~gisella',
'~giselle',
'~giuditta',
'~giulia',
'~giulietta',
'~giustina',
'~gizela',
'~glad',
'~gladi',
'~gladys',
'~gleda',
'~glen',
'~glenda',
'~glenine',
'~glenn',
'~glenna',
'~glennie',
'~glennis',
'~glori',
'~gloria',
'~gloriana',
'~gloriane',
'~glory',
'~glyn',
'~glynda',
'~glynis',
'~glynnis',
'~gnni',
'~godiva',
'~golda',
'~goldarina',
'~goldi',
'~goldia',
'~goldie',
'~goldina',
'~goldy',
'~grace',
'~gracia',
'~gracie',
'~grata',
'~gratia',
'~gratiana',
'~gray',
'~grayce',
'~grazia',
'~greer',
'~greta',
'~gretal',
'~gretchen',
'~grete',
'~gretel',
'~grethel',
'~gretna',
'~gretta',
'~grier',
'~griselda',
'~grissel',
'~guendolen',
'~guenevere',
'~guenna',
'~guglielma',
'~gui',
'~guillema',
'~guillemette',
'~guinevere',
'~guinna',
'~gunilla',
'~gus',
'~gusella',
'~gussi',
'~gussie',
'~gussy',
'~gusta',
'~gusti',
'~gustie',
'~gusty',
'~gwen',
'~gwendolen',
'~gwendolin',
'~gwendolyn',
'~gweneth',
'~gwenette',
'~gwenneth',
'~gwenni',
'~gwennie',
'~gwenny',
'~gwenora',
'~gwenore',
'~gwyn',
'~gwyneth',
'~gwynne',
'~gypsy',
'~hadria',
'~hailee',
'~haily',
'~haleigh',
'~halette',
'~haley',
'~hali',
'~halie',
'~halimeda',
'~halley',
'~halli',
'~hallie',
'~hally',
'~hana',
'~hanna',
'~hannah',
'~hanni',
'~hannie',
'~hannis',
'~hanny',
'~happy',
'~harlene',
'~harley',
'~harli',
'~harlie',
'~harmonia',
'~harmonie',
'~harmony',
'~harri',
'~harrie',
'~harriet',
'~harriett',
'~harrietta',
'~harriette',
'~harriot',
'~harriott',
'~hatti',
'~hattie',
'~hatty',
'~hayley',
'~hazel',
'~heath',
'~heather',
'~heda',
'~hedda',
'~heddi',
'~heddie',
'~hedi',
'~hedvig',
'~hedvige',
'~hedwig',
'~hedwiga',
'~hedy',
'~heida',
'~heidi',
'~heidie',
'~helaina',
'~helaine',
'~helen',
'~helen-elizabeth',
'~helena',
'~helene',
'~helenelizabeth',
'~helenka',
'~helga',
'~helge',
'~helli',
'~heloise',
'~helsa',
'~helyn',
'~hendrika',
'~henka',
'~henrie',
'~henrieta',
'~henrietta',
'~henriette',
'~henryetta',
'~hephzibah',
'~hermia',
'~hermina',
'~hermine',
'~herminia',
'~hermione',
'~herta',
'~hertha',
'~hester',
'~hesther',
'~hestia',
'~hetti',
'~hettie',
'~hetty',
'~hilary',
'~hilda',
'~hildagard',
'~hildagarde',
'~hilde',
'~hildegaard',
'~hildegarde',
'~hildy',
'~hillary',
'~hilliary',
'~hinda',
'~holli',
'~hollie',
'~holly',
'~holly-anne',
'~hollyanne',
'~honey',
'~honor',
'~honoria',
'~hope',
'~horatia',
'~hortense',
'~hortensia',
'~hulda',
'~hyacinth',
'~hyacintha',
'~hyacinthe',
'~hyacinthia',
'~hyacinthie',
'~hynda',
'~ianthe',
'~ibbie',
'~ibby',
'~ida',
'~idalia',
'~idalina',
'~idaline',
'~idell',
'~idelle',
'~idette',
'~ileana',
'~ileane',
'~ilene',
'~ilise',
'~ilka',
'~illa',
'~ilsa',
'~ilse',
'~ilysa',
'~ilyse',
'~ilyssa',
'~imelda',
'~imogen',
'~imogene',
'~imojean',
'~ina',
'~indira',
'~ines',
'~inesita',
'~inessa',
'~inez',
'~inga',
'~ingaberg',
'~ingaborg',
'~inge',
'~ingeberg',
'~ingeborg',
'~inger',
'~ingrid',
'~ingunna',
'~inna',
'~iolande',
'~iolanthe',
'~iona',
'~iormina',
'~ira',
'~irena',
'~irene',
'~irina',
'~iris',
'~irita',
'~irma',
'~isa',
'~isabeau',
'~isabel',
'~isabelita',
'~isabella',
'~isabelle',
'~isadora',
'~isahella',
'~iseabal',
'~isidora',
'~isis',
'~isobel',
'~issi',
'~issie',
'~issy',
'~ivett',
'~ivette',
'~ivie',
'~ivonne',
'~ivory',
'~ivy',
'~izabel',
'~jacenta',
'~jacinda',
'~jacinta',
'~jacintha',
'~jacinthe',
'~jackelyn',
'~jacki',
'~jackie',
'~jacklin',
'~jacklyn',
'~jackquelin',
'~jackqueline',
'~jacky',
'~jaclin',
'~jaclyn',
'~jacquelin',
'~jacqueline',
'~jacquelyn',
'~jacquelynn',
'~jacquenetta',
'~jacquenette',
'~jacquetta',
'~jacquette',
'~jacqui',
'~jacquie',
'~jacynth',
'~jada',
'~jade',
'~jaime',
'~jaimie',
'~jaine',
'~jami',
'~jamie',
'~jamima',
'~jammie',
'~jan',
'~jana',
'~janaya',
'~janaye',
'~jandy',
'~jane',
'~janean',
'~janeczka',
'~janeen',
'~janel',
'~janela',
'~janella',
'~janelle',
'~janene',
'~janenna',
'~janessa',
'~janet',
'~janeta',
'~janetta',
'~janette',
'~janeva',
'~janey',
'~jania',
'~janice',
'~janie',
'~janifer',
'~janina',
'~janine',
'~janis',
'~janith',
'~janka',
'~janna',
'~jannel',
'~jannelle',
'~janot',
'~jany',
'~jaquelin',
'~jaquelyn',
'~jaquenetta',
'~jaquenette',
'~jaquith',
'~jasmin',
'~jasmina',
'~jasmine',
'~jayme',
'~jaymee',
'~jayne',
'~jaynell',
'~jazmin',
'~jean',
'~jeana',
'~jeane',
'~jeanelle',
'~jeanette',
'~jeanie',
'~jeanine',
'~jeanna',
'~jeanne',
'~jeannette',
'~jeannie',
'~jeannine',
'~jehanna',
'~jelene',
'~jemie',
'~jemima',
'~jemimah',
'~jemmie',
'~jemmy',
'~jen',
'~jena',
'~jenda',
'~jenelle',
'~jeni',
'~jenica',
'~jeniece',
'~jenifer',
'~jeniffer',
'~jenilee',
'~jenine',
'~jenn',
'~jenna',
'~jennee',
'~jennette',
'~jenni',
'~jennica',
'~jennie',
'~jennifer',
'~jennilee',
'~jennine',
'~jenny',
'~jeralee',
'~jere',
'~jeri',
'~jermaine',
'~jerrie',
'~jerrilee',
'~jerrilyn',
'~jerrine',
'~jerry',
'~jerrylee',
'~jess',
'~jessa',
'~jessalin',
'~jessalyn',
'~jessamine',
'~jessamyn',
'~jesse',
'~jesselyn',
'~jessi',
'~jessica',
'~jessie',
'~jessika',
'~jessy',
'~jewel',
'~jewell',
'~jewelle',
'~jill',
'~jillana',
'~jillane',
'~jillayne',
'~jilleen',
'~jillene',
'~jilli',
'~jillian',
'~jillie',
'~jilly',
'~jinny',
'~jo',
'~joan',
'~joana',
'~joane',
'~joanie',
'~joann',
'~joanna',
'~joanne',
'~joannes',
'~jobey',
'~jobi',
'~jobie',
'~jobina',
'~joby',
'~jobye',
'~jobyna',
'~jocelin',
'~joceline',
'~jocelyn',
'~jocelyne',
'~jodee',
'~jodi',
'~jodie',
'~jody',
'~joeann',
'~joela',
'~joelie',
'~joell',
'~joella',
'~joelle',
'~joellen',
'~joelly',
'~joellyn',
'~joelynn',
'~joete',
'~joey',
'~johanna',
'~johannah',
'~johna',
'~johnath',
'~johnette',
'~johnna',
'~joice',
'~jojo',
'~jolee',
'~joleen',
'~jolene',
'~joletta',
'~joli',
'~jolie',
'~joline',
'~joly',
'~jolyn',
'~jolynn',
'~jonell',
'~joni',
'~jonie',
'~jonis',
'~jordain',
'~jordan',
'~jordana',
'~jordanna',
'~jorey',
'~jori',
'~jorie',
'~jorrie',
'~jorry',
'~joscelin',
'~josee',
'~josefa',
'~josefina',
'~josepha',
'~josephina',
'~josephine',
'~josey',
'~josi',
'~josie',
'~josselyn',
'~josy',
'~jourdan',
'~joy',
'~joya',
'~joyan',
'~joyann',
'~joyce',
'~joycelin',
'~joye',
'~joyous',
'~jsandye',
'~juana',
'~juanita',
'~judi',
'~judie',
'~judith',
'~juditha',
'~judy',
'~judye',
'~juieta',
'~julee',
'~juli',
'~julia',
'~juliana',
'~juliane',
'~juliann',
'~julianna',
'~julianne',
'~julie',
'~julienne',
'~juliet',
'~julieta',
'~julietta',
'~juliette',
'~julina',
'~juline',
'~julissa',
'~julita',
'~june',
'~junette',
'~junia',
'~junie',
'~junina',
'~justina',
'~justine',
'~justinn',
'~jyoti',
'~kacey',
'~kacie',
'~kacy',
'~kaela',
'~kai',
'~kaia',
'~kaila',
'~kaile',
'~kailey',
'~kaitlin',
'~kaitlyn',
'~kaitlynn',
'~kaja',
'~kakalina',
'~kala',
'~kaleena',
'~kali',
'~kalie',
'~kalila',
'~kalina',
'~kalinda',
'~kalindi',
'~kalli',
'~kally',
'~kameko',
'~kamila',
'~kamilah',
'~kamillah',
'~kandace',
'~kandy',
'~kania',
'~kanya',
'~kara',
'~kara-lynn',
'~karalee',
'~karalynn',
'~kare',
'~karee',
'~karel',
'~karen',
'~karena',
'~kari',
'~karia',
'~karie',
'~karil',
'~karilynn',
'~karin',
'~karina',
'~karine',
'~kariotta',
'~karisa',
'~karissa',
'~karita',
'~karla',
'~karlee',
'~karleen',
'~karlen',
'~karlene',
'~karlie',
'~karlotta',
'~karlotte',
'~karly',
'~karlyn',
'~karmen',
'~karna',
'~karol',
'~karola',
'~karole',
'~karolina',
'~karoline',
'~karoly',
'~karon',
'~karrah',
'~karrie',
'~karry',
'~kary',
'~karyl',
'~karylin',
'~karyn',
'~kasey',
'~kass',
'~kassandra',
'~kassey',
'~kassi',
'~kassia',
'~kassie',
'~kat',
'~kata',
'~katalin',
'~kate',
'~katee',
'~katerina',
'~katerine',
'~katey',
'~kath',
'~katha',
'~katharina',
'~katharine',
'~katharyn',
'~kathe',
'~katherina',
'~katherine',
'~katheryn',
'~kathi',
'~kathie',
'~kathleen',
'~kathlin',
'~kathrine',
'~kathryn',
'~kathryne',
'~kathy',
'~kathye',
'~kati',
'~katie',
'~katina',
'~katine',
'~katinka',
'~katleen',
'~katlin',
'~katrina',
'~katrine',
'~katrinka',
'~katti',
'~kattie',
'~katuscha',
'~katusha',
'~katy',
'~katya',
'~kay',
'~kaycee',
'~kaye',
'~kayla',
'~kayle',
'~kaylee',
'~kayley',
'~kaylil',
'~kaylyn',
'~keeley',
'~keelia',
'~keely',
'~kelcey',
'~kelci',
'~kelcie',
'~kelcy',
'~kelila',
'~kellen',
'~kelley',
'~kelli',
'~kellia',
'~kellie',
'~kellina',
'~kellsie',
'~kelly',
'~kellyann',
'~kelsey',
'~kelsi',
'~kelsy',
'~kendra',
'~kendre',
'~kenna',
'~keri',
'~keriann',
'~kerianne',
'~kerri',
'~kerrie',
'~kerrill',
'~kerrin',
'~kerry',
'~kerstin',
'~kesley',
'~keslie',
'~kessia',
'~kessiah',
'~ketti',
'~kettie',
'~ketty',
'~kevina',
'~kevyn',
'~ki',
'~kiah',
'~kial',
'~kiele',
'~kiersten',
'~kikelia',
'~kiley',
'~kim',
'~kimberlee',
'~kimberley',
'~kimberli',
'~kimberly',
'~kimberlyn',
'~kimbra',
'~kimmi',
'~kimmie',
'~kimmy',
'~kinna',
'~kip',
'~kipp',
'~kippie',
'~kippy',
'~kira',
'~kirbee',
'~kirbie',
'~kirby',
'~kiri',
'~kirsten',
'~kirsteni',
'~kirsti',
'~kirstin',
'~kirstyn',
'~kissee',
'~kissiah',
'~kissie',
'~kit',
'~kitti',
'~kittie',
'~kitty',
'~kizzee',
'~kizzie',
'~klara',
'~klarika',
'~klarrisa',
'~konstance',
'~konstanze',
'~koo',
'~kora',
'~koral',
'~koralle',
'~kordula',
'~kore',
'~korella',
'~koren',
'~koressa',
'~kori',
'~korie',
'~korney',
'~korrie',
'~korry',
'~kris',
'~krissie',
'~krissy',
'~krista',
'~kristal',
'~kristan',
'~kriste',
'~kristel',
'~kristen',
'~kristi',
'~kristien',
'~kristin',
'~kristina',
'~kristine',
'~kristy',
'~kristyn',
'~krysta',
'~krystal',
'~krystalle',
'~krystle',
'~krystyna',
'~kyla',
'~kyle',
'~kylen',
'~kylie',
'~kylila',
'~kylynn',
'~kym',
'~kynthia',
'~kyrstin',
'~lacee',
'~lacey',
'~lacie',
'~lacy',
'~ladonna',
'~laetitia',
'~laina',
'~lainey',
'~lana',
'~lanae',
'~lane',
'~lanette',
'~laney',
'~lani',
'~lanie',
'~lanita',
'~lanna',
'~lanni',
'~lanny',
'~lara',
'~laraine',
'~lari',
'~larina',
'~larine',
'~larisa',
'~larissa',
'~lark',
'~laryssa',
'~latashia',
'~latia',
'~latisha',
'~latrena',
'~latrina',
'~laura',
'~lauraine',
'~laural',
'~lauralee',
'~laure',
'~lauree',
'~laureen',
'~laurel',
'~laurella',
'~lauren',
'~laurena',
'~laurene',
'~lauretta',
'~laurette',
'~lauri',
'~laurianne',
'~laurice',
'~laurie',
'~lauryn',
'~lavena',
'~laverna',
'~laverne',
'~lavina',
'~lavinia',
'~lavinie',
'~layla',
'~layne',
'~layney',
'~lea',
'~leah',
'~leandra',
'~leann',
'~leanna',
'~leanor',
'~leanora',
'~lebbie',
'~leda',
'~lee',
'~leeann',
'~leeanne',
'~leela',
'~leelah',
'~leena',
'~leesa',
'~leese',
'~legra',
'~leia',
'~leigh',
'~leigha',
'~leila',
'~leilah',
'~leisha',
'~lela',
'~lelah',
'~leland',
'~lelia',
'~lena',
'~lenee',
'~lenette',
'~lenka',
'~lenna',
'~lenora',
'~lenore',
'~leodora',
'~leoine',
'~leola',
'~leoline',
'~leona',
'~leonanie',
'~leone',
'~leonelle',
'~leonie',
'~leonora',
'~leonore',
'~leontine',
'~leontyne',
'~leora',
'~leshia',
'~lesley',
'~lesli',
'~leslie',
'~lesly',
'~lesya',
'~leta',
'~lethia',
'~leticia',
'~letisha',
'~letitia',
'~letizia',
'~letta',
'~letti',
'~lettie',
'~letty',
'~lexi',
'~lexie',
'~lexine',
'~lexis',
'~lexy',
'~leyla',
'~lezlie',
'~lia',
'~lian',
'~liana',
'~liane',
'~lianna',
'~lianne',
'~lib',
'~libbey',
'~libbi',
'~libbie',
'~libby',
'~licha',
'~lida',
'~lidia',
'~liesa',
'~lil',
'~lila',
'~lilah',
'~lilas',
'~lilia',
'~lilian',
'~liliane',
'~lilias',
'~lilith',
'~lilla',
'~lilli',
'~lillian',
'~lillis',
'~lilllie',
'~lilly',
'~lily',
'~lilyan',
'~lin',
'~lina',
'~lind',
'~linda',
'~lindi',
'~lindie',
'~lindsay',
'~lindsey',
'~lindsy',
'~lindy',
'~linea',
'~linell',
'~linet',
'~linette',
'~linn',
'~linnea',
'~linnell',
'~linnet',
'~linnie',
'~linzy',
'~lira',
'~lisa',
'~lisabeth',
'~lisbeth',
'~lise',
'~lisetta',
'~lisette',
'~lisha',
'~lishe',
'~lissa',
'~lissi',
'~lissie',
'~lissy',
'~lita',
'~liuka',
'~liv',
'~liva',
'~livia',
'~livvie',
'~livvy',
'~livvyy',
'~livy',
'~liz',
'~liza',
'~lizabeth',
'~lizbeth',
'~lizette',
'~lizzie',
'~lizzy',
'~loella',
'~lois',
'~loise',
'~lola',
'~loleta',
'~lolita',
'~lolly',
'~lona',
'~lonee',
'~loni',
'~lonna',
'~lonni',
'~lonnie',
'~lora',
'~lorain',
'~loraine',
'~loralee',
'~loralie',
'~loralyn',
'~loree',
'~loreen',
'~lorelei',
'~lorelle',
'~loren',
'~lorena',
'~lorene',
'~lorenza',
'~loretta',
'~lorettalorna',
'~lorette',
'~lori',
'~loria',
'~lorianna',
'~lorianne',
'~lorie',
'~lorilee',
'~lorilyn',
'~lorinda',
'~lorine',
'~lorita',
'~lorna',
'~lorne',
'~lorraine',
'~lorrayne',
'~lorri',
'~lorrie',
'~lorrin',
'~lorry',
'~lory',
'~lotta',
'~lotte',
'~lotti',
'~lottie',
'~lotty',
'~lou',
'~louella',
'~louisa',
'~louise',
'~louisette',
'~loutitia',
'~lu',
'~luce',
'~luci',
'~lucia',
'~luciana',
'~lucie',
'~lucienne',
'~lucila',
'~lucilia',
'~lucille',
'~lucina',
'~lucinda',
'~lucine',
'~lucita',
'~lucky',
'~lucretia',
'~lucy',
'~ludovika',
'~luella',
'~luelle',
'~luisa',
'~luise',
'~lula',
'~lulita',
'~lulu',
'~lura',
'~lurette',
'~lurleen',
'~lurlene',
'~lurline',
'~lusa',
'~luz',
'~lyda',
'~lydia',
'~lydie',
'~lyn',
'~lynda',
'~lynde',
'~lyndel',
'~lyndell',
'~lyndsay',
'~lyndsey',
'~lyndsie',
'~lyndy',
'~lynea',
'~lynelle',
'~lynett',
'~lynette',
'~lynn',
'~lynna',
'~lynne',
'~lynnea',
'~lynnell',
'~lynnelle',
'~lynnet',
'~lynnett',
'~lynnette',
'~lynsey',
'~lyssa',
'~mab',
'~mabel',
'~mabelle',
'~mable',
'~mada',
'~madalena',
'~madalyn',
'~maddalena',
'~maddi',
'~maddie',
'~maddy',
'~madel',
'~madelaine',
'~madeleine',
'~madelena',
'~madelene',
'~madelin',
'~madelina',
'~madeline',
'~madella',
'~madelle',
'~madelon',
'~madelyn',
'~madge',
'~madlen',
'~madlin',
'~madonna',
'~mady',
'~mae',
'~maegan',
'~mag',
'~magda',
'~magdaia',
'~magdalen',
'~magdalena',
'~magdalene',
'~maggee',
'~maggi',
'~maggie',
'~maggy',
'~mahala',
'~mahalia',
'~maia',
'~maible',
'~maiga',
'~maighdiln',
'~mair',
'~maire',
'~maisey',
'~maisie',
'~maitilde',
'~mala',
'~malanie',
'~malena',
'~malia',
'~malina',
'~malinda',
'~malinde',
'~malissa',
'~malissia',
'~mallissa',
'~mallorie',
'~mallory',
'~malorie',
'~malory',
'~malva',
'~malvina',
'~malynda',
'~mame',
'~mamie',
'~manda',
'~mandi',
'~mandie',
'~mandy',
'~manon',
'~manya',
'~mara',
'~marabel',
'~marcela',
'~marcelia',
'~marcella',
'~marcelle',
'~marcellina',
'~marcelline',
'~marchelle',
'~marci',
'~marcia',
'~marcie',
'~marcile',
'~marcille',
'~marcy',
'~mareah',
'~maren',
'~marena',
'~maressa',
'~marga',
'~margalit',
'~margalo',
'~margaret',
'~margareta',
'~margarete',
'~margaretha',
'~margarethe',
'~margaretta',
'~margarette',
'~margarita',
'~margaux',
'~marge',
'~margeaux',
'~margery',
'~marget',
'~margette',
'~margi',
'~margie',
'~margit',
'~margo',
'~margot',
'~margret',
'~marguerite',
'~margy',
'~mari',
'~maria',
'~mariam',
'~marian',
'~mariana',
'~mariann',
'~marianna',
'~marianne',
'~maribel',
'~maribelle',
'~maribeth',
'~marice',
'~maridel',
'~marie',
'~marie-ann',
'~marie-jeanne',
'~marieann',
'~mariejeanne',
'~mariel',
'~mariele',
'~marielle',
'~mariellen',
'~marietta',
'~mariette',
'~marigold',
'~marijo',
'~marika',
'~marilee',
'~marilin',
'~marillin',
'~marilyn',
'~marin',
'~marina',
'~marinna',
'~marion',
'~mariquilla',
'~maris',
'~marisa',
'~mariska',
'~marissa',
'~marita',
'~maritsa',
'~mariya',
'~marj',
'~marja',
'~marje',
'~marji',
'~marjie',
'~marjorie',
'~marjory',
'~marjy',
'~marketa',
'~marla',
'~marlane',
'~marleah',
'~marlee',
'~marleen',
'~marlena',
'~marlene',
'~marley',
'~marlie',
'~marline',
'~marlo',
'~marlyn',
'~marna',
'~marne',
'~marney',
'~marni',
'~marnia',
'~marnie',
'~marquita',
'~marrilee',
'~marris',
'~marrissa',
'~marsha',
'~marsiella',
'~marta',
'~martelle',
'~martguerita',
'~martha',
'~marthe',
'~marthena',
'~marti',
'~martica',
'~martie',
'~martina',
'~martita',
'~marty',
'~martynne',
'~mary',
'~marya',
'~maryann',
'~maryanna',
'~maryanne',
'~marybelle',
'~marybeth',
'~maryellen',
'~maryjane',
'~maryjo',
'~maryl',
'~marylee',
'~marylin',
'~marylinda',
'~marylou',
'~marylynne',
'~maryrose',
'~marys',
'~marysa',
'~masha',
'~matelda',
'~mathilda',
'~mathilde',
'~matilda',
'~matilde',
'~matti',
'~mattie',
'~matty',
'~maud',
'~maude',
'~maudie',
'~maura',
'~maure',
'~maureen',
'~maureene',
'~maurene',
'~maurine',
'~maurise',
'~maurita',
'~maurizia',
'~mavis',
'~mavra',
'~max',
'~maxi',
'~maxie',
'~maxine',
'~maxy',
'~may',
'~maybelle',
'~maye',
'~mead',
'~meade',
'~meagan',
'~meaghan',
'~meara',
'~mechelle',
'~meg',
'~megan',
'~megen',
'~meggi',
'~meggie',
'~meggy',
'~meghan',
'~meghann',
'~mehetabel',
'~mei',
'~mel',
'~mela',
'~melamie',
'~melania',
'~melanie',
'~melantha',
'~melany',
'~melba',
'~melesa',
'~melessa',
'~melicent',
'~melina',
'~melinda',
'~melinde',
'~melisa',
'~melisande',
'~melisandra',
'~melisenda',
'~melisent',
'~melissa',
'~melisse',
'~melita',
'~melitta',
'~mella',
'~melli',
'~mellicent',
'~mellie',
'~mellisa',
'~mellisent',
'~melloney',
'~melly',
'~melodee',
'~melodie',
'~melody',
'~melonie',
'~melony',
'~melosa',
'~melva',
'~mercedes',
'~merci',
'~mercie',
'~mercy',
'~meredith',
'~meredithe',
'~meridel',
'~meridith',
'~meriel',
'~merilee',
'~merilyn',
'~meris',
'~merissa',
'~merl',
'~merla',
'~merle',
'~merlina',
'~merline',
'~merna',
'~merola',
'~merralee',
'~merridie',
'~merrie',
'~merrielle',
'~merrile',
'~merrilee',
'~merrili',
'~merrill',
'~merrily',
'~merry',
'~mersey',
'~meryl',
'~meta',
'~mia',
'~micaela',
'~michaela',
'~michaelina',
'~michaeline',
'~michaella',
'~michal',
'~michel',
'~michele',
'~michelina',
'~micheline',
'~michell',
'~michelle',
'~micki',
'~mickie',
'~micky',
'~midge',
'~mignon',
'~mignonne',
'~miguela',
'~miguelita',
'~mikaela',
'~mil',
'~mildred',
'~mildrid',
'~milena',
'~milicent',
'~milissent',
'~milka',
'~milli',
'~millicent',
'~millie',
'~millisent',
'~milly',
'~milzie',
'~mimi',
'~min',
'~mina',
'~minda',
'~mindy',
'~minerva',
'~minetta',
'~minette',
'~minna',
'~minnaminnie',
'~minne',
'~minni',
'~minnie',
'~minnnie',
'~minny',
'~minta',
'~miquela',
'~mira',
'~mirabel',
'~mirabella',
'~mirabelle',
'~miran',
'~miranda',
'~mireielle',
'~mireille',
'~mirella',
'~mirelle',
'~miriam',
'~mirilla',
'~mirna',
'~misha',
'~missie',
'~missy',
'~misti',
'~misty',
'~mitzi',
'~modesta',
'~modestia',
'~modestine',
'~modesty',
'~moina',
'~moira',
'~moll',
'~mollee',
'~molli',
'~mollie',
'~molly',
'~mommy',
'~mona',
'~monah',
'~monica',
'~monika',
'~monique',
'~mora',
'~moreen',
'~morena',
'~morgan',
'~morgana',
'~morganica',
'~morganne',
'~morgen',
'~moria',
'~morissa',
'~morna',
'~moselle',
'~moyna',
'~moyra',
'~mozelle',
'~muffin',
'~mufi',
'~mufinella',
'~muire',
'~mureil',
'~murial',
'~muriel',
'~murielle',
'~myra',
'~myrah',
'~myranda',
'~myriam',
'~myrilla',
'~myrle',
'~myrlene',
'~myrna',
'~myrta',
'~myrtia',
'~myrtice',
'~myrtie',
'~myrtle',
'~nada',
'~nadean',
'~nadeen',
'~nadia',
'~nadine',
'~nadiya',
'~nady',
'~nadya',
'~nalani',
'~nan',
'~nana',
'~nananne',
'~nance',
'~nancee',
'~nancey',
'~nanci',
'~nancie',
'~nancy',
'~nanete',
'~nanette',
'~nani',
'~nanice',
'~nanine',
'~nannette',
'~nanni',
'~nannie',
'~nanny',
'~nanon',
'~naoma',
'~naomi',
'~nara',
'~nari',
'~nariko',
'~nat',
'~nata',
'~natala',
'~natalee',
'~natalie',
'~natalina',
'~nataline',
'~natalya',
'~natasha',
'~natassia',
'~nathalia',
'~nathalie',
'~natividad',
'~natka',
'~natty',
'~neala',
'~neda',
'~nedda',
'~nedi',
'~neely',
'~neila',
'~neile',
'~neilla',
'~neille',
'~nelia',
'~nelie',
'~nell',
'~nelle',
'~nelli',
'~nellie',
'~nelly',
'~nerissa',
'~nerita',
'~nert',
'~nerta',
'~nerte',
'~nerti',
'~nertie',
'~nerty',
'~nessa',
'~nessi',
'~nessie',
'~nessy',
'~nesta',
'~netta',
'~netti',
'~nettie',
'~nettle',
'~netty',
'~nevsa',
'~neysa',
'~nichol',
'~nichole',
'~nicholle',
'~nicki',
'~nickie',
'~nicky',
'~nicol',
'~nicola',
'~nicole',
'~nicolea',
'~nicolette',
'~nicoli',
'~nicolina',
'~nicoline',
'~nicolle',
'~nikaniki',
'~nike',
'~niki',
'~nikki',
'~nikkie',
'~nikoletta',
'~nikolia',
'~nina',
'~ninetta',
'~ninette',
'~ninnetta',
'~ninnette',
'~ninon',
'~nissa',
'~nisse',
'~nissie',
'~nissy',
'~nita',
'~nixie',
'~noami',
'~noel',
'~noelani',
'~noell',
'~noella',
'~noelle',
'~noellyn',
'~noelyn',
'~noemi',
'~nola',
'~nolana',
'~nolie',
'~nollie',
'~nomi',
'~nona',
'~nonah',
'~noni',
'~nonie',
'~nonna',
'~nonnah',
'~nora',
'~norah',
'~norean',
'~noreen',
'~norene',
'~norina',
'~norine',
'~norma',
'~norri',
'~norrie',
'~norry',
'~novelia',
'~nydia',
'~nyssa',
'~octavia',
'~odele',
'~odelia',
'~odelinda',
'~odella',
'~odelle',
'~odessa',
'~odetta',
'~odette',
'~odilia',
'~odille',
'~ofelia',
'~ofella',
'~ofilia',
'~ola',
'~olenka',
'~olga',
'~olia',
'~olimpia',
'~olive',
'~olivette',
'~olivia',
'~olivie',
'~oliy',
'~ollie',
'~olly',
'~olva',
'~olwen',
'~olympe',
'~olympia',
'~olympie',
'~ondrea',
'~oneida',
'~onida',
'~oona',
'~opal',
'~opalina',
'~opaline',
'~ophelia',
'~ophelie',
'~ora',
'~oralee',
'~oralia',
'~oralie',
'~oralla',
'~oralle',
'~orel',
'~orelee',
'~orelia',
'~orelie',
'~orella',
'~orelle',
'~oriana',
'~orly',
'~orsa',
'~orsola',
'~ortensia',
'~otha',
'~othelia',
'~othella',
'~othilia',
'~othilie',
'~ottilie',
'~page',
'~paige',
'~paloma',
'~pam',
'~pamela',
'~pamelina',
'~pamella',
'~pammi',
'~pammie',
'~pammy',
'~pandora',
'~pansie',
'~pansy',
'~paola',
'~paolina',
'~papagena',
'~pat',
'~patience',
'~patrica',
'~patrice',
'~patricia',
'~patrizia',
'~patsy',
'~patti',
'~pattie',
'~patty',
'~paula',
'~paule',
'~pauletta',
'~paulette',
'~pauli',
'~paulie',
'~paulina',
'~pauline',
'~paulita',
'~pauly',
'~pavia',
'~pavla',
'~pearl',
'~pearla',
'~pearle',
'~pearline',
'~peg',
'~pegeen',
'~peggi',
'~peggie',
'~peggy',
'~pen',
'~penelopa',
'~penelope',
'~penni',
'~pennie',
'~penny',
'~pepi',
'~pepita',
'~peri',
'~peria',
'~perl',
'~perla',
'~perle',
'~perri',
'~perrine',
'~perry',
'~persis',
'~pet',
'~peta',
'~petra',
'~petrina',
'~petronella',
'~petronia',
'~petronilla',
'~petronille',
'~petunia',
'~phaedra',
'~phaidra',
'~phebe',
'~phedra',
'~phelia',
'~phil',
'~philipa',
'~philippa',
'~philippe',
'~philippine',
'~philis',
'~phillida',
'~phillie',
'~phillis',
'~philly',
'~philomena',
'~phoebe',
'~phylis',
'~phyllida',
'~phyllis',
'~phyllys',
'~phylys',
'~pia',
'~pier',
'~pierette',
'~pierrette',
'~pietra',
'~piper',
'~pippa',
'~pippy',
'~polly',
'~pollyanna',
'~pooh',
'~poppy',
'~portia',
'~pris',
'~prisca',
'~priscella',
'~priscilla',
'~prissie',
'~pru',
'~prudence',
'~prudi',
'~prudy',
'~prue',
'~queenie',
'~quentin',
'~querida',
'~quinn',
'~quinta',
'~quintana',
'~quintilla',
'~quintina',
'~rachael',
'~rachel',
'~rachele',
'~rachelle',
'~rae',
'~raeann',
'~raf',
'~rafa',
'~rafaela',
'~rafaelia',
'~rafaelita',
'~rahal',
'~rahel',
'~raina',
'~raine',
'~rakel',
'~ralina',
'~ramona',
'~ramonda',
'~rana',
'~randa',
'~randee',
'~randene',
'~randi',
'~randie',
'~randy',
'~ranee',
'~rani',
'~rania',
'~ranice',
'~ranique',
'~ranna',
'~raphaela',
'~raquel',
'~raquela',
'~rasia',
'~rasla',
'~raven',
'~ray',
'~raychel',
'~raye',
'~rayna',
'~raynell',
'~rayshell',
'~rea',
'~reba',
'~rebbecca',
'~rebe',
'~rebeca',
'~rebecca',
'~rebecka',
'~rebeka',
'~rebekah',
'~rebekkah',
'~ree',
'~reeba',
'~reena',
'~reeta',
'~reeva',
'~regan',
'~reggi',
'~reggie',
'~regina',
'~regine',
'~reiko',
'~reina',
'~reine',
'~remy',
'~rena',
'~renae',
'~renata',
'~renate',
'~rene',
'~renee',
'~renell',
'~renelle',
'~renie',
'~rennie',
'~reta',
'~retha',
'~revkah',
'~rey',
'~reyna',
'~rhea',
'~rheba',
'~rheta',
'~rhetta',
'~rhiamon',
'~rhianna',
'~rhianon',
'~rhoda',
'~rhodia',
'~rhodie',
'~rhody',
'~rhona',
'~rhonda',
'~riane',
'~riannon',
'~rianon',
'~rica',
'~ricca',
'~rici',
'~ricki',
'~rickie',
'~ricky',
'~riki',
'~rikki',
'~rina',
'~risa',
'~rita',
'~riva',
'~rivalee',
'~rivi',
'~rivkah',
'~rivy',
'~roana',
'~roanna',
'~roanne',
'~robbi',
'~robbie',
'~robbin',
'~robby',
'~robbyn',
'~robena',
'~robenia',
'~roberta',
'~robin',
'~robina',
'~robinet',
'~robinett',
'~robinetta',
'~robinette',
'~robinia',
'~roby',
'~robyn',
'~roch',
'~rochell',
'~rochella',
'~rochelle',
'~rochette',
'~roda',
'~rodi',
'~rodie',
'~rodina',
'~rois',
'~romola',
'~romona',
'~romonda',
'~romy',
'~rona',
'~ronalda',
'~ronda',
'~ronica',
'~ronna',
'~ronni',
'~ronnica',
'~ronnie',
'~ronny',
'~roobbie',
'~rora',
'~rori',
'~rorie',
'~rory',
'~ros',
'~rosa',
'~rosabel',
'~rosabella',
'~rosabelle',
'~rosaleen',
'~rosalia',
'~rosalie',
'~rosalind',
'~rosalinda',
'~rosalinde',
'~rosaline',
'~rosalyn',
'~rosalynd',
'~rosamond',
'~rosamund',
'~rosana',
'~rosanna',
'~rosanne',
'~rose',
'~roseann',
'~roseanna',
'~roseanne',
'~roselia',
'~roselin',
'~roseline',
'~rosella',
'~roselle',
'~rosemaria',
'~rosemarie',
'~rosemary',
'~rosemonde',
'~rosene',
'~rosetta',
'~rosette',
'~roshelle',
'~rosie',
'~rosina',
'~rosita',
'~roslyn',
'~rosmunda',
'~rosy',
'~row',
'~rowe',
'~rowena',
'~roxana',
'~roxane',
'~roxanna',
'~roxanne',
'~roxi',
'~roxie',
'~roxine',
'~roxy',
'~roz',
'~rozalie',
'~rozalin',
'~rozamond',
'~rozanna',
'~rozanne',
'~roze',
'~rozele',
'~rozella',
'~rozelle',
'~rozina',
'~rubetta',
'~rubi',
'~rubia',
'~rubie',
'~rubina',
'~ruby',
'~ruperta',
'~ruth',
'~ruthann',
'~ruthanne',
'~ruthe',
'~ruthi',
'~ruthie',
'~ruthy',
'~ryann',
'~rycca',
'~saba',
'~sabina',
'~sabine',
'~sabra',
'~sabrina',
'~sacha',
'~sada',
'~sadella',
'~sadie',
'~sadye',
'~saidee',
'~sal',
'~salaidh',
'~sallee',
'~salli',
'~sallie',
'~sally',
'~sallyann',
'~sallyanne',
'~saloma',
'~salome',
'~salomi',
'~sam',
'~samantha',
'~samara',
'~samaria',
'~sammy',
'~sande',
'~sandi',
'~sandie',
'~sandra',
'~sandy',
'~sandye',
'~sapphira',
'~sapphire',
'~sara',
'~sara-ann',
'~saraann',
'~sarah',
'~sarajane',
'~saree',
'~sarena',
'~sarene',
'~sarette',
'~sari',
'~sarina',
'~sarine',
'~sarita',
'~sascha',
'~sasha',
'~sashenka',
'~saudra',
'~saundra',
'~savina',
'~sayre',
'~scarlet',
'~scarlett',
'~sean',
'~seana',
'~seka',
'~sela',
'~selena',
'~selene',
'~selestina',
'~selia',
'~selie',
'~selina',
'~selinda',
'~seline',
'~sella',
'~selle',
'~selma',
'~sena',
'~sephira',
'~serena',
'~serene',
'~shae',
'~shaina',
'~shaine',
'~shalna',
'~shalne',
'~shana',
'~shanda',
'~shandee',
'~shandeigh',
'~shandie',
'~shandra',
'~shandy',
'~shane',
'~shani',
'~shanie',
'~shanna',
'~shannah',
'~shannen',
'~shannon',
'~shanon',
'~shanta',
'~shantee',
'~shara',
'~sharai',
'~shari',
'~sharia',
'~sharity',
'~sharl',
'~sharla',
'~sharleen',
'~sharlene',
'~sharline',
'~sharon',
'~sharona',
'~sharron',
'~sharyl',
'~shaun',
'~shauna',
'~shawn',
'~shawna',
'~shawnee',
'~shay',
'~shayla',
'~shaylah',
'~shaylyn',
'~shaylynn',
'~shayna',
'~shayne',
'~shea',
'~sheba',
'~sheela',
'~sheelagh',
'~sheelah',
'~sheena',
'~sheeree',
'~sheila',
'~sheila-kathryn',
'~sheilah',
'~sheilakathryn',
'~shel',
'~shela',
'~shelagh',
'~shelba',
'~shelbi',
'~shelby',
'~shelia',
'~shell',
'~shelley',
'~shelli',
'~shellie',
'~shelly',
'~shena',
'~sher',
'~sheree',
'~sheri',
'~sherie',
'~sherill',
'~sherilyn',
'~sherline',
'~sherri',
'~sherrie',
'~sherry',
'~sherye',
'~sheryl',
'~shina',
'~shir',
'~shirl',
'~shirlee',
'~shirleen',
'~shirlene',
'~shirley',
'~shirline',
'~shoshana',
'~shoshanna',
'~siana',
'~sianna',
'~sib',
'~sibbie',
'~sibby',
'~sibeal',
'~sibel',
'~sibella',
'~sibelle',
'~sibilla',
'~sibley',
'~sibyl',
'~sibylla',
'~sibylle',
'~sidoney',
'~sidonia',
'~sidonnie',
'~sigrid',
'~sile',
'~sileas',
'~silva',
'~silvana',
'~silvia',
'~silvie',
'~simona',
'~simone',
'~simonette',
'~simonne',
'~sindee',
'~siobhan',
'~sioux',
'~siouxie',
'~sisely',
'~sisile',
'~sissie',
'~sissy',
'~siusan',
'~sofia',
'~sofie',
'~sondra',
'~sonia',
'~sonja',
'~sonni',
'~sonnie',
'~sonnnie',
'~sonny',
'~sonya',
'~sophey',
'~sophi',
'~sophia',
'~sophie',
'~sophronia',
'~sorcha',
'~sosanna',
'~stace',
'~stacee',
'~stacey',
'~staci',
'~stacia',
'~stacie',
'~stacy',
'~stafani',
'~star',
'~starla',
'~starlene',
'~starlin',
'~starr',
'~stefa',
'~stefania',
'~stefanie',
'~steffane',
'~steffi',
'~steffie',
'~stella',
'~stepha',
'~stephana',
'~stephani',
'~stephanie',
'~stephannie',
'~stephenie',
'~stephi',
'~stephie',
'~stephine',
'~stesha',
'~stevana',
'~stevena',
'~stoddard',
'~storm',
'~stormi',
'~stormie',
'~stormy',
'~sue',
'~suellen',
'~sukey',
'~suki',
'~sula',
'~sunny',
'~sunshine',
'~susan',
'~susana',
'~susanetta',
'~susann',
'~susanna',
'~susannah',
'~susanne',
'~susette',
'~susi',
'~susie',
'~susy',
'~suzann',
'~suzanna',
'~suzanne',
'~suzette',
'~suzi',
'~suzie',
'~suzy',
'~sybil',
'~sybila',
'~sybilla',
'~sybille',
'~sybyl',
'~sydel',
'~sydelle',
'~sydney',
'~sylvia',
'~tabatha',
'~tabbatha',
'~tabbi',
'~tabbie',
'~tabbitha',
'~tabby',
'~tabina',
'~tabitha',
'~taffy',
'~talia',
'~tallia',
'~tallie',
'~tallou',
'~tallulah',
'~tally',
'~talya',
'~talyah',
'~tamar',
'~tamara',
'~tamarah',
'~tamarra',
'~tamera',
'~tami',
'~tamiko',
'~tamma',
'~tammara',
'~tammi',
'~tammie',
'~tammy',
'~tamqrah',
'~tamra',
'~tana',
'~tandi',
'~tandie',
'~tandy',
'~tanhya',
'~tani',
'~tania',
'~tanitansy',
'~tansy',
'~tanya',
'~tara',
'~tarah',
'~tarra',
'~tarrah',
'~taryn',
'~tasha',
'~tasia',
'~tate',
'~tatiana',
'~tatiania',
'~tatum',
'~tawnya',
'~tawsha',
'~ted',
'~tedda',
'~teddi',
'~teddie',
'~teddy',
'~tedi',
'~tedra',
'~teena',
'~teirtza',
'~teodora',
'~tera',
'~teresa',
'~terese',
'~teresina',
'~teresita',
'~teressa',
'~teri',
'~teriann',
'~terra',
'~terri',
'~terri-jo',
'~terrie',
'~terrijo',
'~terry',
'~terrye',
'~tersina',
'~terza',
'~tess',
'~tessa',
'~tessi',
'~tessie',
'~tessy',
'~thalia',
'~thea',
'~theadora',
'~theda',
'~thekla',
'~thelma',
'~theo',
'~theodora',
'~theodosia',
'~theresa',
'~therese',
'~theresina',
'~theresita',
'~theressa',
'~therine',
'~thia',
'~thomasa',
'~thomasin',
'~thomasina',
'~thomasine',
'~tiena',
'~tierney',
'~tiertza',
'~tiff',
'~tiffani',
'~tiffanie',
'~tiffany',
'~tiffi',
'~tiffie',
'~tiffy',
'~tilda',
'~tildi',
'~tildie',
'~tildy',
'~tillie',
'~tilly',
'~tim',
'~timi',
'~timmi',
'~timmie',
'~timmy',
'~timothea',
'~tina',
'~tine',
'~tiphani',
'~tiphanie',
'~tiphany',
'~tish',
'~tisha',
'~tobe',
'~tobey',
'~tobi',
'~toby',
'~tobye',
'~toinette',
'~toma',
'~tomasina',
'~tomasine',
'~tomi',
'~tommi',
'~tommie',
'~tommy',
'~toni',
'~tonia',
'~tonie',
'~tony',
'~tonya',
'~tonye',
'~tootsie',
'~torey',
'~tori',
'~torie',
'~torrie',
'~tory',
'~tova',
'~tove',
'~tracee',
'~tracey',
'~traci',
'~tracie',
'~tracy',
'~trenna',
'~tresa',
'~trescha',
'~tressa',
'~tricia',
'~trina',
'~trish',
'~trisha',
'~trista',
'~trix',
'~trixi',
'~trixie',
'~trixy',
'~truda',
'~trude',
'~trudey',
'~trudi',
'~trudie',
'~trudy',
'~trula',
'~tuesday',
'~twila',
'~twyla',
'~tybi',
'~tybie',
'~tyne',
'~ula',
'~ulla',
'~ulrica',
'~ulrika',
'~ulrikaumeko',
'~ulrike',
'~umeko',
'~una',
'~ursa',
'~ursala',
'~ursola',
'~ursula',
'~ursulina',
'~ursuline',
'~uta',
'~val',
'~valaree',
'~valaria',
'~vale',
'~valeda',
'~valencia',
'~valene',
'~valenka',
'~valentia',
'~valentina',
'~valentine',
'~valera',
'~valeria',
'~valerie',
'~valery',
'~valerye',
'~valida',
'~valina',
'~valli',
'~vallie',
'~vally',
'~valma',
'~valry',
'~van',
'~vanda',
'~vanessa',
'~vania',
'~vanna',
'~vanni',
'~vannie',
'~vanny',
'~vanya',
'~veda',
'~velma',
'~velvet',
'~venita',
'~venus',
'~vera',
'~veradis',
'~vere',
'~verena',
'~verene',
'~veriee',
'~verile',
'~verina',
'~verine',
'~verla',
'~verna',
'~vernice',
'~veronica',
'~veronika',
'~veronike',
'~veronique',
'~vevay',
'~vi',
'~vicki',
'~vickie',
'~vicky',
'~victoria',
'~vida',
'~viki',
'~vikki',
'~vikky',
'~vilhelmina',
'~vilma',
'~vin',
'~vina',
'~vinita',
'~vinni',
'~vinnie',
'~vinny',
'~viola',
'~violante',
'~viole',
'~violet',
'~violetta',
'~violette',
'~virgie',
'~virgina',
'~virginia',
'~virginie',
'~vita',
'~vitia',
'~vitoria',
'~vittoria',
'~viv',
'~viva',
'~vivi',
'~vivia',
'~vivian',
'~viviana',
'~vivianna',
'~vivianne',
'~vivie',
'~vivien',
'~viviene',
'~vivienne',
'~viviyan',
'~vivyan',
'~vivyanne',
'~vonni',
'~vonnie',
'~vonny',
'~vyky',
'~wallie',
'~wallis',
'~walliw',
'~wally',
'~waly',
'~wanda',
'~wandie',
'~wandis',
'~waneta',
'~wanids',
'~wenda',
'~wendeline',
'~wendi',
'~wendie',
'~wendy',
'~wendye',
'~wenona',
'~wenonah',
'~whitney',
'~wileen',
'~wilhelmina',
'~wilhelmine',
'~wilie',
'~willa',
'~willabella',
'~willamina',
'~willetta',
'~willette',
'~willi',
'~willie',
'~willow',
'~willy',
'~willyt',
'~wilma',
'~wilmette',
'~wilona',
'~wilone',
'~wilow',
'~windy',
'~wini',
'~winifred',
'~winna',
'~winnah',
'~winne',
'~winni',
'~winnie',
'~winnifred',
'~winny',
'~winona',
'~winonah',
'~wren',
'~wrennie',
'~wylma',
'~wynn',
'~wynne',
'~wynnie',
'~wynny',
'~xaviera',
'~xena',
'~xenia',
'~xylia',
'~xylina',
'~yalonda',
'~yasmeen',
'~yasmin',
'~yelena',
'~yetta',
'~yettie',
'~yetty',
'~yevette',
'~ynes',
'~ynez',
'~yoko',
'~yolanda',
'~yolande',
'~yolane',
'~yolanthe',
'~yoshi',
'~yoshiko',
'~yovonnda',
'~ysabel',
'~yvette',
'~yvonne',
'~zabrina',
'~zahara',
'~zandra',
'~zaneta',
'~zara',
'~zarah',
'~zaria',
'~zarla',
'~zea',
'~zelda',
'~zelma',
'~zena',
'~zenia',
'~zia',
'~zilvia',
'~zita',
'~zitella',
'~zoe',
'~zola',
'~zonda',
'~zondra',
'~zonnya',
'~zora',
'~zorah',
'~zorana',
'~zorina',
'~zorine',
'~zsazsa',
'~zulema',
'~zuzana',]
|
class Dictionary:
def __init__(self):
self.paths = ['~root', '~toor', '~bin', '~daemon', '~adm', '~lp', '~sync', '~shutdown', '~halt', '~mail', '~pop', '~postmaster', '~news', '~uucp', '~operator', '~games', '~gopher', '~ftp', '~nobody', '~nscd', '~mailnull', '~ident', '~rpc', '~rpcuser', '~xfs', '~gdm', '~apache', '~http', '~web', '~www', '~adm', '~admin', '~administrator', '~guest', '~firewall', '~fwuser', '~fwadmin', '~fw', '~test', '~testuser', '~user', '~user1', '~user2', '~user3', '~user4', '~user5', '~sql', '~data', '~database', '~anonymous', '~staff', '~office', '~help', '~helpdesk', '~reception', '~system', '~operator', '~backup', '~aaron', '~ab', '~abba', '~abbe', '~abbey', '~abbie', '~root', '~abbot', '~abbott', '~abby', '~abdel', '~abdul', '~abe', '~abel', '~abelard', '~abeu', '~abey', '~abie', '~abner', '~abraham', '~abrahan', '~abram', '~abramo', '~abran', '~ad', '~adair', '~adam', '~adamo', '~adams', '~adan', '~addie', '~addison', '~addy', '~ade', '~adelbert', '~adham', '~adlai', '~adler', '~ado', '~adolf', '~adolph', '~adolphe', '~adolpho', '~adolphus', '~adrian', '~adriano', '~adrien', '~agosto', '~aguie', '~aguistin', '~aguste', '~agustin', '~aharon', '~ahmad', '~ahmed', '~ailbert', '~akim', '~aksel', '~al', '~alain', '~alair', '~alan', '~aland', '~alano', '~alanson', '~alard', '~alaric', '~alasdair', '~alastair', '~alasteir', '~alaster', '~alberik', '~albert', '~alberto', '~albie', '~albrecht', '~alden', '~aldin', '~aldis', '~aldo', '~aldon', '~aldous', '~aldric', '~aldrich', '~aldridge', '~aldus', '~aldwin', '~alec', '~alejandro', '~alejoa', '~aleksandr', '~alessandro', '~alex', '~alexander', '~alexandr', '~alexandre', '~alexandro', '~alexandros', '~alexei', '~alexio', '~alexis', '~alf', '~alfie', '~alfons', '~alfonse', '~alfonso', '~alford', '~alfred', '~alfredo', '~alfy', '~algernon', '~ali', '~alic', '~alick', '~alisander', '~alistair', '~alister', '~alix', '~allan', '~allard', '~allayne', '~allen', '~alley', '~alleyn', '~allie', '~allin', '~allister', '~allistir', '~allyn', '~aloin', '~alon', '~alonso', '~alonzo', '~aloysius', '~alphard', '~alphonse', '~alphonso', '~alric', '~aluin', '~aluino', '~alva', '~alvan', '~alvie', '~alvin', '~alvis', '~alvy', '~alwin', '~alwyn', '~alyosha', '~amble', '~ambros', '~ambrose', '~ambrosi', '~ambrosio', '~ambrosius', '~amby', '~amerigo', '~amery', '~amory', '~amos', '~anatol', '~anatole', '~anatollo', '~ancell', '~anders', '~anderson', '~andie', '~andonis', '~andras', '~andre', '~andrea', '~andreas', '~andrej', '~andres', '~andrew', '~andrey', '~andris', '~andros', '~andrus', '~andy', '~ange', '~angel', '~angeli', '~angelico', '~angelo', '~angie', '~angus', '~ansel', '~ansell', '~anselm', '~anson', '~anthony', '~antin', '~antoine', '~anton', '~antone', '~antoni', '~antonin', '~antonino', '~antonio', '~antonius', '~antons', '~antony', '~any', '~ara', '~araldo', '~arch', '~archaimbaud', '~archambault', '~archer', '~archibald', '~archibaldo', '~archibold', '~archie', '~archy', '~arel', '~ari', '~arie', '~ariel', '~arin', '~ario', '~aristotle', '~arlan', '~arlen', '~arley', '~arlin', '~arman', '~armand', '~armando', '~armin', '~armstrong', '~arnaldo', '~arne', '~arney', '~arni', '~arnie', '~arnold', '~arnoldo', '~arnuad', '~arny', '~aron', '~arri', '~arron', '~art', '~artair', '~arte', '~artemas', '~artemis', '~artemus', '~arther', '~arthur', '~artie', '~artur', '~arturo', '~artus', '~arty', '~arv', '~arvie', '~arvin', '~arvy', '~asa', '~ase', '~ash', '~ashbey', '~ashby', '~asher', '~ashley', '~ashlin', '~ashton', '~aube', '~auberon', '~aubert', '~aubrey', '~augie', '~august', '~augustin', '~augustine', '~augusto', '~augustus', '~augy', '~aurthur', '~austen', '~austin', '~ave', '~averell', '~averil', '~averill', '~avery', '~avictor', '~avigdor', '~avram', '~avrom', '~ax', '~axe', '~axel', '~aylmar', '~aylmer', '~aymer', '~bail', '~bailey', '~bailie', '~baillie', '~baily', '~baird', '~bald', '~balduin', '~baldwin', '~bale', '~ban', '~bancroft', '~bank', '~banky', '~bar', '~barbabas', '~barclay', '~bard', '~barde', '~barn', '~barnabas', '~barnabe', '~barnaby', '~barnard', '~barnebas', '~barnett', '~barney', '~barnie', '~barny', '~baron', '~barr', '~barret', '~barrett', '~barri', '~barrie', '~barris', '~barron', '~barry', '~bart', '~bartel', '~barth', '~barthel', '~bartholemy', '~bartholomeo', '~bartholomeus', '~bartholomew', '~bartie', '~bartlet', '~bartlett', '~bartolemo', '~bartolomeo', '~barton', '~bartram', '~barty', '~bary', '~baryram', '~base', '~basil', '~basile', '~basilio', '~basilius', '~bastian', '~bastien', '~bat', '~batholomew', '~baudoin', '~bax', '~baxie', '~baxter', '~baxy', '~bay', '~bayard', '~beale', '~bealle', '~bear', '~bearnard', '~beau', '~beaufort', '~beauregard', '~beck', '~beltran', '~ben', '~bendick', '~bendicty', '~bendix', '~benedetto', '~benedick', '~benedict', '~benedicto', '~benedikt', '~bengt', '~root', '~beniamino', '~benito', '~benjamen', '~benjamin', '~benji', '~benjie', '~benjy', '~benn', '~bennett', '~bennie', '~benny', '~benoit', '~benson', '~bent', '~bentlee', '~bentley', '~benton', '~benyamin', '~ber', '~berk', '~berke', '~berkeley', '~berkie', '~berkley', '~berkly', '~berky', '~bern', '~bernard', '~bernardo', '~bernarr', '~berne', '~bernhard', '~bernie', '~berny', '~bert', '~berti', '~bertie', '~berton', '~bertram', '~bertrand', '~bertrando', '~berty', '~bev', '~bevan', '~bevin', '~bevon', '~bil', '~bill', '~billie', '~billy', '~bing', '~bink', '~binky', '~birch', '~birk', '~biron', '~bjorn', '~blaine', '~blair', '~blake', '~blane', '~blayne', '~bo', '~bob', '~bobbie', '~bobby', '~bogart', '~bogey', '~boigie', '~bond', '~bondie', '~bondon', '~bondy', '~bone', '~boniface', '~boone', '~boonie', '~boony', '~boot', '~boote', '~booth', '~boothe', '~bord', '~borden', '~bordie', '~bordy', '~borg', '~boris', '~bourke', '~bowie', '~boy', '~boyce', '~boycey', '~boycie', '~boyd', '~brad', '~bradan', '~brade', '~braden', '~bradford', '~bradley', '~bradly', '~bradney', '~brady', '~bram', '~bran', '~brand', '~branden', '~brander', '~brandon', '~brandtr', '~brandy', '~brandyn', '~brannon', '~brant', '~brantley', '~bren', '~brendan', '~brenden', '~brendin', '~brendis', '~brendon', '~brennan', '~brennen', '~brent', '~bret', '~brett', '~brew', '~brewer', '~brewster', '~brian', '~briano', '~briant', '~brice', '~brien', '~brig', '~brigg', '~briggs', '~brigham', '~brion', '~brit', '~britt', '~brnaba', '~brnaby', '~brock', '~brockie', '~brocky', '~brod', '~broddie', '~broddy', '~broderic', '~broderick', '~brodie', '~brody', '~brok', '~bron', '~bronnie', '~bronny', '~bronson', '~brook', '~brooke', '~brooks', '~brose', '~bruce', '~brucie', '~bruis', '~bruno', '~bryan', '~bryant', '~bryanty', '~bryce', '~bryn', '~bryon', '~buck', '~buckie', '~bucky', '~bud', '~budd', '~buddie', '~buddy', '~buiron', '~burch', '~burg', '~burgess', '~burk', '~burke', '~burl', '~burlie', '~burnaby', '~burnard', '~burr', '~burt', '~burtie', '~burton', '~burty', '~butch', '~byram', '~byran', '~byrann', '~byrle', '~byrom', '~byron', '~cad', '~caddric', '~caesar', '~cal', '~caldwell', '~cale', '~caleb', '~calhoun', '~callean', '~calv', '~calvin', '~cam', '~cameron', '~camey', '~cammy', '~car', '~carce', '~care', '~carey', '~carl', '~carleton', '~carlie', '~carlin', '~carling', '~carlo', '~carlos', '~carly', '~carlyle', '~carmine', '~carney', '~carny', '~carolus', '~carr', '~carrol', '~carroll', '~carson', '~cart', '~carter', '~carver', '~cary', '~caryl', '~casar', '~case', '~casey', '~cash', '~caspar', '~casper', '~cass', '~cassie', '~cassius', '~caz', '~cazzie', '~cchaddie', '~cece', '~cecil', '~cecilio', '~cecilius', '~ced', '~cedric', '~cello', '~cesar', '~cesare', '~cesaro', '~chad', '~chadd', '~chaddie', '~chaddy', '~chadwick', '~chaim', '~chalmers', '~chan', '~chance', '~chancey', '~chandler', '~chane', '~chariot', '~charles', '~charley', '~charlie', '~charlton', '~chas', '~chase', '~chaunce', '~chauncey', '~che', '~chen', '~ches', '~chester', '~cheston', '~chet', '~chev', '~chevalier', '~chevy', '~chic', '~chick', '~chickie', '~chicky', '~chico', '~chilton', '~chip', '~chris', '~chrisse', '~chrissie', '~chrissy', '~christian', '~christiano', '~christie', '~christoffer', '~christoforo', '~christoper', '~christoph', '~christophe', '~christopher', '~christophorus', '~christos', '~christy', '~chrisy', '~chrotoem', '~chucho', '~chuck', '~cirillo', '~cirilo', '~ciro', '~cirstoforo', '~claiborn', '~claiborne', '~clair', '~claire', '~clarance', '~clare', '~clarence', '~clark', '~clarke', '~claudell', '~claudian', '~claudianus', '~claudio', '~claudius', '~claus', '~clay', '~clayborn', '~clayborne', '~claybourne', '~clayson', '~clayton', '~cleavland', '~clem', '~clemens', '~clement', '~clemente', '~clementius', '~clemmie', '~clemmy', '~cleon', '~clerc', '~clerkclaude', '~cletis', '~cletus', '~cleve', '~cleveland', '~clevey', '~clevie', '~cliff', '~clifford', '~clim', '~clint', '~clive', '~cly', '~clyde', '~clyve', '~clywd', '~cob', '~cobb', '~cobbie', '~cobby', '~codi', '~codie', '~cody', '~cointon', '~colan', '~colas', '~colby', '~cole', '~coleman', '~colet', '~colin', '~collin', '~colman', '~colver', '~con', '~conan', '~conant', '~conn', '~conney', '~connie', '~connor', '~conny', '~conrad', '~conrade', '~conrado', '~conroy', '~consalve', '~constantin', '~constantine', '~constantino', '~conway', '~coop', '~cooper', '~corbet', '~corbett', '~corbie', '~corbin', '~corby', '~cord', '~cordell', '~cordie', '~cordy', '~corey', '~cori', '~cornall', '~cornelius', '~cornell', '~corney', '~cornie', '~corny', '~correy', '~corrie', '~cort', '~cortie', '~corty', '~cory', '~cos', '~cosimo', '~cosme', '~cosmo', '~costa', '~court', '~courtnay', '~courtney', '~cozmo', '~craggie', '~craggy', '~craig', '~crawford', '~creigh', '~creight', '~creighton', '~crichton', '~cris', '~cristian', '~cristiano', '~cristobal', '~crosby', '~cross', '~cull', '~cullan', '~cullen', '~culley', '~cullie', '~cullin', '~cully', '~culver', '~curcio', '~curr', '~curran', '~currey', '~currie', '~curry', '~curt', '~curtice', '~curtis', '~cy', '~cyril', '~cyrill', '~cyrille', '~cyrillus', '~cyrus', '~darcy', '~dael', '~dag', '~dagny', '~dal', '~dale', '~dalis', '~dall', '~dallas', '~dalli', '~dallis', '~dallon', '~dalston', '~dalt', '~dalton', '~dame', '~damian', '~damiano', '~damien', '~damon', '~dan', '~dana', '~dane', '~dani', '~danie', '~daniel', '~dannel', '~dannie', '~danny', '~dante', '~danya', '~dar', '~darb', '~darbee', '~darby', '~darcy', '~dare', '~daren', '~darill', '~darin', '~dario', '~darius', '~darn', '~darnall', '~darnell', '~daron', '~darrel', '~darrell', '~darren', '~darrick', '~darrin', '~darryl', '~darwin', '~daryl', '~daryle', '~dav', '~dave', '~daven', '~davey', '~david', '~davidde', '~davide', '~davidson', '~davie', '~davin', '~davis', '~davon', '~davy', '~dean', '~deane', '~decca', '~deck', '~del', '~delainey', '~delaney', '~delano', '~delbert', '~dell', '~delmar', '~delmer', '~delmor', '~delmore', '~demetre', '~demetri', '~demetris', '~demetrius', '~demott', '~den', '~dene', '~denis', '~dennet', '~denney', '~dennie', '~dennis', '~dennison', '~denny', '~denver', '~denys', '~der', '~derby', '~derek', '~derick', '~derk', '~dermot', '~derrek', '~derrick', '~derrik', '~derril', '~derron', '~derry', '~derward', '~derwin', '~des', '~desi', '~desmond', '~desmund', '~dev', '~devin', '~devland', '~devlen', '~devlin', '~devy', '~dew', '~dewain', '~dewey', '~dewie', '~dewitt', '~dex', '~dexter', '~diarmid', '~dick', '~dickie', '~dicky', '~diego', '~dieter', '~dietrich', '~dilan', '~dill', '~dillie', '~dillon', '~dilly', '~dimitri', '~dimitry', '~dino', '~dion', '~dionisio', '~dionysus', '~dirk', '~dmitri', '~dolf', '~dolph', '~dom', '~domenic', '~domenico', '~domingo', '~dominic', '~dominick', '~dominik', '~dominique', '~don', '~donal', '~donall', '~donalt', '~donaugh', '~donavon', '~donn', '~donnell', '~donnie', '~donny', '~donovan', '~dore', '~dorey', '~dorian', '~dorie', '~dory', '~doug', '~dougie', '~douglas', '~douglass', '~dougy', '~dov', '~doy', '~doyle', '~drake', '~drew', '~dru', '~drud', '~drugi', '~duane', '~dud', '~dudley', '~duff', '~duffie', '~duffy', '~dugald', '~duke', '~dukey', '~dukie', '~duky', '~dun', '~dunc', '~duncan', '~dunn', '~dunstan', '~dur', '~durand', '~durant', '~durante', '~durward', '~dwain', '~dwayne', '~dwight', '~dylan', '~eadmund', '~eal', '~eamon', '~earl', '~earle', '~earlie', '~early', '~earvin', '~eb', '~eben', '~ebeneser', '~ebenezer', '~eberhard', '~eberto', '~ed', '~edan', '~edd', '~eddie', '~eddy', '~edgar', '~edgard', '~edgardo', '~edik', '~edlin', '~edmon', '~edmund', '~edouard', '~edsel', '~eduard', '~eduardo', '~eduino', '~edvard', '~edward', '~edwin', '~efrem', '~efren', '~egan', '~egbert', '~egon', '~egor', '~el', '~elbert', '~elden', '~eldin', '~eldon', '~eldredge', '~eldridge', '~eli', '~elia', '~elias', '~elihu', '~elijah', '~eliot', '~elisha', '~ellary', '~ellerey', '~ellery', '~elliot', '~elliott', '~ellis', '~ellswerth', '~ellsworth', '~ellwood', '~elmer', '~elmo', '~elmore', '~elnar', '~elroy', '~elston', '~elsworth', '~elton', '~elvin', '~elvis', '~elvyn', '~elwin', '~elwood', '~elwyn', '~ely', '~em', '~emanuel', '~emanuele', '~emelen', '~emerson', '~emery', '~emile', '~emilio', '~emlen', '~emlyn', '~emmanuel', '~emmerich', '~emmery', '~emmet', '~emmett', '~emmit', '~emmott', '~emmy', '~emory', '~engelbert', '~englebert', '~ennis', '~enoch', '~enos', '~enrico', '~enrique', '~ephraim', '~ephrayim', '~ephrem', '~erasmus', '~erastus', '~erek', '~erhard', '~erhart', '~eric', '~erich', '~erick', '~erie', '~erik', '~erin', '~erl', '~ermanno', '~ermin', '~ernest', '~ernesto', '~ernestus', '~ernie', '~ernst', '~erny', '~errick', '~errol', '~erroll', '~erskine', '~erv', '~ervin', '~erwin', '~esdras', '~esme', '~esra', '~esteban', '~estevan', '~etan', '~ethan', '~ethe', '~ethelbert', '~ethelred', '~etienne', '~ettore', '~euell', '~eugen', '~eugene', '~eugenio', '~eugenius', '~eustace', '~ev', '~evan', '~evelin', '~evelyn', '~even', '~everard', '~evered', '~everett', '~evin', '~evyn', '~ewan', '~eward', '~ewart', '~ewell', '~ewen', '~ezechiel', '~ezekiel', '~ezequiel', '~eziechiele', '~ezra', '~ezri', '~fabe', '~faber', '~fabian', '~fabiano', '~fabien', '~fabio', '~fair', '~fairfax', '~fairleigh', '~fairlie', '~falito', '~falkner', '~far', '~farlay', '~farlee', '~farleigh', '~farley', '~farlie', '~farly', '~farr', '~farrel', '~farrell', '~farris', '~faulkner', '~fax', '~federico', '~fee', '~felic', '~felice', '~felicio', '~felike', '~feliks', '~felipe', '~felix', '~felizio', '~feodor', '~ferd', '~ferdie', '~ferdinand', '~ferdy', '~fergus', '~ferguson', '~fernando', '~ferrel', '~ferrell', '~ferris', '~fidel', '~fidelio', '~fidole', '~field', '~fielding', '~fields', '~filbert', '~filberte', '~filberto', '~filip', '~filippo', '~filmer', '~filmore', '~fin', '~findlay', '~findley', '~finlay', '~finley', '~finn', '~fitz', '~fitzgerald', '~flem', '~fleming', '~flemming', '~fletch', '~fletcher', '~flin', '~flinn', '~flint', '~florian', '~flory', '~floyd', '~flynn', '~fons', '~fonsie', '~fonz', '~fonzie', '~forbes', '~ford', '~forest', '~forester', '~forrest', '~forrester', '~forster', '~foss', '~foster', '~fowler', '~fran', '~francesco', '~franchot', '~francis', '~francisco', '~franciskus', '~francklin', '~francklyn', '~francois', '~frank', '~frankie', '~franklin', '~franklyn', '~franky', '~frannie', '~franny', '~frans', '~fransisco', '~frants', '~franz', '~franzen', '~frasco', '~fraser', '~frasier', '~frasquito', '~fraze', '~frazer', '~frazier', '~fred', '~freddie', '~freddy', '~fredek', '~frederic', '~frederich', '~frederick', '~frederico', '~frederigo', '~frederik', '~fredric', '~fredrick', '~free', '~freedman', '~freeland', '~freeman', '~freemon', '~fremont', '~friedrich', '~friedrick', '~fritz', '~fulton', '~gabbie', '~gabby', '~gabe', '~gabi', '~gabie', '~gabriel', '~gabriele', '~gabriello', '~gaby', '~gael', '~gaelan', '~gage', '~gail', '~gaile', '~gal', '~gale', '~galen', '~gallagher', '~gallard', '~galvan', '~galven', '~galvin', '~gamaliel', '~gan', '~gannie', '~gannon', '~ganny', '~gar', '~garald', '~gard', '~gardener', '~gardie', '~gardiner', '~gardner', '~gardy', '~gare', '~garek', '~gareth', '~garey', '~garfield', '~garik', '~garner', '~garold', '~garrard', '~garrek', '~garret', '~garreth', '~garrett', '~garrick', '~garrik', '~garrot', '~garrott', '~garry', '~garth', '~garv', '~garvey', '~garvin', '~garvy', '~garwin', '~garwood', '~gary', '~gaspar', '~gaspard', '~gasparo', '~gasper', '~gaston', '~gaultiero', '~gauthier', '~gav', '~gavan', '~gaven', '~gavin', '~gawain', '~gawen', '~gay', '~gayelord', '~gayle', '~gayler', '~gaylor', '~gaylord', '~gearalt', '~gearard', '~gene', '~geno', '~geoff', '~geoffrey', '~geoffry', '~georas', '~geordie', '~georg', '~george', '~georges', '~georgi', '~georgie', '~georgy', '~gerald', '~gerard', '~gerardo', '~gerek', '~gerhard', '~gerhardt', '~geri', '~gerick', '~gerik', '~germain', '~germaine', '~germayne', '~gerome', '~gerrard', '~gerri', '~gerrie', '~gerry', '~gery', '~gherardo', '~giacobo', '~giacomo', '~giacopo', '~gian', '~gianni', '~giavani', '~gib', '~gibb', '~gibbie', '~gibby', '~gideon', '~giff', '~giffard', '~giffer', '~giffie', '~gifford', '~giffy', '~gil', '~gilbert', '~gilberto', '~gilburt', '~giles', '~gill', '~gilles', '~ginger', '~gino', '~giordano', '~giorgi', '~giorgio', '~giovanni', '~giraldo', '~giraud', '~giselbert', '~giulio', '~giuseppe', '~giustino', '~giusto', '~glen', '~glenden', '~glendon', '~glenn', '~glyn', '~glynn', '~godard', '~godart', '~goddard', '~goddart', '~godfree', '~godfrey', '~godfry', '~godwin', '~gonzales', '~gonzalo', '~goober', '~goran', '~goraud', '~gordan', '~gorden', '~gordie', '~gordon', '~gordy', '~gothart', '~gottfried', '~grace', '~gradeigh', '~gradey', '~grady', '~graehme', '~graeme', '~graham', '~graig', '~gram', '~gran', '~grange', '~granger', '~grannie', '~granny', '~grant', '~grantham', '~granthem', '~grantley', '~granville', '~gray', '~greg', '~gregg', '~greggory', '~gregoire', '~gregoor', '~gregor', '~gregorio', '~gregorius', '~gregory', '~grenville', '~griff', '~griffie', '~griffin', '~griffith', '~griffy', '~gris', '~griswold', '~griz', '~grove', '~grover', '~gualterio', '~guglielmo', '~guido', '~guilbert', '~guillaume', '~guillermo', '~gun', '~gunar', '~gunner', '~guntar', '~gunter', '~gunther', '~gus', '~guss', '~gustaf', '~gustav', '~gustave', '~gustavo', '~gustavus', '~guthrey', '~guthrie', '~guthry', '~guy', '~had', '~hadlee', '~hadleigh', '~hadley', '~hadrian', '~hagan', '~hagen', '~hailey', '~haily', '~hakeem', '~hakim', '~hal', '~hale', '~haleigh', '~haley', '~hall', '~hallsy', '~halsey', '~halsy', '~ham', '~hamel', '~hamid', '~hamil', '~hamilton', '~hamish', '~hamlen', '~hamlin', '~hammad', '~hamnet', '~hanan', '~hank', '~hans', '~hansiain', '~hanson', '~harald', '~harbert', '~harcourt', '~hardy', '~harlan', '~harland', '~harlen', '~harley', '~harlin', '~harman', '~harmon', '~harold', '~haroun', '~harp', '~harper', '~harris', '~harrison', '~harry', '~hart', '~hartley', '~hartwell', '~harv', '~harvey', '~harwell', '~harwilll', '~hasheem', '~hashim', '~haskel', '~haskell', '~haslett', '~hastie', '~hastings', '~hasty', '~haven', '~hayden', '~haydon', '~hayes', '~hayward', '~haywood', '~hayyim', '~haze', '~hazel', '~hazlett', '~heall', '~heath', '~hebert', '~hector', '~heindrick', '~heinrick', '~heinrik', '~henderson', '~hendrick', '~hendrik', '~henri', '~henrik', '~henry', '~herb', '~herbert', '~herbie', '~herby', '~herc', '~hercule', '~hercules', '~herculie', '~heriberto', '~herman', '~hermann', '~hermie', '~hermon', '~hermy', '~hernando', '~herold', '~herrick', '~hersch', '~herschel', '~hersh', '~hershel', '~herve', '~hervey', '~hew', '~hewe', '~hewet', '~hewett', '~hewie', '~hewitt', '~heywood', '~hi', '~hieronymus', '~hilario', '~hilarius', '~hilary', '~hill', '~hillard', '~hillary', '~hillel', '~hillery', '~hilliard', '~hillie', '~hillier', '~hilly', '~hillyer', '~hilton', '~hinze', '~hiram', '~hirsch', '~hobard', '~hobart', '~hobey', '~hobie', '~hodge', '~hoebart', '~hogan', '~holden', '~hollis', '~holly', '~holmes', '~holt', '~homer', '~homere', '~homerus', '~horace', '~horacio', '~horatio', '~horatius', '~horst', '~hort', '~horten', '~horton', '~howard', '~howey', '~howie', '~hoyt', '~hube', '~hubert', '~huberto', '~hubey', '~hubie', '~huey', '~hugh', '~hughie', '~hugibert', '~hugo', '~hugues', '~humbert', '~humberto', '~humfrey', '~humfrid', '~humfried', '~humphrey', '~hunfredo', '~hunt', '~hunter', '~huntington', '~huntlee', '~huntley', '~hurlee', '~hurleigh', '~hurley', '~husain', '~husein', '~hussein', '~hy', '~hyatt', '~hyman', '~hymie', '~iago', '~iain', '~ian', '~ibrahim', '~ichabod', '~iggie', '~iggy', '~ignace', '~ignacio', '~ignacius', '~ignatius', '~ignaz', '~ignazio', '~igor', '~ike', '~ikey', '~ilaire', '~ilario', '~immanuel', '~ingamar', '~ingar', '~ingelbert', '~ingemar', '~inger', '~inglebert', '~inglis', '~ingmar', '~ingra', '~ingram', '~ingrim', '~inigo', '~inness', '~innis', '~iorgo', '~iorgos', '~iosep', '~ira', '~irv', '~irvin', '~irvine', '~irving', '~irwin', '~irwinn', '~isa', '~isaac', '~isaak', '~isac', '~isacco', '~isador', '~isadore', '~isaiah', '~isak', '~isiahi', '~isidor', '~isidore', '~isidoro', '~isidro', '~israel', '~issiah', '~itch', '~ivan', '~ivar', '~ive', '~iver', '~ives', '~ivor', '~izaak', '~izak', '~izzy', '~jabez', '~jack', '~jackie', '~jackson', '~jacky', '~jacob', '~jacobo', '~jacques', '~jae', '~jaime', '~jaimie', '~jake', '~jakie', '~jakob', '~jamaal', '~jamal', '~james', '~jameson', '~jamesy', '~jamey', '~jamie', '~jamil', '~jamill', '~jamison', '~jammal', '~jan', '~janek', '~janos', '~jarad', '~jard', '~jareb', '~jared', '~jarib', '~jarid', '~jarrad', '~jarred', '~jarret', '~jarrett', '~jarrid', '~jarrod', '~jarvis', '~jase', '~jasen', '~jason', '~jasper', '~jasun', '~javier', '~jay', '~jaye', '~jayme', '~jaymie', '~jayson', '~jdavie', '~jean', '~jecho', '~jed', '~jedd', '~jeddy', '~jedediah', '~jedidiah', '~jeff', '~jefferey', '~jefferson', '~jeffie', '~jeffrey', '~jeffry', '~jeffy', '~jehu', '~jeno', '~jens', '~jephthah', '~jerad', '~jerald', '~jeramey', '~jeramie', '~jere', '~jereme', '~jeremiah', '~jeremias', '~jeremie', '~jeremy', '~jermain', '~jermaine', '~jermayne', '~jerome', '~jeromy', '~jerri', '~jerrie', '~jerrold', '~jerrome', '~jerry', '~jervis', '~jess', '~jesse', '~jessee', '~jessey', '~jessie', '~jesus', '~jeth', '~jethro', '~jim', '~jimmie', '~jimmy', '~jo', '~joachim', '~joaquin', '~job', '~jock', '~jocko', '~jodi', '~jodie', '~jody', '~joe', '~joel', '~joey', '~johan', '~johann', '~johannes', '~john', '~johnathan', '~johnathon', '~johnnie', '~johnny', '~johny', '~jon', '~jonah', '~jonas', '~jonathan', '~jonathon', '~jone', '~jordan', '~jordon', '~jorgan', '~jorge', '~jory', '~jose', '~joseito', '~joseph', '~josh', '~joshia', '~joshua', '~joshuah', '~josiah', '~josias', '~jourdain', '~jozef', '~juan', '~jud', '~judah', '~judas', '~judd', '~jude', '~judon', '~jule', '~jules', '~julian', '~julie', '~julio', '~julius', '~justen', '~justin', '~justinian', '~justino', '~justis', '~justus', '~kahaleel', '~kahlil', '~kain', '~kaine', '~kaiser', '~kale', '~kaleb', '~kalil', '~kalle', '~kalvin', '~kane', '~kareem', '~karel', '~karim', '~karl', '~karlan', '~karlens', '~karlik', '~karlis', '~karney', '~karoly', '~kaspar', '~kasper', '~kayne', '~kean', '~keane', '~kearney', '~keary', '~keefe', '~keefer', '~keelby', '~keen', '~keenan', '~keene', '~keir', '~keith', '~kelbee', '~kelby', '~kele', '~kellby', '~kellen', '~kelley', '~kelly', '~kelsey', '~kelvin', '~kelwin', '~ken', '~kendal', '~kendall', '~kendell', '~kendrick', '~kendricks', '~kenn', '~kennan', '~kennedy', '~kenneth', '~kennett', '~kennie', '~kennith', '~kenny', '~kenon', '~kent', '~kenton', '~kenyon', '~ker', '~kerby', '~kerk', '~kermie', '~kermit', '~kermy', '~kerr', '~kerry', '~kerwin', '~kerwinn', '~kev', '~kevan', '~keven', '~kevin', '~kevon', '~khalil', '~kiel', '~kienan', '~kile', '~kiley', '~kilian', '~killian', '~killie', '~killy', '~kim', '~kimball', '~kimbell', '~kimble', '~kin', '~kincaid', '~king', '~kingsley', '~kingsly', '~kingston', '~kinnie', '~kinny', '~kinsley', '~kip', '~kipp', '~kippar', '~kipper', '~kippie', '~kippy', '~kirby', '~kirk', '~kit', '~klaus', '~klemens', '~klement', '~kleon', '~kliment', '~knox', '~koenraad', '~konrad', '~konstantin', '~konstantine', '~korey', '~kort', '~kory', '~kris', '~krisha', '~krishna', '~krishnah', '~krispin', '~kristian', '~kristo', '~kristofer', '~kristoffer', '~kristofor', '~kristoforo', '~kristopher', '~kristos', '~kurt', '~kurtis', '~ky', '~kyle', '~kylie', '~laird', '~lalo', '~lamar', '~lambert', '~lammond', '~lamond', '~lamont', '~lance', '~lancelot', '~land', '~lane', '~laney', '~langsdon', '~langston', '~lanie', '~lannie', '~lanny', '~larry', '~lars', '~laughton', '~launce', '~lauren', '~laurence', '~laurens', '~laurent', '~laurie', '~lauritz', '~law', '~lawrence', '~lawry', '~lawton', '~lay', '~layton', '~lazar', '~lazare', '~lazaro', '~lazarus', '~lee', '~leeland', '~lefty', '~leicester', '~leif', '~leigh', '~leighton', '~lek', '~leland', '~lem', '~lemar', '~lemmie', '~lemmy', '~lemuel', '~lenard', '~lenci', '~lennard', '~lennie', '~leo', '~leon', '~leonard', '~leonardo', '~leonerd', '~leonhard', '~leonid', '~leonidas', '~leopold', '~leroi', '~leroy', '~les', '~lesley', '~leslie', '~lester', '~leupold', '~lev', '~levey', '~levi', '~levin', '~levon', '~levy', '~lew', '~lewes', '~lewie', '~lewiss', '~lezley', '~liam', '~lief', '~lin', '~linc', '~lincoln', '~lind', '~lindon', '~lindsay', '~lindsey', '~lindy', '~link', '~linn', '~linoel', '~linus', '~lion', '~lionel', '~lionello', '~lisle', '~llewellyn', '~lloyd', '~llywellyn', '~lock', '~locke', '~lockwood', '~lodovico', '~logan', '~lombard', '~lon', '~lonnard', '~lonnie', '~lonny', '~lorant', '~loren', '~lorens', '~lorenzo', '~lorin', '~lorne', '~lorrie', '~lorry', '~lothaire', '~lothario', '~lou', '~louie', '~louis', '~lovell', '~lowe', '~lowell', '~lowrance', '~loy', '~loydie', '~luca', '~lucais', '~lucas', '~luce', '~lucho', '~lucian', '~luciano', '~lucias', '~lucien', '~lucio', '~lucius', '~ludovico', '~ludvig', '~ludwig', '~luigi', '~luis', '~lukas', '~luke', '~lutero', '~luther', '~ly', '~lydon', '~lyell', '~lyle', '~lyman', '~lyn', '~lynn', '~lyon', '~mac', '~mace', '~mack', '~mackenzie', '~maddie', '~maddy', '~madison', '~magnum', '~mahmoud', '~mahmud', '~maison', '~maje', '~major', '~mal', '~malachi', '~malchy', '~malcolm', '~mallory', '~malvin', '~man', '~mandel', '~manfred', '~mannie', '~manny', '~mano', '~manolo', '~manuel', '~mar', '~marc', '~marcel', '~marcello', '~marcellus', '~marcelo', '~marchall', '~marco', '~marcos', '~marcus', '~marietta', '~marijn', '~mario', '~marion', '~marius', '~mark', '~markos', '~markus', '~marlin', '~marlo', '~marlon', '~marlow', '~marlowe', '~marmaduke', '~marsh', '~marshal', '~marshall', '~mart', '~martainn', '~marten', '~martie', '~martin', '~martino', '~marty', '~martyn', '~marv', '~marve', '~marven', '~marvin', '~marwin', '~mason', '~massimiliano', '~massimo', '~mata', '~mateo', '~mathe', '~mathew', '~mathian', '~mathias', '~matias', '~matt', '~matteo', '~matthaeus', '~mattheus', '~matthew', '~matthias', '~matthieu', '~matthiew', '~matthus', '~mattias', '~mattie', '~matty', '~maurice', '~mauricio', '~maurie', '~maurise', '~maurits', '~maurizio', '~maury', '~max', '~maxie', '~maxim', '~maximilian', '~maximilianus', '~maximilien', '~maximo', '~maxwell', '~maxy', '~mayer', '~maynard', '~mayne', '~maynord', '~mayor', '~mead', '~meade', '~meier', '~meir', '~mel', '~melvin', '~melvyn', '~menard', '~mendel', '~mendie', '~mendy', '~meredeth', '~meredith', '~merell', '~merill', '~merle', '~merrel', '~merrick', '~merrill', '~merry', '~merv', '~mervin', '~merwin', '~merwyn', '~meryl', '~meyer', '~mic', '~micah', '~michael', '~michail', '~michal', '~michale', '~micheal', '~micheil', '~michel', '~michele', '~mick', '~mickey', '~mickie', '~micky', '~miguel', '~mikael', '~mike', '~mikel', '~mikey', '~mikkel', '~mikol', '~mile', '~miles', '~mill', '~millard', '~miller', '~milo', '~milt', '~miltie', '~milton', '~milty', '~miner', '~minor', '~mischa', '~mitch', '~mitchael', '~mitchel', '~mitchell', '~moe', '~mohammed', '~mohandas', '~mohandis', '~moise', '~moises', '~moishe', '~monro', '~monroe', '~montague', '~monte', '~montgomery', '~monti', '~monty', '~moore', '~mord', '~mordecai', '~mordy', '~morey', '~morgan', '~morgen', '~morgun', '~morie', '~moritz', '~morlee', '~morley', '~morly', '~morrie', '~morris', '~morry', '~morse', '~mort', '~morten', '~mortie', '~mortimer', '~morton', '~morty', '~mose', '~moses', '~moshe', '~moss', '~mozes', '~muffin', '~muhammad', '~munmro', '~munroe', '~murdoch', '~murdock', '~murray', '~murry', '~murvyn', '~my', '~myca', '~mycah', '~mychal', '~myer', '~myles', '~mylo', '~myron', '~myrvyn', '~myrwyn', '~nahum', '~nap', '~napoleon', '~nappie', '~nappy', '~nat', '~natal', '~natale', '~nataniel', '~nate', '~nathan', '~nathanael', '~nathanial', '~nathaniel', '~nathanil', '~natty', '~neal', '~neale', '~neall', '~nealon', '~nealson', '~nealy', '~ned', '~neddie', '~neddy', '~neel', '~nefen', '~nehemiah', '~neil', '~neill', '~neils', '~nels', '~nelson', '~nero', '~neron', '~nester', '~nestor', '~nev', '~nevil', '~nevile', '~neville', '~nevin', '~nevins', '~newton', '~nial', '~niall', '~niccolo', '~nicholas', '~nichole', '~nichols', '~nick', '~nickey', '~nickie', '~nicko', '~nickola', '~nickolai', '~nickolas', '~nickolaus', '~nicky', '~nico', '~nicol', '~nicola', '~nicolai', '~nicolais', '~nicolas', '~nicolis', '~niel', '~niels', '~nigel', '~niki', '~nikita', '~nikki', '~niko', '~nikola', '~nikolai', '~nikolaos', '~nikolas', '~nikolaus', '~nikolos', '~nikos', '~nil', '~niles', '~nils', '~nilson', '~niven', '~noach', '~noah', '~noak', '~noam', '~nobe', '~nobie', '~noble', '~noby', '~noe', '~noel', '~nolan', '~noland', '~noll', '~nollie', '~nolly', '~norbert', '~norbie', '~norby', '~norman', '~normand', '~normie', '~normy', '~norrie', '~norris', '~norry', '~north', '~northrop', '~northrup', '~norton', '~nowell', '~nye', '~oates', '~obadiah', '~obadias', '~obed', '~obediah', '~oberon', '~obidiah', '~obie', '~oby', '~octavius', '~ode', '~odell', '~odey', '~odie', '~odo', '~ody', '~ogdan', '~ogden', '~ogdon', '~olag', '~olav', '~ole', '~olenolin', '~olin', '~oliver', '~olivero', '~olivier', '~oliviero', '~ollie', '~olly', '~olvan', '~omar', '~omero', '~onfre', '~onfroi', '~onofredo', '~oran', '~orazio', '~orbadiah', '~oren', '~orin', '~orion', '~orlan', '~orland', '~orlando', '~orran', '~orren', '~orrin', '~orson', '~orton', '~orv', '~orville', '~osbert', '~osborn', '~osborne', '~osbourn', '~osbourne', '~osgood', '~osmond', '~osmund', '~ossie', '~oswald', '~oswell', '~otes', '~othello', '~otho', '~otis', '~otto', '~owen', '~ozzie', '~ozzy', '~pablo', '~pace', '~packston', '~paco', '~pacorro', '~paddie', '~paddy', '~padget', '~padgett', '~padraic', '~padraig', '~padriac', '~page', '~paige', '~pail', '~pall', '~palm', '~palmer', '~panchito', '~pancho', '~paolo', '~papageno', '~paquito', '~park', '~parke', '~parker', '~parnell', '~parrnell', '~parry', '~parsifal', '~pascal', '~pascale', '~pasquale', '~pat', '~pate', '~paten', '~patin', '~paton', '~patric', '~patrice', '~patricio', '~patrick', '~patrizio', '~patrizius', '~patsy', '~patten', '~pattie', '~pattin', '~patton', '~patty', '~paul', '~paulie', '~paulo', '~pauly', '~pavel', '~pavlov', '~paxon', '~paxton', '~payton', '~peadar', '~pearce', '~pebrook', '~peder', '~pedro', '~peirce', '~pembroke', '~pen', '~penn', '~pennie', '~penny', '~penrod', '~pepe', '~pepillo', '~pepito', '~perceval', '~percival', '~percy', '~perice', '~perkin', '~pernell', '~perren', '~perry', '~pete', '~peter', '~peterus', '~petey', '~petr', '~peyter', '~peyton', '~phil', '~philbert', '~philip', '~phillip', '~phillipe', '~phillipp', '~phineas', '~phip', '~pierce', '~pierre', '~pierson', '~pieter', '~pietrek', '~pietro', '~piggy', '~pincas', '~pinchas', '~pincus', '~piotr', '~pip', '~pippo', '~pooh', '~port', '~porter', '~portie', '~porty', '~poul', '~powell', '~pren', '~prent', '~prentice', '~prentiss', '~prescott', '~preston', '~price', '~prince', '~prinz', '~pryce', '~puff', '~purcell', '~putnam', '~putnem', '~pyotr', '~quent', '~quentin', '~quill', '~quillan', '~quincey', '~quincy', '~quinlan', '~quinn', '~quint', '~quintin', '~quinton', '~quintus', '~rab', '~rabbi', '~rabi', '~rad', '~radcliffe', '~raddie', '~raddy', '~rafael', '~rafaellle', '~rafaello', '~rafe', '~raff', '~raffaello', '~raffarty', '~rafferty', '~rafi', '~ragnar', '~raimondo', '~raimund', '~raimundo', '~rainer', '~raleigh', '~ralf', '~ralph', '~ram', '~ramon', '~ramsay', '~ramsey', '~rance', '~rancell', '~rand', '~randal', '~randall', '~randell', '~randi', '~randie', '~randolf', '~randolph', '~randy', '~ransell', '~ransom', '~raoul', '~raphael', '~raul', '~ravi', '~ravid', '~raviv', '~rawley', '~ray', '~raymond', '~raymund', '~raynard', '~rayner', '~raynor', '~read', '~reade', '~reagan', '~reagen', '~reamonn', '~red', '~redd', '~redford', '~reece', '~reed', '~rees', '~reese', '~reg', '~regan', '~regen', '~reggie', '~reggis', '~reggy', '~reginald', '~reginauld', '~reid', '~reidar', '~reider', '~reilly', '~reinald', '~reinaldo', '~reinaldos', '~reinhard', '~reinhold', '~reinold', '~reinwald', '~rem', '~remington', '~remus', '~renado', '~renaldo', '~renard', '~renato', '~renaud', '~renault', '~rene', '~reube', '~reuben', '~reuven', '~rex', '~rey', '~reynard', '~reynold', '~reynolds', '~rhett', '~rhys', '~ric', '~ricard', '~ricardo', '~riccardo', '~rice', '~rich', '~richard', '~richardo', '~richart', '~richie', '~richmond', '~richmound', '~richy', '~rick', '~rickard', '~rickert', '~rickey', '~ricki', '~rickie', '~ricky', '~ricoriki', '~rik', '~rikki', '~riley', '~rinaldo', '~ring', '~ringo', '~riobard', '~riordan', '~rip', '~ripley', '~ritchie', '~roarke', '~rob', '~robb', '~robbert', '~robbie', '~robby', '~robers', '~robert', '~roberto', '~robin', '~robinet', '~robinson', '~rochester', '~rock', '~rockey', '~rockie', '~rockwell', '~rocky', '~rod', '~rodd', '~roddie', '~roddy', '~roderic', '~roderich', '~roderick', '~roderigo', '~rodge', '~rodger', '~rodney', '~rodolfo', '~rodolph', '~rodolphe', '~rodrick', '~rodrigo', '~rodrique', '~rog', '~roger', '~rogerio', '~rogers', '~roi', '~roland', '~rolando', '~roldan', '~roley', '~rolf', '~rolfe', '~rolland', '~rollie', '~rollin', '~rollins', '~rollo', '~rolph', '~roma', '~romain', '~roman', '~romeo', '~ron', '~ronald', '~ronnie', '~ronny', '~rooney', '~roosevelt', '~rorke', '~rory', '~rosco', '~roscoe', '~ross', '~rossie', '~rossy', '~roth', '~rourke', '~rouvin', '~rowan', '~rowen', '~rowland', '~rowney', '~roy', '~royal', '~royall', '~royce', '~rriocard', '~rube', '~ruben', '~rubin', '~ruby', '~rudd', '~ruddie', '~ruddy', '~rudie', '~rudiger', '~rudolf', '~rudolfo', '~rudolph', '~rudy', '~rudyard', '~rufe', '~rufus', '~ruggiero', '~rupert', '~ruperto', '~ruprecht', '~rurik', '~russ', '~russell', '~rustie', '~rustin', '~rusty', '~rutger', '~rutherford', '~rutledge', '~rutter', '~ruttger', '~ruy', '~ryan', '~ryley', '~ryon', '~ryun', '~sal', '~saleem', '~salem', '~salim', '~salmon', '~salomo', '~salomon', '~salomone', '~salvador', '~salvatore', '~salvidor', '~sam', '~sammie', '~sammy', '~sampson', '~samson', '~samuel', '~samuele', '~sancho', '~sander', '~sanders', '~sanderson', '~sandor', '~sandro', '~sandy', '~sanford', '~sanson', '~sansone', '~sarge', '~sargent', '~sascha', '~sasha', '~saul', '~sauncho', '~saunder', '~saunders', '~saunderson', '~saundra', '~sauveur', '~saw', '~sawyer', '~sawyere', '~sax', '~saxe', '~saxon', '~say', '~sayer', '~sayers', '~sayre', '~sayres', '~scarface', '~schuyler', '~scot', '~scott', '~scotti', '~scottie', '~scotty', '~seamus', '~sean', '~sebastian', '~sebastiano', '~sebastien', '~see', '~selby', '~selig', '~serge', '~sergeant', '~sergei', '~sergent', '~sergio', '~seth', '~seumas', '~seward', '~seymour', '~shadow', '~shae', '~shaine', '~shalom', '~shamus', '~shanan', '~shane', '~shannan', '~shannon', '~shaughn', '~shaun', '~shaw', '~shawn', '~shay', '~shayne', '~shea', '~sheff', '~sheffie', '~sheffield', '~sheffy', '~shelby', '~shelden', '~shell', '~shelley', '~shellysheldon', '~shelton', '~shem', '~shep', '~shepard', '~shepherd', '~sheppard', '~shepperd', '~sheridan', '~sherlock', '~sherlocke', '~sherm', '~sherman', '~shermie', '~shermy', '~sherwin', '~sherwood', '~sherwynd', '~sholom', '~shurlock', '~shurlocke', '~shurwood', '~si', '~sibyl', '~sid', '~sidnee', '~sidney', '~siegfried', '~siffre', '~sig', '~sigfrid', '~sigfried', '~sigismond', '~sigismondo', '~sigismund', '~sigismundo', '~sigmund', '~sigvard', '~silas', '~silvain', '~silvan', '~silvano', '~silvanus', '~silvester', '~silvio', '~sim', '~simeon', '~simmonds', '~simon', '~simone', '~sinclair', '~sinclare', '~siward', '~skell', '~skelly', '~skip', '~skipp', '~skipper', '~skippie', '~skippy', '~skipton', '~sky', '~skye', '~skylar', '~skyler', '~slade', '~sloan', '~sloane', '~sly', '~smith', '~smitty', '~sol', '~sollie', '~solly', '~solomon', '~somerset', '~son', '~sonnie', '~sonny', '~spence', '~spencer', '~spense', '~spenser', '~spike', '~stacee', '~stacy', '~staffard', '~stafford', '~staford', '~stan', '~standford', '~stanfield', '~stanford', '~stanislas', '~stanislaus', '~stanislaw', '~stanleigh', '~stanley', '~stanly', '~stanton', '~stanwood', '~stavro', '~stavros', '~stearn', '~stearne', '~stefan', '~stefano', '~steffen', '~stephan', '~stephanus', '~stephen', '~sterling', '~stern', '~sterne', '~steve', '~steven', '~stevie', '~stevy', '~steward', '~stewart', '~stillman', '~stillmann', '~stinky', '~stirling', '~stu', '~stuart', '~sullivan', '~sully', '~sumner', '~sunny', '~sutherlan', '~sutherland', '~sutton', '~sven', '~svend', '~swen', '~syd', '~sydney', '~sylas', '~sylvan', '~sylvester', '~syman', '~symon', '~tab', '~tabb', '~tabbie', '~tabby', '~taber', '~tabor', '~tad', '~tadd', '~taddeo', '~taddeusz', '~tadeas', '~tadeo', '~tades', '~tadio', '~tailor', '~tait', '~taite', '~talbert', '~talbot', '~tallie', '~tally', '~tam', '~tamas', '~tammie', '~tammy', '~tan', '~tann', '~tanner', '~tanney', '~tannie', '~tanny', '~tarrance', '~tate', '~taylor', '~teador', '~ted', '~tedd', '~teddie', '~teddy', '~tedie', '~tedman', '~tedmund', '~temp', '~temple', '~templeton', '~teodoor', '~teodor', '~teodorico', '~teodoro', '~terence', '~terencio', '~terrance', '~terrel', '~terrell', '~terrence', '~terri', '~terrill', '~terry', '~thacher', '~thaddeus', '~thaddus', '~thadeus', '~thain', '~thaine', '~thane', '~thatch', '~thatcher', '~thaxter', '~thayne', '~thebault', '~thedric', '~thedrick', '~theo', '~theobald', '~theodor', '~theodore', '~theodoric', '~thibaud', '~thibaut', '~thom', '~thoma', '~thomas', '~thor', '~thorin', '~thorn', '~thorndike', '~thornie', '~thornton', '~thorny', '~thorpe', '~thorstein', '~thorsten', '~thorvald', '~thurstan', '~thurston', '~tibold', '~tiebold', '~tiebout', '~tiler', '~tim', '~timmie', '~timmy', '~timofei', '~timoteo', '~timothee', '~timotheus', '~timothy', '~tirrell', '~tito', '~titos', '~titus', '~tobe', '~tobiah', '~tobias', '~tobie', '~tobin', '~tobit', '~toby', '~tod', '~todd', '~toddie', '~toddy', '~toiboid', '~tom', '~tomas', '~tomaso', '~tome', '~tomkin', '~tomlin', '~tommie', '~tommy', '~tonnie', '~tony', '~tore', '~torey', '~torin', '~torr', '~torrance', '~torre', '~torrence', '~torrey', '~torrin', '~torry', '~town', '~towney', '~townie', '~townsend', '~towny', '~trace', '~tracey', '~tracie', '~tracy', '~traver', '~travers', '~travis', '~travus', '~trefor', '~tremain', '~tremaine', '~tremayne', '~trent', '~trenton', '~trev', '~trevar', '~trever', '~trevor', '~trey', '~trip', '~tripp', '~tris', '~tristam', '~tristan', '~troy', '~trstram', '~trueman', '~trumaine', '~truman', '~trumann', '~tuck', '~tucker', '~tuckie', '~tucky', '~tudor', '~tull', '~tulley', '~tully', '~turner', '~ty', '~tybalt', '~tye', '~tyler', '~tymon', '~tymothy', '~tynan', '~tyrone', '~tyrus', '~tyson', '~udale', '~udall', '~udell', '~ugo', '~ulberto', '~ulick', '~ulises', '~ulric', '~ulrich', '~ulrick', '~ulysses', '~umberto', '~upton', '~urbain', '~urban', '~urbano', '~urbanus', '~uri', '~uriah', '~uriel', '~urson', '~vachel', '~vaclav', '~vail', '~val', '~valdemar', '~vale', '~valentijn', '~valentin', '~valentine', '~valentino', '~valle', '~van', '~vance', '~vanya', '~vasili', '~vasilis', '~vasily', '~vassili', '~vassily', '~vaughan', '~vaughn', '~verge', '~vergil', '~vern', '~verne', '~vernen', '~verney', '~vernon', '~vernor', '~vic', '~vick', '~victoir', '~victor', '~vidovic', '~vidovik', '~vin', '~vince', '~vincent', '~vincents', '~vincenty', '~vincenz', '~vinnie', '~vinny', '~vinson', '~virge', '~virgie', '~virgil', '~virgilio', '~vite', '~vito', '~vittorio', '~vlad', '~vladamir', '~vladimir', '~von', '~wade', '~wadsworth', '~wain', '~wainwright', '~wait', '~waite', '~waiter', '~wake', '~wakefield', '~wald', '~waldemar', '~walden', '~waldo', '~waldon', '~walker', '~wallace', '~wallache', '~wallas', '~wallie', '~wallis', '~wally', '~walsh', '~walt', '~walther', '~walton', '~wang', '~ward', '~warde', '~warden', '~ware', '~waring', '~warner', '~warren', '~wash', '~washington', '~wat', '~waverley', '~waverly', '~way', '~waylan', '~wayland', '~waylen', '~waylin', '~waylon', '~wayne', '~web', '~webb', '~weber', '~webster', '~weidar', '~weider', '~welbie', '~welby', '~welch', '~wells', '~welsh', '~wendall', '~wendel', '~wendell', '~werner', '~wernher', '~wes', '~wesley', '~west', '~westbrook', '~westbrooke', '~westleigh', '~westley', '~weston', '~weylin', '~wheeler', '~whit', '~whitaker', '~whitby', '~whitman', '~whitney', '~whittaker', '~wiatt', '~wilbert', '~wilbur', '~wilburt', '~wilden', '~wildon', '~wilek', '~wiley', '~wilfred', '~wilfrid', '~wilhelm', '~will', '~willard', '~willdon', '~willem', '~willey', '~willi', '~william', '~willie', '~willis', '~willy', '~wilmar', '~wilmer', '~wilt', '~wilton', '~win', '~windham', '~winfield', '~winfred', '~winifield', '~winn', '~winnie', '~winny', '~winslow', '~winston', '~winthrop', '~wit', '~wittie', '~witty', '~wolf', '~wolfgang', '~wolfie', '~wolfy', '~wood', '~woodie', '~woodman', '~woodrow', '~woody', '~worden', '~worth', '~worthington', '~worthy', '~wright', '~wyatan', '~wyatt', '~wye', '~wylie', '~wyn', '~wyndham', '~wynn', '~xavier', '~xenos', '~xerxes', '~xever', '~ximenes', '~ximenez', '~xymenes', '~yale', '~yanaton', '~yance', '~yancey', '~yancy', '~yank', '~yankee', '~yard', '~yardley', '~yehudi', '~yehudit', '~yorgo', '~yorgos', '~york', '~yorke', '~yorker', '~yul', '~yule', '~yulma', '~yuma', '~yuri', '~yurik', '~yves', '~yvon', '~yvor', '~zaccaria', '~zach', '~zacharia', '~zachariah', '~zacharias', '~zacharie', '~zachary', '~zacherie', '~zachery', '~zack', '~zackariah', '~zak', '~zane', '~zared', '~zeb', '~zebadiah', '~zebedee', '~zebulen', '~zebulon', '~zechariah', '~zed', '~zedekiah', '~zeke', '~zelig', '~zerk', '~zollie', '~zolly', '~aaren', '~aarika', '~abagael', '~abagail', '~abbe', '~abbey', '~abbi', '~abbie', '~abby', '~abbye', '~abigael', '~abigail', '~abigale', '~abra', '~ada', '~adah', '~adaline', '~adan', '~adara', '~adda', '~addi', '~addia', '~addie', '~addy', '~adel', '~adela', '~adelaida', '~adelaide', '~adele', '~adelheid', '~adelice', '~adelina', '~adelind', '~adeline', '~adella', '~adelle', '~adena', '~adey', '~adi', '~adiana', '~adina', '~adora', '~adore', '~adoree', '~adorne', '~adrea', '~adria', '~adriaens', '~adrian', '~adriana', '~adriane', '~adrianna', '~adrianne', '~adriena', '~adrienne', '~aeriel', '~aeriela', '~aeriell', '~afton', '~ag', '~agace', '~agata', '~agatha', '~agathe', '~aggi', '~aggie', '~aggy', '~agna', '~agnella', '~agnes', '~agnese', '~agnesse', '~agneta', '~agnola', '~agretha', '~aida', '~aidan', '~aigneis', '~aila', '~aile', '~ailee', '~aileen', '~ailene', '~ailey', '~aili', '~ailina', '~ailis', '~ailsun', '~ailyn', '~aime', '~aimee', '~aimil', '~aindrea', '~ainslee', '~ainsley', '~ainslie', '~ajay', '~alaine', '~alameda', '~alana', '~alanah', '~alane', '~alanna', '~alayne', '~alberta', '~albertina', '~albertine', '~albina', '~alecia', '~aleda', '~aleece', '~aleen', '~alejandra', '~alejandrina', '~alena', '~alene', '~alessandra', '~aleta', '~alethea', '~alex', '~alexa', '~alexandra', '~alexandrina', '~alexi', '~alexia', '~alexina', '~alexine', '~alexis', '~alfi', '~alfie', '~alfreda', '~alfy', '~ali', '~alia', '~alica', '~alice', '~alicea', '~alicia', '~alida', '~alidia', '~alie', '~alika', '~alikee', '~alina', '~aline', '~alis', '~alisa', '~alisha', '~alison', '~alissa', '~alisun', '~alix', '~aliza', '~alla', '~alleen', '~allegra', '~allene', '~alli', '~allianora', '~allie', '~allina', '~allis', '~allison', '~allissa', '~allix', '~allsun', '~allx', '~ally', '~allyce', '~allyn', '~allys', '~allyson', '~alma', '~almeda', '~almeria', '~almeta', '~almira', '~almire', '~aloise', '~aloisia', '~aloysia', '~alta', '~althea', '~alvera', '~alverta', '~alvina', '~alvinia', '~alvira', '~alyce', '~alyda', '~alys', '~alysa', '~alyse', '~alysia', '~alyson', '~alyss', '~alyssa', '~amabel', '~amabelle', '~amalea', '~amalee', '~amaleta', '~amalia', '~amalie', '~amalita', '~amalle', '~amanda', '~amandi', '~amandie', '~amandy', '~amara', '~amargo', '~amata', '~amber', '~amberly', '~ambur', '~ame', '~amelia', '~amelie', '~amelina', '~ameline', '~amelita', '~ami', '~amie', '~amii', '~amil', '~amitie', '~amity', '~ammamaria', '~amy', '~amye', '~ana', '~anabal', '~anabel', '~anabella', '~anabelle', '~analiese', '~analise', '~anallese', '~anallise', '~anastasia', '~anastasie', '~anastassia', '~anatola', '~andee', '~andeee', '~anderea', '~andi', '~andie', '~andra', '~andrea', '~andreana', '~andree', '~andrei', '~andria', '~andriana', '~andriette', '~andromache', '~andy', '~anestassia', '~anet', '~anett', '~anetta', '~anette', '~ange', '~angel', '~angela', '~angele', '~angelia', '~angelica', '~angelika', '~angelina', '~angeline', '~angelique', '~angelita', '~angelle', '~angie', '~angil', '~angy', '~ania', '~anica', '~anissa', '~anita', '~anitra', '~anjanette', '~anjela', '~ann', '~ann-marie', '~anna', '~anna-diana', '~anna-diane', '~anna-maria', '~annabal', '~annabel', '~annabela', '~annabell', '~annabella', '~annabelle', '~annadiana', '~annadiane', '~annalee', '~annaliese', '~annalise', '~annamaria', '~annamarie', '~anne', '~anne-corinne', '~anne-marie', '~annecorinne', '~anneliese', '~annelise', '~annemarie', '~annetta', '~annette', '~anni', '~annice', '~annie', '~annis', '~annissa', '~annmaria', '~annmarie', '~annnora', '~annora', '~anny', '~anselma', '~ansley', '~anstice', '~anthe', '~anthea', '~anthia', '~anthiathia', '~antoinette', '~antonella', '~antonetta', '~antonia', '~antonie', '~antonietta', '~antonina', '~anya', '~appolonia', '~april', '~aprilette', '~ara', '~arabel', '~arabela', '~arabele', '~arabella', '~arabelle', '~arda', '~ardath', '~ardeen', '~ardelia', '~ardelis', '~ardella', '~ardelle', '~arden', '~ardene', '~ardenia', '~ardine', '~ardis', '~ardisj', '~ardith', '~ardra', '~ardyce', '~ardys', '~ardyth', '~aretha', '~ariadne', '~ariana', '~aridatha', '~ariel', '~ariela', '~ariella', '~arielle', '~arlana', '~arlee', '~arleen', '~arlen', '~arlena', '~arlene', '~arleta', '~arlette', '~arleyne', '~arlie', '~arliene', '~arlina', '~arlinda', '~arline', '~arluene', '~arly', '~arlyn', '~arlyne', '~aryn', '~ashely', '~ashia', '~ashien', '~ashil', '~ashla', '~ashlan', '~ashlee', '~ashleigh', '~ashlen', '~ashley', '~ashli', '~ashlie', '~ashly', '~asia', '~astra', '~astrid', '~astrix', '~atalanta', '~athena', '~athene', '~atlanta', '~atlante', '~auberta', '~aubine', '~aubree', '~aubrette', '~aubrey', '~aubrie', '~aubry', '~audi', '~audie', '~audra', '~audre', '~audrey', '~audrie', '~audry', '~audrye', '~audy', '~augusta', '~auguste', '~augustina', '~augustine', '~aundrea', '~aura', '~aurea', '~aurel', '~aurelea', '~aurelia', '~aurelie', '~auria', '~aurie', '~aurilia', '~aurlie', '~auroora', '~aurora', '~aurore', '~austin', '~austina', '~austine', '~ava', '~aveline', '~averil', '~averyl', '~avie', '~avis', '~aviva', '~avivah', '~avril', '~avrit', '~ayn', '~bab', '~babara', '~babb', '~babbette', '~babbie', '~babette', '~babita', '~babs', '~bambi', '~bambie', '~bamby', '~barb', '~barbabra', '~barbara', '~barbara-anne', '~barbaraanne', '~barbe', '~barbee', '~barbette', '~barbey', '~barbi', '~barbie', '~barbra', '~barby', '~bari', '~barrie', '~barry', '~basia', '~bathsheba', '~batsheva', '~bea', '~beatrice', '~beatrisa', '~beatrix', '~beatriz', '~bebe', '~becca', '~becka', '~becki', '~beckie', '~becky', '~bee', '~beilul', '~beitris', '~bekki', '~bel', '~belia', '~belicia', '~belinda', '~belita', '~bell', '~bella', '~bellanca', '~belle', '~bellina', '~belva', '~belvia', '~bendite', '~benedetta', '~benedicta', '~benedikta', '~benetta', '~benita', '~benni', '~bennie', '~benny', '~benoite', '~berenice', '~beret', '~berget', '~berna', '~bernadene', '~bernadette', '~bernadina', '~bernadine', '~bernardina', '~bernardine', '~bernelle', '~bernete', '~bernetta', '~bernette', '~berni', '~bernice', '~bernie', '~bernita', '~berny', '~berri', '~berrie', '~berry', '~bert', '~berta', '~berte', '~bertha', '~berthe', '~berti', '~bertie', '~bertina', '~bertine', '~berty', '~beryl', '~beryle', '~bess', '~bessie', '~bessy', '~beth', '~bethanne', '~bethany', '~bethena', '~bethina', '~betsey', '~betsy', '~betta', '~bette', '~bette-ann', '~betteann', '~betteanne', '~betti', '~bettina', '~bettine', '~betty', '~bettye', '~beulah', '~bev', '~beverie', '~beverlee', '~beverley', '~beverlie', '~beverly', '~bevvy', '~bianca', '~bianka', '~bibbie', '~bibby', '~bibbye', '~bibi', '~biddie', '~biddy', '~bidget', '~bili', '~bill', '~billi', '~billie', '~billy', '~billye', '~binni', '~binnie', '~binny', '~bird', '~birdie', '~birgit', '~birgitta', '~blair', '~blaire', '~blake', '~blakelee', '~blakeley', '~blanca', '~blanch', '~blancha', '~blanche', '~blinni', '~blinnie', '~blinny', '~bliss', '~blisse', '~blithe', '~blondell', '~blondelle', '~blondie', '~blondy', '~blythe', '~bobbe', '~bobbee', '~bobbette', '~bobbi', '~bobbie', '~bobby', '~bobbye', '~bobette', '~bobina', '~bobine', '~bobinette', '~bonita', '~bonnee', '~bonni', '~bonnibelle', '~bonnie', '~bonny', '~brana', '~brandais', '~brande', '~brandea', '~brandi', '~brandice', '~brandie', '~brandise', '~brandy', '~breanne', '~brear', '~bree', '~breena', '~bren', '~brena', '~brenda', '~brenn', '~brenna', '~brett', '~bria', '~briana', '~brianna', '~brianne', '~bride', '~bridget', '~bridgette', '~bridie', '~brier', '~brietta', '~brigid', '~brigida', '~brigit', '~brigitta', '~brigitte', '~brina', '~briney', '~brinn', '~brinna', '~briny', '~brit', '~brita', '~britney', '~britni', '~britt', '~britta', '~brittan', '~brittaney', '~brittani', '~brittany', '~britte', '~britteny', '~brittne', '~brittney', '~brittni', '~brook', '~brooke', '~brooks', '~brunhilda', '~brunhilde', '~bryana', '~bryn', '~bryna', '~brynn', '~brynna', '~brynne', '~buffy', '~bunni', '~bunnie', '~bunny', '~cacilia', '~cacilie', '~cahra', '~cairistiona', '~caitlin', '~caitrin', '~cal', '~calida', '~calla', '~calley', '~calli', '~callida', '~callie', '~cally', '~calypso', '~cam', '~camala', '~camel', '~camella', '~camellia', '~cami', '~camila', '~camile', '~camilla', '~camille', '~cammi', '~cammie', '~cammy', '~candace', '~candi', '~candice', '~candida', '~candide', '~candie', '~candis', '~candra', '~candy', '~caprice', '~cara', '~caralie', '~caren', '~carena', '~caresa', '~caressa', '~caresse', '~carey', '~cari', '~caria', '~carie', '~caril', '~carilyn', '~carin', '~carina', '~carine', '~cariotta', '~carissa', '~carita', '~caritta', '~carla', '~carlee', '~carleen', '~carlen', '~carlene', '~carley', '~carlie', '~carlin', '~carlina', '~carline', '~carlita', '~carlota', '~carlotta', '~carly', '~carlye', '~carlyn', '~carlynn', '~carlynne', '~carma', '~carmel', '~carmela', '~carmelia', '~carmelina', '~carmelita', '~carmella', '~carmelle', '~carmen', '~carmencita', '~carmina', '~carmine', '~carmita', '~carmon', '~caro', '~carol', '~carol-jean', '~carola', '~carolan', '~carolann', '~carole', '~carolee', '~carolin', '~carolina', '~caroline', '~caroljean', '~carolyn', '~carolyne', '~carolynn', '~caron', '~carree', '~carri', '~carrie', '~carrissa', '~carroll', '~carry', '~cary', '~caryl', '~caryn', '~casandra', '~casey', '~casi', '~casie', '~cass', '~cassandra', '~cassandre', '~cassandry', '~cassaundra', '~cassey', '~cassi', '~cassie', '~cassondra', '~cassy', '~catarina', '~cate', '~caterina', '~catha', '~catharina', '~catharine', '~cathe', '~cathee', '~catherin', '~catherina', '~catherine', '~cathi', '~cathie', '~cathleen', '~cathlene', '~cathrin', '~cathrine', '~cathryn', '~cathy', '~cathyleen', '~cati', '~catie', '~catina', '~catlaina', '~catlee', '~catlin', '~catrina', '~catriona', '~caty', '~caye', '~cayla', '~cecelia', '~cecil', '~cecile', '~ceciley', '~cecilia', '~cecilla', '~cecily', '~ceil', '~cele', '~celene', '~celesta', '~celeste', '~celestia', '~celestina', '~celestine', '~celestyn', '~celestyna', '~celia', '~celie', '~celina', '~celinda', '~celine', '~celinka', '~celisse', '~celka', '~celle', '~cesya', '~chad', '~chanda', '~chandal', '~chandra', '~channa', '~chantal', '~chantalle', '~charil', '~charin', '~charis', '~charissa', '~charisse', '~charita', '~charity', '~charla', '~charlean', '~charleen', '~charlena', '~charlene', '~charline', '~charlot', '~charlotta', '~charlotte', '~charmain', '~charmaine', '~charmane', '~charmian', '~charmine', '~charmion', '~charo', '~charyl', '~chastity', '~chelsae', '~chelsea', '~chelsey', '~chelsie', '~chelsy', '~cher', '~chere', '~cherey', '~cheri', '~cherianne', '~cherice', '~cherida', '~cherie', '~cherilyn', '~cherilynn', '~cherin', '~cherise', '~cherish', '~cherlyn', '~cherri', '~cherrita', '~cherry', '~chery', '~cherye', '~cheryl', '~cheslie', '~chiarra', '~chickie', '~chicky', '~chiquia', '~chiquita', '~chlo', '~chloe', '~chloette', '~chloris', '~chris', '~chrissie', '~chrissy', '~christa', '~christabel', '~christabella', '~christal', '~christalle', '~christan', '~christean', '~christel', '~christen', '~christi', '~christian', '~christiana', '~christiane', '~christie', '~christin', '~christina', '~christine', '~christy', '~christye', '~christyna', '~chrysa', '~chrysler', '~chrystal', '~chryste', '~chrystel', '~cicely', '~cicily', '~ciel', '~cilka', '~cinda', '~cindee', '~cindelyn', '~cinderella', '~cindi', '~cindie', '~cindra', '~cindy', '~cinnamon', '~cissiee', '~cissy', '~clair', '~claire', '~clara', '~clarabelle', '~clare', '~claresta', '~clareta', '~claretta', '~clarette', '~clarey', '~clari', '~claribel', '~clarice', '~clarie', '~clarinda', '~clarine', '~clarissa', '~clarisse', '~clarita', '~clary', '~claude', '~claudelle', '~claudetta', '~claudette', '~claudia', '~claudie', '~claudina', '~claudine', '~clea', '~clem', '~clemence', '~clementia', '~clementina', '~clementine', '~clemmie', '~clemmy', '~cleo', '~cleopatra', '~clerissa', '~clio', '~clo', '~cloe', '~cloris', '~clotilda', '~clovis', '~codee', '~codi', '~codie', '~cody', '~coleen', '~colene', '~coletta', '~colette', '~colleen', '~collen', '~collete', '~collette', '~collie', '~colline', '~colly', '~con', '~concettina', '~conchita', '~concordia', '~conni', '~connie', '~conny', '~consolata', '~constance', '~constancia', '~constancy', '~constanta', '~constantia', '~constantina', '~constantine', '~consuela', '~consuelo', '~cookie', '~cora', '~corabel', '~corabella', '~corabelle', '~coral', '~coralie', '~coraline', '~coralyn', '~cordelia', '~cordelie', '~cordey', '~cordi', '~cordie', '~cordula', '~cordy', '~coreen', '~corella', '~corena', '~corenda', '~corene', '~coretta', '~corette', '~corey', '~cori', '~corie', '~corilla', '~corina', '~corine', '~corinna', '~corinne', '~coriss', '~corissa', '~corliss', '~corly', '~cornela', '~cornelia', '~cornelle', '~cornie', '~corny', '~correna', '~correy', '~corri', '~corrianne', '~corrie', '~corrina', '~corrine', '~corrinne', '~corry', '~cortney', '~cory', '~cosetta', '~cosette', '~costanza', '~courtenay', '~courtnay', '~courtney', '~crin', '~cris', '~crissie', '~crissy', '~crista', '~cristabel', '~cristal', '~cristen', '~cristi', '~cristie', '~cristin', '~cristina', '~cristine', '~cristionna', '~cristy', '~crysta', '~crystal', '~crystie', '~cthrine', '~cyb', '~cybil', '~cybill', '~cymbre', '~cynde', '~cyndi', '~cyndia', '~cyndie', '~cyndy', '~cynthea', '~cynthia', '~cynthie', '~cynthy', '~dacey', '~dacia', '~dacie', '~dacy', '~dael', '~daffi', '~daffie', '~daffy', '~dagmar', '~dahlia', '~daile', '~daisey', '~daisi', '~daisie', '~daisy', '~dale', '~dalenna', '~dalia', '~dalila', '~dallas', '~daloris', '~damara', '~damaris', '~damita', '~dana', '~danell', '~danella', '~danette', '~dani', '~dania', '~danica', '~danice', '~daniela', '~daniele', '~daniella', '~danielle', '~danika', '~danila', '~danit', '~danita', '~danna', '~danni', '~dannie', '~danny', '~dannye', '~danya', '~danyelle', '~danyette', '~daphene', '~daphna', '~daphne', '~dara', '~darb', '~darbie', '~darby', '~darcee', '~darcey', '~darci', '~darcie', '~darcy', '~darda', '~dareen', '~darell', '~darelle', '~dari', '~daria', '~darice', '~darla', '~darleen', '~darlene', '~darline', '~darlleen', '~daron', '~darrelle', '~darryl', '~darsey', '~darsie', '~darya', '~daryl', '~daryn', '~dasha', '~dasi', '~dasie', '~dasya', '~datha', '~daune', '~daveen', '~daveta', '~davida', '~davina', '~davine', '~davita', '~dawn', '~dawna', '~dayle', '~dayna', '~ddene', '~de', '~deana', '~deane', '~deanna', '~deanne', '~deb', '~debbi', '~debbie', '~debby', '~debee', '~debera', '~debi', '~debor', '~debora', '~deborah', '~debra', '~dede', '~dedie', '~dedra', '~dee', '~deeann', '~deeanne', '~deedee', '~deena', '~deerdre', '~deeyn', '~dehlia', '~deidre', '~deina', '~deirdre', '~del', '~dela', '~delcina', '~delcine', '~delia', '~delila', '~delilah', '~delinda', '~dell', '~della', '~delly', '~delora', '~delores', '~deloria', '~deloris', '~delphine', '~delphinia', '~demeter', '~demetra', '~demetria', '~demetris', '~dena', '~deni', '~denice', '~denise', '~denna', '~denni', '~dennie', '~denny', '~deny', '~denys', '~denyse', '~deonne', '~desdemona', '~desirae', '~desiree', '~desiri', '~deva', '~devan', '~devi', '~devin', '~devina', '~devinne', '~devon', '~devondra', '~devonna', '~devonne', '~devora', '~di', '~diahann', '~dian', '~diana', '~diandra', '~diane', '~diane-marie', '~dianemarie', '~diann', '~dianna', '~dianne', '~diannne', '~didi', '~dido', '~diena', '~dierdre', '~dina', '~dinah', '~dinnie', '~dinny', '~dion', '~dione', '~dionis', '~dionne', '~dita', '~dix', '~dixie', '~dniren', '~dode', '~dodi', '~dodie', '~dody', '~doe', '~doll', '~dolley', '~dolli', '~dollie', '~dolly', '~dolores', '~dolorita', '~doloritas', '~domeniga', '~dominga', '~domini', '~dominica', '~dominique', '~dona', '~donella', '~donelle', '~donetta', '~donia', '~donica', '~donielle', '~donna', '~donnajean', '~donnamarie', '~donni', '~donnie', '~donny', '~dora', '~doralia', '~doralin', '~doralyn', '~doralynn', '~doralynne', '~dore', '~doreen', '~dorelia', '~dorella', '~dorelle', '~dorena', '~dorene', '~doretta', '~dorette', '~dorey', '~dori', '~doria', '~dorian', '~dorice', '~dorie', '~dorine', '~doris', '~dorisa', '~dorise', '~dorita', '~doro', '~dorolice', '~dorolisa', '~dorotea', '~doroteya', '~dorothea', '~dorothee', '~dorothy', '~dorree', '~dorri', '~dorrie', '~dorris', '~dorry', '~dorthea', '~dorthy', '~dory', '~dosi', '~dot', '~doti', '~dotti', '~dottie', '~dotty', '~dre', '~dreddy', '~dredi', '~drona', '~dru', '~druci', '~drucie', '~drucill', '~drucy', '~drusi', '~drusie', '~drusilla', '~drusy', '~dulce', '~dulcea', '~dulci', '~dulcia', '~dulciana', '~dulcie', '~dulcine', '~dulcinea', '~dulcy', '~dulsea', '~dusty', '~dyan', '~dyana', '~dyane', '~dyann', '~dyanna', '~dyanne', '~dyna', '~dynah', '~eachelle', '~eada', '~eadie', '~eadith', '~ealasaid', '~eartha', '~easter', '~eba', '~ebba', '~ebonee', '~ebony', '~eda', '~eddi', '~eddie', '~eddy', '~ede', '~edee', '~edeline', '~eden', '~edi', '~edie', '~edin', '~edita', '~edith', '~editha', '~edithe', '~ediva', '~edna', '~edwina', '~edy', '~edyth', '~edythe', '~effie', '~eileen', '~eilis', '~eimile', '~eirena', '~ekaterina', '~elaina', '~elaine', '~elana', '~elane', '~elayne', '~elberta', '~elbertina', '~elbertine', '~eleanor', '~eleanora', '~eleanore', '~electra', '~eleen', '~elena', '~elene', '~eleni', '~elenore', '~eleonora', '~eleonore', '~elfie', '~elfreda', '~elfrida', '~elfrieda', '~elga', '~elianora', '~elianore', '~elicia', '~elie', '~elinor', '~elinore', '~elisa', '~elisabet', '~elisabeth', '~elisabetta', '~elise', '~elisha', '~elissa', '~elita', '~eliza', '~elizabet', '~elizabeth', '~elka', '~elke', '~ella', '~elladine', '~elle', '~ellen', '~ellene', '~ellette', '~elli', '~ellie', '~ellissa', '~elly', '~ellyn', '~ellynn', '~elmira', '~elna', '~elnora', '~elnore', '~eloisa', '~eloise', '~elonore', '~elora', '~elsa', '~elsbeth', '~else', '~elset', '~elsey', '~elsi', '~elsie', '~elsinore', '~elspeth', '~elsy', '~elva', '~elvera', '~elvina', '~elvira', '~elwira', '~elyn', '~elyse', '~elysee', '~elysha', '~elysia', '~elyssa', '~em', '~ema', '~emalee', '~emalia', '~emelda', '~emelia', '~emelina', '~emeline', '~emelita', '~emelyne', '~emera', '~emilee', '~emili', '~emilia', '~emilie', '~emiline', '~emily', '~emlyn', '~emlynn', '~emlynne', '~emma', '~emmalee', '~emmaline', '~emmalyn', '~emmalynn', '~emmalynne', '~emmeline', '~emmey', '~emmi', '~emmie', '~emmy', '~emmye', '~emogene', '~emyle', '~emylee', '~engracia', '~enid', '~enrica', '~enrichetta', '~enrika', '~enriqueta', '~eolanda', '~eolande', '~eran', '~erda', '~erena', '~erica', '~ericha', '~ericka', '~erika', '~erin', '~erina', '~erinn', '~erinna', '~erma', '~ermengarde', '~ermentrude', '~ermina', '~erminia', '~erminie', '~erna', '~ernaline', '~ernesta', '~ernestine', '~ertha', '~eryn', '~esma', '~esmaria', '~esme', '~esmeralda', '~essa', '~essie', '~essy', '~esta', '~estel', '~estele', '~estell', '~estella', '~estelle', '~ester', '~esther', '~estrella', '~estrellita', '~ethel', '~ethelda', '~ethelin', '~ethelind', '~etheline', '~ethelyn', '~ethyl', '~etta', '~etti', '~ettie', '~etty', '~eudora', '~eugenia', '~eugenie', '~eugine', '~eula', '~eulalie', '~eunice', '~euphemia', '~eustacia', '~eva', '~evaleen', '~evangelia', '~evangelin', '~evangelina', '~evangeline', '~evania', '~evanne', '~eve', '~eveleen', '~evelina', '~eveline', '~evelyn', '~evey', '~evie', '~evita', '~evonne', '~evvie', '~evvy', '~evy', '~eyde', '~eydie', '~ezmeralda', '~fae', '~faina', '~faith', '~fallon', '~fan', '~fanchette', '~fanchon', '~fancie', '~fancy', '~fanechka', '~fania', '~fanni', '~fannie', '~fanny', '~fanya', '~fara', '~farah', '~farand', '~farica', '~farra', '~farrah', '~farrand', '~faun', '~faunie', '~faustina', '~faustine', '~fawn', '~fawne', '~fawnia', '~fay', '~faydra', '~faye', '~fayette', '~fayina', '~fayre', '~fayth', '~faythe', '~federica', '~fedora', '~felecia', '~felicdad', '~felice', '~felicia', '~felicity', '~felicle', '~felipa', '~felisha', '~felita', '~feliza', '~fenelia', '~feodora', '~ferdinanda', '~ferdinande', '~fern', '~fernanda', '~fernande', '~fernandina', '~ferne', '~fey', '~fiann', '~fianna', '~fidela', '~fidelia', '~fidelity', '~fifi', '~fifine', '~filia', '~filide', '~filippa', '~fina', '~fiona', '~fionna', '~fionnula', '~fiorenze', '~fleur', '~fleurette', '~flo', '~flor', '~flora', '~florance', '~flore', '~florella', '~florence', '~florencia', '~florentia', '~florenza', '~florette', '~flori', '~floria', '~florida', '~florie', '~florina', '~florinda', '~floris', '~florri', '~florrie', '~florry', '~flory', '~flossi', '~flossie', '~flossy', '~flss', '~fran', '~francene', '~frances', '~francesca', '~francine', '~francisca', '~franciska', '~francoise', '~francyne', '~frank', '~frankie', '~franky', '~franni', '~frannie', '~franny', '~frayda', '~fred', '~freda', '~freddi', '~freddie', '~freddy', '~fredelia', '~frederica', '~fredericka', '~frederique', '~fredi', '~fredia', '~fredra', '~fredrika', '~freida', '~frieda', '~friederike', '~fulvia', '~gabbey', '~gabbi', '~gabbie', '~gabey', '~gabi', '~gabie', '~gabriel', '~gabriela', '~gabriell', '~gabriella', '~gabrielle', '~gabriellia', '~gabrila', '~gaby', '~gae', '~gael', '~gail', '~gale', '~gale', '~galina', '~garland', '~garnet', '~garnette', '~gates', '~gavra', '~gavrielle', '~gay', '~gaye', '~gayel', '~gayla', '~gayle', '~gayleen', '~gaylene', '~gaynor', '~gelya', '~gena', '~gene', '~geneva', '~genevieve', '~genevra', '~genia', '~genna', '~genni', '~gennie', '~gennifer', '~genny', '~genovera', '~genvieve', '~george', '~georgeanna', '~georgeanne', '~georgena', '~georgeta', '~georgetta', '~georgette', '~georgia', '~georgiana', '~georgianna', '~georgianne', '~georgie', '~georgina', '~georgine', '~geralda', '~geraldine', '~gerda', '~gerhardine', '~geri', '~gerianna', '~gerianne', '~gerladina', '~germain', '~germaine', '~germana', '~gerri', '~gerrie', '~gerrilee', '~gerry', '~gert', '~gerta', '~gerti', '~gertie', '~gertrud', '~gertruda', '~gertrude', '~gertrudis', '~gerty', '~giacinta', '~giana', '~gianina', '~gianna', '~gigi', '~gilberta', '~gilberte', '~gilbertina', '~gilbertine', '~gilda', '~gilemette', '~gill', '~gillan', '~gilli', '~gillian', '~gillie', '~gilligan', '~gilly', '~gina', '~ginelle', '~ginevra', '~ginger', '~ginni', '~ginnie', '~ginnifer', '~ginny', '~giorgia', '~giovanna', '~gipsy', '~giralda', '~gisela', '~gisele', '~gisella', '~giselle', '~giuditta', '~giulia', '~giulietta', '~giustina', '~gizela', '~glad', '~gladi', '~gladys', '~gleda', '~glen', '~glenda', '~glenine', '~glenn', '~glenna', '~glennie', '~glennis', '~glori', '~gloria', '~gloriana', '~gloriane', '~glory', '~glyn', '~glynda', '~glynis', '~glynnis', '~gnni', '~godiva', '~golda', '~goldarina', '~goldi', '~goldia', '~goldie', '~goldina', '~goldy', '~grace', '~gracia', '~gracie', '~grata', '~gratia', '~gratiana', '~gray', '~grayce', '~grazia', '~greer', '~greta', '~gretal', '~gretchen', '~grete', '~gretel', '~grethel', '~gretna', '~gretta', '~grier', '~griselda', '~grissel', '~guendolen', '~guenevere', '~guenna', '~guglielma', '~gui', '~guillema', '~guillemette', '~guinevere', '~guinna', '~gunilla', '~gus', '~gusella', '~gussi', '~gussie', '~gussy', '~gusta', '~gusti', '~gustie', '~gusty', '~gwen', '~gwendolen', '~gwendolin', '~gwendolyn', '~gweneth', '~gwenette', '~gwenneth', '~gwenni', '~gwennie', '~gwenny', '~gwenora', '~gwenore', '~gwyn', '~gwyneth', '~gwynne', '~gypsy', '~hadria', '~hailee', '~haily', '~haleigh', '~halette', '~haley', '~hali', '~halie', '~halimeda', '~halley', '~halli', '~hallie', '~hally', '~hana', '~hanna', '~hannah', '~hanni', '~hannie', '~hannis', '~hanny', '~happy', '~harlene', '~harley', '~harli', '~harlie', '~harmonia', '~harmonie', '~harmony', '~harri', '~harrie', '~harriet', '~harriett', '~harrietta', '~harriette', '~harriot', '~harriott', '~hatti', '~hattie', '~hatty', '~hayley', '~hazel', '~heath', '~heather', '~heda', '~hedda', '~heddi', '~heddie', '~hedi', '~hedvig', '~hedvige', '~hedwig', '~hedwiga', '~hedy', '~heida', '~heidi', '~heidie', '~helaina', '~helaine', '~helen', '~helen-elizabeth', '~helena', '~helene', '~helenelizabeth', '~helenka', '~helga', '~helge', '~helli', '~heloise', '~helsa', '~helyn', '~hendrika', '~henka', '~henrie', '~henrieta', '~henrietta', '~henriette', '~henryetta', '~hephzibah', '~hermia', '~hermina', '~hermine', '~herminia', '~hermione', '~herta', '~hertha', '~hester', '~hesther', '~hestia', '~hetti', '~hettie', '~hetty', '~hilary', '~hilda', '~hildagard', '~hildagarde', '~hilde', '~hildegaard', '~hildegarde', '~hildy', '~hillary', '~hilliary', '~hinda', '~holli', '~hollie', '~holly', '~holly-anne', '~hollyanne', '~honey', '~honor', '~honoria', '~hope', '~horatia', '~hortense', '~hortensia', '~hulda', '~hyacinth', '~hyacintha', '~hyacinthe', '~hyacinthia', '~hyacinthie', '~hynda', '~ianthe', '~ibbie', '~ibby', '~ida', '~idalia', '~idalina', '~idaline', '~idell', '~idelle', '~idette', '~ileana', '~ileane', '~ilene', '~ilise', '~ilka', '~illa', '~ilsa', '~ilse', '~ilysa', '~ilyse', '~ilyssa', '~imelda', '~imogen', '~imogene', '~imojean', '~ina', '~indira', '~ines', '~inesita', '~inessa', '~inez', '~inga', '~ingaberg', '~ingaborg', '~inge', '~ingeberg', '~ingeborg', '~inger', '~ingrid', '~ingunna', '~inna', '~iolande', '~iolanthe', '~iona', '~iormina', '~ira', '~irena', '~irene', '~irina', '~iris', '~irita', '~irma', '~isa', '~isabeau', '~isabel', '~isabelita', '~isabella', '~isabelle', '~isadora', '~isahella', '~iseabal', '~isidora', '~isis', '~isobel', '~issi', '~issie', '~issy', '~ivett', '~ivette', '~ivie', '~ivonne', '~ivory', '~ivy', '~izabel', '~jacenta', '~jacinda', '~jacinta', '~jacintha', '~jacinthe', '~jackelyn', '~jacki', '~jackie', '~jacklin', '~jacklyn', '~jackquelin', '~jackqueline', '~jacky', '~jaclin', '~jaclyn', '~jacquelin', '~jacqueline', '~jacquelyn', '~jacquelynn', '~jacquenetta', '~jacquenette', '~jacquetta', '~jacquette', '~jacqui', '~jacquie', '~jacynth', '~jada', '~jade', '~jaime', '~jaimie', '~jaine', '~jami', '~jamie', '~jamima', '~jammie', '~jan', '~jana', '~janaya', '~janaye', '~jandy', '~jane', '~janean', '~janeczka', '~janeen', '~janel', '~janela', '~janella', '~janelle', '~janene', '~janenna', '~janessa', '~janet', '~janeta', '~janetta', '~janette', '~janeva', '~janey', '~jania', '~janice', '~janie', '~janifer', '~janina', '~janine', '~janis', '~janith', '~janka', '~janna', '~jannel', '~jannelle', '~janot', '~jany', '~jaquelin', '~jaquelyn', '~jaquenetta', '~jaquenette', '~jaquith', '~jasmin', '~jasmina', '~jasmine', '~jayme', '~jaymee', '~jayne', '~jaynell', '~jazmin', '~jean', '~jeana', '~jeane', '~jeanelle', '~jeanette', '~jeanie', '~jeanine', '~jeanna', '~jeanne', '~jeannette', '~jeannie', '~jeannine', '~jehanna', '~jelene', '~jemie', '~jemima', '~jemimah', '~jemmie', '~jemmy', '~jen', '~jena', '~jenda', '~jenelle', '~jeni', '~jenica', '~jeniece', '~jenifer', '~jeniffer', '~jenilee', '~jenine', '~jenn', '~jenna', '~jennee', '~jennette', '~jenni', '~jennica', '~jennie', '~jennifer', '~jennilee', '~jennine', '~jenny', '~jeralee', '~jere', '~jeri', '~jermaine', '~jerrie', '~jerrilee', '~jerrilyn', '~jerrine', '~jerry', '~jerrylee', '~jess', '~jessa', '~jessalin', '~jessalyn', '~jessamine', '~jessamyn', '~jesse', '~jesselyn', '~jessi', '~jessica', '~jessie', '~jessika', '~jessy', '~jewel', '~jewell', '~jewelle', '~jill', '~jillana', '~jillane', '~jillayne', '~jilleen', '~jillene', '~jilli', '~jillian', '~jillie', '~jilly', '~jinny', '~jo', '~joan', '~joana', '~joane', '~joanie', '~joann', '~joanna', '~joanne', '~joannes', '~jobey', '~jobi', '~jobie', '~jobina', '~joby', '~jobye', '~jobyna', '~jocelin', '~joceline', '~jocelyn', '~jocelyne', '~jodee', '~jodi', '~jodie', '~jody', '~joeann', '~joela', '~joelie', '~joell', '~joella', '~joelle', '~joellen', '~joelly', '~joellyn', '~joelynn', '~joete', '~joey', '~johanna', '~johannah', '~johna', '~johnath', '~johnette', '~johnna', '~joice', '~jojo', '~jolee', '~joleen', '~jolene', '~joletta', '~joli', '~jolie', '~joline', '~joly', '~jolyn', '~jolynn', '~jonell', '~joni', '~jonie', '~jonis', '~jordain', '~jordan', '~jordana', '~jordanna', '~jorey', '~jori', '~jorie', '~jorrie', '~jorry', '~joscelin', '~josee', '~josefa', '~josefina', '~josepha', '~josephina', '~josephine', '~josey', '~josi', '~josie', '~josselyn', '~josy', '~jourdan', '~joy', '~joya', '~joyan', '~joyann', '~joyce', '~joycelin', '~joye', '~joyous', '~jsandye', '~juana', '~juanita', '~judi', '~judie', '~judith', '~juditha', '~judy', '~judye', '~juieta', '~julee', '~juli', '~julia', '~juliana', '~juliane', '~juliann', '~julianna', '~julianne', '~julie', '~julienne', '~juliet', '~julieta', '~julietta', '~juliette', '~julina', '~juline', '~julissa', '~julita', '~june', '~junette', '~junia', '~junie', '~junina', '~justina', '~justine', '~justinn', '~jyoti', '~kacey', '~kacie', '~kacy', '~kaela', '~kai', '~kaia', '~kaila', '~kaile', '~kailey', '~kaitlin', '~kaitlyn', '~kaitlynn', '~kaja', '~kakalina', '~kala', '~kaleena', '~kali', '~kalie', '~kalila', '~kalina', '~kalinda', '~kalindi', '~kalli', '~kally', '~kameko', '~kamila', '~kamilah', '~kamillah', '~kandace', '~kandy', '~kania', '~kanya', '~kara', '~kara-lynn', '~karalee', '~karalynn', '~kare', '~karee', '~karel', '~karen', '~karena', '~kari', '~karia', '~karie', '~karil', '~karilynn', '~karin', '~karina', '~karine', '~kariotta', '~karisa', '~karissa', '~karita', '~karla', '~karlee', '~karleen', '~karlen', '~karlene', '~karlie', '~karlotta', '~karlotte', '~karly', '~karlyn', '~karmen', '~karna', '~karol', '~karola', '~karole', '~karolina', '~karoline', '~karoly', '~karon', '~karrah', '~karrie', '~karry', '~kary', '~karyl', '~karylin', '~karyn', '~kasey', '~kass', '~kassandra', '~kassey', '~kassi', '~kassia', '~kassie', '~kat', '~kata', '~katalin', '~kate', '~katee', '~katerina', '~katerine', '~katey', '~kath', '~katha', '~katharina', '~katharine', '~katharyn', '~kathe', '~katherina', '~katherine', '~katheryn', '~kathi', '~kathie', '~kathleen', '~kathlin', '~kathrine', '~kathryn', '~kathryne', '~kathy', '~kathye', '~kati', '~katie', '~katina', '~katine', '~katinka', '~katleen', '~katlin', '~katrina', '~katrine', '~katrinka', '~katti', '~kattie', '~katuscha', '~katusha', '~katy', '~katya', '~kay', '~kaycee', '~kaye', '~kayla', '~kayle', '~kaylee', '~kayley', '~kaylil', '~kaylyn', '~keeley', '~keelia', '~keely', '~kelcey', '~kelci', '~kelcie', '~kelcy', '~kelila', '~kellen', '~kelley', '~kelli', '~kellia', '~kellie', '~kellina', '~kellsie', '~kelly', '~kellyann', '~kelsey', '~kelsi', '~kelsy', '~kendra', '~kendre', '~kenna', '~keri', '~keriann', '~kerianne', '~kerri', '~kerrie', '~kerrill', '~kerrin', '~kerry', '~kerstin', '~kesley', '~keslie', '~kessia', '~kessiah', '~ketti', '~kettie', '~ketty', '~kevina', '~kevyn', '~ki', '~kiah', '~kial', '~kiele', '~kiersten', '~kikelia', '~kiley', '~kim', '~kimberlee', '~kimberley', '~kimberli', '~kimberly', '~kimberlyn', '~kimbra', '~kimmi', '~kimmie', '~kimmy', '~kinna', '~kip', '~kipp', '~kippie', '~kippy', '~kira', '~kirbee', '~kirbie', '~kirby', '~kiri', '~kirsten', '~kirsteni', '~kirsti', '~kirstin', '~kirstyn', '~kissee', '~kissiah', '~kissie', '~kit', '~kitti', '~kittie', '~kitty', '~kizzee', '~kizzie', '~klara', '~klarika', '~klarrisa', '~konstance', '~konstanze', '~koo', '~kora', '~koral', '~koralle', '~kordula', '~kore', '~korella', '~koren', '~koressa', '~kori', '~korie', '~korney', '~korrie', '~korry', '~kris', '~krissie', '~krissy', '~krista', '~kristal', '~kristan', '~kriste', '~kristel', '~kristen', '~kristi', '~kristien', '~kristin', '~kristina', '~kristine', '~kristy', '~kristyn', '~krysta', '~krystal', '~krystalle', '~krystle', '~krystyna', '~kyla', '~kyle', '~kylen', '~kylie', '~kylila', '~kylynn', '~kym', '~kynthia', '~kyrstin', '~lacee', '~lacey', '~lacie', '~lacy', '~ladonna', '~laetitia', '~laina', '~lainey', '~lana', '~lanae', '~lane', '~lanette', '~laney', '~lani', '~lanie', '~lanita', '~lanna', '~lanni', '~lanny', '~lara', '~laraine', '~lari', '~larina', '~larine', '~larisa', '~larissa', '~lark', '~laryssa', '~latashia', '~latia', '~latisha', '~latrena', '~latrina', '~laura', '~lauraine', '~laural', '~lauralee', '~laure', '~lauree', '~laureen', '~laurel', '~laurella', '~lauren', '~laurena', '~laurene', '~lauretta', '~laurette', '~lauri', '~laurianne', '~laurice', '~laurie', '~lauryn', '~lavena', '~laverna', '~laverne', '~lavina', '~lavinia', '~lavinie', '~layla', '~layne', '~layney', '~lea', '~leah', '~leandra', '~leann', '~leanna', '~leanor', '~leanora', '~lebbie', '~leda', '~lee', '~leeann', '~leeanne', '~leela', '~leelah', '~leena', '~leesa', '~leese', '~legra', '~leia', '~leigh', '~leigha', '~leila', '~leilah', '~leisha', '~lela', '~lelah', '~leland', '~lelia', '~lena', '~lenee', '~lenette', '~lenka', '~lenna', '~lenora', '~lenore', '~leodora', '~leoine', '~leola', '~leoline', '~leona', '~leonanie', '~leone', '~leonelle', '~leonie', '~leonora', '~leonore', '~leontine', '~leontyne', '~leora', '~leshia', '~lesley', '~lesli', '~leslie', '~lesly', '~lesya', '~leta', '~lethia', '~leticia', '~letisha', '~letitia', '~letizia', '~letta', '~letti', '~lettie', '~letty', '~lexi', '~lexie', '~lexine', '~lexis', '~lexy', '~leyla', '~lezlie', '~lia', '~lian', '~liana', '~liane', '~lianna', '~lianne', '~lib', '~libbey', '~libbi', '~libbie', '~libby', '~licha', '~lida', '~lidia', '~liesa', '~lil', '~lila', '~lilah', '~lilas', '~lilia', '~lilian', '~liliane', '~lilias', '~lilith', '~lilla', '~lilli', '~lillian', '~lillis', '~lilllie', '~lilly', '~lily', '~lilyan', '~lin', '~lina', '~lind', '~linda', '~lindi', '~lindie', '~lindsay', '~lindsey', '~lindsy', '~lindy', '~linea', '~linell', '~linet', '~linette', '~linn', '~linnea', '~linnell', '~linnet', '~linnie', '~linzy', '~lira', '~lisa', '~lisabeth', '~lisbeth', '~lise', '~lisetta', '~lisette', '~lisha', '~lishe', '~lissa', '~lissi', '~lissie', '~lissy', '~lita', '~liuka', '~liv', '~liva', '~livia', '~livvie', '~livvy', '~livvyy', '~livy', '~liz', '~liza', '~lizabeth', '~lizbeth', '~lizette', '~lizzie', '~lizzy', '~loella', '~lois', '~loise', '~lola', '~loleta', '~lolita', '~lolly', '~lona', '~lonee', '~loni', '~lonna', '~lonni', '~lonnie', '~lora', '~lorain', '~loraine', '~loralee', '~loralie', '~loralyn', '~loree', '~loreen', '~lorelei', '~lorelle', '~loren', '~lorena', '~lorene', '~lorenza', '~loretta', '~lorettalorna', '~lorette', '~lori', '~loria', '~lorianna', '~lorianne', '~lorie', '~lorilee', '~lorilyn', '~lorinda', '~lorine', '~lorita', '~lorna', '~lorne', '~lorraine', '~lorrayne', '~lorri', '~lorrie', '~lorrin', '~lorry', '~lory', '~lotta', '~lotte', '~lotti', '~lottie', '~lotty', '~lou', '~louella', '~louisa', '~louise', '~louisette', '~loutitia', '~lu', '~luce', '~luci', '~lucia', '~luciana', '~lucie', '~lucienne', '~lucila', '~lucilia', '~lucille', '~lucina', '~lucinda', '~lucine', '~lucita', '~lucky', '~lucretia', '~lucy', '~ludovika', '~luella', '~luelle', '~luisa', '~luise', '~lula', '~lulita', '~lulu', '~lura', '~lurette', '~lurleen', '~lurlene', '~lurline', '~lusa', '~luz', '~lyda', '~lydia', '~lydie', '~lyn', '~lynda', '~lynde', '~lyndel', '~lyndell', '~lyndsay', '~lyndsey', '~lyndsie', '~lyndy', '~lynea', '~lynelle', '~lynett', '~lynette', '~lynn', '~lynna', '~lynne', '~lynnea', '~lynnell', '~lynnelle', '~lynnet', '~lynnett', '~lynnette', '~lynsey', '~lyssa', '~mab', '~mabel', '~mabelle', '~mable', '~mada', '~madalena', '~madalyn', '~maddalena', '~maddi', '~maddie', '~maddy', '~madel', '~madelaine', '~madeleine', '~madelena', '~madelene', '~madelin', '~madelina', '~madeline', '~madella', '~madelle', '~madelon', '~madelyn', '~madge', '~madlen', '~madlin', '~madonna', '~mady', '~mae', '~maegan', '~mag', '~magda', '~magdaia', '~magdalen', '~magdalena', '~magdalene', '~maggee', '~maggi', '~maggie', '~maggy', '~mahala', '~mahalia', '~maia', '~maible', '~maiga', '~maighdiln', '~mair', '~maire', '~maisey', '~maisie', '~maitilde', '~mala', '~malanie', '~malena', '~malia', '~malina', '~malinda', '~malinde', '~malissa', '~malissia', '~mallissa', '~mallorie', '~mallory', '~malorie', '~malory', '~malva', '~malvina', '~malynda', '~mame', '~mamie', '~manda', '~mandi', '~mandie', '~mandy', '~manon', '~manya', '~mara', '~marabel', '~marcela', '~marcelia', '~marcella', '~marcelle', '~marcellina', '~marcelline', '~marchelle', '~marci', '~marcia', '~marcie', '~marcile', '~marcille', '~marcy', '~mareah', '~maren', '~marena', '~maressa', '~marga', '~margalit', '~margalo', '~margaret', '~margareta', '~margarete', '~margaretha', '~margarethe', '~margaretta', '~margarette', '~margarita', '~margaux', '~marge', '~margeaux', '~margery', '~marget', '~margette', '~margi', '~margie', '~margit', '~margo', '~margot', '~margret', '~marguerite', '~margy', '~mari', '~maria', '~mariam', '~marian', '~mariana', '~mariann', '~marianna', '~marianne', '~maribel', '~maribelle', '~maribeth', '~marice', '~maridel', '~marie', '~marie-ann', '~marie-jeanne', '~marieann', '~mariejeanne', '~mariel', '~mariele', '~marielle', '~mariellen', '~marietta', '~mariette', '~marigold', '~marijo', '~marika', '~marilee', '~marilin', '~marillin', '~marilyn', '~marin', '~marina', '~marinna', '~marion', '~mariquilla', '~maris', '~marisa', '~mariska', '~marissa', '~marita', '~maritsa', '~mariya', '~marj', '~marja', '~marje', '~marji', '~marjie', '~marjorie', '~marjory', '~marjy', '~marketa', '~marla', '~marlane', '~marleah', '~marlee', '~marleen', '~marlena', '~marlene', '~marley', '~marlie', '~marline', '~marlo', '~marlyn', '~marna', '~marne', '~marney', '~marni', '~marnia', '~marnie', '~marquita', '~marrilee', '~marris', '~marrissa', '~marsha', '~marsiella', '~marta', '~martelle', '~martguerita', '~martha', '~marthe', '~marthena', '~marti', '~martica', '~martie', '~martina', '~martita', '~marty', '~martynne', '~mary', '~marya', '~maryann', '~maryanna', '~maryanne', '~marybelle', '~marybeth', '~maryellen', '~maryjane', '~maryjo', '~maryl', '~marylee', '~marylin', '~marylinda', '~marylou', '~marylynne', '~maryrose', '~marys', '~marysa', '~masha', '~matelda', '~mathilda', '~mathilde', '~matilda', '~matilde', '~matti', '~mattie', '~matty', '~maud', '~maude', '~maudie', '~maura', '~maure', '~maureen', '~maureene', '~maurene', '~maurine', '~maurise', '~maurita', '~maurizia', '~mavis', '~mavra', '~max', '~maxi', '~maxie', '~maxine', '~maxy', '~may', '~maybelle', '~maye', '~mead', '~meade', '~meagan', '~meaghan', '~meara', '~mechelle', '~meg', '~megan', '~megen', '~meggi', '~meggie', '~meggy', '~meghan', '~meghann', '~mehetabel', '~mei', '~mel', '~mela', '~melamie', '~melania', '~melanie', '~melantha', '~melany', '~melba', '~melesa', '~melessa', '~melicent', '~melina', '~melinda', '~melinde', '~melisa', '~melisande', '~melisandra', '~melisenda', '~melisent', '~melissa', '~melisse', '~melita', '~melitta', '~mella', '~melli', '~mellicent', '~mellie', '~mellisa', '~mellisent', '~melloney', '~melly', '~melodee', '~melodie', '~melody', '~melonie', '~melony', '~melosa', '~melva', '~mercedes', '~merci', '~mercie', '~mercy', '~meredith', '~meredithe', '~meridel', '~meridith', '~meriel', '~merilee', '~merilyn', '~meris', '~merissa', '~merl', '~merla', '~merle', '~merlina', '~merline', '~merna', '~merola', '~merralee', '~merridie', '~merrie', '~merrielle', '~merrile', '~merrilee', '~merrili', '~merrill', '~merrily', '~merry', '~mersey', '~meryl', '~meta', '~mia', '~micaela', '~michaela', '~michaelina', '~michaeline', '~michaella', '~michal', '~michel', '~michele', '~michelina', '~micheline', '~michell', '~michelle', '~micki', '~mickie', '~micky', '~midge', '~mignon', '~mignonne', '~miguela', '~miguelita', '~mikaela', '~mil', '~mildred', '~mildrid', '~milena', '~milicent', '~milissent', '~milka', '~milli', '~millicent', '~millie', '~millisent', '~milly', '~milzie', '~mimi', '~min', '~mina', '~minda', '~mindy', '~minerva', '~minetta', '~minette', '~minna', '~minnaminnie', '~minne', '~minni', '~minnie', '~minnnie', '~minny', '~minta', '~miquela', '~mira', '~mirabel', '~mirabella', '~mirabelle', '~miran', '~miranda', '~mireielle', '~mireille', '~mirella', '~mirelle', '~miriam', '~mirilla', '~mirna', '~misha', '~missie', '~missy', '~misti', '~misty', '~mitzi', '~modesta', '~modestia', '~modestine', '~modesty', '~moina', '~moira', '~moll', '~mollee', '~molli', '~mollie', '~molly', '~mommy', '~mona', '~monah', '~monica', '~monika', '~monique', '~mora', '~moreen', '~morena', '~morgan', '~morgana', '~morganica', '~morganne', '~morgen', '~moria', '~morissa', '~morna', '~moselle', '~moyna', '~moyra', '~mozelle', '~muffin', '~mufi', '~mufinella', '~muire', '~mureil', '~murial', '~muriel', '~murielle', '~myra', '~myrah', '~myranda', '~myriam', '~myrilla', '~myrle', '~myrlene', '~myrna', '~myrta', '~myrtia', '~myrtice', '~myrtie', '~myrtle', '~nada', '~nadean', '~nadeen', '~nadia', '~nadine', '~nadiya', '~nady', '~nadya', '~nalani', '~nan', '~nana', '~nananne', '~nance', '~nancee', '~nancey', '~nanci', '~nancie', '~nancy', '~nanete', '~nanette', '~nani', '~nanice', '~nanine', '~nannette', '~nanni', '~nannie', '~nanny', '~nanon', '~naoma', '~naomi', '~nara', '~nari', '~nariko', '~nat', '~nata', '~natala', '~natalee', '~natalie', '~natalina', '~nataline', '~natalya', '~natasha', '~natassia', '~nathalia', '~nathalie', '~natividad', '~natka', '~natty', '~neala', '~neda', '~nedda', '~nedi', '~neely', '~neila', '~neile', '~neilla', '~neille', '~nelia', '~nelie', '~nell', '~nelle', '~nelli', '~nellie', '~nelly', '~nerissa', '~nerita', '~nert', '~nerta', '~nerte', '~nerti', '~nertie', '~nerty', '~nessa', '~nessi', '~nessie', '~nessy', '~nesta', '~netta', '~netti', '~nettie', '~nettle', '~netty', '~nevsa', '~neysa', '~nichol', '~nichole', '~nicholle', '~nicki', '~nickie', '~nicky', '~nicol', '~nicola', '~nicole', '~nicolea', '~nicolette', '~nicoli', '~nicolina', '~nicoline', '~nicolle', '~nikaniki', '~nike', '~niki', '~nikki', '~nikkie', '~nikoletta', '~nikolia', '~nina', '~ninetta', '~ninette', '~ninnetta', '~ninnette', '~ninon', '~nissa', '~nisse', '~nissie', '~nissy', '~nita', '~nixie', '~noami', '~noel', '~noelani', '~noell', '~noella', '~noelle', '~noellyn', '~noelyn', '~noemi', '~nola', '~nolana', '~nolie', '~nollie', '~nomi', '~nona', '~nonah', '~noni', '~nonie', '~nonna', '~nonnah', '~nora', '~norah', '~norean', '~noreen', '~norene', '~norina', '~norine', '~norma', '~norri', '~norrie', '~norry', '~novelia', '~nydia', '~nyssa', '~octavia', '~odele', '~odelia', '~odelinda', '~odella', '~odelle', '~odessa', '~odetta', '~odette', '~odilia', '~odille', '~ofelia', '~ofella', '~ofilia', '~ola', '~olenka', '~olga', '~olia', '~olimpia', '~olive', '~olivette', '~olivia', '~olivie', '~oliy', '~ollie', '~olly', '~olva', '~olwen', '~olympe', '~olympia', '~olympie', '~ondrea', '~oneida', '~onida', '~oona', '~opal', '~opalina', '~opaline', '~ophelia', '~ophelie', '~ora', '~oralee', '~oralia', '~oralie', '~oralla', '~oralle', '~orel', '~orelee', '~orelia', '~orelie', '~orella', '~orelle', '~oriana', '~orly', '~orsa', '~orsola', '~ortensia', '~otha', '~othelia', '~othella', '~othilia', '~othilie', '~ottilie', '~page', '~paige', '~paloma', '~pam', '~pamela', '~pamelina', '~pamella', '~pammi', '~pammie', '~pammy', '~pandora', '~pansie', '~pansy', '~paola', '~paolina', '~papagena', '~pat', '~patience', '~patrica', '~patrice', '~patricia', '~patrizia', '~patsy', '~patti', '~pattie', '~patty', '~paula', '~paule', '~pauletta', '~paulette', '~pauli', '~paulie', '~paulina', '~pauline', '~paulita', '~pauly', '~pavia', '~pavla', '~pearl', '~pearla', '~pearle', '~pearline', '~peg', '~pegeen', '~peggi', '~peggie', '~peggy', '~pen', '~penelopa', '~penelope', '~penni', '~pennie', '~penny', '~pepi', '~pepita', '~peri', '~peria', '~perl', '~perla', '~perle', '~perri', '~perrine', '~perry', '~persis', '~pet', '~peta', '~petra', '~petrina', '~petronella', '~petronia', '~petronilla', '~petronille', '~petunia', '~phaedra', '~phaidra', '~phebe', '~phedra', '~phelia', '~phil', '~philipa', '~philippa', '~philippe', '~philippine', '~philis', '~phillida', '~phillie', '~phillis', '~philly', '~philomena', '~phoebe', '~phylis', '~phyllida', '~phyllis', '~phyllys', '~phylys', '~pia', '~pier', '~pierette', '~pierrette', '~pietra', '~piper', '~pippa', '~pippy', '~polly', '~pollyanna', '~pooh', '~poppy', '~portia', '~pris', '~prisca', '~priscella', '~priscilla', '~prissie', '~pru', '~prudence', '~prudi', '~prudy', '~prue', '~queenie', '~quentin', '~querida', '~quinn', '~quinta', '~quintana', '~quintilla', '~quintina', '~rachael', '~rachel', '~rachele', '~rachelle', '~rae', '~raeann', '~raf', '~rafa', '~rafaela', '~rafaelia', '~rafaelita', '~rahal', '~rahel', '~raina', '~raine', '~rakel', '~ralina', '~ramona', '~ramonda', '~rana', '~randa', '~randee', '~randene', '~randi', '~randie', '~randy', '~ranee', '~rani', '~rania', '~ranice', '~ranique', '~ranna', '~raphaela', '~raquel', '~raquela', '~rasia', '~rasla', '~raven', '~ray', '~raychel', '~raye', '~rayna', '~raynell', '~rayshell', '~rea', '~reba', '~rebbecca', '~rebe', '~rebeca', '~rebecca', '~rebecka', '~rebeka', '~rebekah', '~rebekkah', '~ree', '~reeba', '~reena', '~reeta', '~reeva', '~regan', '~reggi', '~reggie', '~regina', '~regine', '~reiko', '~reina', '~reine', '~remy', '~rena', '~renae', '~renata', '~renate', '~rene', '~renee', '~renell', '~renelle', '~renie', '~rennie', '~reta', '~retha', '~revkah', '~rey', '~reyna', '~rhea', '~rheba', '~rheta', '~rhetta', '~rhiamon', '~rhianna', '~rhianon', '~rhoda', '~rhodia', '~rhodie', '~rhody', '~rhona', '~rhonda', '~riane', '~riannon', '~rianon', '~rica', '~ricca', '~rici', '~ricki', '~rickie', '~ricky', '~riki', '~rikki', '~rina', '~risa', '~rita', '~riva', '~rivalee', '~rivi', '~rivkah', '~rivy', '~roana', '~roanna', '~roanne', '~robbi', '~robbie', '~robbin', '~robby', '~robbyn', '~robena', '~robenia', '~roberta', '~robin', '~robina', '~robinet', '~robinett', '~robinetta', '~robinette', '~robinia', '~roby', '~robyn', '~roch', '~rochell', '~rochella', '~rochelle', '~rochette', '~roda', '~rodi', '~rodie', '~rodina', '~rois', '~romola', '~romona', '~romonda', '~romy', '~rona', '~ronalda', '~ronda', '~ronica', '~ronna', '~ronni', '~ronnica', '~ronnie', '~ronny', '~roobbie', '~rora', '~rori', '~rorie', '~rory', '~ros', '~rosa', '~rosabel', '~rosabella', '~rosabelle', '~rosaleen', '~rosalia', '~rosalie', '~rosalind', '~rosalinda', '~rosalinde', '~rosaline', '~rosalyn', '~rosalynd', '~rosamond', '~rosamund', '~rosana', '~rosanna', '~rosanne', '~rose', '~roseann', '~roseanna', '~roseanne', '~roselia', '~roselin', '~roseline', '~rosella', '~roselle', '~rosemaria', '~rosemarie', '~rosemary', '~rosemonde', '~rosene', '~rosetta', '~rosette', '~roshelle', '~rosie', '~rosina', '~rosita', '~roslyn', '~rosmunda', '~rosy', '~row', '~rowe', '~rowena', '~roxana', '~roxane', '~roxanna', '~roxanne', '~roxi', '~roxie', '~roxine', '~roxy', '~roz', '~rozalie', '~rozalin', '~rozamond', '~rozanna', '~rozanne', '~roze', '~rozele', '~rozella', '~rozelle', '~rozina', '~rubetta', '~rubi', '~rubia', '~rubie', '~rubina', '~ruby', '~ruperta', '~ruth', '~ruthann', '~ruthanne', '~ruthe', '~ruthi', '~ruthie', '~ruthy', '~ryann', '~rycca', '~saba', '~sabina', '~sabine', '~sabra', '~sabrina', '~sacha', '~sada', '~sadella', '~sadie', '~sadye', '~saidee', '~sal', '~salaidh', '~sallee', '~salli', '~sallie', '~sally', '~sallyann', '~sallyanne', '~saloma', '~salome', '~salomi', '~sam', '~samantha', '~samara', '~samaria', '~sammy', '~sande', '~sandi', '~sandie', '~sandra', '~sandy', '~sandye', '~sapphira', '~sapphire', '~sara', '~sara-ann', '~saraann', '~sarah', '~sarajane', '~saree', '~sarena', '~sarene', '~sarette', '~sari', '~sarina', '~sarine', '~sarita', '~sascha', '~sasha', '~sashenka', '~saudra', '~saundra', '~savina', '~sayre', '~scarlet', '~scarlett', '~sean', '~seana', '~seka', '~sela', '~selena', '~selene', '~selestina', '~selia', '~selie', '~selina', '~selinda', '~seline', '~sella', '~selle', '~selma', '~sena', '~sephira', '~serena', '~serene', '~shae', '~shaina', '~shaine', '~shalna', '~shalne', '~shana', '~shanda', '~shandee', '~shandeigh', '~shandie', '~shandra', '~shandy', '~shane', '~shani', '~shanie', '~shanna', '~shannah', '~shannen', '~shannon', '~shanon', '~shanta', '~shantee', '~shara', '~sharai', '~shari', '~sharia', '~sharity', '~sharl', '~sharla', '~sharleen', '~sharlene', '~sharline', '~sharon', '~sharona', '~sharron', '~sharyl', '~shaun', '~shauna', '~shawn', '~shawna', '~shawnee', '~shay', '~shayla', '~shaylah', '~shaylyn', '~shaylynn', '~shayna', '~shayne', '~shea', '~sheba', '~sheela', '~sheelagh', '~sheelah', '~sheena', '~sheeree', '~sheila', '~sheila-kathryn', '~sheilah', '~sheilakathryn', '~shel', '~shela', '~shelagh', '~shelba', '~shelbi', '~shelby', '~shelia', '~shell', '~shelley', '~shelli', '~shellie', '~shelly', '~shena', '~sher', '~sheree', '~sheri', '~sherie', '~sherill', '~sherilyn', '~sherline', '~sherri', '~sherrie', '~sherry', '~sherye', '~sheryl', '~shina', '~shir', '~shirl', '~shirlee', '~shirleen', '~shirlene', '~shirley', '~shirline', '~shoshana', '~shoshanna', '~siana', '~sianna', '~sib', '~sibbie', '~sibby', '~sibeal', '~sibel', '~sibella', '~sibelle', '~sibilla', '~sibley', '~sibyl', '~sibylla', '~sibylle', '~sidoney', '~sidonia', '~sidonnie', '~sigrid', '~sile', '~sileas', '~silva', '~silvana', '~silvia', '~silvie', '~simona', '~simone', '~simonette', '~simonne', '~sindee', '~siobhan', '~sioux', '~siouxie', '~sisely', '~sisile', '~sissie', '~sissy', '~siusan', '~sofia', '~sofie', '~sondra', '~sonia', '~sonja', '~sonni', '~sonnie', '~sonnnie', '~sonny', '~sonya', '~sophey', '~sophi', '~sophia', '~sophie', '~sophronia', '~sorcha', '~sosanna', '~stace', '~stacee', '~stacey', '~staci', '~stacia', '~stacie', '~stacy', '~stafani', '~star', '~starla', '~starlene', '~starlin', '~starr', '~stefa', '~stefania', '~stefanie', '~steffane', '~steffi', '~steffie', '~stella', '~stepha', '~stephana', '~stephani', '~stephanie', '~stephannie', '~stephenie', '~stephi', '~stephie', '~stephine', '~stesha', '~stevana', '~stevena', '~stoddard', '~storm', '~stormi', '~stormie', '~stormy', '~sue', '~suellen', '~sukey', '~suki', '~sula', '~sunny', '~sunshine', '~susan', '~susana', '~susanetta', '~susann', '~susanna', '~susannah', '~susanne', '~susette', '~susi', '~susie', '~susy', '~suzann', '~suzanna', '~suzanne', '~suzette', '~suzi', '~suzie', '~suzy', '~sybil', '~sybila', '~sybilla', '~sybille', '~sybyl', '~sydel', '~sydelle', '~sydney', '~sylvia', '~tabatha', '~tabbatha', '~tabbi', '~tabbie', '~tabbitha', '~tabby', '~tabina', '~tabitha', '~taffy', '~talia', '~tallia', '~tallie', '~tallou', '~tallulah', '~tally', '~talya', '~talyah', '~tamar', '~tamara', '~tamarah', '~tamarra', '~tamera', '~tami', '~tamiko', '~tamma', '~tammara', '~tammi', '~tammie', '~tammy', '~tamqrah', '~tamra', '~tana', '~tandi', '~tandie', '~tandy', '~tanhya', '~tani', '~tania', '~tanitansy', '~tansy', '~tanya', '~tara', '~tarah', '~tarra', '~tarrah', '~taryn', '~tasha', '~tasia', '~tate', '~tatiana', '~tatiania', '~tatum', '~tawnya', '~tawsha', '~ted', '~tedda', '~teddi', '~teddie', '~teddy', '~tedi', '~tedra', '~teena', '~teirtza', '~teodora', '~tera', '~teresa', '~terese', '~teresina', '~teresita', '~teressa', '~teri', '~teriann', '~terra', '~terri', '~terri-jo', '~terrie', '~terrijo', '~terry', '~terrye', '~tersina', '~terza', '~tess', '~tessa', '~tessi', '~tessie', '~tessy', '~thalia', '~thea', '~theadora', '~theda', '~thekla', '~thelma', '~theo', '~theodora', '~theodosia', '~theresa', '~therese', '~theresina', '~theresita', '~theressa', '~therine', '~thia', '~thomasa', '~thomasin', '~thomasina', '~thomasine', '~tiena', '~tierney', '~tiertza', '~tiff', '~tiffani', '~tiffanie', '~tiffany', '~tiffi', '~tiffie', '~tiffy', '~tilda', '~tildi', '~tildie', '~tildy', '~tillie', '~tilly', '~tim', '~timi', '~timmi', '~timmie', '~timmy', '~timothea', '~tina', '~tine', '~tiphani', '~tiphanie', '~tiphany', '~tish', '~tisha', '~tobe', '~tobey', '~tobi', '~toby', '~tobye', '~toinette', '~toma', '~tomasina', '~tomasine', '~tomi', '~tommi', '~tommie', '~tommy', '~toni', '~tonia', '~tonie', '~tony', '~tonya', '~tonye', '~tootsie', '~torey', '~tori', '~torie', '~torrie', '~tory', '~tova', '~tove', '~tracee', '~tracey', '~traci', '~tracie', '~tracy', '~trenna', '~tresa', '~trescha', '~tressa', '~tricia', '~trina', '~trish', '~trisha', '~trista', '~trix', '~trixi', '~trixie', '~trixy', '~truda', '~trude', '~trudey', '~trudi', '~trudie', '~trudy', '~trula', '~tuesday', '~twila', '~twyla', '~tybi', '~tybie', '~tyne', '~ula', '~ulla', '~ulrica', '~ulrika', '~ulrikaumeko', '~ulrike', '~umeko', '~una', '~ursa', '~ursala', '~ursola', '~ursula', '~ursulina', '~ursuline', '~uta', '~val', '~valaree', '~valaria', '~vale', '~valeda', '~valencia', '~valene', '~valenka', '~valentia', '~valentina', '~valentine', '~valera', '~valeria', '~valerie', '~valery', '~valerye', '~valida', '~valina', '~valli', '~vallie', '~vally', '~valma', '~valry', '~van', '~vanda', '~vanessa', '~vania', '~vanna', '~vanni', '~vannie', '~vanny', '~vanya', '~veda', '~velma', '~velvet', '~venita', '~venus', '~vera', '~veradis', '~vere', '~verena', '~verene', '~veriee', '~verile', '~verina', '~verine', '~verla', '~verna', '~vernice', '~veronica', '~veronika', '~veronike', '~veronique', '~vevay', '~vi', '~vicki', '~vickie', '~vicky', '~victoria', '~vida', '~viki', '~vikki', '~vikky', '~vilhelmina', '~vilma', '~vin', '~vina', '~vinita', '~vinni', '~vinnie', '~vinny', '~viola', '~violante', '~viole', '~violet', '~violetta', '~violette', '~virgie', '~virgina', '~virginia', '~virginie', '~vita', '~vitia', '~vitoria', '~vittoria', '~viv', '~viva', '~vivi', '~vivia', '~vivian', '~viviana', '~vivianna', '~vivianne', '~vivie', '~vivien', '~viviene', '~vivienne', '~viviyan', '~vivyan', '~vivyanne', '~vonni', '~vonnie', '~vonny', '~vyky', '~wallie', '~wallis', '~walliw', '~wally', '~waly', '~wanda', '~wandie', '~wandis', '~waneta', '~wanids', '~wenda', '~wendeline', '~wendi', '~wendie', '~wendy', '~wendye', '~wenona', '~wenonah', '~whitney', '~wileen', '~wilhelmina', '~wilhelmine', '~wilie', '~willa', '~willabella', '~willamina', '~willetta', '~willette', '~willi', '~willie', '~willow', '~willy', '~willyt', '~wilma', '~wilmette', '~wilona', '~wilone', '~wilow', '~windy', '~wini', '~winifred', '~winna', '~winnah', '~winne', '~winni', '~winnie', '~winnifred', '~winny', '~winona', '~winonah', '~wren', '~wrennie', '~wylma', '~wynn', '~wynne', '~wynnie', '~wynny', '~xaviera', '~xena', '~xenia', '~xylia', '~xylina', '~yalonda', '~yasmeen', '~yasmin', '~yelena', '~yetta', '~yettie', '~yetty', '~yevette', '~ynes', '~ynez', '~yoko', '~yolanda', '~yolande', '~yolane', '~yolanthe', '~yoshi', '~yoshiko', '~yovonnda', '~ysabel', '~yvette', '~yvonne', '~zabrina', '~zahara', '~zandra', '~zaneta', '~zara', '~zarah', '~zaria', '~zarla', '~zea', '~zelda', '~zelma', '~zena', '~zenia', '~zia', '~zilvia', '~zita', '~zitella', '~zoe', '~zola', '~zonda', '~zondra', '~zonnya', '~zora', '~zorah', '~zorana', '~zorina', '~zorine', '~zsazsa', '~zulema', '~zuzana']
|
SERVER_HOST = '0.0.0.0'
SERVER_PORT = 5000
SECRET_KEY = 'ABCJKSKMKJFJIF'
DEBUG = True
|
server_host = '0.0.0.0'
server_port = 5000
secret_key = 'ABCJKSKMKJFJIF'
debug = True
|
# my_lambbdata/polos.py
# Polo Class!
# attributes / properties (NOUNS): size, style, color, texture, price
# methods (VERBS): wash, fold, pop collar
class Polo():
def __init__(self, size, color):
self.size = size
self.color = color
@property
def full_name(self):
return f"{self.size} {self.color}"
def wash(self):
print(f"WASHING THE {self.size} {self.color} POLO!")
@staticmethod
def fold():
print(f"FOLDING THE POLO!")
if __name__ == "__main__":
# initialize a small blue polo and a large yellow polo
#df = DataFrame(_____)
#df.columns
#df.head()
p1 = Polo(size="Small", color="Blue")
print(p1.size, p1.color)
print(p1.full_name)
p1.wash()
p2 = Polo(size="Large", color="Yellow")
print(p2.size, p2.color)
print(p2.full_name)
p2.fold()
|
class Polo:
def __init__(self, size, color):
self.size = size
self.color = color
@property
def full_name(self):
return f'{self.size} {self.color}'
def wash(self):
print(f'WASHING THE {self.size} {self.color} POLO!')
@staticmethod
def fold():
print(f'FOLDING THE POLO!')
if __name__ == '__main__':
p1 = polo(size='Small', color='Blue')
print(p1.size, p1.color)
print(p1.full_name)
p1.wash()
p2 = polo(size='Large', color='Yellow')
print(p2.size, p2.color)
print(p2.full_name)
p2.fold()
|
class IncompatibilityCause(Exception):
"""
The reason and Incompatibility's terms are incompatible.
"""
class RootCause(IncompatibilityCause):
pass
class NoVersionsCause(IncompatibilityCause):
pass
class DependencyCause(IncompatibilityCause):
pass
class ConflictCause(IncompatibilityCause):
"""
The incompatibility was derived from two existing incompatibilities
during conflict resolution.
"""
def __init__(self, conflict, other):
self._conflict = conflict
self._other = other
@property
def conflict(self):
return self._conflict
@property
def other(self):
return self._other
def __str__(self):
return str(self._conflict)
class PythonCause(IncompatibilityCause):
"""
The incompatibility represents a package's python constraint
(Python versions) being incompatible
with the current python version.
"""
def __init__(self, python_version, root_python_version):
self._python_version = python_version
self._root_python_version = root_python_version
@property
def python_version(self):
return self._python_version
@property
def root_python_version(self):
return self._root_python_version
class PlatformCause(IncompatibilityCause):
"""
The incompatibility represents a package's platform constraint
(OS most likely) being incompatible with the current platform.
"""
def __init__(self, platform):
self._platform = platform
@property
def platform(self):
return self._platform
class PackageNotFoundCause(IncompatibilityCause):
"""
The incompatibility represents a package that couldn't be found by its
source.
"""
def __init__(self, error):
self._error = error
@property
def error(self):
return self._error
|
class Incompatibilitycause(Exception):
"""
The reason and Incompatibility's terms are incompatible.
"""
class Rootcause(IncompatibilityCause):
pass
class Noversionscause(IncompatibilityCause):
pass
class Dependencycause(IncompatibilityCause):
pass
class Conflictcause(IncompatibilityCause):
"""
The incompatibility was derived from two existing incompatibilities
during conflict resolution.
"""
def __init__(self, conflict, other):
self._conflict = conflict
self._other = other
@property
def conflict(self):
return self._conflict
@property
def other(self):
return self._other
def __str__(self):
return str(self._conflict)
class Pythoncause(IncompatibilityCause):
"""
The incompatibility represents a package's python constraint
(Python versions) being incompatible
with the current python version.
"""
def __init__(self, python_version, root_python_version):
self._python_version = python_version
self._root_python_version = root_python_version
@property
def python_version(self):
return self._python_version
@property
def root_python_version(self):
return self._root_python_version
class Platformcause(IncompatibilityCause):
"""
The incompatibility represents a package's platform constraint
(OS most likely) being incompatible with the current platform.
"""
def __init__(self, platform):
self._platform = platform
@property
def platform(self):
return self._platform
class Packagenotfoundcause(IncompatibilityCause):
"""
The incompatibility represents a package that couldn't be found by its
source.
"""
def __init__(self, error):
self._error = error
@property
def error(self):
return self._error
|
# Constants
IMG_SIZE = (48, 48)
EMOTIONS = {
# 'anger': 1,
# 'disgust': 2,
# 'fear': 3,
4: 'happy',
# 'sad': 5,
6: 'surprise',
}
THRESHOLDS = {
# 1: 0.5,
# 2: 0.5,
# 3: 0.5,
4: 0.80,
# 5: 0.5,
6: 0.6,
}
|
img_size = (48, 48)
emotions = {4: 'happy', 6: 'surprise'}
thresholds = {4: 0.8, 6: 0.6}
|
class FrontendPortName(object):
def read_get(self, name, idx_name, unity_client):
return unity_client.get_frontend_port_name(idx_name)
class FrontendPortNameColumn(object):
def get_idx(self, name, idx, unity_client):
return unity_client.get_frontend_ports()
|
class Frontendportname(object):
def read_get(self, name, idx_name, unity_client):
return unity_client.get_frontend_port_name(idx_name)
class Frontendportnamecolumn(object):
def get_idx(self, name, idx, unity_client):
return unity_client.get_frontend_ports()
|
# part 1
with open("inputs/day1.txt", "r") as f:
lines = f.read().strip().split("\n")
n_increases = 0
for left, right in zip(lines[:-1], lines[1:]):
if int(right) > int(left):
n_increases += 1
print("Part 1:", n_increases)
# part 2
n_increases = 0
prevval = None
for left, middle, right in zip(lines[:-2], lines[1:-1], lines[2:]):
curval = int(left) + int(middle) + int(right)
if prevval is not None and curval > prevval:
n_increases += 1
prevval = curval
print("Part 2:", n_increases)
|
with open('inputs/day1.txt', 'r') as f:
lines = f.read().strip().split('\n')
n_increases = 0
for (left, right) in zip(lines[:-1], lines[1:]):
if int(right) > int(left):
n_increases += 1
print('Part 1:', n_increases)
n_increases = 0
prevval = None
for (left, middle, right) in zip(lines[:-2], lines[1:-1], lines[2:]):
curval = int(left) + int(middle) + int(right)
if prevval is not None and curval > prevval:
n_increases += 1
prevval = curval
print('Part 2:', n_increases)
|
"""Madlibs Stories."""
class Story:
"""Madlibs story.
To make a story, pass a list of prompts, and the text
of the template.
>>> s = Story(["noun", "verb"],
... "I love to {verb} a good {noun}.")
To generate text from a story, pass in a dictionary-like thing
of {prompt: answer, promp:answer):
>>> ans = {"verb": "eat", "noun": "mango"}
>>> s.generate(ans)
'I love to eat a good mango.'
"""
def __init__(self, words, text):
"""Create story with words and template text."""
self.prompts = words
self.template = text
def generate(self, answers):
"""Substitute answers into text."""
text = self.template
for (key, val) in answers.items():
text = text.replace("{" + key + "}", val)
return text
# Here's a story to get you started
story = Story(
["place", "noun", "verb", "adjective", "plural_noun"],
"""Once upon a time in a long-ago {place}, there lived a
large {adjective} {noun}. It loved to {verb} {plural_noun}."""
)
|
"""Madlibs Stories."""
class Story:
"""Madlibs story.
To make a story, pass a list of prompts, and the text
of the template.
>>> s = Story(["noun", "verb"],
... "I love to {verb} a good {noun}.")
To generate text from a story, pass in a dictionary-like thing
of {prompt: answer, promp:answer):
>>> ans = {"verb": "eat", "noun": "mango"}
>>> s.generate(ans)
'I love to eat a good mango.'
"""
def __init__(self, words, text):
"""Create story with words and template text."""
self.prompts = words
self.template = text
def generate(self, answers):
"""Substitute answers into text."""
text = self.template
for (key, val) in answers.items():
text = text.replace('{' + key + '}', val)
return text
story = story(['place', 'noun', 'verb', 'adjective', 'plural_noun'], 'Once upon a time in a long-ago {place}, there lived a\n large {adjective} {noun}. It loved to {verb} {plural_noun}.')
|
#!/usr/bin/env python
# Copyright 2015 Google Inc. All Rights Reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
class Rule(object):
"""An optional base class for rule implementations.
The rule_parser looks for the 'IsType' and 'ApplyRule' methods by name, so
rules are not strictly required to extend this class.
"""
def IsType(self, rule_type_name):
"""Returns True if the name matches this rule."""
raise NotImplementedError
def ApplyRule(self, return_value, request, response):
"""Invokes this rule with the given args.
Args:
return_value: the prior rule's return_value (if any).
request: the httparchive ArchivedHttpRequest.
response: the httparchive ArchivedHttpResponse, which may be None.
Returns:
A (should_stop, return_value) tuple. Typically the request and response
are treated as immutable, so it's the caller's job to apply the
return_value (e.g., set response fields).
"""
raise NotImplementedError
|
class Rule(object):
"""An optional base class for rule implementations.
The rule_parser looks for the 'IsType' and 'ApplyRule' methods by name, so
rules are not strictly required to extend this class.
"""
def is_type(self, rule_type_name):
"""Returns True if the name matches this rule."""
raise NotImplementedError
def apply_rule(self, return_value, request, response):
"""Invokes this rule with the given args.
Args:
return_value: the prior rule's return_value (if any).
request: the httparchive ArchivedHttpRequest.
response: the httparchive ArchivedHttpResponse, which may be None.
Returns:
A (should_stop, return_value) tuple. Typically the request and response
are treated as immutable, so it's the caller's job to apply the
return_value (e.g., set response fields).
"""
raise NotImplementedError
|
class C:
def method(self):
def foo():
def bar():
pass
# bar
# bar
# bar
# method
# class
|
class C:
def method(self):
def foo():
def bar():
pass
|
class TemplateError(Exception):
pass
class TemplateSyntaxError(TemplateError):
"""Raised to tell the user that there is a problem with the template."""
def __init__(self, message, lineno=None, name=None,
source=None, filename=None, node=None):
TemplateError.__init__(self, message)
self.message = message
self.lineno = lineno
if lineno is None and node is not None:
self.lineno = getattr(node, 'position', (1, 0))[0]
self.name = name
self.filename = filename
self.source = source
# this is set to True if the debug.translate_syntax_error
# function translated the syntax error into a new traceback
self.translated = False
def __str__(self):
# for translated errors we only return the message
if self.translated:
return self.message
# otherwise attach some stuff
location = 'line %d' % self.lineno
name = self.filename or self.name
if name:
location = 'File "%s", %s' % (name, location)
lines = [self.message, ' ' + location]
# if the source is set, add the line to the output
if self.source is not None:
try:
line = self.source.splitlines()[self.lineno - 1]
except IndexError:
line = None
if line:
lines.append(' ' + line.strip())
return u'\n'.join(lines)
|
class Templateerror(Exception):
pass
class Templatesyntaxerror(TemplateError):
"""Raised to tell the user that there is a problem with the template."""
def __init__(self, message, lineno=None, name=None, source=None, filename=None, node=None):
TemplateError.__init__(self, message)
self.message = message
self.lineno = lineno
if lineno is None and node is not None:
self.lineno = getattr(node, 'position', (1, 0))[0]
self.name = name
self.filename = filename
self.source = source
self.translated = False
def __str__(self):
if self.translated:
return self.message
location = 'line %d' % self.lineno
name = self.filename or self.name
if name:
location = 'File "%s", %s' % (name, location)
lines = [self.message, ' ' + location]
if self.source is not None:
try:
line = self.source.splitlines()[self.lineno - 1]
except IndexError:
line = None
if line:
lines.append(' ' + line.strip())
return u'\n'.join(lines)
|
""". regress totemp gnpdefl gnp unemp armed pop year
Source | SS df MS Number of obs = 16
-------------+------------------------------ F( 6, 9) = 330.29
Model | 184172402 6 30695400.3 Prob > F = 0.0000
Residual | 836424.129 9 92936.0144 R-squared = 0.9955
-------------+------------------------------ Adj R-squared = 0.9925
Total | 185008826 15 12333921.7 Root MSE = 304.85
------------------------------------------------------------------------------
totemp | Coef. Std. Err. t P>|t| [95% Conf. Interval]
-------------+----------------------------------------------------------------
gnpdefl | 15.06167 84.91486 0.18 0.863 -177.0291 207.1524
gnp | -.0358191 .033491 -1.07 0.313 -.111581 .0399428
unemp | -2.020229 .4883995 -4.14 0.003 -3.125065 -.9153928
armed | -1.033227 .2142741 -4.82 0.001 -1.517948 -.5485049
pop | -.0511045 .2260731 -0.23 0.826 -.5625173 .4603083
year | 1829.151 455.4785 4.02 0.003 798.7873 2859.515
_cons | -3482258 890420.3 -3.91 0.004 -5496529 -1467987
------------------------------------------------------------------------------
"""
#From Stata using Longley dataset as in the test and example for GLM
"""
. glm totemp gnpdefl gnp unemp armed pop year
Iteration 0: log likelihood = -109.61744
Generalized linear models No. of obs = 16
Optimization : ML Residual df = 9
Scale parameter = 92936.01
Deviance = 836424.1293 (1/df) Deviance = 92936.01
Pearson = 836424.1293 (1/df) Pearson = 92936.01
Variance function: V(u) = 1 [Gaussian]
Link function : g(u) = u [Identity]
AIC = 14.57718
Log likelihood = -109.6174355 BIC = 836399.2
------------------------------------------------------------------------------
| OIM
totemp | Coef. Std. Err. z P>|z| [95% Conf. Interval]
-------------+----------------------------------------------------------------
gnpdefl | 15.06167 84.91486 0.18 0.859 -151.3684 181.4917
gnp | -.0358191 .033491 -1.07 0.285 -.1014603 .029822
unemp | -2.020229 .4883995 -4.14 0.000 -2.977475 -1.062984
armed | -1.033227 .2142741 -4.82 0.000 -1.453196 -.6132571
pop | -.0511045 .2260731 -0.23 0.821 -.4941996 .3919906
year | 1829.151 455.4785 4.02 0.000 936.4298 2721.873
_cons | -3482258 890420.3 -3.91 0.000 -5227450 -1737066
------------------------------------------------------------------------------
"""
#RLM Example
"""
. rreg stackloss airflow watertemp acidconc
Huber iteration 1: maximum difference in weights = .48402478
Huber iteration 2: maximum difference in weights = .07083248
Huber iteration 3: maximum difference in weights = .03630349
Biweight iteration 4: maximum difference in weights = .2114744
Biweight iteration 5: maximum difference in weights = .04709559
Biweight iteration 6: maximum difference in weights = .01648123
Biweight iteration 7: maximum difference in weights = .01050023
Biweight iteration 8: maximum difference in weights = .0027233
Robust regression Number of obs = 21
F( 3, 17) = 74.15
Prob > F = 0.0000
------------------------------------------------------------------------------
stackloss | Coef. Std. Err. t P>|t| [95% Conf. Interval]
-------------+----------------------------------------------------------------
airflow | .8526511 .1223835 6.97 0.000 .5944446 1.110858
watertemp | .8733594 .3339811 2.61 0.018 .1687209 1.577998
acidconc | -.1224349 .1418364 -0.86 0.400 -.4216836 .1768139
_cons | -41.6703 10.79559 -3.86 0.001 -64.447 -18.89361
------------------------------------------------------------------------------
"""
|
""". regress totemp gnpdefl gnp unemp armed pop year
Source | SS df MS Number of obs = 16
-------------+------------------------------ F( 6, 9) = 330.29
Model | 184172402 6 30695400.3 Prob > F = 0.0000
Residual | 836424.129 9 92936.0144 R-squared = 0.9955
-------------+------------------------------ Adj R-squared = 0.9925
Total | 185008826 15 12333921.7 Root MSE = 304.85
------------------------------------------------------------------------------
totemp | Coef. Std. Err. t P>|t| [95% Conf. Interval]
-------------+----------------------------------------------------------------
gnpdefl | 15.06167 84.91486 0.18 0.863 -177.0291 207.1524
gnp | -.0358191 .033491 -1.07 0.313 -.111581 .0399428
unemp | -2.020229 .4883995 -4.14 0.003 -3.125065 -.9153928
armed | -1.033227 .2142741 -4.82 0.001 -1.517948 -.5485049
pop | -.0511045 .2260731 -0.23 0.826 -.5625173 .4603083
year | 1829.151 455.4785 4.02 0.003 798.7873 2859.515
_cons | -3482258 890420.3 -3.91 0.004 -5496529 -1467987
------------------------------------------------------------------------------
"""
'\n. glm totemp gnpdefl gnp unemp armed pop year\n\nIteration 0: log likelihood = -109.61744\n\nGeneralized linear models No. of obs = 16\nOptimization : ML Residual df = 9\n Scale parameter = 92936.01\nDeviance = 836424.1293 (1/df) Deviance = 92936.01\nPearson = 836424.1293 (1/df) Pearson = 92936.01\n\nVariance function: V(u) = 1 [Gaussian]\nLink function : g(u) = u [Identity]\n\n AIC = 14.57718\nLog likelihood = -109.6174355 BIC = 836399.2\n\n------------------------------------------------------------------------------\n | OIM\n totemp | Coef. Std. Err. z P>|z| [95% Conf. Interval]\n-------------+----------------------------------------------------------------\n gnpdefl | 15.06167 84.91486 0.18 0.859 -151.3684 181.4917\n gnp | -.0358191 .033491 -1.07 0.285 -.1014603 .029822\n unemp | -2.020229 .4883995 -4.14 0.000 -2.977475 -1.062984\n armed | -1.033227 .2142741 -4.82 0.000 -1.453196 -.6132571\n pop | -.0511045 .2260731 -0.23 0.821 -.4941996 .3919906\n year | 1829.151 455.4785 4.02 0.000 936.4298 2721.873\n _cons | -3482258 890420.3 -3.91 0.000 -5227450 -1737066\n------------------------------------------------------------------------------\n'
'\n. rreg stackloss airflow watertemp acidconc\n\n Huber iteration 1: maximum difference in weights = .48402478\n Huber iteration 2: maximum difference in weights = .07083248\n Huber iteration 3: maximum difference in weights = .03630349\nBiweight iteration 4: maximum difference in weights = .2114744\nBiweight iteration 5: maximum difference in weights = .04709559\nBiweight iteration 6: maximum difference in weights = .01648123\nBiweight iteration 7: maximum difference in weights = .01050023\nBiweight iteration 8: maximum difference in weights = .0027233\n\nRobust regression Number of obs = 21\n F( 3, 17) = 74.15\n Prob > F = 0.0000\n\n------------------------------------------------------------------------------\n stackloss | Coef. Std. Err. t P>|t| [95% Conf. Interval]\n-------------+----------------------------------------------------------------\n airflow | .8526511 .1223835 6.97 0.000 .5944446 1.110858\n watertemp | .8733594 .3339811 2.61 0.018 .1687209 1.577998\n acidconc | -.1224349 .1418364 -0.86 0.400 -.4216836 .1768139\n _cons | -41.6703 10.79559 -3.86 0.001 -64.447 -18.89361\n------------------------------------------------------------------------------\n\n'
|
# -*- coding: utf-8 -*-
__author__ = """Jason Emerick"""
__email__ = '[email protected]'
__version__ = '0.3.2'
|
__author__ = 'Jason Emerick'
__email__ = '[email protected]'
__version__ = '0.3.2'
|
def test_user_login_logged_in(cli_run, mock_user):
result = cli_run(['user', 'login'])
assert result.exit_code == 0
assert 'Hello' in result.output
|
def test_user_login_logged_in(cli_run, mock_user):
result = cli_run(['user', 'login'])
assert result.exit_code == 0
assert 'Hello' in result.output
|
class Solution:
def findMedianSortedArrays(self, nums1: [int], nums2: [int]) -> float:
if len(nums1) > len(nums2): nums1, nums2 = nums2, nums1
l, r = 0, 2 * len(nums1)
while l <= r:
m1 = (l + r) // 2
m2 = len(nums1) + len(nums2) - m1
left1 = nums1[(m1 - 1) // 2] if m1 != 0 else float("-inf")
right1 = nums1[m1 // 2] if m1 != 2 * len(nums1) else float("+inf")
left2 = nums2[(m2 - 1) // 2] if m2 != 0 else float("-inf")
right2 = nums2[m2 // 2] if m2 != 2 * len(nums2) else float("+inf")
if left1 > right2: r = m1 - 1
elif left2 > right1: l = m1 + 1
else: return (max(left1, left2) + min(right1, right2)) / 2
|
class Solution:
def find_median_sorted_arrays(self, nums1: [int], nums2: [int]) -> float:
if len(nums1) > len(nums2):
(nums1, nums2) = (nums2, nums1)
(l, r) = (0, 2 * len(nums1))
while l <= r:
m1 = (l + r) // 2
m2 = len(nums1) + len(nums2) - m1
left1 = nums1[(m1 - 1) // 2] if m1 != 0 else float('-inf')
right1 = nums1[m1 // 2] if m1 != 2 * len(nums1) else float('+inf')
left2 = nums2[(m2 - 1) // 2] if m2 != 0 else float('-inf')
right2 = nums2[m2 // 2] if m2 != 2 * len(nums2) else float('+inf')
if left1 > right2:
r = m1 - 1
elif left2 > right1:
l = m1 + 1
else:
return (max(left1, left2) + min(right1, right2)) / 2
|
#!/usr/bin/env python3
# Definition for singly-linked list.
class ListNode(object):
def __init__(self, x):
self.val = x
self.next = None
class Solution(object):
def removeNthFromEnd(self, head, n):
"""
:type head: ListNode
:type n: int
:rtype: ListNode
"""
curr = head
for _ in range(n):
curr = curr.next
end = head
if curr == None:
return head.next
while curr.next != None:
curr = curr.next
end = end.next
end.next = end.next.next
return head
if __name__ == "__main__":
s = Solution()
head = ListNode(1)
head.next = ListNode(2)
head.next.next = ListNode(3)
head.next.next.next = ListNode(4)
head.next.next.next.next = ListNode(5)
n = 2
result = s.removeNthFromEnd(head, n)
print(result)
|
class Listnode(object):
def __init__(self, x):
self.val = x
self.next = None
class Solution(object):
def remove_nth_from_end(self, head, n):
"""
:type head: ListNode
:type n: int
:rtype: ListNode
"""
curr = head
for _ in range(n):
curr = curr.next
end = head
if curr == None:
return head.next
while curr.next != None:
curr = curr.next
end = end.next
end.next = end.next.next
return head
if __name__ == '__main__':
s = solution()
head = list_node(1)
head.next = list_node(2)
head.next.next = list_node(3)
head.next.next.next = list_node(4)
head.next.next.next.next = list_node(5)
n = 2
result = s.removeNthFromEnd(head, n)
print(result)
|
class BUILD_TREE(object):
def __init__(self, **args):
self.tree = {}
def _convertargs(self, args):
for item, value in args.items():
if not ((type(value) is list) or (type(value) is dict)):
args[item] = str(value)
def populateTree(self, tag, text='', attr=None, children=None):
if attr is None:
attr = {}
if children is None:
children = {}
return {'tag': tag, 'text': text, 'attr': attr, 'children': children}
|
class Build_Tree(object):
def __init__(self, **args):
self.tree = {}
def _convertargs(self, args):
for (item, value) in args.items():
if not (type(value) is list or type(value) is dict):
args[item] = str(value)
def populate_tree(self, tag, text='', attr=None, children=None):
if attr is None:
attr = {}
if children is None:
children = {}
return {'tag': tag, 'text': text, 'attr': attr, 'children': children}
|
__author__ = 'ktisha'
class A:
ccc = True
def foo(self):
self.ccc = False
|
__author__ = 'ktisha'
class A:
ccc = True
def foo(self):
self.ccc = False
|
class Solution(object):
def countBattleships(self, board):
"""
:type board: List[List[str]]
:rtype: int
"""
# cycle through each point
# check surrounding
# add one
# set surroundgs to .
count = 0
for row in range(0, len(board)):
for column in range(0, len(board[0])):
if board[row][column] == 'X':
if (row == 0 or board[row - 1][column] != 'X')and(column == 0 or board[row][column - 1] != 'X'):
count += 1
return count
|
class Solution(object):
def count_battleships(self, board):
"""
:type board: List[List[str]]
:rtype: int
"""
count = 0
for row in range(0, len(board)):
for column in range(0, len(board[0])):
if board[row][column] == 'X':
if (row == 0 or board[row - 1][column] != 'X') and (column == 0 or board[row][column - 1] != 'X'):
count += 1
return count
|
"""
*
* Author: Juarez Paulino(coderemite)
* Email: [email protected]
*
"""
F=open('input.txt','r')
W=open('output.txt','w')
a=F.readline()
b=int(F.readline())
W.write(str('RL'[a[0]=='f'and b<2 or a[0]=='b'and b>1]))
W.close()
|
"""
*
* Author: Juarez Paulino(coderemite)
* Email: [email protected]
*
"""
f = open('input.txt', 'r')
w = open('output.txt', 'w')
a = F.readline()
b = int(F.readline())
W.write(str('RL'[a[0] == 'f' and b < 2 or (a[0] == 'b' and b > 1)]))
W.close()
|
#
# PySNMP MIB module ERI-DNX-SMC-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ERI-DNX-SMC-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 18:51:36 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
SingleValueConstraint, ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint", "ConstraintsUnion")
eriMibs, eriProducts = mibBuilder.importSymbols("ERI-ROOT-SMI", "eriMibs", "eriProducts")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
iso, IpAddress, Unsigned32, Gauge32, MibIdentifier, NotificationType, Counter64, ModuleIdentity, Counter32, ObjectIdentity, Integer32, Bits, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "IpAddress", "Unsigned32", "Gauge32", "MibIdentifier", "NotificationType", "Counter64", "ModuleIdentity", "Counter32", "ObjectIdentity", "Integer32", "Bits", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
eriDNXSmcMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 644, 3, 1))
eriDNXSmcMIB.setRevisions(('2003-05-19 00:00', '2003-05-06 00:00', '2003-03-21 00:00', '2003-02-25 00:00', '2003-01-28 00:00', '2003-01-10 00:00', '2003-01-03 00:00', '2002-11-18 00:00', '2002-10-30 00:00', '2002-09-19 00:00', '2002-08-20 00:00', '2002-07-22 00:00', '2002-07-03 00:00', '2002-05-31 00:00', '2002-05-13 00:00', '2002-05-06 00:00', '2002-04-22 00:00', '2002-04-18 00:00', '2002-04-12 00:00', '2002-03-11 00:00', '2001-11-13 00:00', '2001-09-10 00:00', '2001-08-13 00:00', '2001-07-19 00:00', '2001-07-05 00:00', '2001-06-23 00:00', '2001-06-01 00:00', '2001-05-21 00:00', '2001-03-23 00:00', '2001-03-01 00:00', '2001-01-02 00:00', '2000-12-01 00:00', '2000-10-26 00:00', '2000-10-02 00:00', '2000-07-26 00:00', '2000-05-31 00:00', '2000-05-15 00:00', '2000-02-25 00:00', '1999-12-15 00:00', '1999-11-09 00:00', '1998-12-15 00:00',))
if mibBuilder.loadTexts: eriDNXSmcMIB.setLastUpdated('200305190000Z')
if mibBuilder.loadTexts: eriDNXSmcMIB.setOrganization('Eastern Research, Inc.')
dnx = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4))
sysMgr = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1))
devices = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 2))
traps = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 3))
class DnxResourceType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 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, 100, 101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 124, 125, 126, 127, 128, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139, 140, 141, 142, 143, 144))
namedValues = NamedValues(("slot", 0), ("deviceOctalE1T1", 1), ("deviceQuadHighSpeed", 2), ("deviceOctalHighSpeed", 3), ("deviceQuadOcu", 4), ("deviceSystemManager", 5), ("deviceQuadT1", 6), ("deviceT3", 7), ("deviceTestAccess", 8), ("deviceVoice", 9), ("deviceVoiceEM", 10), ("deviceVoiceFXO", 11), ("deviceVoiceFXS", 12), ("powerSupply", 14), ("protectionSwitch", 15), ("deviceRouterCard", 16), ("deviceSts1", 17), ("deviceHybridDS3", 18), ("deviceGr303", 19), ("deviceXCC", 20), ("deviceXLC", 21), ("deviceNodeManager", 22), ("nest", 23), ("node", 24), ("deviceDs0DP", 25), ("deviceSTM1", 26), ("deviceOC3", 27), ("deviceE3", 28), ("deviceXLC-T1E1", 29), ("deviceSTM1X", 30), ("deviceOC3X", 31), ("deviceContact", 32), ("deviceVoltage", 33), ("deviceAsync", 34), ("deviceSync", 35), ("deviceWan", 36), ("dnx1UQuadT1E1", 37), ("deviceTempSensor", 38), ("dnx1UPowerSupply", 39), ("dnx1USysMgr", 40), ("deviceTranscoder", 41), ("portOctal-T1E1", 100), ("portQuadHighSpeed", 101), ("portOctalHighSpeed", 102), ("portQuadOcu", 103), ("portQuadT1", 104), ("portOctalT1", 105), ("linkT3-T1", 106), ("portT3", 107), ("portTestAccess", 108), ("portVoiceEM", 109), ("portVoiceFXO", 110), ("portVoiceFXS", 111), ("psxNarrowband", 112), ("psxBroadband", 113), ("psxNarrowbandSpare", 114), ("psxBroadbandSpare", 115), ("portRouter", 116), ("linkSts1-T1E1", 117), ("portSts1", 118), ("linkHds3-T1E1", 119), ("portHybridDS3", 120), ("portGr303", 121), ("linkXlink", 124), ("portDs0DP", 125), ("clockDs0DP", 126), ("sysMgrClock", 127), ("linkSTM1-T1E1", 128), ("linkOC3-T1E1", 130), ("payloadSTM1", 131), ("overheadSTM1", 132), ("payloadOC3", 133), ("overheadOC3", 134), ("portE3", 135), ("linkE3-E1", 136), ("opticalXlink", 137), ("portContact", 138), ("portVoltage", 139), ("portAsync", 140), ("linkT1E1", 141), ("portHighSpeed", 142), ("portVirtualWan", 143), ("portTranscoder", 144))
class AlarmSeverity(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))
namedValues = NamedValues(("nominal", 0), ("informational", 1), ("minor", 2), ("major", 3), ("critical", 4))
class DecisionType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1))
namedValues = NamedValues(("no", 0), ("yes", 1))
class FunctionSwitch(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1))
namedValues = NamedValues(("disable", 0), ("enable", 1))
class CurrentDevStatus(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1))
namedValues = NamedValues(("inactive", 0), ("active", 1))
class PortStatus(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1))
namedValues = NamedValues(("out-service", 0), ("in-service", 1))
class DataSwitch(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1))
namedValues = NamedValues(("off", 0), ("on", 1))
class TimeSlotAddress(TextualConvention, IpAddress):
status = 'current'
class LinkPortAddress(TextualConvention, IpAddress):
status = 'current'
class ClockSrcAddress(TextualConvention, IpAddress):
status = 'current'
class NestSlotAddress(TextualConvention, IpAddress):
status = 'current'
class UnsignedInt(TextualConvention, Unsigned32):
status = 'current'
class ConnectionType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 7, 8, 9, 10))
namedValues = NamedValues(("fullDuplex", 0), ("broadcastConnection", 1), ("broadcastMaster", 2), ("listenSrc", 3), ("listenDest", 4), ("listenerConnection", 7), ("vcmp", 8), ("subChannel", 9), ("subRate", 10))
class CommunicationsType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))
namedValues = NamedValues(("data", 0), ("voice", 1), ("voiceAuToMu", 2), ("comp16kBitGrp1-2", 3), ("comp16kBitGrp3-4", 4), ("comp16kBitGrp5-6", 5), ("comp16kBitGrp7-8", 6), ("comp32kBitGrp1-4", 7), ("comp32kBitGrp5-8", 8))
class ConnectionState1(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1))
namedValues = NamedValues(("inSrvc", 0), ("outOfSrvc", 1))
class ConnectionState2(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3))
namedValues = NamedValues(("ok", 1), ("underTest", 2), ("cfgError", 3))
class MapNumber(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))
namedValues = NamedValues(("activeMap", 0), ("map01", 1), ("map02", 2), ("map03", 3), ("map04", 4), ("map05", 5))
class TestAccess(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6))
namedValues = NamedValues(("none", 0), ("monitorSrc", 1), ("monitorDest", 2), ("monitorSrcNDest", 3), ("splitSrc", 4), ("splitDest", 5), ("splitSrcNDest", 6))
class ConnectionSpeed(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 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, 96, 99))
namedValues = NamedValues(("s48k", 0), ("s56k", 1), ("s64k", 2), ("s112k-2x56", 3), ("s128k-2x64", 4), ("s168k-3x56", 5), ("s192k-3x64", 6), ("s224k-4x56", 7), ("s256k-4x64", 8), ("s280k-5x56", 9), ("s320k-5x64", 10), ("s336k-6x56", 11), ("s384k-6x64", 12), ("s392k-7x56", 13), ("s448k-7x64", 14), ("s448k-8x56", 15), ("s512k-8x64", 16), ("s504k-9x56", 17), ("s576k-9x64", 18), ("s560k-10x56", 19), ("s640k-10x64", 20), ("s616k-11x56", 21), ("s704k-11x64", 22), ("s672k-12x56", 23), ("s768k-12x64", 24), ("s728k-13x56", 25), ("s832k-13x64", 26), ("s784k-14x56", 27), ("s896k-14x64", 28), ("s840k-15x56", 29), ("s960k-15x64", 30), ("s896k-16x56", 31), ("s1024k-16x64", 32), ("s952k-17x56", 33), ("s1088k-17x64", 34), ("s1008k-18x56", 35), ("s1152k-18x64", 36), ("s1064k-19x56", 37), ("s1216k-19x64", 38), ("s1120k-20x56", 39), ("s1280k-20x64", 40), ("s1176k-21x56", 41), ("s1344k-21x64", 42), ("s1232k-22x56", 43), ("s1408k-22x64", 44), ("s1288k-23x56", 45), ("s1472k-23x64", 46), ("s1344k-24x56", 47), ("s1536k-24x64", 48), ("s1400k-25x56", 49), ("s1600k-25x64", 50), ("s1456k-26x56", 51), ("s1664k-26x64", 52), ("s1512k-27x56", 53), ("s1728k-27x64", 54), ("s1568k-28x56", 55), ("s1792k-28x64", 56), ("s1624k-29x56", 57), ("s1856k-29x64", 58), ("s1680k-30x56", 59), ("s1920k-30x64", 60), ("s1736k-31x56", 61), ("s1984k-31x64", 62), ("s1792k-32x56", 63), ("s2048k-32x64", 64), ("clearT1-25x64", 65), ("clearE1-32x64", 66), ("s32k", 67), ("s16k", 68), ("s9600-baud", 96), ("no-connection", 99))
class ConnCmdStatus(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 101, 102, 103, 104, 105, 106, 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, 450, 500, 501, 502))
namedValues = NamedValues(("ready-for-command", 0), ("update", 1), ("delete", 2), ("add", 3), ("addNsave", 4), ("updateNsave", 5), ("deleteNsave", 6), ("update-successful", 101), ("delete-successful", 102), ("add-successful", 103), ("add-save-successful", 104), ("update-save-successful", 105), ("del-save-successful", 106), ("err-general-connection-error", 400), ("err-src-broadcast-id-not-found", 401), ("err-src-port-in-use", 402), ("err-dest-port-in-use", 403), ("err-conn-name-in-use", 404), ("err-invalid-broadcast-id", 405), ("err-invalid-src-slot", 406), ("err-invalid-src-port", 407), ("err-invalid-src-timeslot", 408), ("err-src-port-bandwidth-exceeded", 409), ("err-invalid-dest-slot", 410), ("err-invalid-dest-port", 411), ("err-invalid-dest-timeslot", 412), ("err-dest-port-bandwidth-exceeded", 413), ("err-invalid-command", 414), ("err-not-enough-bts-available", 415), ("err-src-port-cannot-be-voice", 416), ("err-dest-port-cannot-be-voice", 417), ("err-invalid-communications-dev", 418), ("err-invalid-communications-type", 419), ("err-invalid-conn-name", 420), ("err-invalid-conn-type", 421), ("err-invalid-conn-speed", 422), ("err-invalid-conn-record", 423), ("err-conn-test-in-progress", 424), ("err-invalid-conn-id", 425), ("err-conn-not-saved-to-map", 426), ("err-connection-map-full", 427), ("err-invalid-card-type", 428), ("err-invalid-conn-bit-group", 429), ("err-conn-max-channels-used", 430), ("err-src-xlink-slot-not-assigned", 431), ("err-dest-xlink-slot-not-assigned", 432), ("err-protection-grp-conn-error", 433), ("err-cannot-chg-net-conn", 434), ("err-data-locked-by-another-user", 450), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502))
class LinkCmdStatus(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 7, 9, 12, 101, 107, 109, 112, 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, 450, 500, 501, 502))
namedValues = NamedValues(("ready-for-command", 0), ("update", 1), ("inServiceAll", 7), ("copyToAll", 9), ("outOfServiceAll", 12), ("update-successful", 101), ("insvc-successful", 107), ("copy-successful", 109), ("oos-successful", 112), ("err-general-link-config-error", 400), ("err-invalid-link-status", 401), ("err-invalid-link-framing", 402), ("err-invalid-link-command", 403), ("err-invalid-link-lbo", 404), ("err-invalid-esf-format", 405), ("err-invalid-link-density", 406), ("err-invalid-link-op-mode", 407), ("err-invalid-link-rem-loop", 408), ("err-invalid-link-ais", 409), ("err-invalid-network-loop", 410), ("err-invalid-yellow-alarm", 411), ("err-invalid-red-timeout", 412), ("err-invalid-idle-code", 413), ("err-device-in-standby", 414), ("err-invalid-link-mapping", 415), ("err-invalid-link-vt-group", 416), ("err-invalid-rcv-clocksrc", 417), ("err-invalid-link-name", 418), ("err-invalid-interface", 419), ("err-invalid-polarity", 420), ("err-invalid-clock-timing", 421), ("err-invalid-control-signal", 422), ("err-dcd-dsr-not-applicable", 423), ("err-requires-special-mode", 424), ("err-cts-not-applicable", 425), ("err-gr303-not-applicable", 426), ("err-invalid-link-bits", 427), ("err-device-is-protection-module", 428), ("err-data-locked-by-another-user", 450), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502))
class OneByteField(TextualConvention, OctetString):
status = 'current'
subtypeSpec = OctetString.subtypeSpec + ValueSizeConstraint(1, 1)
fixedLength = 1
class DnxTsPortType(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))
namedValues = NamedValues(("unknown", 0), ("e1", 1), ("t1", 2), ("high-speed", 3), ("wan", 4), ("e1-cas", 5), ("e1-clear-frm", 6), ("t1-clear-frm", 7), ("e1-clear-unfrm", 8), ("t1-clear-unfrm", 9), ("voice", 10), ("ds0dp", 11), ("ocu", 12), ("tam", 13))
class DnxTrunkProfSelection(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))
namedValues = NamedValues(("none", 0), ("profile-1", 1), ("profile-2", 2), ("profile-3", 3), ("profile-4", 4), ("profile-5", 5), ("profile-6", 6), ("profile-7", 7), ("profile-8", 8), ("profile-9", 9), ("profile-10", 10), ("profile-11", 11), ("profile-12", 12), ("profile-13", 13), ("profile-14", 14), ("profile-15", 15), ("profile-16", 16))
resourceTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1), )
if mibBuilder.loadTexts: resourceTable.setStatus('current')
resourceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "resourceKey"))
if mibBuilder.loadTexts: resourceEntry.setStatus('current')
resourceKey = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 1), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceKey.setStatus('current')
resourceAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAddr.setStatus('current')
resourceType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 3), DnxResourceType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceType.setStatus('current')
resourceState = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 4), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceState.setStatus('current')
resourceCriticalMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 5), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceCriticalMask.setStatus('current')
resourceMajorMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 6), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceMajorMask.setStatus('current')
resourceMinorMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 7), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceMinorMask.setStatus('current')
resourceInfoMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 8), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceInfoMask.setStatus('current')
resourceNominalMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 9), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceNominalMask.setStatus('current')
resourceTrapMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 10), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceTrapMask.setStatus('current')
resourceAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2), )
if mibBuilder.loadTexts: resourceAlarmTable.setStatus('current')
resourceAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "resourceAlarmKey"))
if mibBuilder.loadTexts: resourceAlarmEntry.setStatus('current')
resourceAlarmKey = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 1), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmKey.setStatus('current')
resourceAlarmAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmAddr.setStatus('current')
resourceAlarmType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 3), DnxResourceType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmType.setStatus('current')
resourceAlarmState = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 4), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmState.setStatus('current')
resourceAlarmCriticalMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 5), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmCriticalMask.setStatus('current')
resourceAlarmMajorMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 6), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmMajorMask.setStatus('current')
resourceAlarmMinorMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 7), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmMinorMask.setStatus('current')
resourceAlarmInfoMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 8), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmInfoMask.setStatus('current')
resourceAlarmNominalMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 9), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmNominalMask.setStatus('current')
resourceAlarmTrapMask = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 10), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: resourceAlarmTrapMask.setStatus('current')
sysProfile = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6))
unitName = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: unitName.setStatus('current')
unitType = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("dnx4", 1), ("dnx11", 2), ("dnx11-psx", 3), ("dnx88", 4), ("dnx1U", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: unitType.setStatus('current')
activeSMC = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("smc-A", 1), ("smc-B", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeSMC.setStatus('current')
systemRelease = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 5))).setMaxAccess("readonly")
if mibBuilder.loadTexts: systemRelease.setStatus('current')
releaseDate = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 20))).setMaxAccess("readonly")
if mibBuilder.loadTexts: releaseDate.setStatus('current')
flashChksum = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: flashChksum.setStatus('current')
xilinxType = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 20))).setMaxAccess("readonly")
if mibBuilder.loadTexts: xilinxType.setStatus('current')
xilinxVersion = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readonly")
if mibBuilder.loadTexts: xilinxVersion.setStatus('current')
rearModem = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 9), DecisionType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: rearModem.setStatus('current')
mibProfile = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 10), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 256))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mibProfile.setStatus('current')
systemMgrType = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("smc-I", 1), ("smc-II", 2), ("xnm", 3), ("dnx1u-sys", 4)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: systemMgrType.setStatus('current')
sysAlarmCutOff = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("enabled", 0), ("disabled", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysAlarmCutOff.setStatus('current')
sysMacAddress = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 13), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysMacAddress.setStatus('current')
sysSa4RxTxTrap = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 0))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 0)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSa4RxTxTrap.setStatus('current')
sysCustomerId = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 9999))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysCustomerId.setStatus('current')
sysMgrOnlineTime = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 16), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysMgrOnlineTime.setStatus('current')
featureKeys = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100))
dnxFeatureKeyTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1), )
if mibBuilder.loadTexts: dnxFeatureKeyTable.setStatus('current')
dnxFeatureKeyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "featureKeyId"))
if mibBuilder.loadTexts: dnxFeatureKeyEntry.setStatus('current')
featureKeyId = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 8))).setMaxAccess("readonly")
if mibBuilder.loadTexts: featureKeyId.setStatus('current')
featureKeyName = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: featureKeyName.setStatus('current')
featureKeyState = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("noKey", 0), ("active", 1), ("inactive", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: featureKeyState.setStatus('current')
featureKeyCmdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 101, 102, 400, 401, 450, 451, 500, 501, 502))).clone(namedValues=NamedValues(("ready-for-command", 0), ("update", 1), ("deleteKey", 2), ("update-successful", 101), ("delete-successful", 102), ("err-general-key-config-error", 400), ("err-invalid-state", 401), ("err-data-locked-by-another-user", 450), ("err-invalid-cmd-status", 451), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: featureKeyCmdStatus.setStatus('current')
enterNewFeatureKey = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 2))
newKeyCode = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 2, 1), DisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newKeyCode.setStatus('current')
newKeyCodeCmdStatus = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 2, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 101, 402, 450, 451, 500, 501, 502))).clone(namedValues=NamedValues(("ready-for-command", 0), ("enterKey", 1), ("key-successful", 101), ("err-invalid-key", 402), ("err-data-locked-by-another-user", 450), ("err-invalid-cmd-status", 451), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: newKeyCodeCmdStatus.setStatus('current')
sysClock = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7))
sysDateTime = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1))
sysMonth = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("january", 1), ("february", 2), ("march", 3), ("april", 4), ("may", 5), ("june", 6), ("july", 7), ("august", 8), ("september", 9), ("october", 10), ("november", 11), ("december", 12)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysMonth.setStatus('current')
sysDay = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 31))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDay.setStatus('current')
sysYear = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 3), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysYear.setStatus('current')
sysHour = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysHour.setStatus('current')
sysMin = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysMin.setStatus('current')
sysSec = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSec.setStatus('current')
sysWeekday = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("monday", 1), ("tuesday", 2), ("wednesday", 3), ("thursday", 4), ("friday", 5), ("saturday", 6), ("sunday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysWeekday.setStatus('current')
sysTimeCmdStatus = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 101, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 450, 500, 501, 502))).clone(namedValues=NamedValues(("ready-for-command", 0), ("update-sys-time", 1), ("update-successful", 101), ("err-general-time-date-error", 200), ("err-invalid-day", 201), ("err-invalid-month", 202), ("err-invalid-year", 203), ("err-invalid-hours", 204), ("err-invalid-minutes", 205), ("err-invalid-seconds", 206), ("err-invalid-weekday", 207), ("err-invalid-calendar", 208), ("err-invalid-sys-time-cmd", 209), ("err-data-locked-by-another-user", 450), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysTimeCmdStatus.setStatus('current')
clockSrcConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2))
clockSrcActive = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 6, 7, 8))).clone(namedValues=NamedValues(("freerun", 0), ("holdover", 1), ("primary", 2), ("secondary", 3), ("tertiary", 4), ("primary-protected", 6), ("secondary-protected", 7), ("tertiary-protected", 8)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: clockSrcActive.setStatus('current')
primaryClockSrc = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 2), ClockSrcAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: primaryClockSrc.setStatus('current')
secondaryClockSrc = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 3), ClockSrcAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: secondaryClockSrc.setStatus('current')
tertiaryClockSrc = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 4), ClockSrcAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: tertiaryClockSrc.setStatus('current')
clockSrcMode = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("freerun", 0), ("auto", 1), ("primary", 2), ("secondary", 3), ("tertiary", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: clockSrcMode.setStatus('current')
clockSrcCmdStatus = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 101, 200, 201, 202, 203, 204, 205, 450, 500, 501, 502))).clone(namedValues=NamedValues(("ready-for-command", 0), ("update-clock-src", 1), ("update-successful", 101), ("err-gen-clock-src-config-error", 200), ("err-invalid-slot", 201), ("err-invalid-port", 202), ("err-invalid-clock-src-command", 203), ("err-invalid-clock-mode", 204), ("err-invalid-station-clock", 205), ("err-data-locked-by-another-user", 450), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: clockSrcCmdStatus.setStatus('current')
connections = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8))
connInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 1))
activeMapId = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readonly")
if mibBuilder.loadTexts: activeMapId.setStatus('current')
connDBChecksum = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 1, 2), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: connDBChecksum.setStatus('current')
lastMapCopied = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))).setMaxAccess("readonly")
if mibBuilder.loadTexts: lastMapCopied.setStatus('current')
connMapTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2), )
if mibBuilder.loadTexts: connMapTable.setStatus('current')
connMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "connMapID"))
if mibBuilder.loadTexts: connMapEntry.setStatus('current')
connMapID = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readonly")
if mibBuilder.loadTexts: connMapID.setStatus('current')
connMapName = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 11))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: connMapName.setStatus('current')
connMapCurrStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("active", 1), ("non-active", 2), ("non-active-tagged", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: connMapCurrStatus.setStatus('current')
connMapDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 20))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: connMapDescription.setStatus('current')
connMapCounts = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: connMapCounts.setStatus('current')
connMapVersions = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: connMapVersions.setStatus('current')
connMapDate = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 7), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: connMapDate.setStatus('current')
connMapCmdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 7, 8, 9, 100, 101, 102, 107, 108, 109, 200, 202, 203, 204, 205, 450, 500, 501, 502))).clone(namedValues=NamedValues(("ready-for-command", 0), ("update-map", 1), ("delete-map", 2), ("activate-map", 7), ("save-map", 8), ("copy-map-to-tagged-maps", 9), ("command-in-progress", 100), ("update-successful", 101), ("delete-successful", 102), ("activate-successful", 107), ("save-successful", 108), ("copy-successful", 109), ("err-general-map-config-error", 200), ("err-invalid-map-command", 202), ("err-invalid-map-name", 203), ("err-invalid-map-desc", 204), ("err-invalid-map-status", 205), ("err-data-locked-by-another-user", 450), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: connMapCmdStatus.setStatus('current')
connMapChecksum = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 9), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: connMapChecksum.setStatus('current')
sysConnTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3), )
if mibBuilder.loadTexts: sysConnTable.setStatus('current')
sysConnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "sysMapID"), (0, "ERI-DNX-SMC-MIB", "sysConnID"))
if mibBuilder.loadTexts: sysConnEntry.setStatus('current')
sysMapID = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 1), MapNumber()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysMapID.setStatus('current')
sysConnID = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16224))).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysConnID.setStatus('current')
sysConnName = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 19))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysConnName.setStatus('current')
sysConnType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 4), ConnectionType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysConnType.setStatus('current')
sysSrcAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 5), TimeSlotAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysSrcAddr.setStatus('current')
sysDestAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 6), TimeSlotAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysDestAddr.setStatus('current')
sysComm = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 7), CommunicationsType()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysComm.setStatus('current')
sysConnSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 8), ConnectionSpeed()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysConnSpeed.setStatus('current')
sysSrcTsBitmap = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSrcTsBitmap.setStatus('current')
sysDestTsBitmap = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDestTsBitmap.setStatus('current')
sysBroadSrcId = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysBroadSrcId.setStatus('current')
sysTestMode = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 12), TestAccess()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysTestMode.setStatus('obsolete')
sysCmdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 13), ConnCmdStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysCmdStatus.setStatus('current')
sysPrimaryState = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 14), ConnectionState1()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysPrimaryState.setStatus('current')
sysSecondaryState = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 15), ConnectionState2()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysSecondaryState.setStatus('current')
sysConnInstance = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysConnInstance.setStatus('current')
sysConnChecksum = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 17), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysConnChecksum.setStatus('current')
sysSrcTsLineType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 18), DnxTsPortType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysSrcTsLineType.setStatus('current')
sysDestTsLineType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 19), DnxTsPortType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: sysDestTsLineType.setStatus('current')
sysSrcTrunkCProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 20), DnxTrunkProfSelection()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysSrcTrunkCProfile.setStatus('current')
sysDestTrunkCProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 21), DnxTrunkProfSelection()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: sysDestTrunkCProfile.setStatus('current')
actvConnTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4), )
if mibBuilder.loadTexts: actvConnTable.setStatus('current')
actvConnEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "actvMapID"), (0, "ERI-DNX-SMC-MIB", "actvConnID"))
if mibBuilder.loadTexts: actvConnEntry.setStatus('current')
actvMapID = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 1), MapNumber()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvMapID.setStatus('current')
actvConnID = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16224))).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvConnID.setStatus('current')
actvConnName = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 19))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: actvConnName.setStatus('current')
actvConnType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 4), ConnectionType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvConnType.setStatus('current')
actvSrcAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 5), TimeSlotAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvSrcAddr.setStatus('current')
actvDestAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 6), TimeSlotAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvDestAddr.setStatus('current')
actvComm = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 7), CommunicationsType()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: actvComm.setStatus('current')
actvConnSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 8), ConnectionSpeed()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: actvConnSpeed.setStatus('current')
actvSrcTsBitmap = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: actvSrcTsBitmap.setStatus('current')
actvDestTsBitmap = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: actvDestTsBitmap.setStatus('current')
actvBroadSrcId = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 11), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvBroadSrcId.setStatus('current')
actvTestMode = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 12), TestAccess()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvTestMode.setStatus('obsolete')
actvCmdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 13), ConnCmdStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: actvCmdStatus.setStatus('current')
actvPrimaryState = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 14), ConnectionState1()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvPrimaryState.setStatus('current')
actvSecondaryState = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 15), ConnectionState2()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvSecondaryState.setStatus('current')
actvConnInstance = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 16), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvConnInstance.setStatus('current')
actvConnChecksum = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 17), UnsignedInt()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvConnChecksum.setStatus('current')
actvSrcTsLineType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 18), DnxTsPortType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvSrcTsLineType.setStatus('current')
actvDestTsLineType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 19), DnxTsPortType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: actvDestTsLineType.setStatus('current')
actvSrcTrunkCProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 20), DnxTrunkProfSelection()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: actvSrcTrunkCProfile.setStatus('current')
actvDestTrunkCProfile = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 21), DnxTrunkProfSelection()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: actvDestTrunkCProfile.setStatus('current')
addConnRecord = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5))
addMapID = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 1), MapNumber()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addMapID.setStatus('current')
addConnID = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16224))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addConnID.setStatus('current')
addConnName = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 19))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addConnName.setStatus('current')
addConnType = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 4), ConnectionType()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addConnType.setStatus('current')
addSrcAddr = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 5), TimeSlotAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addSrcAddr.setStatus('current')
addDestAddr = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 6), TimeSlotAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addDestAddr.setStatus('current')
addComm = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 7), CommunicationsType()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addComm.setStatus('current')
addConnSpeed = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 8), ConnectionSpeed()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addConnSpeed.setStatus('current')
addSrcTsBitmap = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 9), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addSrcTsBitmap.setStatus('current')
addDestTsBitmap = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 10), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addDestTsBitmap.setStatus('current')
addBroadSrcId = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16224))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addBroadSrcId.setStatus('current')
addTestMode = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 12), TestAccess()).setMaxAccess("readonly")
if mibBuilder.loadTexts: addTestMode.setStatus('current')
addCmdStatus = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 13), ConnCmdStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addCmdStatus.setStatus('current')
addSrcTrunkCProfile = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 14), DnxTrunkProfSelection()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addSrcTrunkCProfile.setStatus('current')
addDestTrunkCProfile = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 15), DnxTrunkProfSelection()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: addDestTrunkCProfile.setStatus('current')
trunkCProfileTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6), )
if mibBuilder.loadTexts: trunkCProfileTable.setStatus('current')
trunkCProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "trunkProfileID"))
if mibBuilder.loadTexts: trunkCProfileEntry.setStatus('current')
trunkProfileID = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readonly")
if mibBuilder.loadTexts: trunkProfileID.setStatus('current')
trunkSignalStart = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trunkSignalStart.setStatus('current')
trunkSignalEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trunkSignalEnd.setStatus('current')
trunkData = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trunkData.setStatus('current')
trunkCmdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 101, 200, 208, 400, 404, 450, 500, 501, 502))).clone(namedValues=NamedValues(("ready-for-command", 0), ("update", 1), ("update-successful", 101), ("err-general-trunk-error", 200), ("err-invalid-command", 208), ("err-general-config-error", 400), ("err-invalid-trunk-value", 404), ("err-data-locked-by-another-user", 450), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trunkCmdStatus.setStatus('current')
utilities = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12))
database = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1))
dbBackup = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1))
dbAutoBackup = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 1), DecisionType()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbAutoBackup.setStatus('current')
dbBackupOccurrence = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("weekly", 0), ("daily", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbBackupOccurrence.setStatus('current')
dbBackupDayOfWeek = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("monday", 1), ("tuesday", 2), ("wednesday", 3), ("thursday", 4), ("friday", 5), ("saturday", 6), ("sunday", 7)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbBackupDayOfWeek.setStatus('current')
dbBackupHour = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 23))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbBackupHour.setStatus('current')
dbBackupMin = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 59))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbBackupMin.setStatus('current')
dbRemoteHostTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10), )
if mibBuilder.loadTexts: dbRemoteHostTable.setStatus('current')
dbRemoteHostTableEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "dbHostIndex"))
if mibBuilder.loadTexts: dbRemoteHostTableEntry.setStatus('current')
dbHostIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readonly")
if mibBuilder.loadTexts: dbHostIndex.setStatus('current')
dbHostIp = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbHostIp.setStatus('current')
dbHostDirectory = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 45))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbHostDirectory.setStatus('current')
dbHostFilename = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 8))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbHostFilename.setStatus('current')
dbHostCmdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 8, 9, 11, 100, 101, 102, 108, 109, 111, 200, 201, 202, 203, 204, 210, 211, 450, 500, 501, 502))).clone(namedValues=NamedValues(("ready-for-command", 0), ("update-host", 1), ("clear-host", 2), ("saveDB", 8), ("saveDBToAll", 9), ("restoreDB", 11), ("command-in-progress", 100), ("update-successful", 101), ("clear-successful", 102), ("save-successful", 108), ("save-all-successful", 109), ("restore-successful", 111), ("err-general-host-config-error", 200), ("err-invalid-host-command", 201), ("err-invalid-host-addr", 202), ("err-invalid-host-name", 203), ("err-invalid-host-dir", 204), ("err-backup-file-creation-failed", 210), ("err-backup-file-transfer-failed", 211), ("err-data-locked-by-another-user", 450), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: dbHostCmdStatus.setStatus('current')
trapSequence = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: trapSequence.setStatus('current')
trapResourceKey = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 2), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: trapResourceKey.setStatus('current')
trapTime = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 3), DisplayString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: trapTime.setStatus('current')
trapResourceAddress = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 4), DisplayString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: trapResourceAddress.setStatus('current')
trapResourceType = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 5), DnxResourceType()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: trapResourceType.setStatus('current')
trapType = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(101, 102, 141, 142, 203, 204, 206, 207, 208, 209, 210, 216, 219, 225, 228, 243, 244, 246, 247, 248, 249, 250, 256, 259, 265, 268, 301, 302, 304, 305, 306, 308, 309, 310, 312, 313, 321, 322, 323, 324, 325, 341, 342, 344, 345, 346, 348, 349, 350, 352, 353, 361, 362, 363, 364, 365, 401, 402, 403, 404, 425, 441, 442, 443, 444, 465, 501, 502, 503, 504, 505, 506, 512, 513, 515, 516, 517, 518, 519, 520, 522, 523, 524, 525, 541, 542, 543, 544, 545, 546, 552, 553, 555, 556, 557, 558, 559, 560, 562, 563, 564, 565, 601, 602, 641, 642, 706, 712, 723, 725, 746, 752, 763, 765, 825, 865, 925, 965, 1003, 1004, 1005, 1006, 1007, 1008, 1043, 1044, 1045, 1046, 1047, 1048, 1102, 1103, 1106, 1107, 1108, 1142, 1143, 1146, 1147, 1148, 1201, 1202, 1203, 1225, 1241, 1242, 1243, 1265, 1301, 1302, 1304, 1305, 1308, 1309, 1310, 1312, 1313, 1316, 1317, 1318, 1320, 1321, 1322, 1323, 1324, 1325, 1341, 1342, 1344, 1345, 1348, 1349, 1350, 1352, 1353, 1356, 1357, 1358, 1360, 1361, 1362, 1363, 1364, 1365, 1404, 1405, 1406, 1408, 1409, 1411, 1412, 1413, 1417, 1418, 1419, 1420, 1421, 1422, 1423, 1424, 1425, 1444, 1445, 1446, 1448, 1449, 1451, 1452, 1453, 1457, 1458, 1459, 1460, 1461, 1462, 1463, 1464, 1465, 1606, 1615, 1616, 1617, 1618, 1620, 1621, 1646, 1655, 1656, 1657, 1658, 1660, 1661, 1701, 1702, 1705, 1706, 1707, 1708, 1709, 1741, 1742, 1745, 1746, 1747, 1748, 1749, 1801, 1802, 1803, 1841, 1842, 1843, 1901, 1902, 1925), SingleValueConstraint(1941, 1942, 1965, 2001, 2002, 2041, 2042, 2201, 2202, 2204, 2205, 2208, 2209, 2210, 2213, 2217, 2218, 2219, 2220, 2221, 2222, 2223, 2224, 2225, 2241, 2242, 2244, 2245, 2248, 2249, 2250, 2253, 2257, 2258, 2259, 2260, 2261, 2262, 2263, 2264, 2265, 2301, 2302, 2303, 2304, 2305, 2341, 2342, 2343, 2344, 2345, 2401, 2402, 2403, 2404, 2405, 2413, 2414, 2415, 2441, 2442, 2443, 2444, 2445, 2453, 2454, 2455, 2501, 2502, 2504, 2505, 2506, 2512, 2513, 2515, 2516, 2517, 2519, 2520, 2523, 2525, 2541, 2542, 2544, 2545, 2546, 2552, 2553, 2555, 2556, 2557, 2559, 2560, 2563, 2565, 2601, 2625, 2641, 2665, 2701, 2725, 2741, 2765, 2801, 2802, 2803, 2804, 2805, 2841, 2842, 2843, 2844, 2845, 2901, 2941, 3001, 3025, 3041, 3065, 3108, 3109, 3110, 3119, 3125, 3148, 3149, 3159, 3150, 3165, 1, 2, 201, 202, 231, 241, 242, 271, 303, 307, 314, 316, 330, 331, 343, 347, 354, 356, 370, 371, 407, 424, 430, 431, 447, 464, 470, 471, 507, 514, 530, 531, 547, 554, 570, 571, 731, 771, 831, 871, 931, 971, 1001, 1009, 1014, 1015, 1016, 1017, 1018, 1019, 1020, 1021, 1022, 1023, 1024, 1054, 1055, 1056, 1057, 1058, 1059, 1060, 1061, 1062, 1063, 1064, 1231, 1271, 1303, 1307, 1314, 1330, 1331, 1343, 1347, 1354, 1370, 1371, 1403, 1407, 1414, 1430, 1431, 1443, 1447, 1454, 1470, 1471, 1531, 1571, 1930, 1931, 1970, 1971, 2203, 2207, 2216, 2230, 2231, 2243, 2247, 2256, 2270, 2271, 2307, 2308, 2330, 2347, 2348, 2370, 2407, 2408, 2409, 2430, 2447, 2448, 2449, 2470, 2503, 2507, 2514, 2530, 2531, 2543, 2547, 2554), SingleValueConstraint(2570, 2571, 3116, 3156))).clone(namedValues=NamedValues(("setSlotMismatch", 101), ("setSlotMissing", 102), ("clearSlotMismatch", 141), ("clearSlotMissing", 142), ("setDevFrameSyncNotPresent", 203), ("setDevSystemClockNotPresent", 204), ("setDevDataBaseNotInsync", 206), ("setDevFreeRunError", 207), ("setDevOffline", 208), ("setDevDefective", 209), ("setDevBusError", 210), ("setDevStratum3ClkFailure", 216), ("setDevCircuitCardMissing", 219), ("setDevConfigError", 225), ("setDevNoRearCard", 228), ("clearDevFrameSyncNotPresent", 243), ("clearDevSystemClockNotPresent", 244), ("clearDevDataBaseNotInsync", 246), ("clearDevFreeRunError", 247), ("clearDevOffline", 248), ("clearDevDefective", 249), ("clearDevBusError", 250), ("clearDevStratum3ClkFailure", 256), ("clearDevCircuitCardMissing", 259), ("clearDevConfigError", 265), ("clearDevNoRearCard", 268), ("setT1E1RcvFarEndLOF", 301), ("setT1E1NearEndSendLOF", 302), ("setT1E1NearEndSendingAIS", 304), ("setT1E1NearEndLOF", 305), ("setT1E1NearEndLossOfSignal", 306), ("setT1E1Ts16AIS", 308), ("setT1E1FarEndSendingTs16LOMF", 309), ("setT1E1NearEndSendingTs16LOMF", 310), ("setT1E1OtherLineStatus", 312), ("setT1E1NearEndUnavailableSig", 313), ("setT1E1NearEndTxSlip", 321), ("setT1E1NearEndRxSlip", 322), ("setT1E1NearEndSeverErroredFrame", 323), ("setT1E1ChangeFrameAlignment", 324), ("setT1E1ConfigError", 325), ("clearT1E1RcvFarEndLOF", 341), ("clearT1E1NearEndSendLOF", 342), ("clearT1E1NearEndSendingAIS", 344), ("clearT1E1NearEndLOF", 345), ("clearT1E1NearEndLossOfSignal", 346), ("clearT1E1Ts16AIS", 348), ("clearT1E1FarEndSendingTs16LOMF", 349), ("clearT1E1NearEndSendingTs16LOMF", 350), ("clearT1E1OtherLineStatus", 352), ("clearT1E1NearEndUnavailableSig", 353), ("clearT1E1NearEndTxSlip", 361), ("clearT1E1NearEndRxSlip", 362), ("clearT1E1NearEndSeverErroredFrame", 363), ("clearT1E1ChangeFrameAlignment", 364), ("clearT1E1ConfigError", 365), ("setHsRcvFIFOError", 401), ("setHsXmtFIFOError", 402), ("setHsClockEdgeError", 403), ("setHsCarrierFailure", 404), ("setHsConfigError", 425), ("clearHsRcvFIFOError", 441), ("clearHsXmtFIFOError", 442), ("clearHsClockEdgeError", 443), ("clearHsCarrierFailure", 444), ("clearHsConfigError", 465), ("setT3RcvFarEndLOF", 501), ("setT3NearEndSendLOF", 502), ("setT3FarEndSendingAIS", 503), ("setT3NearEndSendingAIS", 504), ("setT3NearEndLOF", 505), ("setT3NearEndLossOfSignal", 506), ("setT3OtherLineStatus", 512), ("setT3NearEndUnavailableSig", 513), ("setT3NearEndSeverErroredFrame", 515), ("setT3TxRxClockFailure", 516), ("setT3FarEndBlockError", 517), ("setT3PbitCbitParityError", 518), ("setT3MbitsInError", 519), ("setT3LIUOtherStatus", 520), ("setT3LIUExcessZeros", 522), ("setT3LIUCodingViolation", 523), ("setT3LIUPrbsError", 524), ("setT3ConfigError", 525), ("clearT3RcvFarEndLOF", 541), ("clearT3NearEndSendLOF", 542), ("clearT3FarEndSendingAIS", 543), ("clearT3NearEndSendingAIS", 544), ("clearT3NearEndLOF", 545), ("clearT3NearEndLossOfSignal", 546), ("clearT3OtherLineStatus", 552), ("clearT3NearEndUnavailableSig", 553), ("clearT3NearEndSeverErroredFrame", 555), ("clearT3TxRxClockFailure", 556), ("clearT3FarEndBlockError", 557), ("clearT3PbitCbitParityError", 558), ("clearT3MbitsInError", 559), ("clearT3LIUOtherStatus", 560), ("clearT3LIUExcessZeros", 562), ("clearT3LIUCodingViolation", 563), ("clearT3LIUPrbsError", 564), ("clearT3ConfigError", 565), ("setPowerSupplyNotPresent", 601), ("setPowerSupplyProblem", 602), ("clearPowerSupplyNotPresent", 641), ("clearPowerSupplyProblem", 642), ("setOcuNearEndLOS", 706), ("setOcuOtherLineStatus", 712), ("setOcuNearEndSeverErroredFrame", 723), ("setOcuConfigError", 725), ("clearOcuNearEndLOS", 746), ("clearOcuOtherLineStatus", 752), ("clearOcuNearEndSeverErroredFrame", 763), ("clearOcuConfigError", 765), ("setTamConfigError", 825), ("clearTamConfigError", 865), ("setVoiceConfigError", 925), ("clearVoiceConfigError", 965), ("setPsxPowerSupplyANotOk", 1003), ("setPsxPowerSupplyBNotOk", 1004), ("setPsxFan01NotOk", 1005), ("setPsxFan02NotOk", 1006), ("setPsxFan03NotOk", 1007), ("setPsxDualBroadbandNotSupported", 1008), ("clearPsxPowerSupplyANotOk", 1043), ("clearPsxPowerSupplyBNotOk", 1044), ("clearPsxFan01NotOk", 1045), ("clearPsxFan02NotOk", 1046), ("clearPsxFan03NotOk", 1047), ("clearPsxDualBroadbandNotSupported", 1048), ("setPsxLineCardRelaySwitchToSpare", 1102), ("setPsxLineCardCableMissing", 1103), ("setPsxLineCardMissing", 1106), ("setPsxLineCardMismatch", 1107), ("setPsxLineCardRelayMalfunction", 1108), ("clearPsxLineCardRelaySwitchToSpare", 1142), ("clearPsxLineCardCableMissing", 1143), ("clearPsxLineCardMissing", 1146), ("clearPsxLineCardMismatch", 1147), ("clearPsxLineCardRelayMalfunction", 1148), ("setRtrUserAlarm1", 1201), ("setRtrUserAlarm2", 1202), ("setRtrUserAlarm3", 1203), ("setRtrConfigError", 1225), ("clearRtrUserAlarm1", 1241), ("clearRtrUserAlarm2", 1242), ("clearRtrUserAlarm3", 1243), ("clearRtrConfigError", 1265), ("setSts1RcvFarEndLOF", 1301), ("setSts1NearEndSendLOF", 1302), ("setSts1NearEndSendingAIS", 1304), ("setSts1NearEndLOF", 1305), ("setSts1NearEndLOP", 1308), ("setSts1NearEndOOF", 1309), ("setSts1NearEndAIS", 1310), ("setSts1OtherLineStatus", 1312), ("setSts1NearEndUnavailableSig", 1313), ("setSts1TxRxClockFailure", 1316), ("setSts1NearEndLOMF", 1317), ("setSts1NearEndTraceError", 1318), ("setSts1LIUDigitalLOS", 1320), ("setSts1LIUAnalogLOS", 1321), ("setSts1LIUExcessZeros", 1322), ("setSts1LIUCodingViolation", 1323), ("setSts1LIUPrbsError", 1324), ("setSts1ConfigError", 1325), ("clearSts1RcvFarEndLOF", 1341), ("clearSts1NearEndSendLOF", 1342), ("clearSts1NearEndSendingAIS", 1344), ("clearSts1NearEndLOF", 1345), ("clearSts1NearEndLOP", 1348), ("clearSts1NearEndOOF", 1349), ("clearSts1NearEndAIS", 1350), ("clearSts1OtherLineStatus", 1352), ("clearSts1NearEndUnavailableSig", 1353), ("clearSts1TxRxClockFailure", 1356), ("clearSts1NearEndLOMF", 1357), ("clearSts1NearEndTraceError", 1358), ("clearSts1LIUDigitalLOS", 1360), ("clearSts1LIUAnalogLOS", 1361), ("clearSts1LIUExcessZeros", 1362), ("clearSts1LIUCodingViolation", 1363), ("clearSts1LIUPrbsError", 1364), ("clearSts1ConfigError", 1365), ("setHt3NearEndSendingAIS", 1404), ("setHt3NearEndOOF", 1405), ("setHt3NearEndLossOfSignal", 1406), ("setHt3NearEndLOF", 1408), ("setHt3FarEndRcvFailure", 1409), ("setHt3NearEndLCVError", 1411), ("setHt3NearEndFERRError", 1412), ("setHt3NearEndExcessZeros", 1413), ("setHt3FarEndBlockError", 1417), ("setHt3PbitCbitParityError", 1418), ("setHt3ChangeInFrameAlignment", 1419), ("setHt3LIUDigitalLOS", 1420), ("setHt3LIUAnalogLOS", 1421), ("setHt3LIUExcessZeros", 1422), ("setHt3LIUCodingViolation", 1423), ("setHt3LIUPrbsError", 1424), ("setHt3ConfigError", 1425), ("clearHt3NearEndSendingAIS", 1444), ("clearHt3NearEndOOF", 1445), ("clearHt3NearEndLossOfSignal", 1446), ("clearHt3NearEndLOF", 1448), ("clearHt3FarEndRcvFailure", 1449), ("clearHt3NearEndLCVError", 1451), ("clearHt3NearEndFERRError", 1452), ("clearHt3NearEndExcessZeros", 1453), ("clearHt3FarEndBlockError", 1457), ("clearHt3PbitCbitParityError", 1458), ("clearHt3ChangeInFrameAlignment", 1459), ("clearHt3LIUDigitalLOS", 1460), ("clearHt3LIUAnalogLOS", 1461), ("clearHt3LIUExcessZeros", 1462), ("clearHt3LIUCodingViolation", 1463), ("clearHt3LIUPrbsError", 1464), ("clearHt3ConfigError", 1465), ("setXlinkCableMismatch", 1606), ("setXlinkSerializerError", 1615), ("setXlinkFramerError", 1616), ("setXlinkBertError", 1617), ("setXlinkClockError", 1618), ("setXlinkInUseError", 1620), ("setXlinkCrcError", 1621), ("clearXlinkCableMismatch", 1646), ("clearXlinkSerializerError", 1655), ("clearXlinkFramerError", 1656), ("clearXlinkBertError", 1657), ("clearXlinkClockError", 1658), ("clearXlinkInUseError", 1660), ("clearXlinkCrcError", 1661), ("setNestMismatch", 1701), ("setNestMissing", 1702), ("setNestOffline", 1705), ("setNestCriticalAlarm", 1706), ("setNestMajorAlarm", 1707), ("setNestMinorAlarm", 1708), ("setNestSwMismatch", 1709), ("clearNestMismatch", 1741), ("clearNestMissing", 1742), ("clearNestOffline", 1745), ("clearNestCriticalAlarm", 1746), ("clearNestMajorAlarm", 1747), ("clearNestMinorAlarm", 1748), ("clearNestSwMismatch", 1749), ("setNodeCriticalAlarm", 1801), ("setNodeMajorAlarm", 1802), ("setNodeMinorAlarm", 1803), ("clearNodeCriticalAlarm", 1841), ("clearNodeMajorAlarm", 1842), ("clearNodeMinorAlarm", 1843), ("setDs0DpPortLossOfSignal", 1901), ("setDs0DpPortBPV", 1902), ("setDs0DpPortConfigError", 1925)) + NamedValues(("clearDs0DpPortLossOfSignal", 1941), ("clearDs0DpPortBPV", 1942), ("clearDs0DpPortConfigError", 1965), ("setDs0DpClockLossOfSignal", 2001), ("setDs0DpClockBPV", 2002), ("clearDs0DpClockLossOfSignal", 2041), ("clearDs0DpClockBPV", 2042), ("setOpticalT1E1RedAlarm", 2201), ("setOpticalT1E1NearEndSendLOF", 2202), ("setOpticalT1E1NearEndSendingAIS", 2204), ("setOpticalT1E1NearEndLOF", 2205), ("setOpticalT1E1LossOfPointer", 2208), ("setOpticalT1E1OutOfFrame", 2209), ("setOpticalT1E1DetectedAIS", 2210), ("setOpticalT1E1NearEndLOS", 2213), ("setOpticalT1E1RcvFarEndYellow", 2217), ("setOpticalT1E1NearEndSEF", 2218), ("setOpticalT1E1Tug2LOP", 2219), ("setOpticalT1E1Tug2RDI", 2220), ("setOpticalT1E1Tug2RFI", 2221), ("setOpticalT1E1Tug2AIS", 2222), ("setOpticalT1E1Tug2PSLM", 2223), ("setOpticalT1E1Tug2PSLU", 2224), ("setOpticalT1E1ConfigError", 2225), ("clearOpticalT1E1RedAlarm", 2241), ("clearOpticalT1E1NearEndSendLOF", 2242), ("clearOpticalT1E1NearEndSendingAIS", 2244), ("clearOpticalT1E1NearEndLOF", 2245), ("clearOpticalT1E1LossOfPointer", 2248), ("clearOpticalT1E1OutOfFrame", 2249), ("clearOpticalT1E1DetectedAIS", 2250), ("clearOpticalT1E1NearEndLOS", 2253), ("clearOpticalT1E1RcvFarEndYellow", 2257), ("clearOpticalT1E1NearEndSEF", 2258), ("clearOpticalT1E1Tug2LOP", 2259), ("clearOpticalT1E1Tug2RDI", 2260), ("clearOpticalT1E1Tug2RFI", 2261), ("clearOpticalT1E1Tug2AIS", 2262), ("clearOpticalT1E1Tug2PSLM", 2263), ("clearOpticalT1E1Tug2PSLU", 2264), ("clearOpticalT1E1ConfigError", 2265), ("setVtNearEndLOP", 2301), ("setVtNearEndAIS", 2302), ("setPayloadPathLOP", 2303), ("setPayloadPathAIS", 2304), ("setPayloadPathRDI", 2305), ("clearVtNearEndLOP", 2341), ("clearVtNearEndAIS", 2342), ("clearPayloadPathLOP", 2343), ("clearPayloadPathAIS", 2344), ("clearPayloadPathRDI", 2345), ("setTransOverheadAIS", 2401), ("setTransOverheadRDI", 2402), ("setTransOverheadOOF", 2403), ("setTransOverheadLOF", 2404), ("setTransOverheadLOS", 2405), ("setTransOverheadSfDetect", 2413), ("setTransOverheadSdDetect", 2414), ("setTransOverheadLaserOffDetect", 2415), ("clearTransOverheadAIS", 2441), ("clearTransOverheadRDI", 2442), ("clearTransOverheadOOF", 2443), ("clearTransOverheadLOF", 2444), ("clearTransOverheadLOS", 2445), ("clearTransOverheadSfDetect", 2453), ("clearTransOverheadSdDetect", 2454), ("clearTransOverheadLaserOffDetect", 2455), ("setE3RcvFarEndLOF", 2501), ("setE3NearEndSendLOF", 2502), ("setE3NearEndSendingAIS", 2504), ("setE3NearEndLOF", 2505), ("setE3NearEndLossOfSignal", 2506), ("setE3OtherLineStatus", 2512), ("setE3NearEndUnavailableSig", 2513), ("setE3NearEndSeverErroredFrame", 2515), ("setE3TxRxClockFailure", 2516), ("setE3FarEndBlockError", 2517), ("setE3MbitsInError", 2519), ("setE3LIUOtherStatus", 2520), ("setE3LIUCodingViolation", 2523), ("setE3ConfigError", 2525), ("clearE3RcvFarEndLOF", 2541), ("clearE3NearEndSendLOF", 2542), ("clearE3NearEndSendingAIS", 2544), ("clearE3NearEndLOF", 2545), ("clearE3NearEndLossOfSignal", 2546), ("clearE3OtherLineStatus", 2552), ("clearE3NearEndUnavailableSig", 2553), ("clearE3NearEndSeverErroredFrame", 2555), ("clearE3TxRxClockFailure", 2556), ("clearE3FarEndBlockError", 2557), ("clearE3MbitsInError", 2559), ("clearE3LIUOtherStatus", 2560), ("clearE3LIUCodingViolation", 2563), ("clearE3ConfigError", 2565), ("setContactClosureInputAlarm", 2601), ("setContactClosureCfgError", 2625), ("clearContactClosureInputAlarm", 2641), ("clearContactClosureCfgError", 2665), ("setVoltMeasureAlarm", 2701), ("setVoltMeasureCfgError", 2725), ("clearVoltMeasureAlarm", 2741), ("clearVoltMeasureCfgError", 2765), ("setAsyncRxFifoError", 2801), ("setAsyncTxFifoError", 2802), ("setAsyncOverrunError", 2803), ("setAsyncParityError", 2804), ("setAsyncFramingError", 2805), ("clearAsyncRxFifoError", 2841), ("clearAsyncTxFifoError", 2842), ("clearAsyncOverrunError", 2843), ("clearAsyncParityError", 2844), ("clearAsyncFramingError", 2845), ("setTempSensorOutOfRange", 2901), ("clearTempSensorOutOfRange", 2941), ("setVWanError", 3001), ("setVWanCfgError", 3025), ("clearVWanError", 3041), ("clearVWanCfgError", 3065), ("set1uPowerSupplyOffline", 3108), ("set1uPowerSupplyDefective", 3109), ("set1uPowerSupplyFanFailure", 3110), ("set1uPowerSupplyCircuitMissing", 3119), ("set1uPowerSupplyCfgMismatch", 3125), ("clear1uPowerSupplyOffline", 3148), ("clear1uPowerSupplyDefective", 3149), ("clear1uPowerSupplyCircuitMissing", 3159), ("clear1uPowerSupplyFanFailure", 3150), ("clear1uPowerSupplyCfgMismatch", 3165), ("evntDevColdStart", 1), ("evntDevWarmStart", 2), ("evntDevOnline", 201), ("evntDevStandby", 202), ("evntDevOutOfService", 231), ("evntDevNotOnline", 241), ("evntDevNotStandby", 242), ("evntDevInService", 271), ("evntT1E1RcvingAIS", 303), ("evntT1E1NearEndLooped", 307), ("evntT1E1CarrierEquipOutOfService", 314), ("evntE1NationalSa4TxRxSame", 316), ("evntT1E1InTest", 330), ("evntT1E1OutOfService", 331), ("evntT1E1StoppedRcvingAIS", 343), ("evntT1E1NearEndLoopOff", 347), ("evntT1E1CarrierEquipInService", 354), ("evntE1NationalSa4TxRxDiff", 356), ("evntT1E1TestOff", 370), ("evntT1E1InService", 371), ("evntHsNearEndLooped", 407), ("evntHsNoBtsAssigned", 424), ("evntHsInTest", 430), ("evntHsOutOfService", 431), ("evntHsNearEndLoopOff", 447), ("evntHsBtsAssigned", 464), ("evntHsTestOff", 470), ("evntHsInService", 471), ("evntT3NearEndLooped", 507), ("evntT3CarrierEquipOutOfService", 514), ("evntT3InTest", 530), ("evntT3OutOfService", 531), ("evntT3NearEndLoopOff", 547), ("evntT3CarrierEquipInService", 554), ("evntT3TestOff", 570), ("evntT3InService", 571), ("evntOcuOutOfService", 731), ("evntOcuInService", 771), ("evntTamOutOfService", 831), ("evntTamInService", 871), ("evntVoiceOutOfService", 931), ("evntVoiceInService", 971), ("evntPsxDevOnline", 1001), ("evntPsxNewControllerRev", 1009), ("evntPsxLineCard01Missing", 1014), ("evntPsxLineCard02Missing", 1015), ("evntPsxLineCard03Missing", 1016), ("evntPsxLineCard04Missing", 1017), ("evntPsxLineCard05Missing", 1018), ("evntPsxLineCard06Missing", 1019), ("evntPsxLineCard07Missing", 1020), ("evntPsxLineCard08Missing", 1021), ("evntPsxLineCard09Missing", 1022), ("evntPsxLineCard10Missing", 1023), ("evntPsxLineCard11Missing", 1024), ("evntPsxLineCard01Present", 1054), ("evntPsxLineCard02Present", 1055), ("evntPsxLineCard03Present", 1056), ("evntPsxLineCard04Present", 1057), ("evntPsxLineCard05Present", 1058), ("evntPsxLineCard06Present", 1059), ("evntPsxLineCard07Present", 1060), ("evntPsxLineCard08Present", 1061), ("evntPsxLineCard09Present", 1062), ("evntPsxLineCard10Present", 1063), ("evntPsxLineCard11Present", 1064), ("evntRtrOutOfService", 1231), ("evntRtrInService", 1271), ("evntSts1RcvingAIS", 1303), ("evntSts1NearEndLooped", 1307), ("evntSts1CarrierEquipOutOfService", 1314), ("evntSts1InTest", 1330), ("evntSts1OutOfService", 1331), ("evntSts1StoppedRcvingAIS", 1343), ("evntSts1NearEndLoopOff", 1347), ("evntSts1CarrierEquipInService", 1354), ("evntSts1TestOff", 1370), ("evntSts1InService", 1371), ("evntHt3RcvingAIS", 1403), ("evntHt3NearEndLooped", 1407), ("evntHt3CarrierEquipOutOfService", 1414), ("evntHt3InTest", 1430), ("evntHt3OutOfService", 1431), ("evntHt3StoppedRcvingAIS", 1443), ("evntHt3NearEndLoopOff", 1447), ("evntHt3CarrierEquipInService", 1454), ("evntHt3TestOff", 1470), ("evntHt3InService", 1471), ("evntGr303OutOfService", 1531), ("evntGr303InService", 1571), ("evntDs0DpPortInTest", 1930), ("evntDs0DpPortOutOfService", 1931), ("evntDs0DpPortTestOff", 1970), ("evntDs0DpPortInService", 1971), ("evntOpticalT1E1RcvingAIS", 2203), ("evntOpticalT1E1NearEndLooped", 2207), ("evntOpticalE1NationalSa4TxRxSame", 2216), ("evntOpticalT1E1InTest", 2230), ("evntOpticalT1E1OutOfService", 2231), ("evntOpticalT1E1StoppedRcvingAIS", 2243), ("evntOpticalT1E1NearEndLoopOff", 2247), ("evntOpticalE1NationalSa4TxRxDiff", 2256), ("evntOpticalT1E1TestOff", 2270), ("evntOpticalT1E1InService", 2271), ("evntPayloadNearEndLineLooped", 2307), ("evntPayloadNearEndLocalLooped", 2308), ("evntPayloadInTest", 2330), ("evntPayloadNearEndLineLoopOff", 2347), ("evntPayloadNearEndLocalLoopOff", 2348), ("evntPayloadTestOff", 2370), ("evntTransOverheadNearEndSysLineLooped", 2407), ("evntTransOverheadNearEndPathLineLooped", 2408), ("evntTransOverheadNearEndLocalLooped", 2409), ("evntTransOverheadInTest", 2430), ("evntTransOverheadNearEndSysLineLoopOff", 2447), ("evntTransOverheadNearEndPathLineLoopOff", 2448), ("evntTransOverheadNearEndLocalLoopOff", 2449), ("evntTransOverheadTestOff", 2470), ("evntE3RcvingAIS", 2503), ("evntE3NearEndLooped", 2507), ("evntE3CarrierEquipOutOfService", 2514), ("evntE3InTest", 2530), ("evntE3OutOfService", 2531), ("evntE3StoppedRcvingAIS", 2543), ("evntE3NearEndLoopOff", 2547), ("evntE3CarrierEquipInService", 2554)) + NamedValues(("evntE3TestOff", 2570), ("evntE3InService", 2571), ("evnt1uPowerSupplyFanOn", 3116), ("evnt1uPowerSupplyFanOff", 3156)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: trapType.setStatus('current')
trapState = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 7), Integer32()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: trapState.setStatus('current')
trapSeverity = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 8), AlarmSeverity()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: trapSeverity.setStatus('current')
trapSysEvent = MibScalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 9), DisplayString()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: trapSysEvent.setStatus('current')
trapCfg = MibIdentifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20))
trapDestinationTable = MibTable((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1), )
if mibBuilder.loadTexts: trapDestinationTable.setStatus('current')
trapDestinationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1), ).setIndexNames((0, "ERI-DNX-SMC-MIB", "trapDestAddr"))
if mibBuilder.loadTexts: trapDestinationEntry.setStatus('current')
trapDestAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 1), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestAddr.setStatus('current')
trapDestName = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 35))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestName.setStatus('current')
trapDestCmdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 101, 102, 103, 200, 201, 202, 203, 204, 205, 206, 450, 500, 501, 502))).clone(namedValues=NamedValues(("ready-for-command", 0), ("update-trap-dest", 1), ("delete-trap-dest", 2), ("create-trap-dest", 3), ("update-successful", 101), ("delete-successful", 102), ("create-successful", 103), ("err-general-trap-dest-cfg-error", 200), ("err-invalid-trap-dest-addr", 201), ("err-invalid-trap-dest-cmd", 202), ("err-invalid-trap-dest-name", 203), ("err-invalid-trap-dest-pdu", 204), ("err-invalid-trap-dest-retry", 205), ("err-invalid-trap-dest-tmout", 206), ("err-data-locked-by-another-user", 450), ("err-snmp-parse-failed", 500), ("err-invalid-snmp-type", 501), ("err-invalid-snmp-var-size", 502)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestCmdStatus.setStatus('current')
trapDestPduType = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("v1Trap", 0), ("v2Trap", 1), ("inform", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestPduType.setStatus('current')
trapDestMaxRetry = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestMaxRetry.setStatus('current')
trapDestTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 5, 10, 15, 20))).clone(namedValues=NamedValues(("none", 0), ("secs-5", 5), ("secs-10", 10), ("secs-15", 15), ("secs-20", 20)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: trapDestTimeout.setStatus('current')
eriTrapEnterprise = ObjectIdentity((1, 3, 6, 1, 4, 1, 644, 2, 0))
if mibBuilder.loadTexts: eriTrapEnterprise.setStatus('current')
alarmTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 0, 1)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "trapResourceKey"), ("ERI-DNX-SMC-MIB", "trapTime"), ("ERI-DNX-SMC-MIB", "trapResourceAddress"), ("ERI-DNX-SMC-MIB", "trapResourceType"), ("ERI-DNX-SMC-MIB", "trapType"), ("ERI-DNX-SMC-MIB", "trapState"), ("ERI-DNX-SMC-MIB", "trapSeverity"))
if mibBuilder.loadTexts: alarmTrap.setStatus('current')
deleteResourceTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 0, 2)).setObjects(("ERI-DNX-SMC-MIB", "resourceKey"), ("ERI-DNX-SMC-MIB", "trapSequence"))
if mibBuilder.loadTexts: deleteResourceTrap.setStatus('current')
dnxTrapEnterprise = ObjectIdentity((1, 3, 6, 1, 4, 1, 644, 2, 4, 0))
if mibBuilder.loadTexts: dnxTrapEnterprise.setStatus('current')
connectionEventTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 3)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "sysMapID"), ("ERI-DNX-SMC-MIB", "sysConnID"), ("ERI-DNX-SMC-MIB", "sysCmdStatus"))
if mibBuilder.loadTexts: connectionEventTrap.setStatus('current')
connMapMgrTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 4)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "connMapID"), ("ERI-DNX-SMC-MIB", "connMapCmdStatus"))
if mibBuilder.loadTexts: connMapMgrTrap.setStatus('current')
connMapCopyTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 6)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "lastMapCopied"), ("ERI-DNX-SMC-MIB", "connMapID"))
if mibBuilder.loadTexts: connMapCopyTrap.setStatus('current')
bulkConnPurgeTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 7)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "resourceKey"), ("ERI-DNX-SMC-MIB", "connMapID"), ("ERI-DNX-SMC-MIB", "connMapCounts"))
if mibBuilder.loadTexts: bulkConnPurgeTrap.setStatus('current')
clockSrcChgTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 10)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "clockSrcActive"), ("ERI-DNX-SMC-MIB", "primaryClockSrc"), ("ERI-DNX-SMC-MIB", "secondaryClockSrc"), ("ERI-DNX-SMC-MIB", "tertiaryClockSrc"), ("ERI-DNX-SMC-MIB", "clockSrcCmdStatus"))
if mibBuilder.loadTexts: clockSrcChgTrap.setStatus('current')
trunkCondProfTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 13)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "trunkProfileID"), ("ERI-DNX-SMC-MIB", "trunkCmdStatus"))
if mibBuilder.loadTexts: trunkCondProfTrap.setStatus('current')
systemEventTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 14)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "trapSysEvent"), ("ERI-DNX-SMC-MIB", "trapSeverity"))
if mibBuilder.loadTexts: systemEventTrap.setStatus('current')
trapDestCfgTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 15)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "trapDestAddr"), ("ERI-DNX-SMC-MIB", "trapDestCmdStatus"))
if mibBuilder.loadTexts: trapDestCfgTrap.setStatus('current')
featureKeyCfgTrap = NotificationType((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 16)).setObjects(("ERI-DNX-SMC-MIB", "trapSequence"), ("ERI-DNX-SMC-MIB", "featureKeyName"), ("ERI-DNX-SMC-MIB", "featureKeyState"), ("ERI-DNX-SMC-MIB", "featureKeyCmdStatus"))
if mibBuilder.loadTexts: featureKeyCfgTrap.setStatus('current')
mibBuilder.exportSymbols("ERI-DNX-SMC-MIB", trunkCondProfTrap=trunkCondProfTrap, resourceCriticalMask=resourceCriticalMask, sysSrcTrunkCProfile=sysSrcTrunkCProfile, resourceKey=resourceKey, resourceAlarmTable=resourceAlarmTable, lastMapCopied=lastMapCopied, trapCfg=trapCfg, PYSNMP_MODULE_ID=eriDNXSmcMIB, dbHostFilename=dbHostFilename, connMapCurrStatus=connMapCurrStatus, addConnRecord=addConnRecord, trunkCProfileEntry=trunkCProfileEntry, sysConnType=sysConnType, enterNewFeatureKey=enterNewFeatureKey, trapDestinationTable=trapDestinationTable, dbRemoteHostTableEntry=dbRemoteHostTableEntry, deleteResourceTrap=deleteResourceTrap, sysProfile=sysProfile, activeMapId=activeMapId, eriDNXSmcMIB=eriDNXSmcMIB, sysConnTable=sysConnTable, NestSlotAddress=NestSlotAddress, resourceAlarmInfoMask=resourceAlarmInfoMask, sysConnSpeed=sysConnSpeed, sysDestTsLineType=sysDestTsLineType, trapResourceAddress=trapResourceAddress, sysSrcAddr=sysSrcAddr, trunkProfileID=trunkProfileID, sysConnInstance=sysConnInstance, resourceEntry=resourceEntry, resourceInfoMask=resourceInfoMask, addConnSpeed=addConnSpeed, utilities=utilities, trapDestTimeout=trapDestTimeout, DataSwitch=DataSwitch, trapSeverity=trapSeverity, actvSrcTsLineType=actvSrcTsLineType, LinkCmdStatus=LinkCmdStatus, sysSecondaryState=sysSecondaryState, sysDateTime=sysDateTime, mibProfile=mibProfile, addComm=addComm, dbBackupHour=dbBackupHour, actvConnType=actvConnType, trapType=trapType, sysMacAddress=sysMacAddress, trunkCProfileTable=trunkCProfileTable, sysWeekday=sysWeekday, primaryClockSrc=primaryClockSrc, ConnectionSpeed=ConnectionSpeed, resourceAlarmAddr=resourceAlarmAddr, actvConnTable=actvConnTable, dbHostIp=dbHostIp, systemEventTrap=systemEventTrap, addDestTrunkCProfile=addDestTrunkCProfile, actvSrcTrunkCProfile=actvSrcTrunkCProfile, devices=devices, trapSequence=trapSequence, sysMin=sysMin, trapDestCmdStatus=trapDestCmdStatus, actvDestTsLineType=actvDestTsLineType, featureKeyCmdStatus=featureKeyCmdStatus, dbHostDirectory=dbHostDirectory, trapResourceKey=trapResourceKey, xilinxType=xilinxType, DecisionType=DecisionType, addSrcTrunkCProfile=addSrcTrunkCProfile, ConnectionState2=ConnectionState2, sysDestAddr=sysDestAddr, addDestTsBitmap=addDestTsBitmap, connMapCmdStatus=connMapCmdStatus, rearModem=rearModem, dbAutoBackup=dbAutoBackup, trunkCmdStatus=trunkCmdStatus, releaseDate=releaseDate, trapSysEvent=trapSysEvent, connMapName=connMapName, FunctionSwitch=FunctionSwitch, sysMonth=sysMonth, resourceNominalMask=resourceNominalMask, featureKeyState=featureKeyState, activeSMC=activeSMC, sysDay=sysDay, addMapID=addMapID, resourceType=resourceType, addSrcAddr=addSrcAddr, dbHostIndex=dbHostIndex, alarmTrap=alarmTrap, resourceAlarmType=resourceAlarmType, dnxFeatureKeyTable=dnxFeatureKeyTable, newKeyCode=newKeyCode, actvConnID=actvConnID, flashChksum=flashChksum, sysAlarmCutOff=sysAlarmCutOff, actvDestTrunkCProfile=actvDestTrunkCProfile, resourceAddr=resourceAddr, dbRemoteHostTable=dbRemoteHostTable, dbHostCmdStatus=dbHostCmdStatus, database=database, traps=traps, clockSrcActive=clockSrcActive, CurrentDevStatus=CurrentDevStatus, systemRelease=systemRelease, connectionEventTrap=connectionEventTrap, addCmdStatus=addCmdStatus, ConnectionState1=ConnectionState1, connMapCopyTrap=connMapCopyTrap, actvSecondaryState=actvSecondaryState, featureKeyName=featureKeyName, secondaryClockSrc=secondaryClockSrc, connections=connections, systemMgrType=systemMgrType, actvDestAddr=actvDestAddr, actvMapID=actvMapID, sysYear=sysYear, trunkSignalStart=trunkSignalStart, actvConnName=actvConnName, featureKeyCfgTrap=featureKeyCfgTrap, connInfo=connInfo, connMapDescription=connMapDescription, actvConnEntry=actvConnEntry, addBroadSrcId=addBroadSrcId, connMapTable=connMapTable, actvDestTsBitmap=actvDestTsBitmap, trapState=trapState, xilinxVersion=xilinxVersion, addConnName=addConnName, sysTimeCmdStatus=sysTimeCmdStatus, resourceMajorMask=resourceMajorMask, actvConnSpeed=actvConnSpeed, trapTime=trapTime, sysSrcTsBitmap=sysSrcTsBitmap, DnxResourceType=DnxResourceType, actvComm=actvComm, actvSrcAddr=actvSrcAddr, sysCustomerId=sysCustomerId, sysSec=sysSec, PortStatus=PortStatus, featureKeys=featureKeys, resourceState=resourceState, sysComm=sysComm, sysSa4RxTxTrap=sysSa4RxTxTrap, actvBroadSrcId=actvBroadSrcId, unitName=unitName, connMapDate=connMapDate, connMapMgrTrap=connMapMgrTrap, CommunicationsType=CommunicationsType, resourceTrapMask=resourceTrapMask, clockSrcConfig=clockSrcConfig, sysMapID=sysMapID, newKeyCodeCmdStatus=newKeyCodeCmdStatus, resourceAlarmState=resourceAlarmState, DnxTsPortType=DnxTsPortType, tertiaryClockSrc=tertiaryClockSrc, actvSrcTsBitmap=actvSrcTsBitmap, actvTestMode=actvTestMode, addSrcTsBitmap=addSrcTsBitmap, dbBackupDayOfWeek=dbBackupDayOfWeek, trunkData=trunkData, addTestMode=addTestMode, resourceAlarmMajorMask=resourceAlarmMajorMask, sysSrcTsLineType=sysSrcTsLineType, MapNumber=MapNumber, resourceAlarmMinorMask=resourceAlarmMinorMask, sysConnName=sysConnName, resourceMinorMask=resourceMinorMask, eriTrapEnterprise=eriTrapEnterprise, clockSrcChgTrap=clockSrcChgTrap, clockSrcCmdStatus=clockSrcCmdStatus, connDBChecksum=connDBChecksum, connMapChecksum=connMapChecksum, resourceAlarmNominalMask=resourceAlarmNominalMask, dnx=dnx, bulkConnPurgeTrap=bulkConnPurgeTrap, UnsignedInt=UnsignedInt, sysMgrOnlineTime=sysMgrOnlineTime, sysConnChecksum=sysConnChecksum, resourceAlarmEntry=resourceAlarmEntry, resourceAlarmCriticalMask=resourceAlarmCriticalMask, trunkSignalEnd=trunkSignalEnd, dbBackup=dbBackup, connMapEntry=connMapEntry, ConnCmdStatus=ConnCmdStatus, sysConnID=sysConnID, DnxTrunkProfSelection=DnxTrunkProfSelection, featureKeyId=featureKeyId, sysBroadSrcId=sysBroadSrcId, trapResourceType=trapResourceType, AlarmSeverity=AlarmSeverity, resourceAlarmTrapMask=resourceAlarmTrapMask, OneByteField=OneByteField, TimeSlotAddress=TimeSlotAddress, dbBackupOccurrence=dbBackupOccurrence, actvConnChecksum=actvConnChecksum, sysClock=sysClock, trapDestPduType=trapDestPduType, addConnType=addConnType, sysPrimaryState=sysPrimaryState, addConnID=addConnID, ClockSrcAddress=ClockSrcAddress, addDestAddr=addDestAddr, connMapID=connMapID, ConnectionType=ConnectionType, unitType=unitType, sysHour=sysHour, dnxFeatureKeyEntry=dnxFeatureKeyEntry, sysDestTsBitmap=sysDestTsBitmap, LinkPortAddress=LinkPortAddress, sysTestMode=sysTestMode, actvPrimaryState=actvPrimaryState, actvConnInstance=actvConnInstance, dnxTrapEnterprise=dnxTrapEnterprise, actvCmdStatus=actvCmdStatus, trapDestMaxRetry=trapDestMaxRetry, trapDestName=trapDestName, connMapVersions=connMapVersions, sysDestTrunkCProfile=sysDestTrunkCProfile, trapDestCfgTrap=trapDestCfgTrap, resourceTable=resourceTable, trapDestAddr=trapDestAddr, clockSrcMode=clockSrcMode, dbBackupMin=dbBackupMin, sysConnEntry=sysConnEntry, TestAccess=TestAccess, trapDestinationEntry=trapDestinationEntry, connMapCounts=connMapCounts, resourceAlarmKey=resourceAlarmKey, sysMgr=sysMgr, sysCmdStatus=sysCmdStatus)
|
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, value_size_constraint, constraints_intersection, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ConstraintsUnion')
(eri_mibs, eri_products) = mibBuilder.importSymbols('ERI-ROOT-SMI', 'eriMibs', 'eriProducts')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(iso, ip_address, unsigned32, gauge32, mib_identifier, notification_type, counter64, module_identity, counter32, object_identity, integer32, bits, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column) = mibBuilder.importSymbols('SNMPv2-SMI', 'iso', 'IpAddress', 'Unsigned32', 'Gauge32', 'MibIdentifier', 'NotificationType', 'Counter64', 'ModuleIdentity', 'Counter32', 'ObjectIdentity', 'Integer32', 'Bits', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
eri_dnx_smc_mib = module_identity((1, 3, 6, 1, 4, 1, 644, 3, 1))
eriDNXSmcMIB.setRevisions(('2003-05-19 00:00', '2003-05-06 00:00', '2003-03-21 00:00', '2003-02-25 00:00', '2003-01-28 00:00', '2003-01-10 00:00', '2003-01-03 00:00', '2002-11-18 00:00', '2002-10-30 00:00', '2002-09-19 00:00', '2002-08-20 00:00', '2002-07-22 00:00', '2002-07-03 00:00', '2002-05-31 00:00', '2002-05-13 00:00', '2002-05-06 00:00', '2002-04-22 00:00', '2002-04-18 00:00', '2002-04-12 00:00', '2002-03-11 00:00', '2001-11-13 00:00', '2001-09-10 00:00', '2001-08-13 00:00', '2001-07-19 00:00', '2001-07-05 00:00', '2001-06-23 00:00', '2001-06-01 00:00', '2001-05-21 00:00', '2001-03-23 00:00', '2001-03-01 00:00', '2001-01-02 00:00', '2000-12-01 00:00', '2000-10-26 00:00', '2000-10-02 00:00', '2000-07-26 00:00', '2000-05-31 00:00', '2000-05-15 00:00', '2000-02-25 00:00', '1999-12-15 00:00', '1999-11-09 00:00', '1998-12-15 00:00'))
if mibBuilder.loadTexts:
eriDNXSmcMIB.setLastUpdated('200305190000Z')
if mibBuilder.loadTexts:
eriDNXSmcMIB.setOrganization('Eastern Research, Inc.')
dnx = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4))
sys_mgr = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1))
devices = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 2))
traps = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 3))
class Dnxresourcetype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 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, 100, 101, 102, 103, 104, 105, 106, 107, 108, 109, 110, 111, 112, 113, 114, 115, 116, 117, 118, 119, 120, 121, 124, 125, 126, 127, 128, 130, 131, 132, 133, 134, 135, 136, 137, 138, 139, 140, 141, 142, 143, 144))
named_values = named_values(('slot', 0), ('deviceOctalE1T1', 1), ('deviceQuadHighSpeed', 2), ('deviceOctalHighSpeed', 3), ('deviceQuadOcu', 4), ('deviceSystemManager', 5), ('deviceQuadT1', 6), ('deviceT3', 7), ('deviceTestAccess', 8), ('deviceVoice', 9), ('deviceVoiceEM', 10), ('deviceVoiceFXO', 11), ('deviceVoiceFXS', 12), ('powerSupply', 14), ('protectionSwitch', 15), ('deviceRouterCard', 16), ('deviceSts1', 17), ('deviceHybridDS3', 18), ('deviceGr303', 19), ('deviceXCC', 20), ('deviceXLC', 21), ('deviceNodeManager', 22), ('nest', 23), ('node', 24), ('deviceDs0DP', 25), ('deviceSTM1', 26), ('deviceOC3', 27), ('deviceE3', 28), ('deviceXLC-T1E1', 29), ('deviceSTM1X', 30), ('deviceOC3X', 31), ('deviceContact', 32), ('deviceVoltage', 33), ('deviceAsync', 34), ('deviceSync', 35), ('deviceWan', 36), ('dnx1UQuadT1E1', 37), ('deviceTempSensor', 38), ('dnx1UPowerSupply', 39), ('dnx1USysMgr', 40), ('deviceTranscoder', 41), ('portOctal-T1E1', 100), ('portQuadHighSpeed', 101), ('portOctalHighSpeed', 102), ('portQuadOcu', 103), ('portQuadT1', 104), ('portOctalT1', 105), ('linkT3-T1', 106), ('portT3', 107), ('portTestAccess', 108), ('portVoiceEM', 109), ('portVoiceFXO', 110), ('portVoiceFXS', 111), ('psxNarrowband', 112), ('psxBroadband', 113), ('psxNarrowbandSpare', 114), ('psxBroadbandSpare', 115), ('portRouter', 116), ('linkSts1-T1E1', 117), ('portSts1', 118), ('linkHds3-T1E1', 119), ('portHybridDS3', 120), ('portGr303', 121), ('linkXlink', 124), ('portDs0DP', 125), ('clockDs0DP', 126), ('sysMgrClock', 127), ('linkSTM1-T1E1', 128), ('linkOC3-T1E1', 130), ('payloadSTM1', 131), ('overheadSTM1', 132), ('payloadOC3', 133), ('overheadOC3', 134), ('portE3', 135), ('linkE3-E1', 136), ('opticalXlink', 137), ('portContact', 138), ('portVoltage', 139), ('portAsync', 140), ('linkT1E1', 141), ('portHighSpeed', 142), ('portVirtualWan', 143), ('portTranscoder', 144))
class Alarmseverity(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4))
named_values = named_values(('nominal', 0), ('informational', 1), ('minor', 2), ('major', 3), ('critical', 4))
class Decisiontype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1))
named_values = named_values(('no', 0), ('yes', 1))
class Functionswitch(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1))
named_values = named_values(('disable', 0), ('enable', 1))
class Currentdevstatus(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1))
named_values = named_values(('inactive', 0), ('active', 1))
class Portstatus(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1))
named_values = named_values(('out-service', 0), ('in-service', 1))
class Dataswitch(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1))
named_values = named_values(('off', 0), ('on', 1))
class Timeslotaddress(TextualConvention, IpAddress):
status = 'current'
class Linkportaddress(TextualConvention, IpAddress):
status = 'current'
class Clocksrcaddress(TextualConvention, IpAddress):
status = 'current'
class Nestslotaddress(TextualConvention, IpAddress):
status = 'current'
class Unsignedint(TextualConvention, Unsigned32):
status = 'current'
class Connectiontype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 7, 8, 9, 10))
named_values = named_values(('fullDuplex', 0), ('broadcastConnection', 1), ('broadcastMaster', 2), ('listenSrc', 3), ('listenDest', 4), ('listenerConnection', 7), ('vcmp', 8), ('subChannel', 9), ('subRate', 10))
class Communicationstype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))
named_values = named_values(('data', 0), ('voice', 1), ('voiceAuToMu', 2), ('comp16kBitGrp1-2', 3), ('comp16kBitGrp3-4', 4), ('comp16kBitGrp5-6', 5), ('comp16kBitGrp7-8', 6), ('comp32kBitGrp1-4', 7), ('comp32kBitGrp5-8', 8))
class Connectionstate1(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1))
named_values = named_values(('inSrvc', 0), ('outOfSrvc', 1))
class Connectionstate2(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3))
named_values = named_values(('ok', 1), ('underTest', 2), ('cfgError', 3))
class Mapnumber(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))
named_values = named_values(('activeMap', 0), ('map01', 1), ('map02', 2), ('map03', 3), ('map04', 4), ('map05', 5))
class Testaccess(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6))
named_values = named_values(('none', 0), ('monitorSrc', 1), ('monitorDest', 2), ('monitorSrcNDest', 3), ('splitSrc', 4), ('splitDest', 5), ('splitSrcNDest', 6))
class Connectionspeed(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 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, 96, 99))
named_values = named_values(('s48k', 0), ('s56k', 1), ('s64k', 2), ('s112k-2x56', 3), ('s128k-2x64', 4), ('s168k-3x56', 5), ('s192k-3x64', 6), ('s224k-4x56', 7), ('s256k-4x64', 8), ('s280k-5x56', 9), ('s320k-5x64', 10), ('s336k-6x56', 11), ('s384k-6x64', 12), ('s392k-7x56', 13), ('s448k-7x64', 14), ('s448k-8x56', 15), ('s512k-8x64', 16), ('s504k-9x56', 17), ('s576k-9x64', 18), ('s560k-10x56', 19), ('s640k-10x64', 20), ('s616k-11x56', 21), ('s704k-11x64', 22), ('s672k-12x56', 23), ('s768k-12x64', 24), ('s728k-13x56', 25), ('s832k-13x64', 26), ('s784k-14x56', 27), ('s896k-14x64', 28), ('s840k-15x56', 29), ('s960k-15x64', 30), ('s896k-16x56', 31), ('s1024k-16x64', 32), ('s952k-17x56', 33), ('s1088k-17x64', 34), ('s1008k-18x56', 35), ('s1152k-18x64', 36), ('s1064k-19x56', 37), ('s1216k-19x64', 38), ('s1120k-20x56', 39), ('s1280k-20x64', 40), ('s1176k-21x56', 41), ('s1344k-21x64', 42), ('s1232k-22x56', 43), ('s1408k-22x64', 44), ('s1288k-23x56', 45), ('s1472k-23x64', 46), ('s1344k-24x56', 47), ('s1536k-24x64', 48), ('s1400k-25x56', 49), ('s1600k-25x64', 50), ('s1456k-26x56', 51), ('s1664k-26x64', 52), ('s1512k-27x56', 53), ('s1728k-27x64', 54), ('s1568k-28x56', 55), ('s1792k-28x64', 56), ('s1624k-29x56', 57), ('s1856k-29x64', 58), ('s1680k-30x56', 59), ('s1920k-30x64', 60), ('s1736k-31x56', 61), ('s1984k-31x64', 62), ('s1792k-32x56', 63), ('s2048k-32x64', 64), ('clearT1-25x64', 65), ('clearE1-32x64', 66), ('s32k', 67), ('s16k', 68), ('s9600-baud', 96), ('no-connection', 99))
class Conncmdstatus(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 101, 102, 103, 104, 105, 106, 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, 450, 500, 501, 502))
named_values = named_values(('ready-for-command', 0), ('update', 1), ('delete', 2), ('add', 3), ('addNsave', 4), ('updateNsave', 5), ('deleteNsave', 6), ('update-successful', 101), ('delete-successful', 102), ('add-successful', 103), ('add-save-successful', 104), ('update-save-successful', 105), ('del-save-successful', 106), ('err-general-connection-error', 400), ('err-src-broadcast-id-not-found', 401), ('err-src-port-in-use', 402), ('err-dest-port-in-use', 403), ('err-conn-name-in-use', 404), ('err-invalid-broadcast-id', 405), ('err-invalid-src-slot', 406), ('err-invalid-src-port', 407), ('err-invalid-src-timeslot', 408), ('err-src-port-bandwidth-exceeded', 409), ('err-invalid-dest-slot', 410), ('err-invalid-dest-port', 411), ('err-invalid-dest-timeslot', 412), ('err-dest-port-bandwidth-exceeded', 413), ('err-invalid-command', 414), ('err-not-enough-bts-available', 415), ('err-src-port-cannot-be-voice', 416), ('err-dest-port-cannot-be-voice', 417), ('err-invalid-communications-dev', 418), ('err-invalid-communications-type', 419), ('err-invalid-conn-name', 420), ('err-invalid-conn-type', 421), ('err-invalid-conn-speed', 422), ('err-invalid-conn-record', 423), ('err-conn-test-in-progress', 424), ('err-invalid-conn-id', 425), ('err-conn-not-saved-to-map', 426), ('err-connection-map-full', 427), ('err-invalid-card-type', 428), ('err-invalid-conn-bit-group', 429), ('err-conn-max-channels-used', 430), ('err-src-xlink-slot-not-assigned', 431), ('err-dest-xlink-slot-not-assigned', 432), ('err-protection-grp-conn-error', 433), ('err-cannot-chg-net-conn', 434), ('err-data-locked-by-another-user', 450), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502))
class Linkcmdstatus(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 7, 9, 12, 101, 107, 109, 112, 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, 450, 500, 501, 502))
named_values = named_values(('ready-for-command', 0), ('update', 1), ('inServiceAll', 7), ('copyToAll', 9), ('outOfServiceAll', 12), ('update-successful', 101), ('insvc-successful', 107), ('copy-successful', 109), ('oos-successful', 112), ('err-general-link-config-error', 400), ('err-invalid-link-status', 401), ('err-invalid-link-framing', 402), ('err-invalid-link-command', 403), ('err-invalid-link-lbo', 404), ('err-invalid-esf-format', 405), ('err-invalid-link-density', 406), ('err-invalid-link-op-mode', 407), ('err-invalid-link-rem-loop', 408), ('err-invalid-link-ais', 409), ('err-invalid-network-loop', 410), ('err-invalid-yellow-alarm', 411), ('err-invalid-red-timeout', 412), ('err-invalid-idle-code', 413), ('err-device-in-standby', 414), ('err-invalid-link-mapping', 415), ('err-invalid-link-vt-group', 416), ('err-invalid-rcv-clocksrc', 417), ('err-invalid-link-name', 418), ('err-invalid-interface', 419), ('err-invalid-polarity', 420), ('err-invalid-clock-timing', 421), ('err-invalid-control-signal', 422), ('err-dcd-dsr-not-applicable', 423), ('err-requires-special-mode', 424), ('err-cts-not-applicable', 425), ('err-gr303-not-applicable', 426), ('err-invalid-link-bits', 427), ('err-device-is-protection-module', 428), ('err-data-locked-by-another-user', 450), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502))
class Onebytefield(TextualConvention, OctetString):
status = 'current'
subtype_spec = OctetString.subtypeSpec + value_size_constraint(1, 1)
fixed_length = 1
class Dnxtsporttype(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))
named_values = named_values(('unknown', 0), ('e1', 1), ('t1', 2), ('high-speed', 3), ('wan', 4), ('e1-cas', 5), ('e1-clear-frm', 6), ('t1-clear-frm', 7), ('e1-clear-unfrm', 8), ('t1-clear-unfrm', 9), ('voice', 10), ('ds0dp', 11), ('ocu', 12), ('tam', 13))
class Dnxtrunkprofselection(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))
named_values = named_values(('none', 0), ('profile-1', 1), ('profile-2', 2), ('profile-3', 3), ('profile-4', 4), ('profile-5', 5), ('profile-6', 6), ('profile-7', 7), ('profile-8', 8), ('profile-9', 9), ('profile-10', 10), ('profile-11', 11), ('profile-12', 12), ('profile-13', 13), ('profile-14', 14), ('profile-15', 15), ('profile-16', 16))
resource_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1))
if mibBuilder.loadTexts:
resourceTable.setStatus('current')
resource_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'resourceKey'))
if mibBuilder.loadTexts:
resourceEntry.setStatus('current')
resource_key = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 1), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceKey.setStatus('current')
resource_addr = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAddr.setStatus('current')
resource_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 3), dnx_resource_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceType.setStatus('current')
resource_state = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 4), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceState.setStatus('current')
resource_critical_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 5), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceCriticalMask.setStatus('current')
resource_major_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 6), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceMajorMask.setStatus('current')
resource_minor_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 7), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceMinorMask.setStatus('current')
resource_info_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 8), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceInfoMask.setStatus('current')
resource_nominal_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 9), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceNominalMask.setStatus('current')
resource_trap_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 1, 1, 10), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceTrapMask.setStatus('current')
resource_alarm_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2))
if mibBuilder.loadTexts:
resourceAlarmTable.setStatus('current')
resource_alarm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'resourceAlarmKey'))
if mibBuilder.loadTexts:
resourceAlarmEntry.setStatus('current')
resource_alarm_key = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 1), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmKey.setStatus('current')
resource_alarm_addr = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmAddr.setStatus('current')
resource_alarm_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 3), dnx_resource_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmType.setStatus('current')
resource_alarm_state = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 4), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmState.setStatus('current')
resource_alarm_critical_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 5), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmCriticalMask.setStatus('current')
resource_alarm_major_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 6), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmMajorMask.setStatus('current')
resource_alarm_minor_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 7), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmMinorMask.setStatus('current')
resource_alarm_info_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 8), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmInfoMask.setStatus('current')
resource_alarm_nominal_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 9), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmNominalMask.setStatus('current')
resource_alarm_trap_mask = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 2, 1, 10), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
resourceAlarmTrapMask.setStatus('current')
sys_profile = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6))
unit_name = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 1), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
unitName.setStatus('current')
unit_type = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('dnx4', 1), ('dnx11', 2), ('dnx11-psx', 3), ('dnx88', 4), ('dnx1U', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
unitType.setStatus('current')
active_smc = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('smc-A', 1), ('smc-B', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeSMC.setStatus('current')
system_release = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 5))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
systemRelease.setStatus('current')
release_date = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 20))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
releaseDate.setStatus('current')
flash_chksum = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 6), display_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
flashChksum.setStatus('current')
xilinx_type = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 7), display_string().subtype(subtypeSpec=value_size_constraint(1, 20))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
xilinxType.setStatus('current')
xilinx_version = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 8), display_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
xilinxVersion.setStatus('current')
rear_modem = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 9), decision_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
rearModem.setStatus('current')
mib_profile = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 10), display_string().subtype(subtypeSpec=value_size_constraint(1, 256))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mibProfile.setStatus('current')
system_mgr_type = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('smc-I', 1), ('smc-II', 2), ('xnm', 3), ('dnx1u-sys', 4)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
systemMgrType.setStatus('current')
sys_alarm_cut_off = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('enabled', 0), ('disabled', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysAlarmCutOff.setStatus('current')
sys_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 13), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysMacAddress.setStatus('current')
sys_sa4_rx_tx_trap = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 0))).clone(namedValues=named_values(('enabled', 1), ('disabled', 0)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysSa4RxTxTrap.setStatus('current')
sys_customer_id = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 15), integer32().subtype(subtypeSpec=value_range_constraint(1, 9999))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysCustomerId.setStatus('current')
sys_mgr_online_time = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 16), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysMgrOnlineTime.setStatus('current')
feature_keys = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100))
dnx_feature_key_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1))
if mibBuilder.loadTexts:
dnxFeatureKeyTable.setStatus('current')
dnx_feature_key_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'featureKeyId'))
if mibBuilder.loadTexts:
dnxFeatureKeyEntry.setStatus('current')
feature_key_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 8))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
featureKeyId.setStatus('current')
feature_key_name = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
featureKeyName.setStatus('current')
feature_key_state = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('noKey', 0), ('active', 1), ('inactive', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
featureKeyState.setStatus('current')
feature_key_cmd_status = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 101, 102, 400, 401, 450, 451, 500, 501, 502))).clone(namedValues=named_values(('ready-for-command', 0), ('update', 1), ('deleteKey', 2), ('update-successful', 101), ('delete-successful', 102), ('err-general-key-config-error', 400), ('err-invalid-state', 401), ('err-data-locked-by-another-user', 450), ('err-invalid-cmd-status', 451), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
featureKeyCmdStatus.setStatus('current')
enter_new_feature_key = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 2))
new_key_code = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 2, 1), display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
newKeyCode.setStatus('current')
new_key_code_cmd_status = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 6, 100, 2, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 101, 402, 450, 451, 500, 501, 502))).clone(namedValues=named_values(('ready-for-command', 0), ('enterKey', 1), ('key-successful', 101), ('err-invalid-key', 402), ('err-data-locked-by-another-user', 450), ('err-invalid-cmd-status', 451), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
newKeyCodeCmdStatus.setStatus('current')
sys_clock = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7))
sys_date_time = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1))
sys_month = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=named_values(('january', 1), ('february', 2), ('march', 3), ('april', 4), ('may', 5), ('june', 6), ('july', 7), ('august', 8), ('september', 9), ('october', 10), ('november', 11), ('december', 12)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysMonth.setStatus('current')
sys_day = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 31))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDay.setStatus('current')
sys_year = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 3), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysYear.setStatus('current')
sys_hour = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 23))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysHour.setStatus('current')
sys_min = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysMin.setStatus('current')
sys_sec = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysSec.setStatus('current')
sys_weekday = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('monday', 1), ('tuesday', 2), ('wednesday', 3), ('thursday', 4), ('friday', 5), ('saturday', 6), ('sunday', 7)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysWeekday.setStatus('current')
sys_time_cmd_status = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 101, 200, 201, 202, 203, 204, 205, 206, 207, 208, 209, 450, 500, 501, 502))).clone(namedValues=named_values(('ready-for-command', 0), ('update-sys-time', 1), ('update-successful', 101), ('err-general-time-date-error', 200), ('err-invalid-day', 201), ('err-invalid-month', 202), ('err-invalid-year', 203), ('err-invalid-hours', 204), ('err-invalid-minutes', 205), ('err-invalid-seconds', 206), ('err-invalid-weekday', 207), ('err-invalid-calendar', 208), ('err-invalid-sys-time-cmd', 209), ('err-data-locked-by-another-user', 450), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysTimeCmdStatus.setStatus('current')
clock_src_config = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2))
clock_src_active = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 6, 7, 8))).clone(namedValues=named_values(('freerun', 0), ('holdover', 1), ('primary', 2), ('secondary', 3), ('tertiary', 4), ('primary-protected', 6), ('secondary-protected', 7), ('tertiary-protected', 8)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
clockSrcActive.setStatus('current')
primary_clock_src = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 2), clock_src_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
primaryClockSrc.setStatus('current')
secondary_clock_src = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 3), clock_src_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
secondaryClockSrc.setStatus('current')
tertiary_clock_src = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 4), clock_src_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
tertiaryClockSrc.setStatus('current')
clock_src_mode = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4))).clone(namedValues=named_values(('freerun', 0), ('auto', 1), ('primary', 2), ('secondary', 3), ('tertiary', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
clockSrcMode.setStatus('current')
clock_src_cmd_status = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 7, 2, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 101, 200, 201, 202, 203, 204, 205, 450, 500, 501, 502))).clone(namedValues=named_values(('ready-for-command', 0), ('update-clock-src', 1), ('update-successful', 101), ('err-gen-clock-src-config-error', 200), ('err-invalid-slot', 201), ('err-invalid-port', 202), ('err-invalid-clock-src-command', 203), ('err-invalid-clock-mode', 204), ('err-invalid-station-clock', 205), ('err-data-locked-by-another-user', 450), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
clockSrcCmdStatus.setStatus('current')
connections = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8))
conn_info = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 1))
active_map_id = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 5))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
activeMapId.setStatus('current')
conn_db_checksum = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 1, 2), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
connDBChecksum.setStatus('current')
last_map_copied = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 5))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
lastMapCopied.setStatus('current')
conn_map_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2))
if mibBuilder.loadTexts:
connMapTable.setStatus('current')
conn_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'connMapID'))
if mibBuilder.loadTexts:
connMapEntry.setStatus('current')
conn_map_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 5))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
connMapID.setStatus('current')
conn_map_name = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 11))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
connMapName.setStatus('current')
conn_map_curr_status = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('active', 1), ('non-active', 2), ('non-active-tagged', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
connMapCurrStatus.setStatus('current')
conn_map_description = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 20))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
connMapDescription.setStatus('current')
conn_map_counts = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
connMapCounts.setStatus('current')
conn_map_versions = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
connMapVersions.setStatus('current')
conn_map_date = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 7), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
connMapDate.setStatus('current')
conn_map_cmd_status = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 7, 8, 9, 100, 101, 102, 107, 108, 109, 200, 202, 203, 204, 205, 450, 500, 501, 502))).clone(namedValues=named_values(('ready-for-command', 0), ('update-map', 1), ('delete-map', 2), ('activate-map', 7), ('save-map', 8), ('copy-map-to-tagged-maps', 9), ('command-in-progress', 100), ('update-successful', 101), ('delete-successful', 102), ('activate-successful', 107), ('save-successful', 108), ('copy-successful', 109), ('err-general-map-config-error', 200), ('err-invalid-map-command', 202), ('err-invalid-map-name', 203), ('err-invalid-map-desc', 204), ('err-invalid-map-status', 205), ('err-data-locked-by-another-user', 450), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
connMapCmdStatus.setStatus('current')
conn_map_checksum = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 2, 1, 9), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
connMapChecksum.setStatus('current')
sys_conn_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3))
if mibBuilder.loadTexts:
sysConnTable.setStatus('current')
sys_conn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'sysMapID'), (0, 'ERI-DNX-SMC-MIB', 'sysConnID'))
if mibBuilder.loadTexts:
sysConnEntry.setStatus('current')
sys_map_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 1), map_number()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysMapID.setStatus('current')
sys_conn_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 16224))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysConnID.setStatus('current')
sys_conn_name = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 19))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysConnName.setStatus('current')
sys_conn_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 4), connection_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysConnType.setStatus('current')
sys_src_addr = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 5), time_slot_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysSrcAddr.setStatus('current')
sys_dest_addr = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 6), time_slot_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysDestAddr.setStatus('current')
sys_comm = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 7), communications_type()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysComm.setStatus('current')
sys_conn_speed = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 8), connection_speed()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysConnSpeed.setStatus('current')
sys_src_ts_bitmap = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 9), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysSrcTsBitmap.setStatus('current')
sys_dest_ts_bitmap = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 10), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDestTsBitmap.setStatus('current')
sys_broad_src_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysBroadSrcId.setStatus('current')
sys_test_mode = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 12), test_access()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysTestMode.setStatus('obsolete')
sys_cmd_status = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 13), conn_cmd_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysCmdStatus.setStatus('current')
sys_primary_state = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 14), connection_state1()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysPrimaryState.setStatus('current')
sys_secondary_state = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 15), connection_state2()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysSecondaryState.setStatus('current')
sys_conn_instance = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysConnInstance.setStatus('current')
sys_conn_checksum = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 17), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysConnChecksum.setStatus('current')
sys_src_ts_line_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 18), dnx_ts_port_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysSrcTsLineType.setStatus('current')
sys_dest_ts_line_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 19), dnx_ts_port_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
sysDestTsLineType.setStatus('current')
sys_src_trunk_c_profile = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 20), dnx_trunk_prof_selection()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysSrcTrunkCProfile.setStatus('current')
sys_dest_trunk_c_profile = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 3, 1, 21), dnx_trunk_prof_selection()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
sysDestTrunkCProfile.setStatus('current')
actv_conn_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4))
if mibBuilder.loadTexts:
actvConnTable.setStatus('current')
actv_conn_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'actvMapID'), (0, 'ERI-DNX-SMC-MIB', 'actvConnID'))
if mibBuilder.loadTexts:
actvConnEntry.setStatus('current')
actv_map_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 1), map_number()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvMapID.setStatus('current')
actv_conn_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 16224))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvConnID.setStatus('current')
actv_conn_name = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 19))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
actvConnName.setStatus('current')
actv_conn_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 4), connection_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvConnType.setStatus('current')
actv_src_addr = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 5), time_slot_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvSrcAddr.setStatus('current')
actv_dest_addr = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 6), time_slot_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvDestAddr.setStatus('current')
actv_comm = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 7), communications_type()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
actvComm.setStatus('current')
actv_conn_speed = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 8), connection_speed()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
actvConnSpeed.setStatus('current')
actv_src_ts_bitmap = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 9), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
actvSrcTsBitmap.setStatus('current')
actv_dest_ts_bitmap = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 10), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
actvDestTsBitmap.setStatus('current')
actv_broad_src_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 11), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvBroadSrcId.setStatus('current')
actv_test_mode = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 12), test_access()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvTestMode.setStatus('obsolete')
actv_cmd_status = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 13), conn_cmd_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
actvCmdStatus.setStatus('current')
actv_primary_state = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 14), connection_state1()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvPrimaryState.setStatus('current')
actv_secondary_state = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 15), connection_state2()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvSecondaryState.setStatus('current')
actv_conn_instance = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 16), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvConnInstance.setStatus('current')
actv_conn_checksum = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 17), unsigned_int()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvConnChecksum.setStatus('current')
actv_src_ts_line_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 18), dnx_ts_port_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvSrcTsLineType.setStatus('current')
actv_dest_ts_line_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 19), dnx_ts_port_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
actvDestTsLineType.setStatus('current')
actv_src_trunk_c_profile = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 20), dnx_trunk_prof_selection()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
actvSrcTrunkCProfile.setStatus('current')
actv_dest_trunk_c_profile = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 4, 1, 21), dnx_trunk_prof_selection()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
actvDestTrunkCProfile.setStatus('current')
add_conn_record = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5))
add_map_id = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 1), map_number()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addMapID.setStatus('current')
add_conn_id = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 16224))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addConnID.setStatus('current')
add_conn_name = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 19))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addConnName.setStatus('current')
add_conn_type = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 4), connection_type()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addConnType.setStatus('current')
add_src_addr = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 5), time_slot_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addSrcAddr.setStatus('current')
add_dest_addr = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 6), time_slot_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addDestAddr.setStatus('current')
add_comm = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 7), communications_type()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addComm.setStatus('current')
add_conn_speed = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 8), connection_speed()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addConnSpeed.setStatus('current')
add_src_ts_bitmap = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 9), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addSrcTsBitmap.setStatus('current')
add_dest_ts_bitmap = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 10), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addDestTsBitmap.setStatus('current')
add_broad_src_id = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 16224))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addBroadSrcId.setStatus('current')
add_test_mode = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 12), test_access()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
addTestMode.setStatus('current')
add_cmd_status = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 13), conn_cmd_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addCmdStatus.setStatus('current')
add_src_trunk_c_profile = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 14), dnx_trunk_prof_selection()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addSrcTrunkCProfile.setStatus('current')
add_dest_trunk_c_profile = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 5, 15), dnx_trunk_prof_selection()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
addDestTrunkCProfile.setStatus('current')
trunk_c_profile_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6))
if mibBuilder.loadTexts:
trunkCProfileTable.setStatus('current')
trunk_c_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'trunkProfileID'))
if mibBuilder.loadTexts:
trunkCProfileEntry.setStatus('current')
trunk_profile_id = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
trunkProfileID.setStatus('current')
trunk_signal_start = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trunkSignalStart.setStatus('current')
trunk_signal_end = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trunkSignalEnd.setStatus('current')
trunk_data = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trunkData.setStatus('current')
trunk_cmd_status = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 8, 6, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 101, 200, 208, 400, 404, 450, 500, 501, 502))).clone(namedValues=named_values(('ready-for-command', 0), ('update', 1), ('update-successful', 101), ('err-general-trunk-error', 200), ('err-invalid-command', 208), ('err-general-config-error', 400), ('err-invalid-trunk-value', 404), ('err-data-locked-by-another-user', 450), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trunkCmdStatus.setStatus('current')
utilities = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12))
database = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1))
db_backup = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1))
db_auto_backup = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 1), decision_type()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbAutoBackup.setStatus('current')
db_backup_occurrence = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('weekly', 0), ('daily', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbBackupOccurrence.setStatus('current')
db_backup_day_of_week = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('monday', 1), ('tuesday', 2), ('wednesday', 3), ('thursday', 4), ('friday', 5), ('saturday', 6), ('sunday', 7)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbBackupDayOfWeek.setStatus('current')
db_backup_hour = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 23))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbBackupHour.setStatus('current')
db_backup_min = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 59))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbBackupMin.setStatus('current')
db_remote_host_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10))
if mibBuilder.loadTexts:
dbRemoteHostTable.setStatus('current')
db_remote_host_table_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'dbHostIndex'))
if mibBuilder.loadTexts:
dbRemoteHostTableEntry.setStatus('current')
db_host_index = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
dbHostIndex.setStatus('current')
db_host_ip = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbHostIp.setStatus('current')
db_host_directory = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 45))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbHostDirectory.setStatus('current')
db_host_filename = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 8))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbHostFilename.setStatus('current')
db_host_cmd_status = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 1, 12, 1, 1, 10, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 8, 9, 11, 100, 101, 102, 108, 109, 111, 200, 201, 202, 203, 204, 210, 211, 450, 500, 501, 502))).clone(namedValues=named_values(('ready-for-command', 0), ('update-host', 1), ('clear-host', 2), ('saveDB', 8), ('saveDBToAll', 9), ('restoreDB', 11), ('command-in-progress', 100), ('update-successful', 101), ('clear-successful', 102), ('save-successful', 108), ('save-all-successful', 109), ('restore-successful', 111), ('err-general-host-config-error', 200), ('err-invalid-host-command', 201), ('err-invalid-host-addr', 202), ('err-invalid-host-name', 203), ('err-invalid-host-dir', 204), ('err-backup-file-creation-failed', 210), ('err-backup-file-transfer-failed', 211), ('err-data-locked-by-another-user', 450), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
dbHostCmdStatus.setStatus('current')
trap_sequence = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
trapSequence.setStatus('current')
trap_resource_key = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 2), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
trapResourceKey.setStatus('current')
trap_time = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 3), display_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
trapTime.setStatus('current')
trap_resource_address = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 4), display_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
trapResourceAddress.setStatus('current')
trap_resource_type = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 5), dnx_resource_type()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
trapResourceType.setStatus('current')
trap_type = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(101, 102, 141, 142, 203, 204, 206, 207, 208, 209, 210, 216, 219, 225, 228, 243, 244, 246, 247, 248, 249, 250, 256, 259, 265, 268, 301, 302, 304, 305, 306, 308, 309, 310, 312, 313, 321, 322, 323, 324, 325, 341, 342, 344, 345, 346, 348, 349, 350, 352, 353, 361, 362, 363, 364, 365, 401, 402, 403, 404, 425, 441, 442, 443, 444, 465, 501, 502, 503, 504, 505, 506, 512, 513, 515, 516, 517, 518, 519, 520, 522, 523, 524, 525, 541, 542, 543, 544, 545, 546, 552, 553, 555, 556, 557, 558, 559, 560, 562, 563, 564, 565, 601, 602, 641, 642, 706, 712, 723, 725, 746, 752, 763, 765, 825, 865, 925, 965, 1003, 1004, 1005, 1006, 1007, 1008, 1043, 1044, 1045, 1046, 1047, 1048, 1102, 1103, 1106, 1107, 1108, 1142, 1143, 1146, 1147, 1148, 1201, 1202, 1203, 1225, 1241, 1242, 1243, 1265, 1301, 1302, 1304, 1305, 1308, 1309, 1310, 1312, 1313, 1316, 1317, 1318, 1320, 1321, 1322, 1323, 1324, 1325, 1341, 1342, 1344, 1345, 1348, 1349, 1350, 1352, 1353, 1356, 1357, 1358, 1360, 1361, 1362, 1363, 1364, 1365, 1404, 1405, 1406, 1408, 1409, 1411, 1412, 1413, 1417, 1418, 1419, 1420, 1421, 1422, 1423, 1424, 1425, 1444, 1445, 1446, 1448, 1449, 1451, 1452, 1453, 1457, 1458, 1459, 1460, 1461, 1462, 1463, 1464, 1465, 1606, 1615, 1616, 1617, 1618, 1620, 1621, 1646, 1655, 1656, 1657, 1658, 1660, 1661, 1701, 1702, 1705, 1706, 1707, 1708, 1709, 1741, 1742, 1745, 1746, 1747, 1748, 1749, 1801, 1802, 1803, 1841, 1842, 1843, 1901, 1902, 1925), single_value_constraint(1941, 1942, 1965, 2001, 2002, 2041, 2042, 2201, 2202, 2204, 2205, 2208, 2209, 2210, 2213, 2217, 2218, 2219, 2220, 2221, 2222, 2223, 2224, 2225, 2241, 2242, 2244, 2245, 2248, 2249, 2250, 2253, 2257, 2258, 2259, 2260, 2261, 2262, 2263, 2264, 2265, 2301, 2302, 2303, 2304, 2305, 2341, 2342, 2343, 2344, 2345, 2401, 2402, 2403, 2404, 2405, 2413, 2414, 2415, 2441, 2442, 2443, 2444, 2445, 2453, 2454, 2455, 2501, 2502, 2504, 2505, 2506, 2512, 2513, 2515, 2516, 2517, 2519, 2520, 2523, 2525, 2541, 2542, 2544, 2545, 2546, 2552, 2553, 2555, 2556, 2557, 2559, 2560, 2563, 2565, 2601, 2625, 2641, 2665, 2701, 2725, 2741, 2765, 2801, 2802, 2803, 2804, 2805, 2841, 2842, 2843, 2844, 2845, 2901, 2941, 3001, 3025, 3041, 3065, 3108, 3109, 3110, 3119, 3125, 3148, 3149, 3159, 3150, 3165, 1, 2, 201, 202, 231, 241, 242, 271, 303, 307, 314, 316, 330, 331, 343, 347, 354, 356, 370, 371, 407, 424, 430, 431, 447, 464, 470, 471, 507, 514, 530, 531, 547, 554, 570, 571, 731, 771, 831, 871, 931, 971, 1001, 1009, 1014, 1015, 1016, 1017, 1018, 1019, 1020, 1021, 1022, 1023, 1024, 1054, 1055, 1056, 1057, 1058, 1059, 1060, 1061, 1062, 1063, 1064, 1231, 1271, 1303, 1307, 1314, 1330, 1331, 1343, 1347, 1354, 1370, 1371, 1403, 1407, 1414, 1430, 1431, 1443, 1447, 1454, 1470, 1471, 1531, 1571, 1930, 1931, 1970, 1971, 2203, 2207, 2216, 2230, 2231, 2243, 2247, 2256, 2270, 2271, 2307, 2308, 2330, 2347, 2348, 2370, 2407, 2408, 2409, 2430, 2447, 2448, 2449, 2470, 2503, 2507, 2514, 2530, 2531, 2543, 2547, 2554), single_value_constraint(2570, 2571, 3116, 3156))).clone(namedValues=named_values(('setSlotMismatch', 101), ('setSlotMissing', 102), ('clearSlotMismatch', 141), ('clearSlotMissing', 142), ('setDevFrameSyncNotPresent', 203), ('setDevSystemClockNotPresent', 204), ('setDevDataBaseNotInsync', 206), ('setDevFreeRunError', 207), ('setDevOffline', 208), ('setDevDefective', 209), ('setDevBusError', 210), ('setDevStratum3ClkFailure', 216), ('setDevCircuitCardMissing', 219), ('setDevConfigError', 225), ('setDevNoRearCard', 228), ('clearDevFrameSyncNotPresent', 243), ('clearDevSystemClockNotPresent', 244), ('clearDevDataBaseNotInsync', 246), ('clearDevFreeRunError', 247), ('clearDevOffline', 248), ('clearDevDefective', 249), ('clearDevBusError', 250), ('clearDevStratum3ClkFailure', 256), ('clearDevCircuitCardMissing', 259), ('clearDevConfigError', 265), ('clearDevNoRearCard', 268), ('setT1E1RcvFarEndLOF', 301), ('setT1E1NearEndSendLOF', 302), ('setT1E1NearEndSendingAIS', 304), ('setT1E1NearEndLOF', 305), ('setT1E1NearEndLossOfSignal', 306), ('setT1E1Ts16AIS', 308), ('setT1E1FarEndSendingTs16LOMF', 309), ('setT1E1NearEndSendingTs16LOMF', 310), ('setT1E1OtherLineStatus', 312), ('setT1E1NearEndUnavailableSig', 313), ('setT1E1NearEndTxSlip', 321), ('setT1E1NearEndRxSlip', 322), ('setT1E1NearEndSeverErroredFrame', 323), ('setT1E1ChangeFrameAlignment', 324), ('setT1E1ConfigError', 325), ('clearT1E1RcvFarEndLOF', 341), ('clearT1E1NearEndSendLOF', 342), ('clearT1E1NearEndSendingAIS', 344), ('clearT1E1NearEndLOF', 345), ('clearT1E1NearEndLossOfSignal', 346), ('clearT1E1Ts16AIS', 348), ('clearT1E1FarEndSendingTs16LOMF', 349), ('clearT1E1NearEndSendingTs16LOMF', 350), ('clearT1E1OtherLineStatus', 352), ('clearT1E1NearEndUnavailableSig', 353), ('clearT1E1NearEndTxSlip', 361), ('clearT1E1NearEndRxSlip', 362), ('clearT1E1NearEndSeverErroredFrame', 363), ('clearT1E1ChangeFrameAlignment', 364), ('clearT1E1ConfigError', 365), ('setHsRcvFIFOError', 401), ('setHsXmtFIFOError', 402), ('setHsClockEdgeError', 403), ('setHsCarrierFailure', 404), ('setHsConfigError', 425), ('clearHsRcvFIFOError', 441), ('clearHsXmtFIFOError', 442), ('clearHsClockEdgeError', 443), ('clearHsCarrierFailure', 444), ('clearHsConfigError', 465), ('setT3RcvFarEndLOF', 501), ('setT3NearEndSendLOF', 502), ('setT3FarEndSendingAIS', 503), ('setT3NearEndSendingAIS', 504), ('setT3NearEndLOF', 505), ('setT3NearEndLossOfSignal', 506), ('setT3OtherLineStatus', 512), ('setT3NearEndUnavailableSig', 513), ('setT3NearEndSeverErroredFrame', 515), ('setT3TxRxClockFailure', 516), ('setT3FarEndBlockError', 517), ('setT3PbitCbitParityError', 518), ('setT3MbitsInError', 519), ('setT3LIUOtherStatus', 520), ('setT3LIUExcessZeros', 522), ('setT3LIUCodingViolation', 523), ('setT3LIUPrbsError', 524), ('setT3ConfigError', 525), ('clearT3RcvFarEndLOF', 541), ('clearT3NearEndSendLOF', 542), ('clearT3FarEndSendingAIS', 543), ('clearT3NearEndSendingAIS', 544), ('clearT3NearEndLOF', 545), ('clearT3NearEndLossOfSignal', 546), ('clearT3OtherLineStatus', 552), ('clearT3NearEndUnavailableSig', 553), ('clearT3NearEndSeverErroredFrame', 555), ('clearT3TxRxClockFailure', 556), ('clearT3FarEndBlockError', 557), ('clearT3PbitCbitParityError', 558), ('clearT3MbitsInError', 559), ('clearT3LIUOtherStatus', 560), ('clearT3LIUExcessZeros', 562), ('clearT3LIUCodingViolation', 563), ('clearT3LIUPrbsError', 564), ('clearT3ConfigError', 565), ('setPowerSupplyNotPresent', 601), ('setPowerSupplyProblem', 602), ('clearPowerSupplyNotPresent', 641), ('clearPowerSupplyProblem', 642), ('setOcuNearEndLOS', 706), ('setOcuOtherLineStatus', 712), ('setOcuNearEndSeverErroredFrame', 723), ('setOcuConfigError', 725), ('clearOcuNearEndLOS', 746), ('clearOcuOtherLineStatus', 752), ('clearOcuNearEndSeverErroredFrame', 763), ('clearOcuConfigError', 765), ('setTamConfigError', 825), ('clearTamConfigError', 865), ('setVoiceConfigError', 925), ('clearVoiceConfigError', 965), ('setPsxPowerSupplyANotOk', 1003), ('setPsxPowerSupplyBNotOk', 1004), ('setPsxFan01NotOk', 1005), ('setPsxFan02NotOk', 1006), ('setPsxFan03NotOk', 1007), ('setPsxDualBroadbandNotSupported', 1008), ('clearPsxPowerSupplyANotOk', 1043), ('clearPsxPowerSupplyBNotOk', 1044), ('clearPsxFan01NotOk', 1045), ('clearPsxFan02NotOk', 1046), ('clearPsxFan03NotOk', 1047), ('clearPsxDualBroadbandNotSupported', 1048), ('setPsxLineCardRelaySwitchToSpare', 1102), ('setPsxLineCardCableMissing', 1103), ('setPsxLineCardMissing', 1106), ('setPsxLineCardMismatch', 1107), ('setPsxLineCardRelayMalfunction', 1108), ('clearPsxLineCardRelaySwitchToSpare', 1142), ('clearPsxLineCardCableMissing', 1143), ('clearPsxLineCardMissing', 1146), ('clearPsxLineCardMismatch', 1147), ('clearPsxLineCardRelayMalfunction', 1148), ('setRtrUserAlarm1', 1201), ('setRtrUserAlarm2', 1202), ('setRtrUserAlarm3', 1203), ('setRtrConfigError', 1225), ('clearRtrUserAlarm1', 1241), ('clearRtrUserAlarm2', 1242), ('clearRtrUserAlarm3', 1243), ('clearRtrConfigError', 1265), ('setSts1RcvFarEndLOF', 1301), ('setSts1NearEndSendLOF', 1302), ('setSts1NearEndSendingAIS', 1304), ('setSts1NearEndLOF', 1305), ('setSts1NearEndLOP', 1308), ('setSts1NearEndOOF', 1309), ('setSts1NearEndAIS', 1310), ('setSts1OtherLineStatus', 1312), ('setSts1NearEndUnavailableSig', 1313), ('setSts1TxRxClockFailure', 1316), ('setSts1NearEndLOMF', 1317), ('setSts1NearEndTraceError', 1318), ('setSts1LIUDigitalLOS', 1320), ('setSts1LIUAnalogLOS', 1321), ('setSts1LIUExcessZeros', 1322), ('setSts1LIUCodingViolation', 1323), ('setSts1LIUPrbsError', 1324), ('setSts1ConfigError', 1325), ('clearSts1RcvFarEndLOF', 1341), ('clearSts1NearEndSendLOF', 1342), ('clearSts1NearEndSendingAIS', 1344), ('clearSts1NearEndLOF', 1345), ('clearSts1NearEndLOP', 1348), ('clearSts1NearEndOOF', 1349), ('clearSts1NearEndAIS', 1350), ('clearSts1OtherLineStatus', 1352), ('clearSts1NearEndUnavailableSig', 1353), ('clearSts1TxRxClockFailure', 1356), ('clearSts1NearEndLOMF', 1357), ('clearSts1NearEndTraceError', 1358), ('clearSts1LIUDigitalLOS', 1360), ('clearSts1LIUAnalogLOS', 1361), ('clearSts1LIUExcessZeros', 1362), ('clearSts1LIUCodingViolation', 1363), ('clearSts1LIUPrbsError', 1364), ('clearSts1ConfigError', 1365), ('setHt3NearEndSendingAIS', 1404), ('setHt3NearEndOOF', 1405), ('setHt3NearEndLossOfSignal', 1406), ('setHt3NearEndLOF', 1408), ('setHt3FarEndRcvFailure', 1409), ('setHt3NearEndLCVError', 1411), ('setHt3NearEndFERRError', 1412), ('setHt3NearEndExcessZeros', 1413), ('setHt3FarEndBlockError', 1417), ('setHt3PbitCbitParityError', 1418), ('setHt3ChangeInFrameAlignment', 1419), ('setHt3LIUDigitalLOS', 1420), ('setHt3LIUAnalogLOS', 1421), ('setHt3LIUExcessZeros', 1422), ('setHt3LIUCodingViolation', 1423), ('setHt3LIUPrbsError', 1424), ('setHt3ConfigError', 1425), ('clearHt3NearEndSendingAIS', 1444), ('clearHt3NearEndOOF', 1445), ('clearHt3NearEndLossOfSignal', 1446), ('clearHt3NearEndLOF', 1448), ('clearHt3FarEndRcvFailure', 1449), ('clearHt3NearEndLCVError', 1451), ('clearHt3NearEndFERRError', 1452), ('clearHt3NearEndExcessZeros', 1453), ('clearHt3FarEndBlockError', 1457), ('clearHt3PbitCbitParityError', 1458), ('clearHt3ChangeInFrameAlignment', 1459), ('clearHt3LIUDigitalLOS', 1460), ('clearHt3LIUAnalogLOS', 1461), ('clearHt3LIUExcessZeros', 1462), ('clearHt3LIUCodingViolation', 1463), ('clearHt3LIUPrbsError', 1464), ('clearHt3ConfigError', 1465), ('setXlinkCableMismatch', 1606), ('setXlinkSerializerError', 1615), ('setXlinkFramerError', 1616), ('setXlinkBertError', 1617), ('setXlinkClockError', 1618), ('setXlinkInUseError', 1620), ('setXlinkCrcError', 1621), ('clearXlinkCableMismatch', 1646), ('clearXlinkSerializerError', 1655), ('clearXlinkFramerError', 1656), ('clearXlinkBertError', 1657), ('clearXlinkClockError', 1658), ('clearXlinkInUseError', 1660), ('clearXlinkCrcError', 1661), ('setNestMismatch', 1701), ('setNestMissing', 1702), ('setNestOffline', 1705), ('setNestCriticalAlarm', 1706), ('setNestMajorAlarm', 1707), ('setNestMinorAlarm', 1708), ('setNestSwMismatch', 1709), ('clearNestMismatch', 1741), ('clearNestMissing', 1742), ('clearNestOffline', 1745), ('clearNestCriticalAlarm', 1746), ('clearNestMajorAlarm', 1747), ('clearNestMinorAlarm', 1748), ('clearNestSwMismatch', 1749), ('setNodeCriticalAlarm', 1801), ('setNodeMajorAlarm', 1802), ('setNodeMinorAlarm', 1803), ('clearNodeCriticalAlarm', 1841), ('clearNodeMajorAlarm', 1842), ('clearNodeMinorAlarm', 1843), ('setDs0DpPortLossOfSignal', 1901), ('setDs0DpPortBPV', 1902), ('setDs0DpPortConfigError', 1925)) + named_values(('clearDs0DpPortLossOfSignal', 1941), ('clearDs0DpPortBPV', 1942), ('clearDs0DpPortConfigError', 1965), ('setDs0DpClockLossOfSignal', 2001), ('setDs0DpClockBPV', 2002), ('clearDs0DpClockLossOfSignal', 2041), ('clearDs0DpClockBPV', 2042), ('setOpticalT1E1RedAlarm', 2201), ('setOpticalT1E1NearEndSendLOF', 2202), ('setOpticalT1E1NearEndSendingAIS', 2204), ('setOpticalT1E1NearEndLOF', 2205), ('setOpticalT1E1LossOfPointer', 2208), ('setOpticalT1E1OutOfFrame', 2209), ('setOpticalT1E1DetectedAIS', 2210), ('setOpticalT1E1NearEndLOS', 2213), ('setOpticalT1E1RcvFarEndYellow', 2217), ('setOpticalT1E1NearEndSEF', 2218), ('setOpticalT1E1Tug2LOP', 2219), ('setOpticalT1E1Tug2RDI', 2220), ('setOpticalT1E1Tug2RFI', 2221), ('setOpticalT1E1Tug2AIS', 2222), ('setOpticalT1E1Tug2PSLM', 2223), ('setOpticalT1E1Tug2PSLU', 2224), ('setOpticalT1E1ConfigError', 2225), ('clearOpticalT1E1RedAlarm', 2241), ('clearOpticalT1E1NearEndSendLOF', 2242), ('clearOpticalT1E1NearEndSendingAIS', 2244), ('clearOpticalT1E1NearEndLOF', 2245), ('clearOpticalT1E1LossOfPointer', 2248), ('clearOpticalT1E1OutOfFrame', 2249), ('clearOpticalT1E1DetectedAIS', 2250), ('clearOpticalT1E1NearEndLOS', 2253), ('clearOpticalT1E1RcvFarEndYellow', 2257), ('clearOpticalT1E1NearEndSEF', 2258), ('clearOpticalT1E1Tug2LOP', 2259), ('clearOpticalT1E1Tug2RDI', 2260), ('clearOpticalT1E1Tug2RFI', 2261), ('clearOpticalT1E1Tug2AIS', 2262), ('clearOpticalT1E1Tug2PSLM', 2263), ('clearOpticalT1E1Tug2PSLU', 2264), ('clearOpticalT1E1ConfigError', 2265), ('setVtNearEndLOP', 2301), ('setVtNearEndAIS', 2302), ('setPayloadPathLOP', 2303), ('setPayloadPathAIS', 2304), ('setPayloadPathRDI', 2305), ('clearVtNearEndLOP', 2341), ('clearVtNearEndAIS', 2342), ('clearPayloadPathLOP', 2343), ('clearPayloadPathAIS', 2344), ('clearPayloadPathRDI', 2345), ('setTransOverheadAIS', 2401), ('setTransOverheadRDI', 2402), ('setTransOverheadOOF', 2403), ('setTransOverheadLOF', 2404), ('setTransOverheadLOS', 2405), ('setTransOverheadSfDetect', 2413), ('setTransOverheadSdDetect', 2414), ('setTransOverheadLaserOffDetect', 2415), ('clearTransOverheadAIS', 2441), ('clearTransOverheadRDI', 2442), ('clearTransOverheadOOF', 2443), ('clearTransOverheadLOF', 2444), ('clearTransOverheadLOS', 2445), ('clearTransOverheadSfDetect', 2453), ('clearTransOverheadSdDetect', 2454), ('clearTransOverheadLaserOffDetect', 2455), ('setE3RcvFarEndLOF', 2501), ('setE3NearEndSendLOF', 2502), ('setE3NearEndSendingAIS', 2504), ('setE3NearEndLOF', 2505), ('setE3NearEndLossOfSignal', 2506), ('setE3OtherLineStatus', 2512), ('setE3NearEndUnavailableSig', 2513), ('setE3NearEndSeverErroredFrame', 2515), ('setE3TxRxClockFailure', 2516), ('setE3FarEndBlockError', 2517), ('setE3MbitsInError', 2519), ('setE3LIUOtherStatus', 2520), ('setE3LIUCodingViolation', 2523), ('setE3ConfigError', 2525), ('clearE3RcvFarEndLOF', 2541), ('clearE3NearEndSendLOF', 2542), ('clearE3NearEndSendingAIS', 2544), ('clearE3NearEndLOF', 2545), ('clearE3NearEndLossOfSignal', 2546), ('clearE3OtherLineStatus', 2552), ('clearE3NearEndUnavailableSig', 2553), ('clearE3NearEndSeverErroredFrame', 2555), ('clearE3TxRxClockFailure', 2556), ('clearE3FarEndBlockError', 2557), ('clearE3MbitsInError', 2559), ('clearE3LIUOtherStatus', 2560), ('clearE3LIUCodingViolation', 2563), ('clearE3ConfigError', 2565), ('setContactClosureInputAlarm', 2601), ('setContactClosureCfgError', 2625), ('clearContactClosureInputAlarm', 2641), ('clearContactClosureCfgError', 2665), ('setVoltMeasureAlarm', 2701), ('setVoltMeasureCfgError', 2725), ('clearVoltMeasureAlarm', 2741), ('clearVoltMeasureCfgError', 2765), ('setAsyncRxFifoError', 2801), ('setAsyncTxFifoError', 2802), ('setAsyncOverrunError', 2803), ('setAsyncParityError', 2804), ('setAsyncFramingError', 2805), ('clearAsyncRxFifoError', 2841), ('clearAsyncTxFifoError', 2842), ('clearAsyncOverrunError', 2843), ('clearAsyncParityError', 2844), ('clearAsyncFramingError', 2845), ('setTempSensorOutOfRange', 2901), ('clearTempSensorOutOfRange', 2941), ('setVWanError', 3001), ('setVWanCfgError', 3025), ('clearVWanError', 3041), ('clearVWanCfgError', 3065), ('set1uPowerSupplyOffline', 3108), ('set1uPowerSupplyDefective', 3109), ('set1uPowerSupplyFanFailure', 3110), ('set1uPowerSupplyCircuitMissing', 3119), ('set1uPowerSupplyCfgMismatch', 3125), ('clear1uPowerSupplyOffline', 3148), ('clear1uPowerSupplyDefective', 3149), ('clear1uPowerSupplyCircuitMissing', 3159), ('clear1uPowerSupplyFanFailure', 3150), ('clear1uPowerSupplyCfgMismatch', 3165), ('evntDevColdStart', 1), ('evntDevWarmStart', 2), ('evntDevOnline', 201), ('evntDevStandby', 202), ('evntDevOutOfService', 231), ('evntDevNotOnline', 241), ('evntDevNotStandby', 242), ('evntDevInService', 271), ('evntT1E1RcvingAIS', 303), ('evntT1E1NearEndLooped', 307), ('evntT1E1CarrierEquipOutOfService', 314), ('evntE1NationalSa4TxRxSame', 316), ('evntT1E1InTest', 330), ('evntT1E1OutOfService', 331), ('evntT1E1StoppedRcvingAIS', 343), ('evntT1E1NearEndLoopOff', 347), ('evntT1E1CarrierEquipInService', 354), ('evntE1NationalSa4TxRxDiff', 356), ('evntT1E1TestOff', 370), ('evntT1E1InService', 371), ('evntHsNearEndLooped', 407), ('evntHsNoBtsAssigned', 424), ('evntHsInTest', 430), ('evntHsOutOfService', 431), ('evntHsNearEndLoopOff', 447), ('evntHsBtsAssigned', 464), ('evntHsTestOff', 470), ('evntHsInService', 471), ('evntT3NearEndLooped', 507), ('evntT3CarrierEquipOutOfService', 514), ('evntT3InTest', 530), ('evntT3OutOfService', 531), ('evntT3NearEndLoopOff', 547), ('evntT3CarrierEquipInService', 554), ('evntT3TestOff', 570), ('evntT3InService', 571), ('evntOcuOutOfService', 731), ('evntOcuInService', 771), ('evntTamOutOfService', 831), ('evntTamInService', 871), ('evntVoiceOutOfService', 931), ('evntVoiceInService', 971), ('evntPsxDevOnline', 1001), ('evntPsxNewControllerRev', 1009), ('evntPsxLineCard01Missing', 1014), ('evntPsxLineCard02Missing', 1015), ('evntPsxLineCard03Missing', 1016), ('evntPsxLineCard04Missing', 1017), ('evntPsxLineCard05Missing', 1018), ('evntPsxLineCard06Missing', 1019), ('evntPsxLineCard07Missing', 1020), ('evntPsxLineCard08Missing', 1021), ('evntPsxLineCard09Missing', 1022), ('evntPsxLineCard10Missing', 1023), ('evntPsxLineCard11Missing', 1024), ('evntPsxLineCard01Present', 1054), ('evntPsxLineCard02Present', 1055), ('evntPsxLineCard03Present', 1056), ('evntPsxLineCard04Present', 1057), ('evntPsxLineCard05Present', 1058), ('evntPsxLineCard06Present', 1059), ('evntPsxLineCard07Present', 1060), ('evntPsxLineCard08Present', 1061), ('evntPsxLineCard09Present', 1062), ('evntPsxLineCard10Present', 1063), ('evntPsxLineCard11Present', 1064), ('evntRtrOutOfService', 1231), ('evntRtrInService', 1271), ('evntSts1RcvingAIS', 1303), ('evntSts1NearEndLooped', 1307), ('evntSts1CarrierEquipOutOfService', 1314), ('evntSts1InTest', 1330), ('evntSts1OutOfService', 1331), ('evntSts1StoppedRcvingAIS', 1343), ('evntSts1NearEndLoopOff', 1347), ('evntSts1CarrierEquipInService', 1354), ('evntSts1TestOff', 1370), ('evntSts1InService', 1371), ('evntHt3RcvingAIS', 1403), ('evntHt3NearEndLooped', 1407), ('evntHt3CarrierEquipOutOfService', 1414), ('evntHt3InTest', 1430), ('evntHt3OutOfService', 1431), ('evntHt3StoppedRcvingAIS', 1443), ('evntHt3NearEndLoopOff', 1447), ('evntHt3CarrierEquipInService', 1454), ('evntHt3TestOff', 1470), ('evntHt3InService', 1471), ('evntGr303OutOfService', 1531), ('evntGr303InService', 1571), ('evntDs0DpPortInTest', 1930), ('evntDs0DpPortOutOfService', 1931), ('evntDs0DpPortTestOff', 1970), ('evntDs0DpPortInService', 1971), ('evntOpticalT1E1RcvingAIS', 2203), ('evntOpticalT1E1NearEndLooped', 2207), ('evntOpticalE1NationalSa4TxRxSame', 2216), ('evntOpticalT1E1InTest', 2230), ('evntOpticalT1E1OutOfService', 2231), ('evntOpticalT1E1StoppedRcvingAIS', 2243), ('evntOpticalT1E1NearEndLoopOff', 2247), ('evntOpticalE1NationalSa4TxRxDiff', 2256), ('evntOpticalT1E1TestOff', 2270), ('evntOpticalT1E1InService', 2271), ('evntPayloadNearEndLineLooped', 2307), ('evntPayloadNearEndLocalLooped', 2308), ('evntPayloadInTest', 2330), ('evntPayloadNearEndLineLoopOff', 2347), ('evntPayloadNearEndLocalLoopOff', 2348), ('evntPayloadTestOff', 2370), ('evntTransOverheadNearEndSysLineLooped', 2407), ('evntTransOverheadNearEndPathLineLooped', 2408), ('evntTransOverheadNearEndLocalLooped', 2409), ('evntTransOverheadInTest', 2430), ('evntTransOverheadNearEndSysLineLoopOff', 2447), ('evntTransOverheadNearEndPathLineLoopOff', 2448), ('evntTransOverheadNearEndLocalLoopOff', 2449), ('evntTransOverheadTestOff', 2470), ('evntE3RcvingAIS', 2503), ('evntE3NearEndLooped', 2507), ('evntE3CarrierEquipOutOfService', 2514), ('evntE3InTest', 2530), ('evntE3OutOfService', 2531), ('evntE3StoppedRcvingAIS', 2543), ('evntE3NearEndLoopOff', 2547), ('evntE3CarrierEquipInService', 2554)) + named_values(('evntE3TestOff', 2570), ('evntE3InService', 2571), ('evnt1uPowerSupplyFanOn', 3116), ('evnt1uPowerSupplyFanOff', 3156)))).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
trapType.setStatus('current')
trap_state = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 7), integer32()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
trapState.setStatus('current')
trap_severity = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 8), alarm_severity()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
trapSeverity.setStatus('current')
trap_sys_event = mib_scalar((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 9), display_string()).setMaxAccess('accessiblefornotify')
if mibBuilder.loadTexts:
trapSysEvent.setStatus('current')
trap_cfg = mib_identifier((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20))
trap_destination_table = mib_table((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1))
if mibBuilder.loadTexts:
trapDestinationTable.setStatus('current')
trap_destination_entry = mib_table_row((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1)).setIndexNames((0, 'ERI-DNX-SMC-MIB', 'trapDestAddr'))
if mibBuilder.loadTexts:
trapDestinationEntry.setStatus('current')
trap_dest_addr = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 1), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestAddr.setStatus('current')
trap_dest_name = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 35))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestName.setStatus('current')
trap_dest_cmd_status = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 101, 102, 103, 200, 201, 202, 203, 204, 205, 206, 450, 500, 501, 502))).clone(namedValues=named_values(('ready-for-command', 0), ('update-trap-dest', 1), ('delete-trap-dest', 2), ('create-trap-dest', 3), ('update-successful', 101), ('delete-successful', 102), ('create-successful', 103), ('err-general-trap-dest-cfg-error', 200), ('err-invalid-trap-dest-addr', 201), ('err-invalid-trap-dest-cmd', 202), ('err-invalid-trap-dest-name', 203), ('err-invalid-trap-dest-pdu', 204), ('err-invalid-trap-dest-retry', 205), ('err-invalid-trap-dest-tmout', 206), ('err-data-locked-by-another-user', 450), ('err-snmp-parse-failed', 500), ('err-invalid-snmp-type', 501), ('err-invalid-snmp-var-size', 502)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestCmdStatus.setStatus('current')
trap_dest_pdu_type = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('v1Trap', 0), ('v2Trap', 1), ('inform', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestPduType.setStatus('current')
trap_dest_max_retry = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 10))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestMaxRetry.setStatus('current')
trap_dest_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 644, 2, 4, 3, 20, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 5, 10, 15, 20))).clone(namedValues=named_values(('none', 0), ('secs-5', 5), ('secs-10', 10), ('secs-15', 15), ('secs-20', 20)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
trapDestTimeout.setStatus('current')
eri_trap_enterprise = object_identity((1, 3, 6, 1, 4, 1, 644, 2, 0))
if mibBuilder.loadTexts:
eriTrapEnterprise.setStatus('current')
alarm_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 0, 1)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'trapResourceKey'), ('ERI-DNX-SMC-MIB', 'trapTime'), ('ERI-DNX-SMC-MIB', 'trapResourceAddress'), ('ERI-DNX-SMC-MIB', 'trapResourceType'), ('ERI-DNX-SMC-MIB', 'trapType'), ('ERI-DNX-SMC-MIB', 'trapState'), ('ERI-DNX-SMC-MIB', 'trapSeverity'))
if mibBuilder.loadTexts:
alarmTrap.setStatus('current')
delete_resource_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 0, 2)).setObjects(('ERI-DNX-SMC-MIB', 'resourceKey'), ('ERI-DNX-SMC-MIB', 'trapSequence'))
if mibBuilder.loadTexts:
deleteResourceTrap.setStatus('current')
dnx_trap_enterprise = object_identity((1, 3, 6, 1, 4, 1, 644, 2, 4, 0))
if mibBuilder.loadTexts:
dnxTrapEnterprise.setStatus('current')
connection_event_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 3)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'sysMapID'), ('ERI-DNX-SMC-MIB', 'sysConnID'), ('ERI-DNX-SMC-MIB', 'sysCmdStatus'))
if mibBuilder.loadTexts:
connectionEventTrap.setStatus('current')
conn_map_mgr_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 4)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'connMapID'), ('ERI-DNX-SMC-MIB', 'connMapCmdStatus'))
if mibBuilder.loadTexts:
connMapMgrTrap.setStatus('current')
conn_map_copy_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 6)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'lastMapCopied'), ('ERI-DNX-SMC-MIB', 'connMapID'))
if mibBuilder.loadTexts:
connMapCopyTrap.setStatus('current')
bulk_conn_purge_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 7)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'resourceKey'), ('ERI-DNX-SMC-MIB', 'connMapID'), ('ERI-DNX-SMC-MIB', 'connMapCounts'))
if mibBuilder.loadTexts:
bulkConnPurgeTrap.setStatus('current')
clock_src_chg_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 10)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'clockSrcActive'), ('ERI-DNX-SMC-MIB', 'primaryClockSrc'), ('ERI-DNX-SMC-MIB', 'secondaryClockSrc'), ('ERI-DNX-SMC-MIB', 'tertiaryClockSrc'), ('ERI-DNX-SMC-MIB', 'clockSrcCmdStatus'))
if mibBuilder.loadTexts:
clockSrcChgTrap.setStatus('current')
trunk_cond_prof_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 13)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'trunkProfileID'), ('ERI-DNX-SMC-MIB', 'trunkCmdStatus'))
if mibBuilder.loadTexts:
trunkCondProfTrap.setStatus('current')
system_event_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 14)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'trapSysEvent'), ('ERI-DNX-SMC-MIB', 'trapSeverity'))
if mibBuilder.loadTexts:
systemEventTrap.setStatus('current')
trap_dest_cfg_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 15)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'trapDestAddr'), ('ERI-DNX-SMC-MIB', 'trapDestCmdStatus'))
if mibBuilder.loadTexts:
trapDestCfgTrap.setStatus('current')
feature_key_cfg_trap = notification_type((1, 3, 6, 1, 4, 1, 644, 2, 4, 0, 16)).setObjects(('ERI-DNX-SMC-MIB', 'trapSequence'), ('ERI-DNX-SMC-MIB', 'featureKeyName'), ('ERI-DNX-SMC-MIB', 'featureKeyState'), ('ERI-DNX-SMC-MIB', 'featureKeyCmdStatus'))
if mibBuilder.loadTexts:
featureKeyCfgTrap.setStatus('current')
mibBuilder.exportSymbols('ERI-DNX-SMC-MIB', trunkCondProfTrap=trunkCondProfTrap, resourceCriticalMask=resourceCriticalMask, sysSrcTrunkCProfile=sysSrcTrunkCProfile, resourceKey=resourceKey, resourceAlarmTable=resourceAlarmTable, lastMapCopied=lastMapCopied, trapCfg=trapCfg, PYSNMP_MODULE_ID=eriDNXSmcMIB, dbHostFilename=dbHostFilename, connMapCurrStatus=connMapCurrStatus, addConnRecord=addConnRecord, trunkCProfileEntry=trunkCProfileEntry, sysConnType=sysConnType, enterNewFeatureKey=enterNewFeatureKey, trapDestinationTable=trapDestinationTable, dbRemoteHostTableEntry=dbRemoteHostTableEntry, deleteResourceTrap=deleteResourceTrap, sysProfile=sysProfile, activeMapId=activeMapId, eriDNXSmcMIB=eriDNXSmcMIB, sysConnTable=sysConnTable, NestSlotAddress=NestSlotAddress, resourceAlarmInfoMask=resourceAlarmInfoMask, sysConnSpeed=sysConnSpeed, sysDestTsLineType=sysDestTsLineType, trapResourceAddress=trapResourceAddress, sysSrcAddr=sysSrcAddr, trunkProfileID=trunkProfileID, sysConnInstance=sysConnInstance, resourceEntry=resourceEntry, resourceInfoMask=resourceInfoMask, addConnSpeed=addConnSpeed, utilities=utilities, trapDestTimeout=trapDestTimeout, DataSwitch=DataSwitch, trapSeverity=trapSeverity, actvSrcTsLineType=actvSrcTsLineType, LinkCmdStatus=LinkCmdStatus, sysSecondaryState=sysSecondaryState, sysDateTime=sysDateTime, mibProfile=mibProfile, addComm=addComm, dbBackupHour=dbBackupHour, actvConnType=actvConnType, trapType=trapType, sysMacAddress=sysMacAddress, trunkCProfileTable=trunkCProfileTable, sysWeekday=sysWeekday, primaryClockSrc=primaryClockSrc, ConnectionSpeed=ConnectionSpeed, resourceAlarmAddr=resourceAlarmAddr, actvConnTable=actvConnTable, dbHostIp=dbHostIp, systemEventTrap=systemEventTrap, addDestTrunkCProfile=addDestTrunkCProfile, actvSrcTrunkCProfile=actvSrcTrunkCProfile, devices=devices, trapSequence=trapSequence, sysMin=sysMin, trapDestCmdStatus=trapDestCmdStatus, actvDestTsLineType=actvDestTsLineType, featureKeyCmdStatus=featureKeyCmdStatus, dbHostDirectory=dbHostDirectory, trapResourceKey=trapResourceKey, xilinxType=xilinxType, DecisionType=DecisionType, addSrcTrunkCProfile=addSrcTrunkCProfile, ConnectionState2=ConnectionState2, sysDestAddr=sysDestAddr, addDestTsBitmap=addDestTsBitmap, connMapCmdStatus=connMapCmdStatus, rearModem=rearModem, dbAutoBackup=dbAutoBackup, trunkCmdStatus=trunkCmdStatus, releaseDate=releaseDate, trapSysEvent=trapSysEvent, connMapName=connMapName, FunctionSwitch=FunctionSwitch, sysMonth=sysMonth, resourceNominalMask=resourceNominalMask, featureKeyState=featureKeyState, activeSMC=activeSMC, sysDay=sysDay, addMapID=addMapID, resourceType=resourceType, addSrcAddr=addSrcAddr, dbHostIndex=dbHostIndex, alarmTrap=alarmTrap, resourceAlarmType=resourceAlarmType, dnxFeatureKeyTable=dnxFeatureKeyTable, newKeyCode=newKeyCode, actvConnID=actvConnID, flashChksum=flashChksum, sysAlarmCutOff=sysAlarmCutOff, actvDestTrunkCProfile=actvDestTrunkCProfile, resourceAddr=resourceAddr, dbRemoteHostTable=dbRemoteHostTable, dbHostCmdStatus=dbHostCmdStatus, database=database, traps=traps, clockSrcActive=clockSrcActive, CurrentDevStatus=CurrentDevStatus, systemRelease=systemRelease, connectionEventTrap=connectionEventTrap, addCmdStatus=addCmdStatus, ConnectionState1=ConnectionState1, connMapCopyTrap=connMapCopyTrap, actvSecondaryState=actvSecondaryState, featureKeyName=featureKeyName, secondaryClockSrc=secondaryClockSrc, connections=connections, systemMgrType=systemMgrType, actvDestAddr=actvDestAddr, actvMapID=actvMapID, sysYear=sysYear, trunkSignalStart=trunkSignalStart, actvConnName=actvConnName, featureKeyCfgTrap=featureKeyCfgTrap, connInfo=connInfo, connMapDescription=connMapDescription, actvConnEntry=actvConnEntry, addBroadSrcId=addBroadSrcId, connMapTable=connMapTable, actvDestTsBitmap=actvDestTsBitmap, trapState=trapState, xilinxVersion=xilinxVersion, addConnName=addConnName, sysTimeCmdStatus=sysTimeCmdStatus, resourceMajorMask=resourceMajorMask, actvConnSpeed=actvConnSpeed, trapTime=trapTime, sysSrcTsBitmap=sysSrcTsBitmap, DnxResourceType=DnxResourceType, actvComm=actvComm, actvSrcAddr=actvSrcAddr, sysCustomerId=sysCustomerId, sysSec=sysSec, PortStatus=PortStatus, featureKeys=featureKeys, resourceState=resourceState, sysComm=sysComm, sysSa4RxTxTrap=sysSa4RxTxTrap, actvBroadSrcId=actvBroadSrcId, unitName=unitName, connMapDate=connMapDate, connMapMgrTrap=connMapMgrTrap, CommunicationsType=CommunicationsType, resourceTrapMask=resourceTrapMask, clockSrcConfig=clockSrcConfig, sysMapID=sysMapID, newKeyCodeCmdStatus=newKeyCodeCmdStatus, resourceAlarmState=resourceAlarmState, DnxTsPortType=DnxTsPortType, tertiaryClockSrc=tertiaryClockSrc, actvSrcTsBitmap=actvSrcTsBitmap, actvTestMode=actvTestMode, addSrcTsBitmap=addSrcTsBitmap, dbBackupDayOfWeek=dbBackupDayOfWeek, trunkData=trunkData, addTestMode=addTestMode, resourceAlarmMajorMask=resourceAlarmMajorMask, sysSrcTsLineType=sysSrcTsLineType, MapNumber=MapNumber, resourceAlarmMinorMask=resourceAlarmMinorMask, sysConnName=sysConnName, resourceMinorMask=resourceMinorMask, eriTrapEnterprise=eriTrapEnterprise, clockSrcChgTrap=clockSrcChgTrap, clockSrcCmdStatus=clockSrcCmdStatus, connDBChecksum=connDBChecksum, connMapChecksum=connMapChecksum, resourceAlarmNominalMask=resourceAlarmNominalMask, dnx=dnx, bulkConnPurgeTrap=bulkConnPurgeTrap, UnsignedInt=UnsignedInt, sysMgrOnlineTime=sysMgrOnlineTime, sysConnChecksum=sysConnChecksum, resourceAlarmEntry=resourceAlarmEntry, resourceAlarmCriticalMask=resourceAlarmCriticalMask, trunkSignalEnd=trunkSignalEnd, dbBackup=dbBackup, connMapEntry=connMapEntry, ConnCmdStatus=ConnCmdStatus, sysConnID=sysConnID, DnxTrunkProfSelection=DnxTrunkProfSelection, featureKeyId=featureKeyId, sysBroadSrcId=sysBroadSrcId, trapResourceType=trapResourceType, AlarmSeverity=AlarmSeverity, resourceAlarmTrapMask=resourceAlarmTrapMask, OneByteField=OneByteField, TimeSlotAddress=TimeSlotAddress, dbBackupOccurrence=dbBackupOccurrence, actvConnChecksum=actvConnChecksum, sysClock=sysClock, trapDestPduType=trapDestPduType, addConnType=addConnType, sysPrimaryState=sysPrimaryState, addConnID=addConnID, ClockSrcAddress=ClockSrcAddress, addDestAddr=addDestAddr, connMapID=connMapID, ConnectionType=ConnectionType, unitType=unitType, sysHour=sysHour, dnxFeatureKeyEntry=dnxFeatureKeyEntry, sysDestTsBitmap=sysDestTsBitmap, LinkPortAddress=LinkPortAddress, sysTestMode=sysTestMode, actvPrimaryState=actvPrimaryState, actvConnInstance=actvConnInstance, dnxTrapEnterprise=dnxTrapEnterprise, actvCmdStatus=actvCmdStatus, trapDestMaxRetry=trapDestMaxRetry, trapDestName=trapDestName, connMapVersions=connMapVersions, sysDestTrunkCProfile=sysDestTrunkCProfile, trapDestCfgTrap=trapDestCfgTrap, resourceTable=resourceTable, trapDestAddr=trapDestAddr, clockSrcMode=clockSrcMode, dbBackupMin=dbBackupMin, sysConnEntry=sysConnEntry, TestAccess=TestAccess, trapDestinationEntry=trapDestinationEntry, connMapCounts=connMapCounts, resourceAlarmKey=resourceAlarmKey, sysMgr=sysMgr, sysCmdStatus=sysCmdStatus)
|
class File_List:
wordList=[]
def __init__(self):
self.wordList = ['.c', '.h', '.java', '.py', '.php',
'.html', '.css', '.xml', '.tcp', 'sqlite3.o',
'sqlite.o', 'sqlite2.o', '.sh', '.dat', '.josn',
'http', 'www', 'sconscript',
]
def getList(self):
return self.wordList
|
class File_List:
word_list = []
def __init__(self):
self.wordList = ['.c', '.h', '.java', '.py', '.php', '.html', '.css', '.xml', '.tcp', 'sqlite3.o', 'sqlite.o', 'sqlite2.o', '.sh', '.dat', '.josn', 'http', 'www', 'sconscript']
def get_list(self):
return self.wordList
|
_base_ = [
'../_base_/models/resnet50_doc_quality.py', '../_base_/datasets/doc_quality.py',
'../_base_/schedules/schedule_200.py', '../_base_/default_runtime.py'
]
|
_base_ = ['../_base_/models/resnet50_doc_quality.py', '../_base_/datasets/doc_quality.py', '../_base_/schedules/schedule_200.py', '../_base_/default_runtime.py']
|
load("//python:python_grpc_compile.bzl", "python_grpc_compile")
def python_grpc_library(**kwargs):
# Compile protos
name_pb = kwargs.get("name") + "_pb"
python_grpc_compile(
name = name_pb,
**{k: v for (k, v) in kwargs.items() if k in ("deps", "verbose")} # Forward args
)
# Pick deps based on python version
if "python_version" not in kwargs or kwargs["python_version"] == "PY3":
grpc_deps = GRPC_PYTHON3_DEPS
elif kwargs["python_version"] == "PY2":
grpc_deps = GRPC_PYTHON2_DEPS
else:
fail("The 'python_version' attribute to python_grpc_library must be one of ['PY2', 'PY3']")
# Create python library
native.py_library(
name = kwargs.get("name"),
srcs = [name_pb],
deps = [
"@com_google_protobuf//:protobuf_python",
] + grpc_deps,
imports = [name_pb],
visibility = kwargs.get("visibility"),
)
GRPC_PYTHON2_DEPS = [
"@rules_proto_grpc_py2_deps//grpcio"
]
GRPC_PYTHON3_DEPS = [
"@rules_proto_grpc_py3_deps//grpcio"
]
|
load('//python:python_grpc_compile.bzl', 'python_grpc_compile')
def python_grpc_library(**kwargs):
name_pb = kwargs.get('name') + '_pb'
python_grpc_compile(name=name_pb, **{k: v for (k, v) in kwargs.items() if k in ('deps', 'verbose')})
if 'python_version' not in kwargs or kwargs['python_version'] == 'PY3':
grpc_deps = GRPC_PYTHON3_DEPS
elif kwargs['python_version'] == 'PY2':
grpc_deps = GRPC_PYTHON2_DEPS
else:
fail("The 'python_version' attribute to python_grpc_library must be one of ['PY2', 'PY3']")
native.py_library(name=kwargs.get('name'), srcs=[name_pb], deps=['@com_google_protobuf//:protobuf_python'] + grpc_deps, imports=[name_pb], visibility=kwargs.get('visibility'))
grpc_python2_deps = ['@rules_proto_grpc_py2_deps//grpcio']
grpc_python3_deps = ['@rules_proto_grpc_py3_deps//grpcio']
|
class ChangelogError(Exception):
pass
class ChangelogParseError(ChangelogError):
pass
class ChangelogValidationError(ChangelogError):
pass
class ChangelogMissingConfigError(ChangelogError):
def __init__(self, message: str, field: str = None):
super().__init__(message)
self.field = field
|
class Changelogerror(Exception):
pass
class Changelogparseerror(ChangelogError):
pass
class Changelogvalidationerror(ChangelogError):
pass
class Changelogmissingconfigerror(ChangelogError):
def __init__(self, message: str, field: str=None):
super().__init__(message)
self.field = field
|
def no_space(x):
l = []
for i in x:
if i == " " :
continue
l.append(i)
return ''.join(l)
def no_space1(x):
x = x.replace(" ", "")
return x
|
def no_space(x):
l = []
for i in x:
if i == ' ':
continue
l.append(i)
return ''.join(l)
def no_space1(x):
x = x.replace(' ', '')
return x
|
# fn to generate fibonacci numbers upto a given range
def fibonacci_Series(upto):
fibonacci_list = []
x = 0
y = 1
while x < upto:
fibonacci_list.append(x)
x, y = y, x+y
return fibonacci_list
# Driver's Code
print(fibonacci_Series(100))
|
def fibonacci__series(upto):
fibonacci_list = []
x = 0
y = 1
while x < upto:
fibonacci_list.append(x)
(x, y) = (y, x + y)
return fibonacci_list
print(fibonacci__series(100))
|
people = {'name': 'Henrique', 'sex': 'M', 'age': 24}
print(f'{people["name"]} is {people["age"]} years old')
print(people.keys())
print(people.values())
print(people.items())
for key, values in people.items():
print(f'{key} = {values}')
del people['sex']
print(people)
people['name'] = 'Gustavo'
people['weight'] = 59
print(people)
|
people = {'name': 'Henrique', 'sex': 'M', 'age': 24}
print(f"{people['name']} is {people['age']} years old")
print(people.keys())
print(people.values())
print(people.items())
for (key, values) in people.items():
print(f'{key} = {values}')
del people['sex']
print(people)
people['name'] = 'Gustavo'
people['weight'] = 59
print(people)
|
try:
print(int(input()))
except:
print("Bad String")
|
try:
print(int(input()))
except:
print('Bad String')
|
def pairwise(iterable):
it = iter(iterable)
a = next(it, None)
for b in it:
yield (a, b)
a = b
num_tests = int(input())
for test in range(num_tests):
num_walls = int(input())
walls = list(map(int, input().split()))
h = l = 0
if len(walls) >= 2:
for c, n in pairwise(walls):
if n > c:
h += 1
elif n < c:
l += 1
print("Case {}: {} {}".format(test + 1, h, l))
|
def pairwise(iterable):
it = iter(iterable)
a = next(it, None)
for b in it:
yield (a, b)
a = b
num_tests = int(input())
for test in range(num_tests):
num_walls = int(input())
walls = list(map(int, input().split()))
h = l = 0
if len(walls) >= 2:
for (c, n) in pairwise(walls):
if n > c:
h += 1
elif n < c:
l += 1
print('Case {}: {} {}'.format(test + 1, h, l))
|
# MIT License
#
# Copyright (c) 2019 Nathaniel Brough
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in all
# copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
# SOFTWARE.
load("@rules_cc//cc:defs.bzl", "cc_toolchain")
load(
"@bazel_tools//tools/cpp:cc_toolchain_config_lib.bzl",
"tool_path",
)
load("@bazel_tools//tools/build_defs/cc:action_names.bzl", "ACTION_NAMES")
load("@com_llvm_compiler//:defs.bzl", "SYSTEM_INCLUDE_COMMAND_LINE", "SYSTEM_INCLUDE_PATHS", "SYSTEM_SYSROOT")
load("//toolchains/features/common:defs.bzl", "GetCommonFeatures")
_ARM_NONE_VERSION = "9.2.1"
_CPP_ALL_COMPILE_ACTIONS = [
ACTION_NAMES.assemble,
ACTION_NAMES.preprocess_assemble,
ACTION_NAMES.linkstamp_compile,
ACTION_NAMES.cpp_compile,
ACTION_NAMES.cpp_header_parsing,
ACTION_NAMES.cpp_module_compile,
ACTION_NAMES.cpp_module_codegen,
ACTION_NAMES.lto_backend,
ACTION_NAMES.clif_match,
]
_C_ALL_COMPILE_ACTIONS = [
ACTION_NAMES.assemble,
ACTION_NAMES.c_compile,
]
_LD_ALL_ACTIONS = [
ACTION_NAMES.cpp_link_executable,
]
def _get_injected_headers_command_line(ctx):
command_line = []
for hdr_lib in ctx.attr.injected_hdr_deps:
cc_ctx = hdr_lib[CcInfo].compilation_context
for hdr in cc_ctx.headers.to_list():
command_line += ["-include", hdr.short_path]
return command_line
def _get_additional_system_includes_command_line(ctx):
command_line = []
for hdr_lib in ctx.attr.system_hdr_deps:
cc_ctx = hdr_lib[CcInfo].compilation_context
for inc in cc_ctx.system_includes.to_list():
command_line += ["-isystem", inc]
return command_line
def _get_additional_system_include_paths(ctx):
include_paths = []
for hdr_lib in ctx.attr.system_hdr_deps:
cc_ctx = hdr_lib[CcInfo].compilation_context
for inc in cc_ctx.system_includes.to_list():
if inc not in ".":
include_paths.append(inc)
return include_paths
def _clang_toolchain_config_info_impl(ctx):
tool_paths = [
tool_path(
name = "gcc",
path = "clang_wrappers/{os}/gcc",
),
tool_path(
name = "ld",
path = "clang_wrappers/{os}/ld",
),
tool_path(
name = "ar",
path = "clang_wrappers/{os}/ar",
),
tool_path(
name = "cpp",
path = "clang_wrappers/{os}/cpp",
),
tool_path(
name = "gcov",
path = "clang_wrappers/{os}/gcov",
),
tool_path(
name = "nm",
path = "clang_wrappers/{os}/nm",
),
tool_path(
name = "objdump",
path = "clang_wrappers/{os}/objdump",
),
tool_path(
name = "strip",
path = "clang_wrappers/{os}/strip",
),
tool_path(
name = "llvm-cov",
path = "clang_wrappers/{os}/llvm-cov",
),
]
os = "nix"
postfix = ""
if ctx.host_configuration.host_path_separator == ";":
os = "windows"
postfix = ".bat"
tool_paths = [tool_path(name = t.name, path = t.path.format(os = os) + postfix) for t in tool_paths]
common_features = GetCommonFeatures(
compiler = "CLANG",
architecture = "x86-64",
float_abi = "auto",
endian = "little",
fpu = "auto",
include_paths = _get_additional_system_includes_command_line(ctx) + SYSTEM_INCLUDE_COMMAND_LINE + _get_injected_headers_command_line(ctx),
sysroot = SYSTEM_SYSROOT,
)
toolchain_config_info = cc_common.create_cc_toolchain_config_info(
ctx = ctx,
toolchain_identifier = ctx.attr.toolchain_identifier,
cxx_builtin_include_directories = SYSTEM_INCLUDE_PATHS + _get_additional_system_include_paths(ctx),
host_system_name = "i686-unknown-linux-gnu",
target_system_name = "arm-none-eabi",
target_cpu = "x86_64",
target_libc = "unknown",
compiler = "clang",
abi_version = "unknown",
abi_libc_version = "unknown",
tool_paths = tool_paths,
features = [
common_features.all_warnings,
common_features.all_warnings_as_errors,
common_features.reproducible,
common_features.includes,
common_features.symbol_garbage_collection,
common_features.architecture,
common_features.dbg,
common_features.opt,
common_features.fastbuild,
common_features.output_format,
common_features.coverage,
common_features.misc,
],
)
return toolchain_config_info
clang_toolchain_config = rule(
implementation = _clang_toolchain_config_info_impl,
attrs = {
"toolchain_identifier": attr.string(
mandatory = True,
doc = "Identifier used by the toolchain, this should be consistent with the cc_toolchain rule attribute",
),
"system_hdr_deps": attr.label_list(
doc = "A set of additional system header libraries that are added as a dependency of every cc_<target>",
default = ["@bazel_embedded_upstream_toolchain//:polyfill"],
providers = [CcInfo],
),
"injected_hdr_deps": attr.label_list(
doc = "A set of headers that are injected into the toolchain e.g. by -include",
default = ["@bazel_embedded_upstream_toolchain//:injected_headers"],
providers = [CcInfo],
),
"_clang_wrappers": attr.label(
doc = "Passthrough gcc wrappers used for the compiler",
default = "//toolchains/clang/clang_wrappers:all",
),
},
provides = [CcToolchainConfigInfo],
)
def compiler_components(system_hdr_deps, injected_hdr_deps):
native.filegroup(
name = "additional_headers",
srcs = [
system_hdr_deps,
injected_hdr_deps,
],
#output_group = "CcInfo",
)
native.filegroup(
name = "compiler_components",
srcs = [
"//toolchains/clang/clang_wrappers:all",
"@com_llvm_compiler//:all",
":additional_headers",
],
)
def clang_toolchain(name):
toolchain_config = name + "_config"
compiler_components(
system_hdr_deps = "@bazel_embedded_upstream_toolchain//:polyfill",
injected_hdr_deps = "@bazel_embedded_upstream_toolchain//:injected_headers",
)
compiler_components_target = ":compiler_components"
clang_toolchain_config(
name = toolchain_config,
toolchain_identifier = "clang",
)
cc_toolchain(
name = name,
all_files = compiler_components_target,
compiler_files = compiler_components_target,
dwp_files = compiler_components_target,
linker_files = compiler_components_target,
objcopy_files = compiler_components_target,
strip_files = compiler_components_target,
as_files = compiler_components_target,
ar_files = compiler_components_target,
supports_param_files = 0,
toolchain_config = ":" + toolchain_config,
toolchain_identifier = "clang",
)
native.toolchain(
name = name + "_cc_toolchain",
exec_compatible_with = [
"@platforms//cpu:x86_64",
"@platforms//os:linux",
],
target_compatible_with = [
"@platforms//cpu:x86_64",
"@platforms//os:linux",
],
toolchain = ":" + name,
toolchain_type = "@bazel_tools//tools/cpp:toolchain_type",
)
def register_clang_toolchain():
native.register_toolchains("@bazel_embedded//toolchains/clang:all")
|
load('@rules_cc//cc:defs.bzl', 'cc_toolchain')
load('@bazel_tools//tools/cpp:cc_toolchain_config_lib.bzl', 'tool_path')
load('@bazel_tools//tools/build_defs/cc:action_names.bzl', 'ACTION_NAMES')
load('@com_llvm_compiler//:defs.bzl', 'SYSTEM_INCLUDE_COMMAND_LINE', 'SYSTEM_INCLUDE_PATHS', 'SYSTEM_SYSROOT')
load('//toolchains/features/common:defs.bzl', 'GetCommonFeatures')
_arm_none_version = '9.2.1'
_cpp_all_compile_actions = [ACTION_NAMES.assemble, ACTION_NAMES.preprocess_assemble, ACTION_NAMES.linkstamp_compile, ACTION_NAMES.cpp_compile, ACTION_NAMES.cpp_header_parsing, ACTION_NAMES.cpp_module_compile, ACTION_NAMES.cpp_module_codegen, ACTION_NAMES.lto_backend, ACTION_NAMES.clif_match]
_c_all_compile_actions = [ACTION_NAMES.assemble, ACTION_NAMES.c_compile]
_ld_all_actions = [ACTION_NAMES.cpp_link_executable]
def _get_injected_headers_command_line(ctx):
command_line = []
for hdr_lib in ctx.attr.injected_hdr_deps:
cc_ctx = hdr_lib[CcInfo].compilation_context
for hdr in cc_ctx.headers.to_list():
command_line += ['-include', hdr.short_path]
return command_line
def _get_additional_system_includes_command_line(ctx):
command_line = []
for hdr_lib in ctx.attr.system_hdr_deps:
cc_ctx = hdr_lib[CcInfo].compilation_context
for inc in cc_ctx.system_includes.to_list():
command_line += ['-isystem', inc]
return command_line
def _get_additional_system_include_paths(ctx):
include_paths = []
for hdr_lib in ctx.attr.system_hdr_deps:
cc_ctx = hdr_lib[CcInfo].compilation_context
for inc in cc_ctx.system_includes.to_list():
if inc not in '.':
include_paths.append(inc)
return include_paths
def _clang_toolchain_config_info_impl(ctx):
tool_paths = [tool_path(name='gcc', path='clang_wrappers/{os}/gcc'), tool_path(name='ld', path='clang_wrappers/{os}/ld'), tool_path(name='ar', path='clang_wrappers/{os}/ar'), tool_path(name='cpp', path='clang_wrappers/{os}/cpp'), tool_path(name='gcov', path='clang_wrappers/{os}/gcov'), tool_path(name='nm', path='clang_wrappers/{os}/nm'), tool_path(name='objdump', path='clang_wrappers/{os}/objdump'), tool_path(name='strip', path='clang_wrappers/{os}/strip'), tool_path(name='llvm-cov', path='clang_wrappers/{os}/llvm-cov')]
os = 'nix'
postfix = ''
if ctx.host_configuration.host_path_separator == ';':
os = 'windows'
postfix = '.bat'
tool_paths = [tool_path(name=t.name, path=t.path.format(os=os) + postfix) for t in tool_paths]
common_features = get_common_features(compiler='CLANG', architecture='x86-64', float_abi='auto', endian='little', fpu='auto', include_paths=_get_additional_system_includes_command_line(ctx) + SYSTEM_INCLUDE_COMMAND_LINE + _get_injected_headers_command_line(ctx), sysroot=SYSTEM_SYSROOT)
toolchain_config_info = cc_common.create_cc_toolchain_config_info(ctx=ctx, toolchain_identifier=ctx.attr.toolchain_identifier, cxx_builtin_include_directories=SYSTEM_INCLUDE_PATHS + _get_additional_system_include_paths(ctx), host_system_name='i686-unknown-linux-gnu', target_system_name='arm-none-eabi', target_cpu='x86_64', target_libc='unknown', compiler='clang', abi_version='unknown', abi_libc_version='unknown', tool_paths=tool_paths, features=[common_features.all_warnings, common_features.all_warnings_as_errors, common_features.reproducible, common_features.includes, common_features.symbol_garbage_collection, common_features.architecture, common_features.dbg, common_features.opt, common_features.fastbuild, common_features.output_format, common_features.coverage, common_features.misc])
return toolchain_config_info
clang_toolchain_config = rule(implementation=_clang_toolchain_config_info_impl, attrs={'toolchain_identifier': attr.string(mandatory=True, doc='Identifier used by the toolchain, this should be consistent with the cc_toolchain rule attribute'), 'system_hdr_deps': attr.label_list(doc='A set of additional system header libraries that are added as a dependency of every cc_<target>', default=['@bazel_embedded_upstream_toolchain//:polyfill'], providers=[CcInfo]), 'injected_hdr_deps': attr.label_list(doc='A set of headers that are injected into the toolchain e.g. by -include', default=['@bazel_embedded_upstream_toolchain//:injected_headers'], providers=[CcInfo]), '_clang_wrappers': attr.label(doc='Passthrough gcc wrappers used for the compiler', default='//toolchains/clang/clang_wrappers:all')}, provides=[CcToolchainConfigInfo])
def compiler_components(system_hdr_deps, injected_hdr_deps):
native.filegroup(name='additional_headers', srcs=[system_hdr_deps, injected_hdr_deps])
native.filegroup(name='compiler_components', srcs=['//toolchains/clang/clang_wrappers:all', '@com_llvm_compiler//:all', ':additional_headers'])
def clang_toolchain(name):
toolchain_config = name + '_config'
compiler_components(system_hdr_deps='@bazel_embedded_upstream_toolchain//:polyfill', injected_hdr_deps='@bazel_embedded_upstream_toolchain//:injected_headers')
compiler_components_target = ':compiler_components'
clang_toolchain_config(name=toolchain_config, toolchain_identifier='clang')
cc_toolchain(name=name, all_files=compiler_components_target, compiler_files=compiler_components_target, dwp_files=compiler_components_target, linker_files=compiler_components_target, objcopy_files=compiler_components_target, strip_files=compiler_components_target, as_files=compiler_components_target, ar_files=compiler_components_target, supports_param_files=0, toolchain_config=':' + toolchain_config, toolchain_identifier='clang')
native.toolchain(name=name + '_cc_toolchain', exec_compatible_with=['@platforms//cpu:x86_64', '@platforms//os:linux'], target_compatible_with=['@platforms//cpu:x86_64', '@platforms//os:linux'], toolchain=':' + name, toolchain_type='@bazel_tools//tools/cpp:toolchain_type')
def register_clang_toolchain():
native.register_toolchains('@bazel_embedded//toolchains/clang:all')
|
#
# This file is subject to the terms and conditions defined in
# file 'LICENSE', which is part of this source code package.
#
class Menu:
def __init__(self, header=None, choices=None, on_show=None, on_invalid_choice=None, key_sep=': ', input_text='Choice: ', invalid_choice_text='Invalid input.'):
self.header = header
self.choices = choices
self.on_show = on_show
self.on_invalid_choice = on_invalid_choice
self.key_sep = key_sep
self.input_text = input_text
self.invalid_choice_text = invalid_choice_text
def add_choice(self, choice):
if self.choices is None:
self.choices = dict()
self.choices[choice.key] = choice
def remove_choice(self, choice):
del self.choices[choice.key]
def show(self):
if self.on_show is not None:
self.on_show.function(**self.on_show.args)
if self.header is not None:
print(self.header)
if self.choices is None:
raise RuntimeError('Menu must have at least one choice.')
else:
for key, choice in self.choices.items():
print('{}{}{}'.format(choice.key, self.key_sep, choice.text))
sel = input(self.input_text)
try:
self.choices[sel].execute()
except KeyError:
print(self.invalid_choice_text)
if self.on_invalid_choice is not None:
self.on_invalid_choice.function(**self.on_show.args)
|
class Menu:
def __init__(self, header=None, choices=None, on_show=None, on_invalid_choice=None, key_sep=': ', input_text='Choice: ', invalid_choice_text='Invalid input.'):
self.header = header
self.choices = choices
self.on_show = on_show
self.on_invalid_choice = on_invalid_choice
self.key_sep = key_sep
self.input_text = input_text
self.invalid_choice_text = invalid_choice_text
def add_choice(self, choice):
if self.choices is None:
self.choices = dict()
self.choices[choice.key] = choice
def remove_choice(self, choice):
del self.choices[choice.key]
def show(self):
if self.on_show is not None:
self.on_show.function(**self.on_show.args)
if self.header is not None:
print(self.header)
if self.choices is None:
raise runtime_error('Menu must have at least one choice.')
else:
for (key, choice) in self.choices.items():
print('{}{}{}'.format(choice.key, self.key_sep, choice.text))
sel = input(self.input_text)
try:
self.choices[sel].execute()
except KeyError:
print(self.invalid_choice_text)
if self.on_invalid_choice is not None:
self.on_invalid_choice.function(**self.on_show.args)
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.