content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
# could be set as random or defined by node num
def getdelay(source,destination,size):
return 1
def getdownloadspeed(id):
return 1000 | def getdelay(source, destination, size):
return 1
def getdownloadspeed(id):
return 1000 |
def has_print_function(tokens):
p = 0
while p < len(tokens):
if tokens[p][0] != 'FROM':
p += 1
continue
if tokens[p + 1][0:2] != ('NAME', '__future__'):
p += 1
continue
if tokens[p + 2][0] != 'IMPORT':
p += 1
continue
current = p + 3
# ignore LEFT_PARENTHESIS token
if tokens[current][0] == 'LEFT_PARENTHESIS':
current += 1
while (current < len(tokens) and tokens[current][0] == 'NAME'):
if tokens[current][1] == 'print_function':
return True
# ignore AS and NAME tokens if present
# anyway, ignore COMMA token
if current + 1 < len(tokens) and tokens[current + 1][0] == 'AS':
current += 4
else:
current += 2
p += 1
return False
def replace_print_by_name(tokens):
def is_print(token):
return token[0] == 'PRINT'
return [('NAME', 'print') if is_print(x) else x for x in tokens]
| def has_print_function(tokens):
p = 0
while p < len(tokens):
if tokens[p][0] != 'FROM':
p += 1
continue
if tokens[p + 1][0:2] != ('NAME', '__future__'):
p += 1
continue
if tokens[p + 2][0] != 'IMPORT':
p += 1
continue
current = p + 3
if tokens[current][0] == 'LEFT_PARENTHESIS':
current += 1
while current < len(tokens) and tokens[current][0] == 'NAME':
if tokens[current][1] == 'print_function':
return True
if current + 1 < len(tokens) and tokens[current + 1][0] == 'AS':
current += 4
else:
current += 2
p += 1
return False
def replace_print_by_name(tokens):
def is_print(token):
return token[0] == 'PRINT'
return [('NAME', 'print') if is_print(x) else x for x in tokens] |
SCREEN_WIDTH = 700
SCREEN_HEIGHT = 450
SCREEN_CENTER = (SCREEN_WIDTH / 2, SCREEN_HEIGHT / 2)
BUTTON_COLOR = (0, 0, 0)
PADDLE_WIDTH = 10
PADDLE_HEIGHT = 50
BALL_WIDTH = 10
BALL_HEIGHT = 10
AUDIO_ICON_WIDTH = 20
AUDIO_ICON_HEIGHT = 20
AUDIO_ICON_X = SCREEN_WIDTH - AUDIO_ICON_WIDTH
AUDIO_ICON_Y = SCREEN_HEIGHT - AUDIO_ICON_HEIGHT
| screen_width = 700
screen_height = 450
screen_center = (SCREEN_WIDTH / 2, SCREEN_HEIGHT / 2)
button_color = (0, 0, 0)
paddle_width = 10
paddle_height = 50
ball_width = 10
ball_height = 10
audio_icon_width = 20
audio_icon_height = 20
audio_icon_x = SCREEN_WIDTH - AUDIO_ICON_WIDTH
audio_icon_y = SCREEN_HEIGHT - AUDIO_ICON_HEIGHT |
# Source : https://leetcode.com/problems/longest-continuous-increasing-subsequence/
# Author : foxfromworld
# Date : 07/12/2021
# First attempt
class Solution:
def findLengthOfLCIS(self, nums: List[int]) -> int:
start, ret = 0, 0
for i, num in enumerate(nums):
if i > 0 and nums[i-1] >= num:
start = i
ret = max(ret, i - start + 1)
return ret
| class Solution:
def find_length_of_lcis(self, nums: List[int]) -> int:
(start, ret) = (0, 0)
for (i, num) in enumerate(nums):
if i > 0 and nums[i - 1] >= num:
start = i
ret = max(ret, i - start + 1)
return ret |
{
"cells": [
{
"cell_type": "code",
"execution_count": null,
"metadata": {},
"outputs": [],
"source": [
"import requests\n",
"\n",
"from finnhub.exceptions import FinnhubAPIException\n",
"from finnhub.exceptions import FinnhubRequestException\n",
"\n",
"class Client:\n",
" API_URL = \"https://finnhub.io/api/v1\"\n",
"\n",
" def __init__(self, api_key, requests_params=None):\n",
" self.api_key = api_key\n",
" self.session = self._init__session()\n",
" self._requests_params = requests_params\n",
"\n",
" def _init__session(self):\n",
" session = requests.session()\n",
" session.headers.update({'Accept': 'application/json',\n",
" 'User-Agent': 'finnhub/python'})\n",
" return session\n",
"\n",
" def _request(self, method, uri, **kwargs):\n",
" \n",
" kwargs['timeout'] = 10\n",
"\n",
" data = kwargs.get('data', None)\n",
"\n",
" if data and isinstance(data, dict):\n",
" kwargs['data'] = data\n",
" else:\n",
" kwargs['data'] = {}\n",
"\n",
" kwargs['data']['token'] = self.api_key\n",
" kwargs['params'] = kwargs['data']\n",
"\n",
" del(kwargs['data'])\n",
"\n",
" response = getattr(self.session, method)(uri, **kwargs)\n",
"\n",
" return self._handle_response(response)\n",
"\n",
" def _create_api_uri(self, path):\n",
" return \"{}/{}\".format(self.API_URL, path)\n",
"\n",
" def _request_api(self, method, path, **kwargs):\n",
" uri = self._create_api_uri(path)\n",
" return self._request(method, uri, **kwargs)\n",
"\n",
" def _handle_response(self, response):\n",
" if not str(response.status_code).startswith('2'):\n",
" raise FinnhubAPIException(response)\n",
" try:\n",
" return response.json()\n",
" except ValueError:\n",
" raise FinnhubRequestException(\"Invalid Response: {}\".format(response.text))\n",
"\n",
" def exchange(self):\n",
" return self._get(\"stock/exchange\")\n",
"\n",
" def stock_symbol(self, **params):\n",
" return self._get(\"stock/symbol\", data=params)\n",
"\n",
" def quote(self, **params):\n",
" return self._get(\"quote\", data=params)\n",
"\n",
" def stock_candle(self, **params):\n",
" return self._get(\"stock/candle\", data=params)\n",
"\n",
" def stock_tick(self, **params):\n",
" return self._get(\"stock/tick\", data=params)"
]
}
],
"metadata": {
"kernelspec": {
"display_name": "PythonData",
"language": "python",
"name": "pythondata"
},
"language_info": {
"codemirror_mode": {
"name": "ipython",
"version": 3
},
"file_extension": ".py",
"mimetype": "text/x-python",
"name": "python",
"nbconvert_exporter": "python",
"pygments_lexer": "ipython3",
"version": "3.6.9"
}
},
"nbformat": 4,
"nbformat_minor": 2
}
| {'cells': [{'cell_type': 'code', 'execution_count': null, 'metadata': {}, 'outputs': [], 'source': ['import requests\n', '\n', 'from finnhub.exceptions import FinnhubAPIException\n', 'from finnhub.exceptions import FinnhubRequestException\n', '\n', 'class Client:\n', ' API_URL = "https://finnhub.io/api/v1"\n', '\n', ' def __init__(self, api_key, requests_params=None):\n', ' self.api_key = api_key\n', ' self.session = self._init__session()\n', ' self._requests_params = requests_params\n', '\n', ' def _init__session(self):\n', ' session = requests.session()\n', " session.headers.update({'Accept': 'application/json',\n", " 'User-Agent': 'finnhub/python'})\n", ' return session\n', '\n', ' def _request(self, method, uri, **kwargs):\n', ' \n', " kwargs['timeout'] = 10\n", '\n', " data = kwargs.get('data', None)\n", '\n', ' if data and isinstance(data, dict):\n', " kwargs['data'] = data\n", ' else:\n', " kwargs['data'] = {}\n", '\n', " kwargs['data']['token'] = self.api_key\n", " kwargs['params'] = kwargs['data']\n", '\n', " del(kwargs['data'])\n", '\n', ' response = getattr(self.session, method)(uri, **kwargs)\n', '\n', ' return self._handle_response(response)\n', '\n', ' def _create_api_uri(self, path):\n', ' return "{}/{}".format(self.API_URL, path)\n', '\n', ' def _request_api(self, method, path, **kwargs):\n', ' uri = self._create_api_uri(path)\n', ' return self._request(method, uri, **kwargs)\n', '\n', ' def _handle_response(self, response):\n', " if not str(response.status_code).startswith('2'):\n", ' raise FinnhubAPIException(response)\n', ' try:\n', ' return response.json()\n', ' except ValueError:\n', ' raise FinnhubRequestException("Invalid Response: {}".format(response.text))\n', '\n', ' def exchange(self):\n', ' return self._get("stock/exchange")\n', '\n', ' def stock_symbol(self, **params):\n', ' return self._get("stock/symbol", data=params)\n', '\n', ' def quote(self, **params):\n', ' return self._get("quote", data=params)\n', '\n', ' def stock_candle(self, **params):\n', ' return self._get("stock/candle", data=params)\n', '\n', ' def stock_tick(self, **params):\n', ' return self._get("stock/tick", data=params)']}], 'metadata': {'kernelspec': {'display_name': 'PythonData', 'language': 'python', 'name': 'pythondata'}, 'language_info': {'codemirror_mode': {'name': 'ipython', 'version': 3}, 'file_extension': '.py', 'mimetype': 'text/x-python', 'name': 'python', 'nbconvert_exporter': 'python', 'pygments_lexer': 'ipython3', 'version': '3.6.9'}}, 'nbformat': 4, 'nbformat_minor': 2} |
# Comment1
class Module2(object):
command_name = 'module2'
targets = [r'products/module2_target.txt']
dependencies = [('module1_target.txt', True)]
configs = ['module2a.conf', 'module2b.conf']
| class Module2(object):
command_name = 'module2'
targets = ['products/module2_target.txt']
dependencies = [('module1_target.txt', True)]
configs = ['module2a.conf', 'module2b.conf'] |
n = int(input())
arr = list(map(int, input().rstrip().split()))
arr.reverse()
for num in arr:
print(num , end=" ")
| n = int(input())
arr = list(map(int, input().rstrip().split()))
arr.reverse()
for num in arr:
print(num, end=' ') |
## Advent of Code 2018: Day 14
## https://adventofcode.com/2018/day/14
## Jesse Williams
## Answers: [Part 1]: 8176111038, [Part 2]: 20225578
INPUT = 890691
def createNewRecipes(recipes, elves):
newRcpSum = recipes[elves[0]] + recipes[elves[1]] # add current recipes together
newRcpDigits = list(map(int, list(str(newRcpSum)))) # separate digits into a list
return newRcpDigits
def chooseNewCurrentRecipes(recipes, elves):
newElves = [0, 0]
for i, elf in enumerate(elves):
newElves[i] = (elves[i] + (1 + recipes[elves[i]])) % len(recipes)
return newElves
if __name__ == "__main__":
## Part 1
recipes = [3, 7]
elves = [0, 1] # stores the index of the current recipe for each elf
numRecipes = INPUT
numRecipesMade = 0
numExtraRecipes = 10
while numRecipesMade < numRecipes + numExtraRecipes:
newRecipes = createNewRecipes(recipes, elves) # create new recipes and add them to the end of the list
recipes += newRecipes
elves = chooseNewCurrentRecipes(recipes, elves) # update the current recipe for each elf
numRecipesMade += len(newRecipes)
extraRecipes = recipes[numRecipes:numRecipes+numExtraRecipes]
print('The next {} recipes after an initial {} are: {}'.format(numExtraRecipes, numRecipes, ''.join(map(str, extraRecipes))))
## Part 2
# Since adding two single digit numbers together can result in either a 1- or 2-digit number, we check both possibilities
recipes = [3, 7]
elves = [0, 1] # stores the index of the current recipe for each elf
done = False
targetSequenceInt = INPUT
targetSequence = list(map(int, list(str(targetSequenceInt))))
while not done:
recipes += createNewRecipes(recipes, elves) # create new recipes and add them to the end of the list
elves = chooseNewCurrentRecipes(recipes, elves) # update the current recipe for each elf
if (recipes[-len(targetSequence):] == targetSequence):
recipesToLeft = len(recipes[:-len(targetSequence)])
done = True
elif (recipes[-len(targetSequence)-1:-1] == targetSequence):
recipesToLeft = len(recipes[:-len(targetSequence)-1])
done = True
print("There are {} recipes to the left of the first instance of the sequence '{}'.".format(recipesToLeft, targetSequenceInt))
| input = 890691
def create_new_recipes(recipes, elves):
new_rcp_sum = recipes[elves[0]] + recipes[elves[1]]
new_rcp_digits = list(map(int, list(str(newRcpSum))))
return newRcpDigits
def choose_new_current_recipes(recipes, elves):
new_elves = [0, 0]
for (i, elf) in enumerate(elves):
newElves[i] = (elves[i] + (1 + recipes[elves[i]])) % len(recipes)
return newElves
if __name__ == '__main__':
recipes = [3, 7]
elves = [0, 1]
num_recipes = INPUT
num_recipes_made = 0
num_extra_recipes = 10
while numRecipesMade < numRecipes + numExtraRecipes:
new_recipes = create_new_recipes(recipes, elves)
recipes += newRecipes
elves = choose_new_current_recipes(recipes, elves)
num_recipes_made += len(newRecipes)
extra_recipes = recipes[numRecipes:numRecipes + numExtraRecipes]
print('The next {} recipes after an initial {} are: {}'.format(numExtraRecipes, numRecipes, ''.join(map(str, extraRecipes))))
recipes = [3, 7]
elves = [0, 1]
done = False
target_sequence_int = INPUT
target_sequence = list(map(int, list(str(targetSequenceInt))))
while not done:
recipes += create_new_recipes(recipes, elves)
elves = choose_new_current_recipes(recipes, elves)
if recipes[-len(targetSequence):] == targetSequence:
recipes_to_left = len(recipes[:-len(targetSequence)])
done = True
elif recipes[-len(targetSequence) - 1:-1] == targetSequence:
recipes_to_left = len(recipes[:-len(targetSequence) - 1])
done = True
print("There are {} recipes to the left of the first instance of the sequence '{}'.".format(recipesToLeft, targetSequenceInt)) |
#!/usr/local/bin/python3.6
def is_ztest(m):
if int(m.author.id) == int(zigID):
return True
else:
return False
| def is_ztest(m):
if int(m.author.id) == int(zigID):
return True
else:
return False |
def read_matrix(c, r):
matrix = []
for _ in range(c):
row = input().split(' ')
matrix.append(row)
return matrix
c, r = [int(n) for n in input().split(' ')]
matrix = read_matrix(c, r)
matches = 0
for col in range(c - 1):
for row in range(r - 1):
if matrix[col][row] == matrix[col][row + 1] == matrix[col + 1][row] == matrix[col + 1][row + 1]:
matches += 1
print(matches) | def read_matrix(c, r):
matrix = []
for _ in range(c):
row = input().split(' ')
matrix.append(row)
return matrix
(c, r) = [int(n) for n in input().split(' ')]
matrix = read_matrix(c, r)
matches = 0
for col in range(c - 1):
for row in range(r - 1):
if matrix[col][row] == matrix[col][row + 1] == matrix[col + 1][row] == matrix[col + 1][row + 1]:
matches += 1
print(matches) |
# Option for variable 'simulation_type':
# 1: cylindrical roller bearing
# 2:
# 3: cylindrical roller thrust bearing
# 4: ball on disk (currently not fully supported)
# 5: pin on disk
# 6: 4 ball
# 7: ball on three plates
# 8: ring on ring
# global simulation setup
simulation_type = 5 # one of the above types
simulation_name = 'PinOnDisk'
auto_print = True # True or False
auto_plot = True
auto_report = False # reporting currently not supported, don't change
# global test setup / bearing information
tribo_system_name = 'foo'
number_pins = 1
sliding_diameter = 50 # in mm, sliding diameter on disc
# Pin (CB1)
e_cb1 = 210000 # young's modulus in MPa
ny_cb1 = 0.3 # poisson number in MPa
diameter_cb1 = 12.7
length_cb1 = 12.7 # in mm
type_profile_cb1 = 'Circle' # 'None', 'Circle', 'File'
path_profile_cb1 = '' # path to profile.txt file required if TypeProfile == 'File'
profile_radius_cb1 = 6.35 # input required if TypeProfile == 'Circle'
# Disk (CB2)
e_cb2 = 210000 # young's modulus in MPa
ny_cb2 = 0.3 # poisson number in MPa
diameter_cb2 = 50
# Loads
global_force = 50 # in N
rot_velocity1 = 50 # in rpm
# Mesh
res_x = 41 # data points along roller length
res_y = 41 # data points along roller width
| simulation_type = 5
simulation_name = 'PinOnDisk'
auto_print = True
auto_plot = True
auto_report = False
tribo_system_name = 'foo'
number_pins = 1
sliding_diameter = 50
e_cb1 = 210000
ny_cb1 = 0.3
diameter_cb1 = 12.7
length_cb1 = 12.7
type_profile_cb1 = 'Circle'
path_profile_cb1 = ''
profile_radius_cb1 = 6.35
e_cb2 = 210000
ny_cb2 = 0.3
diameter_cb2 = 50
global_force = 50
rot_velocity1 = 50
res_x = 41
res_y = 41 |
BUSINESS_METRICS_VIEW_CONFIG = {
'Write HBase' : [['write operation', 'Write/HBase'],
['log length', 'Write/Log'],
['memory/thread', 'Write/MemoryThread'],
],
'Read HBase' : [['read operation', 'Read/HBase'],
['result size', 'Read/ResultSize'],
['memory/thread', 'Read/MemoryThread'],
],
}
ONLINE_METRICS_MENU_CONFIG = {
'Online Write' : [['Qps', 'Write/Qps'],
['HBase Latency', 'Write/HBase Latency'],
['Total Latency', 'Write/Total Latency'],
['WriteFail', 'Write/WriteFail'],
['HTablePool', 'Write/HTablePool'],
['Replication', 'Write/Replication'],
['Exception', 'Write/Exception'],
],
'Online Read' : [['Qps', 'Read/Qps'],
['HBase Latency', 'Read/HBase Latency'],
['Total Latency', 'Read/Total Latency'],
['ReadFail', 'Read/ReadFail'],
['HTablePool', 'Read/HTablePool'],
['Exception', 'Read/Exception'],
],
}
ONLINE_METRICS_COUNTER_CONFIG = {
}
ONLINE_METRICS_TITLE_CONFIG = {
}
ONLINE_METRICS_ENDPOINT_CONFIG = {
}
| business_metrics_view_config = {'Write HBase': [['write operation', 'Write/HBase'], ['log length', 'Write/Log'], ['memory/thread', 'Write/MemoryThread']], 'Read HBase': [['read operation', 'Read/HBase'], ['result size', 'Read/ResultSize'], ['memory/thread', 'Read/MemoryThread']]}
online_metrics_menu_config = {'Online Write': [['Qps', 'Write/Qps'], ['HBase Latency', 'Write/HBase Latency'], ['Total Latency', 'Write/Total Latency'], ['WriteFail', 'Write/WriteFail'], ['HTablePool', 'Write/HTablePool'], ['Replication', 'Write/Replication'], ['Exception', 'Write/Exception']], 'Online Read': [['Qps', 'Read/Qps'], ['HBase Latency', 'Read/HBase Latency'], ['Total Latency', 'Read/Total Latency'], ['ReadFail', 'Read/ReadFail'], ['HTablePool', 'Read/HTablePool'], ['Exception', 'Read/Exception']]}
online_metrics_counter_config = {}
online_metrics_title_config = {}
online_metrics_endpoint_config = {} |
n=int(input())
for i in range(1,n):
if i+sum(map(int,list(str(i))))==n:
print(i)
exit()
print(0) | n = int(input())
for i in range(1, n):
if i + sum(map(int, list(str(i)))) == n:
print(i)
exit()
print(0) |
edge_array = [];
par =[0,0,0,0,0,0]
for par[0] in range(0,3):
for par[1] in range(0,3):
for par[2] in range(0,3):
for par[3] in range(0,3):
for par[4] in range(0,3):
for par[5] in range(0,3):
edge_array.append(str(par[0])+" "+str(par[1])+" "+str(par[2])+" "+str(par[3])+" "+str(par[4])+" "+str(par[5])+" 0")
i = 0
par2 =[0,0,0,0,0,0]
for par[0] in range(0,3):
for par[1] in range(0,3):
for par[2] in range(0,3):
for par[3] in range(0,3):
for par[4] in range(0,3):
for par[5] in range(0,3):
index = par[0]+par[1]*3+par[2]*9+par[3]*27+par[4]*81+par[5]*243
if (index > i and index < 728):
try:
edge_array[index] = str(par[5])+" "+str(par[4])+" "+str(par[3])+" "+str(par[2])+" "+str(par[1])+" "+str(par[0])+" -1"
except ValueError:
pass
j = 0
for par_each in par:
if (par_each == 1):
par2[j] = 2
elif (par_each == 2):
par2[j] = 1
else:
par2[j] = 0
j += 1
index2 = par2[0]*243+par2[1]*81+par2[2]*27+par2[3]*9+par2[4]*3+par2[5]
if (index2 > i and index2 < 728):
try:
edge_array[index2] = str(par2[0])+" "+str(par2[1])+" "+str(par2[2])+" "+str(par2[3])+" "+str(par2[4])+" "+str(par2[5])+" -1"
except ValueError:
pass
i += 1
i=0
for edge_each in edge_array:
print(edge_array[i])
i += 1 | edge_array = []
par = [0, 0, 0, 0, 0, 0]
for par[0] in range(0, 3):
for par[1] in range(0, 3):
for par[2] in range(0, 3):
for par[3] in range(0, 3):
for par[4] in range(0, 3):
for par[5] in range(0, 3):
edge_array.append(str(par[0]) + ' ' + str(par[1]) + ' ' + str(par[2]) + ' ' + str(par[3]) + ' ' + str(par[4]) + ' ' + str(par[5]) + ' 0')
i = 0
par2 = [0, 0, 0, 0, 0, 0]
for par[0] in range(0, 3):
for par[1] in range(0, 3):
for par[2] in range(0, 3):
for par[3] in range(0, 3):
for par[4] in range(0, 3):
for par[5] in range(0, 3):
index = par[0] + par[1] * 3 + par[2] * 9 + par[3] * 27 + par[4] * 81 + par[5] * 243
if index > i and index < 728:
try:
edge_array[index] = str(par[5]) + ' ' + str(par[4]) + ' ' + str(par[3]) + ' ' + str(par[2]) + ' ' + str(par[1]) + ' ' + str(par[0]) + ' -1'
except ValueError:
pass
j = 0
for par_each in par:
if par_each == 1:
par2[j] = 2
elif par_each == 2:
par2[j] = 1
else:
par2[j] = 0
j += 1
index2 = par2[0] * 243 + par2[1] * 81 + par2[2] * 27 + par2[3] * 9 + par2[4] * 3 + par2[5]
if index2 > i and index2 < 728:
try:
edge_array[index2] = str(par2[0]) + ' ' + str(par2[1]) + ' ' + str(par2[2]) + ' ' + str(par2[3]) + ' ' + str(par2[4]) + ' ' + str(par2[5]) + ' -1'
except ValueError:
pass
i += 1
i = 0
for edge_each in edge_array:
print(edge_array[i])
i += 1 |
levels = {
1: {
'ship': (80, 60),
'enemies': ((24, 24), (50, 24), (100, 24), (120, 24))
},
2: {
'ship': (80, 110),
'enemies': ((10, 10), (80, 10), (150, 10),
(10, 30), (80, 30), (150, 30))
},
3: {
'ship': (10, 60),
'enemies': ((90, 10), (90, 50), (90, 90),
(110, 10), (110, 50), (110, 90),
(130, 10), (130, 50), (130, 90),
)
},
4: {
'ship': (80, 110),
'enemies': ((10, 10), (40, 10), (80, 10), (110, 10), (150, 10),
(10, 30), (40, 30), (80, 30), (110, 30), (150, 30), )
},
5: {
'ship': (10, 60),
'enemies': ((80, 10), (103, 10), (123, 16), (137, 32),
(144, 61), (139, 80), (121, 104), (105, 110),
(79, 36), (101, 48), (99, 74), (79, 84),
)
},
6: {
'ship': (10, 10),
'enemies': ((40, 20), (60, 20), (80, 20), (100, 20), (120, 20), (140, 20),
(60, 40), (80, 40), (100, 40), (120, 40), (140, 40),
(80, 60), (100, 60), (120, 60), (140, 60),
(100, 80), (120, 80), (140, 80),
(100, 100), (120, 100), (140, 100),
)
},
7: {
'ship': (80, 110),
'enemies': ((10, 10), (30, 10), (50, 10), (70, 10), (90, 10),
(110, 10), (130, 10), (150, 10),
(10, 30), (30, 30), (50, 30), (70, 30), (90, 30),
(110, 30), (130, 30), (150, 30),
(60, 50), (80, 50), (100, 50)
)
},
}
| levels = {1: {'ship': (80, 60), 'enemies': ((24, 24), (50, 24), (100, 24), (120, 24))}, 2: {'ship': (80, 110), 'enemies': ((10, 10), (80, 10), (150, 10), (10, 30), (80, 30), (150, 30))}, 3: {'ship': (10, 60), 'enemies': ((90, 10), (90, 50), (90, 90), (110, 10), (110, 50), (110, 90), (130, 10), (130, 50), (130, 90))}, 4: {'ship': (80, 110), 'enemies': ((10, 10), (40, 10), (80, 10), (110, 10), (150, 10), (10, 30), (40, 30), (80, 30), (110, 30), (150, 30))}, 5: {'ship': (10, 60), 'enemies': ((80, 10), (103, 10), (123, 16), (137, 32), (144, 61), (139, 80), (121, 104), (105, 110), (79, 36), (101, 48), (99, 74), (79, 84))}, 6: {'ship': (10, 10), 'enemies': ((40, 20), (60, 20), (80, 20), (100, 20), (120, 20), (140, 20), (60, 40), (80, 40), (100, 40), (120, 40), (140, 40), (80, 60), (100, 60), (120, 60), (140, 60), (100, 80), (120, 80), (140, 80), (100, 100), (120, 100), (140, 100))}, 7: {'ship': (80, 110), 'enemies': ((10, 10), (30, 10), (50, 10), (70, 10), (90, 10), (110, 10), (130, 10), (150, 10), (10, 30), (30, 30), (50, 30), (70, 30), (90, 30), (110, 30), (130, 30), (150, 30), (60, 50), (80, 50), (100, 50))}} |
class HttpRequest:
def __init__(self, path, method, headers, path_params, query_params, body):
self.path = path
self.method = method
self.headers = headers
self.path_params = path_params
self.query_params = query_params
self.body = body
| class Httprequest:
def __init__(self, path, method, headers, path_params, query_params, body):
self.path = path
self.method = method
self.headers = headers
self.path_params = path_params
self.query_params = query_params
self.body = body |
CURRENT_NEWS_API_KEY = '' # Replace with your news.org API keys
news = {
'api_key': '',
'base_everything_url': 'https://newsapi.org/v2/everything'
} | current_news_api_key = ''
news = {'api_key': '', 'base_everything_url': 'https://newsapi.org/v2/everything'} |
'''
Given a square matrix of N rows and columns, find out whether it is symmetric or not.
>>Input Format:
The first line of the input contains an integer number n which represents the number of rows and the number of columns.
From the second line, take n lines input with each line containing n integer elements with each element separated by a space.
>>Output Format:
Print 'YES' if it is symmetric otherwise 'NO'
>>Example:
Input:
2
1 2
2 1
Output:
YES
'''
z, l = [], []
n = int(input())
[z.append(list(map(int, input().split()))) for i in range(n)]
[l.append(list(i)) for i in list(zip(*z))]
print ("YES" if l == z else "NO", end="")
| """
Given a square matrix of N rows and columns, find out whether it is symmetric or not.
>>Input Format:
The first line of the input contains an integer number n which represents the number of rows and the number of columns.
From the second line, take n lines input with each line containing n integer elements with each element separated by a space.
>>Output Format:
Print 'YES' if it is symmetric otherwise 'NO'
>>Example:
Input:
2
1 2
2 1
Output:
YES
"""
(z, l) = ([], [])
n = int(input())
[z.append(list(map(int, input().split()))) for i in range(n)]
[l.append(list(i)) for i in list(zip(*z))]
print('YES' if l == z else 'NO', end='') |
ENV='development'
DEBUG=True
SQLALCHEMY_DATABASE_URI='sqlite:///data_base.db'
#SQLALCHEMY_ECHO=True
SQLALCHEMY_TRACK_MODIFICATIONS=False
SCHEDULER_API_ENABLED = True
| env = 'development'
debug = True
sqlalchemy_database_uri = 'sqlite:///data_base.db'
sqlalchemy_track_modifications = False
scheduler_api_enabled = True |
# Exercise number 2 - Python WorkOut
# Author: Barrios Ramirez Luis Fernando
# Language: Python3 3.8.2 64-bit
def my_sum(*numbers): # The "splat" operator is used when we need an arbitrary amount of arguments
output = numbers[0]
for i in numbers[1:]: # It returns a tuple
output += i
return output
print(my_sum(4, 6))
| def my_sum(*numbers):
output = numbers[0]
for i in numbers[1:]:
output += i
return output
print(my_sum(4, 6)) |
n = ['C', 'C#', 'D', 'D#', 'E', 'F', 'F#', 'G', 'G#', 'A', 'B', 'H']
i = sorted(n.index(x) for x in input().split())
c = (i[1] - i[0], i[2] - i[1])
if c in ((4, 3), (3, 5), (5, 4)):
print('major')
elif c in ((3, 4), (4, 5), (5, 3)):
print('minor')
else:
print('strange')
| n = ['C', 'C#', 'D', 'D#', 'E', 'F', 'F#', 'G', 'G#', 'A', 'B', 'H']
i = sorted((n.index(x) for x in input().split()))
c = (i[1] - i[0], i[2] - i[1])
if c in ((4, 3), (3, 5), (5, 4)):
print('major')
elif c in ((3, 4), (4, 5), (5, 3)):
print('minor')
else:
print('strange') |
template='''
def __init__(self, base_space, **kwargs):
super().__init__() # Time scheme is set from Model.__init__()
# Set base space (manifold)
#------------------------------
assert base_space.dimension == len(self.coordinates), \
"Dimension of base_space is different from the number of coordinates"
self.base_space = base_space
{% if constant_functions_flag %}
#-----------------------
# Set constant functions
#-----------------------
# Set a default nan value for constants
{% for function in constant_functions %}self.{{function.as_keyvar}} = np.nan # @@ set constant value @@
{% endfor %}
# Set constant function values from external **kwargs (when provided)
for key in kwargs:
if key in self.constant_functions:
setattr(self, key, kwargs[key])
# Alert when a constant is np.nan
for function in self.constant_functions:
if getattr(self, function) is np.nan:
print(f"Warning: function `{function}` has to be set")
{% endif %}
{% if constants_flag %}
#---------------------------
# Set constants of the model
#---------------------------
# Set a default nan value for constants
{% for constant in constants %}self.{{constant.as_keyvar}} = np.nan # @@ set constant value @@
{% endfor %}
# Set constant values from external **kwargs (when provided)
for key in kwargs:
if key in self.constants:
setattr(self, key, kwargs[key])
# Alert when a constant is np.nan
for constant in self.constants:
if getattr(self, constant) is np.nan:
print(f"Warning: constant `{constant}` has to be set")
{% endif %}
'''
| template = '\n def __init__(self, base_space, **kwargs):\n\n super().__init__() # Time scheme is set from Model.__init__()\n\n # Set base space (manifold)\n #------------------------------\n assert base_space.dimension == len(self.coordinates), "Dimension of base_space is different from the number of coordinates"\n self.base_space = base_space\n \n {% if constant_functions_flag %}\n #-----------------------\n # Set constant functions\n #-----------------------\n \n # Set a default nan value for constants\n {% for function in constant_functions %}self.{{function.as_keyvar}} = np.nan # @@ set constant value @@\n {% endfor %}\n \n # Set constant function values from external **kwargs (when provided)\n for key in kwargs:\n if key in self.constant_functions:\n setattr(self, key, kwargs[key])\n \n # Alert when a constant is np.nan\n for function in self.constant_functions:\n if getattr(self, function) is np.nan:\n print(f"Warning: function `{function}` has to be set")\n {% endif %}\n\n {% if constants_flag %}\n #---------------------------\n # Set constants of the model\n #---------------------------\n \n # Set a default nan value for constants\n {% for constant in constants %}self.{{constant.as_keyvar}} = np.nan # @@ set constant value @@\n {% endfor %}\n \n # Set constant values from external **kwargs (when provided)\n for key in kwargs:\n if key in self.constants:\n setattr(self, key, kwargs[key])\n \n # Alert when a constant is np.nan\n for constant in self.constants:\n if getattr(self, constant) is np.nan:\n print(f"Warning: constant `{constant}` has to be set")\n {% endif %}\n\n' |
aPL = 4.412E-10
nPL = 5.934
G13 = 5290.
enerPlas = aPL/G13*90.65**(nPL + 1.)*nPL/(nPL + 1.)*0.2**3
enerFrac = 0.788*0.2*0.2
enerTotal = enerPlas+enerFrac
parameters = {
"results": [
{
"type": "max",
"step": "Step-7",
"identifier":
{
"symbol": "S13",
"elset": "ALL_ELEMS",
"position": "Element 1 Int Point 1"
},
"referenceValue": 90.65,
"tolerance": 0.01
},
{
"type": "max",
"step": "Step-9",
"identifier":
{
"symbol": "S13",
"elset": "ALL_ELEMS",
"position": "Element 1 Int Point 1"
},
"referenceValue": 91.08,
"tolerance": 0.01
},
{
"type": "max",
"step": "Step-11",
"identifier":
{
"symbol": "S13",
"elset": "ALL_ELEMS",
"position": "Element 1 Int Point 1"
},
"referenceValue": 79.96,
"tolerance": 0.05
},
{
"type": "max",
"step": "Step-17",
"identifier":
{
"symbol": "SDV_CDM_d1T",
"elset": "ALL_ELEMS",
"position": "Element 1 Int Point 1"
},
"referenceValue": 0.0,
"tolerance": 0.0
},
{
"type": "max",
"step": "Step-17",
"identifier":
{
"symbol": "SDV_CDM_d1C",
"elset": "ALL_ELEMS",
"position": "Element 1 Int Point 1"
},
"referenceValue": 0.0,
"tolerance": 0.0
},
{
"type": "continuous",
"identifier":
{
"symbol": "S12",
"elset": "ALL_ELEMS",
"position": "Element 1 Int Point 1"
},
"referenceValue": 0.0,
"tolerance": 0.1
},
{
"type": "tabular",
"identifier": "Plastic dissipation: ALLPD for Whole Model",
"referenceValue": [
(0.0, 0.0),
(0.10, aPL/G13*69.2368**(nPL + 1.)*nPL/(nPL + 1.)*0.2**3), # End of step 1 (all plasticity)
(0.25, aPL/G13*79.045**(nPL + 1.)*nPL/(nPL + 1.)*0.2**3), # End of step 3 (all plasticity)
(0.40, aPL/G13*85.5842**(nPL + 1.)*nPL/(nPL + 1.)*0.2**3), # End of step 5 (all plasticity)
(0.55, aPL/G13*90.6525**(nPL + 1.)*nPL/(nPL + 1.)*0.2**3), # End of step 7 (all plasticity)
],
"tolerance_percentage": 0.05
},
{
"type": "finalValue",
"identifier": "Plastic dissipation: ALLPD for Whole Model",
"referenceValue": enerTotal, # Total energy dissipation (plasticity + fracture)
"tolerance": 0.02*enerTotal
}
]
}
| a_pl = 4.412e-10
n_pl = 5.934
g13 = 5290.0
ener_plas = aPL / G13 * 90.65 ** (nPL + 1.0) * nPL / (nPL + 1.0) * 0.2 ** 3
ener_frac = 0.788 * 0.2 * 0.2
ener_total = enerPlas + enerFrac
parameters = {'results': [{'type': 'max', 'step': 'Step-7', 'identifier': {'symbol': 'S13', 'elset': 'ALL_ELEMS', 'position': 'Element 1 Int Point 1'}, 'referenceValue': 90.65, 'tolerance': 0.01}, {'type': 'max', 'step': 'Step-9', 'identifier': {'symbol': 'S13', 'elset': 'ALL_ELEMS', 'position': 'Element 1 Int Point 1'}, 'referenceValue': 91.08, 'tolerance': 0.01}, {'type': 'max', 'step': 'Step-11', 'identifier': {'symbol': 'S13', 'elset': 'ALL_ELEMS', 'position': 'Element 1 Int Point 1'}, 'referenceValue': 79.96, 'tolerance': 0.05}, {'type': 'max', 'step': 'Step-17', 'identifier': {'symbol': 'SDV_CDM_d1T', 'elset': 'ALL_ELEMS', 'position': 'Element 1 Int Point 1'}, 'referenceValue': 0.0, 'tolerance': 0.0}, {'type': 'max', 'step': 'Step-17', 'identifier': {'symbol': 'SDV_CDM_d1C', 'elset': 'ALL_ELEMS', 'position': 'Element 1 Int Point 1'}, 'referenceValue': 0.0, 'tolerance': 0.0}, {'type': 'continuous', 'identifier': {'symbol': 'S12', 'elset': 'ALL_ELEMS', 'position': 'Element 1 Int Point 1'}, 'referenceValue': 0.0, 'tolerance': 0.1}, {'type': 'tabular', 'identifier': 'Plastic dissipation: ALLPD for Whole Model', 'referenceValue': [(0.0, 0.0), (0.1, aPL / G13 * 69.2368 ** (nPL + 1.0) * nPL / (nPL + 1.0) * 0.2 ** 3), (0.25, aPL / G13 * 79.045 ** (nPL + 1.0) * nPL / (nPL + 1.0) * 0.2 ** 3), (0.4, aPL / G13 * 85.5842 ** (nPL + 1.0) * nPL / (nPL + 1.0) * 0.2 ** 3), (0.55, aPL / G13 * 90.6525 ** (nPL + 1.0) * nPL / (nPL + 1.0) * 0.2 ** 3)], 'tolerance_percentage': 0.05}, {'type': 'finalValue', 'identifier': 'Plastic dissipation: ALLPD for Whole Model', 'referenceValue': enerTotal, 'tolerance': 0.02 * enerTotal}]} |
# -*- coding: utf-8 -*-
# Scrapy settings for jn_scraper project
#
# For simplicity, this file contains only settings considered important or
# commonly used. You can find more settings consulting the documentation:
#
# https://doc.scrapy.org/en/latest/topics/settings.html
# https://doc.scrapy.org/en/latest/topics/downloader-middleware.html
# https://doc.scrapy.org/en/latest/topics/spider-middleware.html
BOT_NAME = 'jn_scraper'
SPIDER_MODULES = ['scraper.spiders']
NEWSPIDER_MODULE = 'scraper.spiders'
# Obey robots.txt rules
ROBOTSTXT_OBEY = True
ITEM_PIPELINES = {'scraper.pipelines.ProductItemPipeline': 200}
| bot_name = 'jn_scraper'
spider_modules = ['scraper.spiders']
newspider_module = 'scraper.spiders'
robotstxt_obey = True
item_pipelines = {'scraper.pipelines.ProductItemPipeline': 200} |
def rounding(numbers):
num = [round(float(x)) for x in numbers]
return num
print(rounding(input().split(" "))) | def rounding(numbers):
num = [round(float(x)) for x in numbers]
return num
print(rounding(input().split(' '))) |
expected_output={
'interface': {
'HundredGigE2/0/1': {
'if_id': '0x3',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 1,
'last_serdes': 1,
'cntx': 0,
'lpn': 1,
'gpn': 769,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/2': {
'if_id': '0x485',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 2,
'first_serdes': 2,
'last_serdes': 3,
'cntx': 0,
'lpn': 2,
'gpn': 770,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/3': {
'if_id': '0x519',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 3,
'first_serdes': 4,
'last_serdes': 5,
'cntx': 0,
'lpn': 3,
'gpn': 771,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/4': {
'if_id': '0x487',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 4,
'first_serdes': 6,
'last_serdes': 7,
'cntx': 0,
'lpn': 4,
'gpn': 772,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/5': {
'if_id': '0x488',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 5,
'first_serdes': 8,
'last_serdes': 9,
'cntx': 0,
'lpn': 5,
'gpn': 773,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/6': {
'if_id': '0x8',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 6,
'first_serdes': 10,
'last_serdes': 11,
'cntx': 0,
'lpn': 6,
'gpn': 774,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/7': {
'if_id': '0x48a',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 7,
'first_serdes': 12,
'last_serdes': 13,
'cntx': 0,
'lpn': 7,
'gpn': 775,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/8': {
'if_id': '0x48b',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 8,
'first_serdes': 14,
'last_serdes': 15,
'cntx': 0,
'lpn': 8,
'gpn': 776,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/9': {
'if_id': '0x48c',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 9,
'first_serdes': 16,
'last_serdes': 17,
'cntx': 0,
'lpn': 9,
'gpn': 777,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/10': {
'if_id': '0x51f',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 10,
'first_serdes': 18,
'last_serdes': 19,
'cntx': 0,
'lpn': 10,
'gpn': 778,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/11': {
'if_id': '0x513',
'inst': 0,
'asic': 0,
'core': 5,
'port': 0,
'subport': 0,
'mac': 11,
'last_serdes': 1,
'cntx': 0,
'lpn': 11,
'gpn': 779,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/12': {
'if_id': '0x514',
'inst': 0,
'asic': 0,
'core': 5,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 12,
'first_serdes': 20,
'last_serdes': 21,
'cntx': 0,
'lpn': 12,
'gpn': 780,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/13': {
'if_id': '0x51a',
'inst': 0,
'asic': 0,
'core': 5,
'port': 0,
'subport': 0,
'mac': 13,
'first_serdes': 4,
'last_serdes': 5,
'cntx': 0,
'lpn': 13,
'gpn': 781,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/14': {
'if_id': '0x51b',
'inst': 0,
'asic': 0,
'core': 5,
'port': 0,
'subport': 0,
'mac': 14,
'first_serdes': 6,
'last_serdes': 7,
'cntx': 0,
'lpn': 14,
'gpn': 782,
'type': 'NIF',
'active': 'Y'
},
'FourHundredGigE2/0/15': {
'if_id': '0x492',
'inst': 0,
'asic': 0,
'core': 5,
'port': 0,
'subport': 0,
'mac': 15,
'first_serdes': 8,
'last_serdes': 15,
'cntx': 0,
'lpn': 15,
'gpn': 783,
'type': 'NIF',
'active': 'Y'
},
'FourHundredGigE2/0/16': {
'if_id': '0x493',
'inst': 0,
'asic': 0,
'core': 5,
'port': 0,
'subport': 0,
'mac': 16,
'first_serdes': 16,
'last_serdes': 23,
'cntx': 0,
'lpn': 16,
'gpn': 784,
'type': 'NIF',
'active': 'Y'
},
'FourHundredGigE2/0/17': {
'if_id': '0x494',
'inst': 0,
'asic': 0,
'core': 4,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 17,
'last_serdes': 7,
'cntx': 0,
'lpn': 17,
'gpn': 785,
'type': 'NIF',
'active': 'Y'
},
'FourHundredGigE2/0/18': {
'if_id': '0x495',
'inst': 0,
'asic': 0,
'core': 4,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 18,
'first_serdes': 8,
'last_serdes': 15,
'cntx': 0,
'lpn': 18,
'gpn': 786,
'type': 'NIF',
'active': 'Y'
},
'FourHundredGigE2/0/19': {
'if_id': '0x496',
'inst': 0,
'asic': 0,
'core': 4,
'port': 0,
'subport': 0,
'mac': 19,
'first_serdes': 8,
'last_serdes': 9,
'cntx': 0,
'lpn': 19,
'gpn': 787,
'type': 'NIF',
'active': 'Y'
},
'FourHundredGigE2/0/20': {
'if_id': '0x497',
'inst': 0,
'asic': 0,
'core': 4,
'port': 0,
'subport': 0,
'mac': 20,
'last_serdes': 7,
'cntx': 0,
'lpn': 20,
'gpn': 788,
'type': 'NIF',
'active': 'Y'
},
'FourHundredGigE2/0/21': {
'if_id': '0x498',
'inst': 0,
'asic': 0,
'core': 3,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 21,
'last_serdes': 1,
'cntx': 0,
'lpn': 21,
'gpn': 789,
'type': 'NIF',
'active': 'Y'
},
'FourHundredGigE2/0/22': {
'if_id': '0x499',
'inst': 0,
'asic': 0,
'core': 3,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 22,
'first_serdes': 8,
'last_serdes': 15,
'cntx': 0,
'lpn': 22,
'gpn': 790,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/23': {
'if_id': '0x19',
'inst': 0,
'asic': 0,
'core': 4,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 23,
'first_serdes': 16,
'last_serdes': 17,
'cntx': 0,
'lpn': 23,
'gpn': 791,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/24': {
'if_id': '0x516',
'inst': 0,
'asic': 0,
'core': 4,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 24,
'first_serdes': 18,
'last_serdes': 19,
'cntx': 0,
'lpn': 24,
'gpn': 792,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/25': {
'if_id': '0x49c',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 25,
'last_serdes': 1,
'cntx': 0,
'lpn': 25,
'gpn': 793,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/26': {
'if_id': '0x51c',
'inst': 0,
'asic': 0,
'core': 4,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 26,
'first_serdes': 20,
'last_serdes': 21,
'cntx': 0,
'lpn': 26,
'gpn': 794,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/27': {
'if_id': '0x49e',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 27,
'first_serdes': 4,
'last_serdes': 5,
'cntx': 0,
'lpn': 27,
'gpn': 795,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/28': {
'if_id': '0x49f',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 28,
'first_serdes': 6,
'last_serdes': 7,
'cntx': 0,
'lpn': 28,
'gpn': 796,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/29': {
'if_id': '0x4a0',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 29,
'first_serdes': 8,
'last_serdes': 9,
'cntx': 0,
'lpn': 29,
'gpn': 797,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/30': {
'if_id': '0x4a1',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 30,
'first_serdes': 10,
'last_serdes': 11,
'cntx': 0,
'lpn': 30,
'gpn': 798,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/31': {
'if_id': '0x4a2',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 31,
'first_serdes': 12,
'last_serdes': 13,
'cntx': 0,
'lpn': 31,
'gpn': 799,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/32': {
'if_id': '0x4a3',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 32,
'first_serdes': 14,
'last_serdes': 15,
'cntx': 0,
'lpn': 32,
'gpn': 800,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/33': {
'if_id': '0x4a4',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 33,
'first_serdes': 16,
'last_serdes': 17,
'cntx': 0,
'lpn': 33,
'gpn': 801,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/34': {
'if_id': '0x51d',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 34,
'first_serdes': 18,
'last_serdes': 19,
'cntx': 0,
'lpn': 34,
'gpn': 802,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/35': {
'if_id': '0x517',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 35,
'first_serdes': 20,
'last_serdes': 21,
'cntx': 0,
'lpn': 35,
'gpn': 803,
'type': 'NIF',
'active': 'Y'
},
'HundredGigE2/0/36': {
'if_id': '0x518',
'inst': 0,
'asic': 0,
'core': 3,
'port': 0,
'subport': 0,
'mac': 36,
'first_serdes': 22,
'last_serdes': 23,
'cntx': 0,
'lpn': 36,
'gpn': 804,
'type': 'NIF',
'active': 'Y'
},
'AppGigabitEthernet2/0/1': {
'if_id': '0x4a8',
'inst': 0,
'asic': 0,
'core': 4,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 37,
'first_serdes': 22,
'last_serdes': 22,
'cntx': 0,
'lpn': 37,
'gpn': 805,
'type': 'NIF',
'active': 'Y'
},
'AppGigabitEthernet2/0/2': {
'if_id': '0x4a9',
'inst': 0,
'asic': 0,
'core': 4,
'ifg_id': 1,
'port': 0,
'subport': 0,
'mac': 38,
'first_serdes': 23,
'last_serdes': 23,
'cntx': 0,
'lpn': 38,
'gpn': 806,
'type': 'NIF',
'active': 'Y'
}
}
} | expected_output = {'interface': {'HundredGigE2/0/1': {'if_id': '0x3', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 1, 'last_serdes': 1, 'cntx': 0, 'lpn': 1, 'gpn': 769, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/2': {'if_id': '0x485', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 2, 'first_serdes': 2, 'last_serdes': 3, 'cntx': 0, 'lpn': 2, 'gpn': 770, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/3': {'if_id': '0x519', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 3, 'first_serdes': 4, 'last_serdes': 5, 'cntx': 0, 'lpn': 3, 'gpn': 771, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/4': {'if_id': '0x487', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 4, 'first_serdes': 6, 'last_serdes': 7, 'cntx': 0, 'lpn': 4, 'gpn': 772, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/5': {'if_id': '0x488', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 5, 'first_serdes': 8, 'last_serdes': 9, 'cntx': 0, 'lpn': 5, 'gpn': 773, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/6': {'if_id': '0x8', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 6, 'first_serdes': 10, 'last_serdes': 11, 'cntx': 0, 'lpn': 6, 'gpn': 774, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/7': {'if_id': '0x48a', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 7, 'first_serdes': 12, 'last_serdes': 13, 'cntx': 0, 'lpn': 7, 'gpn': 775, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/8': {'if_id': '0x48b', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 8, 'first_serdes': 14, 'last_serdes': 15, 'cntx': 0, 'lpn': 8, 'gpn': 776, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/9': {'if_id': '0x48c', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 9, 'first_serdes': 16, 'last_serdes': 17, 'cntx': 0, 'lpn': 9, 'gpn': 777, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/10': {'if_id': '0x51f', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 10, 'first_serdes': 18, 'last_serdes': 19, 'cntx': 0, 'lpn': 10, 'gpn': 778, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/11': {'if_id': '0x513', 'inst': 0, 'asic': 0, 'core': 5, 'port': 0, 'subport': 0, 'mac': 11, 'last_serdes': 1, 'cntx': 0, 'lpn': 11, 'gpn': 779, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/12': {'if_id': '0x514', 'inst': 0, 'asic': 0, 'core': 5, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 12, 'first_serdes': 20, 'last_serdes': 21, 'cntx': 0, 'lpn': 12, 'gpn': 780, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/13': {'if_id': '0x51a', 'inst': 0, 'asic': 0, 'core': 5, 'port': 0, 'subport': 0, 'mac': 13, 'first_serdes': 4, 'last_serdes': 5, 'cntx': 0, 'lpn': 13, 'gpn': 781, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/14': {'if_id': '0x51b', 'inst': 0, 'asic': 0, 'core': 5, 'port': 0, 'subport': 0, 'mac': 14, 'first_serdes': 6, 'last_serdes': 7, 'cntx': 0, 'lpn': 14, 'gpn': 782, 'type': 'NIF', 'active': 'Y'}, 'FourHundredGigE2/0/15': {'if_id': '0x492', 'inst': 0, 'asic': 0, 'core': 5, 'port': 0, 'subport': 0, 'mac': 15, 'first_serdes': 8, 'last_serdes': 15, 'cntx': 0, 'lpn': 15, 'gpn': 783, 'type': 'NIF', 'active': 'Y'}, 'FourHundredGigE2/0/16': {'if_id': '0x493', 'inst': 0, 'asic': 0, 'core': 5, 'port': 0, 'subport': 0, 'mac': 16, 'first_serdes': 16, 'last_serdes': 23, 'cntx': 0, 'lpn': 16, 'gpn': 784, 'type': 'NIF', 'active': 'Y'}, 'FourHundredGigE2/0/17': {'if_id': '0x494', 'inst': 0, 'asic': 0, 'core': 4, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 17, 'last_serdes': 7, 'cntx': 0, 'lpn': 17, 'gpn': 785, 'type': 'NIF', 'active': 'Y'}, 'FourHundredGigE2/0/18': {'if_id': '0x495', 'inst': 0, 'asic': 0, 'core': 4, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 18, 'first_serdes': 8, 'last_serdes': 15, 'cntx': 0, 'lpn': 18, 'gpn': 786, 'type': 'NIF', 'active': 'Y'}, 'FourHundredGigE2/0/19': {'if_id': '0x496', 'inst': 0, 'asic': 0, 'core': 4, 'port': 0, 'subport': 0, 'mac': 19, 'first_serdes': 8, 'last_serdes': 9, 'cntx': 0, 'lpn': 19, 'gpn': 787, 'type': 'NIF', 'active': 'Y'}, 'FourHundredGigE2/0/20': {'if_id': '0x497', 'inst': 0, 'asic': 0, 'core': 4, 'port': 0, 'subport': 0, 'mac': 20, 'last_serdes': 7, 'cntx': 0, 'lpn': 20, 'gpn': 788, 'type': 'NIF', 'active': 'Y'}, 'FourHundredGigE2/0/21': {'if_id': '0x498', 'inst': 0, 'asic': 0, 'core': 3, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 21, 'last_serdes': 1, 'cntx': 0, 'lpn': 21, 'gpn': 789, 'type': 'NIF', 'active': 'Y'}, 'FourHundredGigE2/0/22': {'if_id': '0x499', 'inst': 0, 'asic': 0, 'core': 3, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 22, 'first_serdes': 8, 'last_serdes': 15, 'cntx': 0, 'lpn': 22, 'gpn': 790, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/23': {'if_id': '0x19', 'inst': 0, 'asic': 0, 'core': 4, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 23, 'first_serdes': 16, 'last_serdes': 17, 'cntx': 0, 'lpn': 23, 'gpn': 791, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/24': {'if_id': '0x516', 'inst': 0, 'asic': 0, 'core': 4, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 24, 'first_serdes': 18, 'last_serdes': 19, 'cntx': 0, 'lpn': 24, 'gpn': 792, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/25': {'if_id': '0x49c', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 25, 'last_serdes': 1, 'cntx': 0, 'lpn': 25, 'gpn': 793, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/26': {'if_id': '0x51c', 'inst': 0, 'asic': 0, 'core': 4, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 26, 'first_serdes': 20, 'last_serdes': 21, 'cntx': 0, 'lpn': 26, 'gpn': 794, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/27': {'if_id': '0x49e', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 27, 'first_serdes': 4, 'last_serdes': 5, 'cntx': 0, 'lpn': 27, 'gpn': 795, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/28': {'if_id': '0x49f', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 28, 'first_serdes': 6, 'last_serdes': 7, 'cntx': 0, 'lpn': 28, 'gpn': 796, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/29': {'if_id': '0x4a0', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 29, 'first_serdes': 8, 'last_serdes': 9, 'cntx': 0, 'lpn': 29, 'gpn': 797, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/30': {'if_id': '0x4a1', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 30, 'first_serdes': 10, 'last_serdes': 11, 'cntx': 0, 'lpn': 30, 'gpn': 798, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/31': {'if_id': '0x4a2', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 31, 'first_serdes': 12, 'last_serdes': 13, 'cntx': 0, 'lpn': 31, 'gpn': 799, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/32': {'if_id': '0x4a3', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 32, 'first_serdes': 14, 'last_serdes': 15, 'cntx': 0, 'lpn': 32, 'gpn': 800, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/33': {'if_id': '0x4a4', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 33, 'first_serdes': 16, 'last_serdes': 17, 'cntx': 0, 'lpn': 33, 'gpn': 801, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/34': {'if_id': '0x51d', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 34, 'first_serdes': 18, 'last_serdes': 19, 'cntx': 0, 'lpn': 34, 'gpn': 802, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/35': {'if_id': '0x517', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 35, 'first_serdes': 20, 'last_serdes': 21, 'cntx': 0, 'lpn': 35, 'gpn': 803, 'type': 'NIF', 'active': 'Y'}, 'HundredGigE2/0/36': {'if_id': '0x518', 'inst': 0, 'asic': 0, 'core': 3, 'port': 0, 'subport': 0, 'mac': 36, 'first_serdes': 22, 'last_serdes': 23, 'cntx': 0, 'lpn': 36, 'gpn': 804, 'type': 'NIF', 'active': 'Y'}, 'AppGigabitEthernet2/0/1': {'if_id': '0x4a8', 'inst': 0, 'asic': 0, 'core': 4, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 37, 'first_serdes': 22, 'last_serdes': 22, 'cntx': 0, 'lpn': 37, 'gpn': 805, 'type': 'NIF', 'active': 'Y'}, 'AppGigabitEthernet2/0/2': {'if_id': '0x4a9', 'inst': 0, 'asic': 0, 'core': 4, 'ifg_id': 1, 'port': 0, 'subport': 0, 'mac': 38, 'first_serdes': 23, 'last_serdes': 23, 'cntx': 0, 'lpn': 38, 'gpn': 806, 'type': 'NIF', 'active': 'Y'}}} |
class Hero:
def __init__(self, nama, attack,health,defense):
self.name = nama
self.attack = attack
self.health = health
self.defense = defense
| class Hero:
def __init__(self, nama, attack, health, defense):
self.name = nama
self.attack = attack
self.health = health
self.defense = defense |
def compress(string):
counter = 1
result = []
for i in range(len(string)):
if not (i + 1) == len(string) and string[i] == string[i + 1]:
counter += 1
else:
result.append(string[i] + str(counter))
counter = 1
final = "".join(result)
if len(string) > len(final):
return final
return string
print(compress('rrrrrrqqqqqqaaaaddddaaaadda')) | def compress(string):
counter = 1
result = []
for i in range(len(string)):
if not i + 1 == len(string) and string[i] == string[i + 1]:
counter += 1
else:
result.append(string[i] + str(counter))
counter = 1
final = ''.join(result)
if len(string) > len(final):
return final
return string
print(compress('rrrrrrqqqqqqaaaaddddaaaadda')) |
__project__ = "nerblackbox"
__author__ = "Felix Stollenwerk"
__version__ = "0.0.13"
__license__ = "Apache 2.0"
| __project__ = 'nerblackbox'
__author__ = 'Felix Stollenwerk'
__version__ = '0.0.13'
__license__ = 'Apache 2.0' |
s=input()
s=s.split(" ")
n=int(s[0])
k=int(s[1])
m=n//2
if n%2==1:
m+=1
if k<=m:
print(2*k-1)
else:
k=k-m
print(2*k) | s = input()
s = s.split(' ')
n = int(s[0])
k = int(s[1])
m = n // 2
if n % 2 == 1:
m += 1
if k <= m:
print(2 * k - 1)
else:
k = k - m
print(2 * k) |
class Solution:
d = {
'I': 1,
'V': 5,
'X': 10,
'L': 50,
'C': 100,
'D': 500,
'M': 1000,
'IV': 4,
'IX': 9,
'XL': 40,
'XC': 90,
'CD': 400,
'CM': 900
}
def romanToInt(self, s):
n,i = 0,0
while i < len(s):
if i + 1 < len(s) and s[i: i + 2] in Solution.d:
n += Solution.d[s[i: i + 2]]
i += 2
else:
n += Solution.d.get(s[i], 0)
i += 1
return n
| class Solution:
d = {'I': 1, 'V': 5, 'X': 10, 'L': 50, 'C': 100, 'D': 500, 'M': 1000, 'IV': 4, 'IX': 9, 'XL': 40, 'XC': 90, 'CD': 400, 'CM': 900}
def roman_to_int(self, s):
(n, i) = (0, 0)
while i < len(s):
if i + 1 < len(s) and s[i:i + 2] in Solution.d:
n += Solution.d[s[i:i + 2]]
i += 2
else:
n += Solution.d.get(s[i], 0)
i += 1
return n |
class Person:
def __init__(self, fname, lname):
self.fname = fname
self.lname = lname
def __repr__(self):
return f'{self.fname} {self.lname}'
p1 = Person('John', 'Smith')
class Student(Person):
pass
if __name__ == '__main__':
s = Student('Tom', 'Adams')
print(s)
print(isinstance(s, Student))
print(isinstance(s, Person))
print(issubclass(Student, Person))
| class Person:
def __init__(self, fname, lname):
self.fname = fname
self.lname = lname
def __repr__(self):
return f'{self.fname} {self.lname}'
p1 = person('John', 'Smith')
class Student(Person):
pass
if __name__ == '__main__':
s = student('Tom', 'Adams')
print(s)
print(isinstance(s, Student))
print(isinstance(s, Person))
print(issubclass(Student, Person)) |
# Solution to exercise PermMissingElem
# http://www.codility.com/train/
def solution(A):
N = len(A)
# The array with the missing entry added should sum to (N+2)(N+1)/2
# so the missing entry can be determined by subtracting the sum of
# the entries of A
missing_element = (N+2)*(N+1)/2 - sum(A)
return missing_element
| def solution(A):
n = len(A)
missing_element = (N + 2) * (N + 1) / 2 - sum(A)
return missing_element |
with open("input.txt") as f:
lines = f.readlines()
S = lines.pop(0).strip()
lines.pop(0)
rules = {}
for r in lines:
s = r.strip().split(" -> ")
rules[s[0]] = s[1]
for n in range(10):
S = S[0] + "".join(list(map(lambda x,y: rules[x+y] + y, S[0:-1], S[1:])))
# Histogram
f = {}
for c in S:
f[c] = f.get(c,0) + 1
print(max(f.values()) - min(f.values()))
| with open('input.txt') as f:
lines = f.readlines()
s = lines.pop(0).strip()
lines.pop(0)
rules = {}
for r in lines:
s = r.strip().split(' -> ')
rules[s[0]] = s[1]
for n in range(10):
s = S[0] + ''.join(list(map(lambda x, y: rules[x + y] + y, S[0:-1], S[1:])))
f = {}
for c in S:
f[c] = f.get(c, 0) + 1
print(max(f.values()) - min(f.values())) |
class Solution:
def countArrangement(self, n: int) -> int:
state = '1' * n
# dp[state] means number of targ arrangement
# easily dp[state] = sum(dp[possible_next_state])
dp = {}
dp['0'*n] = 1
def dfs(state_now, index):
# basic
if state_now in dp:
return dp[state_now]
else:
dp[state_now] = 0
for i in range(len(state_now)):
if state_now[i] == '1':
if (i + 1 > index and (i + 1) % index == 0) or (i + 1 < index and index % (i + 1) == 0) or index == i + 1:
next_state = state_now[0:i] + '0' + state_now[i+1:]
dp[state_now] += dfs(next_state, index+1)
return dp[state_now]
return dfs(state, 1)
| class Solution:
def count_arrangement(self, n: int) -> int:
state = '1' * n
dp = {}
dp['0' * n] = 1
def dfs(state_now, index):
if state_now in dp:
return dp[state_now]
else:
dp[state_now] = 0
for i in range(len(state_now)):
if state_now[i] == '1':
if i + 1 > index and (i + 1) % index == 0 or (i + 1 < index and index % (i + 1) == 0) or index == i + 1:
next_state = state_now[0:i] + '0' + state_now[i + 1:]
dp[state_now] += dfs(next_state, index + 1)
return dp[state_now]
return dfs(state, 1) |
# AUTOGENERATED BY NBDEV! DO NOT EDIT!
__all__ = ["index", "modules", "custom_doc_links", "git_url"]
index = {"AlreadyImportedError": "00_core.ipynb",
"InvalidFilePath": "00_core.ipynb",
"InvalidFolderPath": "00_core.ipynb",
"InvalidFileExtension": "00_core.ipynb",
"Pdf": "00_core.ipynb"}
modules = ["core.py"]
doc_url = "https://fabraz.github.io/vigilant/"
git_url = "https://github.com/fabraz/fastagger/tree/master/"
def custom_doc_links(name): return None
| __all__ = ['index', 'modules', 'custom_doc_links', 'git_url']
index = {'AlreadyImportedError': '00_core.ipynb', 'InvalidFilePath': '00_core.ipynb', 'InvalidFolderPath': '00_core.ipynb', 'InvalidFileExtension': '00_core.ipynb', 'Pdf': '00_core.ipynb'}
modules = ['core.py']
doc_url = 'https://fabraz.github.io/vigilant/'
git_url = 'https://github.com/fabraz/fastagger/tree/master/'
def custom_doc_links(name):
return None |
class Solution:
def maxPower(self, s: str) -> int:
ans = cur = 0
prev = ''
for c in s:
if c == prev:
cur += 1
else:
cur = 1
prev = c
if cur > ans:
ans = cur
return ans | class Solution:
def max_power(self, s: str) -> int:
ans = cur = 0
prev = ''
for c in s:
if c == prev:
cur += 1
else:
cur = 1
prev = c
if cur > ans:
ans = cur
return ans |
# For Capstone Engine. AUTO-GENERATED FILE, DO NOT EDIT [x86_const.py]
X86_REG_INVALID = 0
X86_REG_AH = 1
X86_REG_AL = 2
X86_REG_AX = 3
X86_REG_BH = 4
X86_REG_BL = 5
X86_REG_BP = 6
X86_REG_BPL = 7
X86_REG_BX = 8
X86_REG_CH = 9
X86_REG_CL = 10
X86_REG_CS = 11
X86_REG_CX = 12
X86_REG_DH = 13
X86_REG_DI = 14
X86_REG_DIL = 15
X86_REG_DL = 16
X86_REG_DS = 17
X86_REG_DX = 18
X86_REG_EAX = 19
X86_REG_EBP = 20
X86_REG_EBX = 21
X86_REG_ECX = 22
X86_REG_EDI = 23
X86_REG_EDX = 24
X86_REG_EFLAGS = 25
X86_REG_EIP = 26
X86_REG_EIZ = 27
X86_REG_ES = 28
X86_REG_ESI = 29
X86_REG_ESP = 30
X86_REG_FPSW = 31
X86_REG_FS = 32
X86_REG_GS = 33
X86_REG_IP = 34
X86_REG_RAX = 35
X86_REG_RBP = 36
X86_REG_RBX = 37
X86_REG_RCX = 38
X86_REG_RDI = 39
X86_REG_RDX = 40
X86_REG_RIP = 41
X86_REG_RIZ = 42
X86_REG_RSI = 43
X86_REG_RSP = 44
X86_REG_SI = 45
X86_REG_SIL = 46
X86_REG_SP = 47
X86_REG_SPL = 48
X86_REG_SS = 49
X86_REG_CR0 = 50
X86_REG_CR1 = 51
X86_REG_CR2 = 52
X86_REG_CR3 = 53
X86_REG_CR4 = 54
X86_REG_CR5 = 55
X86_REG_CR6 = 56
X86_REG_CR7 = 57
X86_REG_CR8 = 58
X86_REG_CR9 = 59
X86_REG_CR10 = 60
X86_REG_CR11 = 61
X86_REG_CR12 = 62
X86_REG_CR13 = 63
X86_REG_CR14 = 64
X86_REG_CR15 = 65
X86_REG_DR0 = 66
X86_REG_DR1 = 67
X86_REG_DR2 = 68
X86_REG_DR3 = 69
X86_REG_DR4 = 70
X86_REG_DR5 = 71
X86_REG_DR6 = 72
X86_REG_DR7 = 73
X86_REG_DR8 = 74
X86_REG_DR9 = 75
X86_REG_DR10 = 76
X86_REG_DR11 = 77
X86_REG_DR12 = 78
X86_REG_DR13 = 79
X86_REG_DR14 = 80
X86_REG_DR15 = 81
X86_REG_FP0 = 82
X86_REG_FP1 = 83
X86_REG_FP2 = 84
X86_REG_FP3 = 85
X86_REG_FP4 = 86
X86_REG_FP5 = 87
X86_REG_FP6 = 88
X86_REG_FP7 = 89
X86_REG_K0 = 90
X86_REG_K1 = 91
X86_REG_K2 = 92
X86_REG_K3 = 93
X86_REG_K4 = 94
X86_REG_K5 = 95
X86_REG_K6 = 96
X86_REG_K7 = 97
X86_REG_MM0 = 98
X86_REG_MM1 = 99
X86_REG_MM2 = 100
X86_REG_MM3 = 101
X86_REG_MM4 = 102
X86_REG_MM5 = 103
X86_REG_MM6 = 104
X86_REG_MM7 = 105
X86_REG_R8 = 106
X86_REG_R9 = 107
X86_REG_R10 = 108
X86_REG_R11 = 109
X86_REG_R12 = 110
X86_REG_R13 = 111
X86_REG_R14 = 112
X86_REG_R15 = 113
X86_REG_ST0 = 114
X86_REG_ST1 = 115
X86_REG_ST2 = 116
X86_REG_ST3 = 117
X86_REG_ST4 = 118
X86_REG_ST5 = 119
X86_REG_ST6 = 120
X86_REG_ST7 = 121
X86_REG_XMM0 = 122
X86_REG_XMM1 = 123
X86_REG_XMM2 = 124
X86_REG_XMM3 = 125
X86_REG_XMM4 = 126
X86_REG_XMM5 = 127
X86_REG_XMM6 = 128
X86_REG_XMM7 = 129
X86_REG_XMM8 = 130
X86_REG_XMM9 = 131
X86_REG_XMM10 = 132
X86_REG_XMM11 = 133
X86_REG_XMM12 = 134
X86_REG_XMM13 = 135
X86_REG_XMM14 = 136
X86_REG_XMM15 = 137
X86_REG_XMM16 = 138
X86_REG_XMM17 = 139
X86_REG_XMM18 = 140
X86_REG_XMM19 = 141
X86_REG_XMM20 = 142
X86_REG_XMM21 = 143
X86_REG_XMM22 = 144
X86_REG_XMM23 = 145
X86_REG_XMM24 = 146
X86_REG_XMM25 = 147
X86_REG_XMM26 = 148
X86_REG_XMM27 = 149
X86_REG_XMM28 = 150
X86_REG_XMM29 = 151
X86_REG_XMM30 = 152
X86_REG_XMM31 = 153
X86_REG_YMM0 = 154
X86_REG_YMM1 = 155
X86_REG_YMM2 = 156
X86_REG_YMM3 = 157
X86_REG_YMM4 = 158
X86_REG_YMM5 = 159
X86_REG_YMM6 = 160
X86_REG_YMM7 = 161
X86_REG_YMM8 = 162
X86_REG_YMM9 = 163
X86_REG_YMM10 = 164
X86_REG_YMM11 = 165
X86_REG_YMM12 = 166
X86_REG_YMM13 = 167
X86_REG_YMM14 = 168
X86_REG_YMM15 = 169
X86_REG_YMM16 = 170
X86_REG_YMM17 = 171
X86_REG_YMM18 = 172
X86_REG_YMM19 = 173
X86_REG_YMM20 = 174
X86_REG_YMM21 = 175
X86_REG_YMM22 = 176
X86_REG_YMM23 = 177
X86_REG_YMM24 = 178
X86_REG_YMM25 = 179
X86_REG_YMM26 = 180
X86_REG_YMM27 = 181
X86_REG_YMM28 = 182
X86_REG_YMM29 = 183
X86_REG_YMM30 = 184
X86_REG_YMM31 = 185
X86_REG_ZMM0 = 186
X86_REG_ZMM1 = 187
X86_REG_ZMM2 = 188
X86_REG_ZMM3 = 189
X86_REG_ZMM4 = 190
X86_REG_ZMM5 = 191
X86_REG_ZMM6 = 192
X86_REG_ZMM7 = 193
X86_REG_ZMM8 = 194
X86_REG_ZMM9 = 195
X86_REG_ZMM10 = 196
X86_REG_ZMM11 = 197
X86_REG_ZMM12 = 198
X86_REG_ZMM13 = 199
X86_REG_ZMM14 = 200
X86_REG_ZMM15 = 201
X86_REG_ZMM16 = 202
X86_REG_ZMM17 = 203
X86_REG_ZMM18 = 204
X86_REG_ZMM19 = 205
X86_REG_ZMM20 = 206
X86_REG_ZMM21 = 207
X86_REG_ZMM22 = 208
X86_REG_ZMM23 = 209
X86_REG_ZMM24 = 210
X86_REG_ZMM25 = 211
X86_REG_ZMM26 = 212
X86_REG_ZMM27 = 213
X86_REG_ZMM28 = 214
X86_REG_ZMM29 = 215
X86_REG_ZMM30 = 216
X86_REG_ZMM31 = 217
X86_REG_R8B = 218
X86_REG_R9B = 219
X86_REG_R10B = 220
X86_REG_R11B = 221
X86_REG_R12B = 222
X86_REG_R13B = 223
X86_REG_R14B = 224
X86_REG_R15B = 225
X86_REG_R8D = 226
X86_REG_R9D = 227
X86_REG_R10D = 228
X86_REG_R11D = 229
X86_REG_R12D = 230
X86_REG_R13D = 231
X86_REG_R14D = 232
X86_REG_R15D = 233
X86_REG_R8W = 234
X86_REG_R9W = 235
X86_REG_R10W = 236
X86_REG_R11W = 237
X86_REG_R12W = 238
X86_REG_R13W = 239
X86_REG_R14W = 240
X86_REG_R15W = 241
X86_REG_BND0 = 242
X86_REG_BND1 = 243
X86_REG_BND2 = 244
X86_REG_BND3 = 245
X86_REG_ENDING = 246
X86_EFLAGS_MODIFY_AF = 1<<0
X86_EFLAGS_MODIFY_CF = 1<<1
X86_EFLAGS_MODIFY_SF = 1<<2
X86_EFLAGS_MODIFY_ZF = 1<<3
X86_EFLAGS_MODIFY_PF = 1<<4
X86_EFLAGS_MODIFY_OF = 1<<5
X86_EFLAGS_MODIFY_TF = 1<<6
X86_EFLAGS_MODIFY_IF = 1<<7
X86_EFLAGS_MODIFY_DF = 1<<8
X86_EFLAGS_MODIFY_NT = 1<<9
X86_EFLAGS_MODIFY_RF = 1<<10
X86_EFLAGS_PRIOR_OF = 1<<11
X86_EFLAGS_PRIOR_SF = 1<<12
X86_EFLAGS_PRIOR_ZF = 1<<13
X86_EFLAGS_PRIOR_AF = 1<<14
X86_EFLAGS_PRIOR_PF = 1<<15
X86_EFLAGS_PRIOR_CF = 1<<16
X86_EFLAGS_PRIOR_TF = 1<<17
X86_EFLAGS_PRIOR_IF = 1<<18
X86_EFLAGS_PRIOR_DF = 1<<19
X86_EFLAGS_PRIOR_NT = 1<<20
X86_EFLAGS_RESET_OF = 1<<21
X86_EFLAGS_RESET_CF = 1<<22
X86_EFLAGS_RESET_DF = 1<<23
X86_EFLAGS_RESET_IF = 1<<24
X86_EFLAGS_RESET_SF = 1<<25
X86_EFLAGS_RESET_AF = 1<<26
X86_EFLAGS_RESET_TF = 1<<27
X86_EFLAGS_RESET_NT = 1<<28
X86_EFLAGS_RESET_PF = 1<<29
X86_EFLAGS_SET_CF = 1<<30
X86_EFLAGS_SET_DF = 1<<31
X86_EFLAGS_SET_IF = 1<<32
X86_EFLAGS_TEST_OF = 1<<33
X86_EFLAGS_TEST_SF = 1<<34
X86_EFLAGS_TEST_ZF = 1<<35
X86_EFLAGS_TEST_PF = 1<<36
X86_EFLAGS_TEST_CF = 1<<37
X86_EFLAGS_TEST_NT = 1<<38
X86_EFLAGS_TEST_DF = 1<<39
X86_EFLAGS_UNDEFINED_OF = 1<<40
X86_EFLAGS_UNDEFINED_SF = 1<<41
X86_EFLAGS_UNDEFINED_ZF = 1<<42
X86_EFLAGS_UNDEFINED_PF = 1<<43
X86_EFLAGS_UNDEFINED_AF = 1<<44
X86_EFLAGS_UNDEFINED_CF = 1<<45
X86_EFLAGS_RESET_RF = 1<<46
X86_EFLAGS_TEST_RF = 1<<47
X86_EFLAGS_TEST_IF = 1<<48
X86_EFLAGS_TEST_TF = 1<<49
X86_EFLAGS_TEST_AF = 1<<50
X86_EFLAGS_RESET_ZF = 1<<51
X86_EFLAGS_SET_OF = 1<<52
X86_EFLAGS_SET_SF = 1<<53
X86_EFLAGS_SET_ZF = 1<<54
X86_EFLAGS_SET_AF = 1<<55
X86_EFLAGS_SET_PF = 1<<56
X86_EFLAGS_RESET_0F = 1<<57
X86_EFLAGS_RESET_AC = 1<<58
X86_FPU_FLAGS_MODIFY_C0 = 1<<0
X86_FPU_FLAGS_MODIFY_C1 = 1<<1
X86_FPU_FLAGS_MODIFY_C2 = 1<<2
X86_FPU_FLAGS_MODIFY_C3 = 1<<3
X86_FPU_FLAGS_RESET_C0 = 1<<4
X86_FPU_FLAGS_RESET_C1 = 1<<5
X86_FPU_FLAGS_RESET_C2 = 1<<6
X86_FPU_FLAGS_RESET_C3 = 1<<7
X86_FPU_FLAGS_SET_C0 = 1<<8
X86_FPU_FLAGS_SET_C1 = 1<<9
X86_FPU_FLAGS_SET_C2 = 1<<10
X86_FPU_FLAGS_SET_C3 = 1<<11
X86_FPU_FLAGS_UNDEFINED_C0 = 1<<12
X86_FPU_FLAGS_UNDEFINED_C1 = 1<<13
X86_FPU_FLAGS_UNDEFINED_C2 = 1<<14
X86_FPU_FLAGS_UNDEFINED_C3 = 1<<15
X86_FPU_FLAGS_TEST_C0 = 1<<16
X86_FPU_FLAGS_TEST_C1 = 1<<17
X86_FPU_FLAGS_TEST_C2 = 1<<18
X86_FPU_FLAGS_TEST_C3 = 1<<19
X86_OP_INVALID = 0
X86_OP_REG = 1
X86_OP_IMM = 2
X86_OP_MEM = 3
X86_XOP_CC_INVALID = 0
X86_XOP_CC_LT = 1
X86_XOP_CC_LE = 2
X86_XOP_CC_GT = 3
X86_XOP_CC_GE = 4
X86_XOP_CC_EQ = 5
X86_XOP_CC_NEQ = 6
X86_XOP_CC_FALSE = 7
X86_XOP_CC_TRUE = 8
X86_AVX_BCAST_INVALID = 0
X86_AVX_BCAST_2 = 1
X86_AVX_BCAST_4 = 2
X86_AVX_BCAST_8 = 3
X86_AVX_BCAST_16 = 4
X86_SSE_CC_INVALID = 0
X86_SSE_CC_EQ = 1
X86_SSE_CC_LT = 2
X86_SSE_CC_LE = 3
X86_SSE_CC_UNORD = 4
X86_SSE_CC_NEQ = 5
X86_SSE_CC_NLT = 6
X86_SSE_CC_NLE = 7
X86_SSE_CC_ORD = 8
X86_AVX_CC_INVALID = 0
X86_AVX_CC_EQ = 1
X86_AVX_CC_LT = 2
X86_AVX_CC_LE = 3
X86_AVX_CC_UNORD = 4
X86_AVX_CC_NEQ = 5
X86_AVX_CC_NLT = 6
X86_AVX_CC_NLE = 7
X86_AVX_CC_ORD = 8
X86_AVX_CC_EQ_UQ = 9
X86_AVX_CC_NGE = 10
X86_AVX_CC_NGT = 11
X86_AVX_CC_FALSE = 12
X86_AVX_CC_NEQ_OQ = 13
X86_AVX_CC_GE = 14
X86_AVX_CC_GT = 15
X86_AVX_CC_TRUE = 16
X86_AVX_CC_EQ_OS = 17
X86_AVX_CC_LT_OQ = 18
X86_AVX_CC_LE_OQ = 19
X86_AVX_CC_UNORD_S = 20
X86_AVX_CC_NEQ_US = 21
X86_AVX_CC_NLT_UQ = 22
X86_AVX_CC_NLE_UQ = 23
X86_AVX_CC_ORD_S = 24
X86_AVX_CC_EQ_US = 25
X86_AVX_CC_NGE_UQ = 26
X86_AVX_CC_NGT_UQ = 27
X86_AVX_CC_FALSE_OS = 28
X86_AVX_CC_NEQ_OS = 29
X86_AVX_CC_GE_OQ = 30
X86_AVX_CC_GT_OQ = 31
X86_AVX_CC_TRUE_US = 32
X86_AVX_RM_INVALID = 0
X86_AVX_RM_RN = 1
X86_AVX_RM_RD = 2
X86_AVX_RM_RU = 3
X86_AVX_RM_RZ = 4
X86_PREFIX_LOCK = 0xf0
X86_PREFIX_REP = 0xf3
X86_PREFIX_REPE = 0xf3
X86_PREFIX_REPNE = 0xf2
X86_PREFIX_CS = 0x2e
X86_PREFIX_SS = 0x36
X86_PREFIX_DS = 0x3e
X86_PREFIX_ES = 0x26
X86_PREFIX_FS = 0x64
X86_PREFIX_GS = 0x65
X86_PREFIX_OPSIZE = 0x66
X86_PREFIX_ADDRSIZE = 0x67
X86_INS_INVALID = 0
X86_INS_AAA = 1
X86_INS_AAD = 2
X86_INS_AAM = 3
X86_INS_AAS = 4
X86_INS_FABS = 5
X86_INS_ADC = 6
X86_INS_ADCX = 7
X86_INS_ADD = 8
X86_INS_ADDPD = 9
X86_INS_ADDPS = 10
X86_INS_ADDSD = 11
X86_INS_ADDSS = 12
X86_INS_ADDSUBPD = 13
X86_INS_ADDSUBPS = 14
X86_INS_FADD = 15
X86_INS_FIADD = 16
X86_INS_ADOX = 17
X86_INS_AESDECLAST = 18
X86_INS_AESDEC = 19
X86_INS_AESENCLAST = 20
X86_INS_AESENC = 21
X86_INS_AESIMC = 22
X86_INS_AESKEYGENASSIST = 23
X86_INS_AND = 24
X86_INS_ANDN = 25
X86_INS_ANDNPD = 26
X86_INS_ANDNPS = 27
X86_INS_ANDPD = 28
X86_INS_ANDPS = 29
X86_INS_ARPL = 30
X86_INS_BEXTR = 31
X86_INS_BLCFILL = 32
X86_INS_BLCI = 33
X86_INS_BLCIC = 34
X86_INS_BLCMSK = 35
X86_INS_BLCS = 36
X86_INS_BLENDPD = 37
X86_INS_BLENDPS = 38
X86_INS_BLENDVPD = 39
X86_INS_BLENDVPS = 40
X86_INS_BLSFILL = 41
X86_INS_BLSI = 42
X86_INS_BLSIC = 43
X86_INS_BLSMSK = 44
X86_INS_BLSR = 45
X86_INS_BNDCL = 46
X86_INS_BNDCN = 47
X86_INS_BNDCU = 48
X86_INS_BNDLDX = 49
X86_INS_BNDMK = 50
X86_INS_BNDMOV = 51
X86_INS_BNDSTX = 52
X86_INS_BOUND = 53
X86_INS_BSF = 54
X86_INS_BSR = 55
X86_INS_BSWAP = 56
X86_INS_BT = 57
X86_INS_BTC = 58
X86_INS_BTR = 59
X86_INS_BTS = 60
X86_INS_BZHI = 61
X86_INS_CALL = 62
X86_INS_CBW = 63
X86_INS_CDQ = 64
X86_INS_CDQE = 65
X86_INS_FCHS = 66
X86_INS_CLAC = 67
X86_INS_CLC = 68
X86_INS_CLD = 69
X86_INS_CLDEMOTE = 70
X86_INS_CLFLUSH = 71
X86_INS_CLFLUSHOPT = 72
X86_INS_CLGI = 73
X86_INS_CLI = 74
X86_INS_CLRSSBSY = 75
X86_INS_CLTS = 76
X86_INS_CLWB = 77
X86_INS_CLZERO = 78
X86_INS_CMC = 79
X86_INS_CMOVA = 80
X86_INS_CMOVAE = 81
X86_INS_CMOVB = 82
X86_INS_CMOVBE = 83
X86_INS_FCMOVBE = 84
X86_INS_FCMOVB = 85
X86_INS_CMOVE = 86
X86_INS_FCMOVE = 87
X86_INS_CMOVG = 88
X86_INS_CMOVGE = 89
X86_INS_CMOVL = 90
X86_INS_CMOVLE = 91
X86_INS_FCMOVNBE = 92
X86_INS_FCMOVNB = 93
X86_INS_CMOVNE = 94
X86_INS_FCMOVNE = 95
X86_INS_CMOVNO = 96
X86_INS_CMOVNP = 97
X86_INS_FCMOVNU = 98
X86_INS_FCMOVNP = 99
X86_INS_CMOVNS = 100
X86_INS_CMOVO = 101
X86_INS_CMOVP = 102
X86_INS_FCMOVU = 103
X86_INS_CMOVS = 104
X86_INS_CMP = 105
X86_INS_CMPPD = 106
X86_INS_CMPPS = 107
X86_INS_CMPSB = 108
X86_INS_CMPSD = 109
X86_INS_CMPSQ = 110
X86_INS_CMPSS = 111
X86_INS_CMPSW = 112
X86_INS_CMPXCHG16B = 113
X86_INS_CMPXCHG = 114
X86_INS_CMPXCHG8B = 115
X86_INS_COMISD = 116
X86_INS_COMISS = 117
X86_INS_FCOMP = 118
X86_INS_FCOMPI = 119
X86_INS_FCOMI = 120
X86_INS_FCOM = 121
X86_INS_FCOS = 122
X86_INS_CPUID = 123
X86_INS_CQO = 124
X86_INS_CRC32 = 125
X86_INS_CVTDQ2PD = 126
X86_INS_CVTDQ2PS = 127
X86_INS_CVTPD2DQ = 128
X86_INS_CVTPD2PS = 129
X86_INS_CVTPS2DQ = 130
X86_INS_CVTPS2PD = 131
X86_INS_CVTSD2SI = 132
X86_INS_CVTSD2SS = 133
X86_INS_CVTSI2SD = 134
X86_INS_CVTSI2SS = 135
X86_INS_CVTSS2SD = 136
X86_INS_CVTSS2SI = 137
X86_INS_CVTTPD2DQ = 138
X86_INS_CVTTPS2DQ = 139
X86_INS_CVTTSD2SI = 140
X86_INS_CVTTSS2SI = 141
X86_INS_CWD = 142
X86_INS_CWDE = 143
X86_INS_DAA = 144
X86_INS_DAS = 145
X86_INS_DATA16 = 146
X86_INS_DEC = 147
X86_INS_DIV = 148
X86_INS_DIVPD = 149
X86_INS_DIVPS = 150
X86_INS_FDIVR = 151
X86_INS_FIDIVR = 152
X86_INS_FDIVRP = 153
X86_INS_DIVSD = 154
X86_INS_DIVSS = 155
X86_INS_FDIV = 156
X86_INS_FIDIV = 157
X86_INS_FDIVP = 158
X86_INS_DPPD = 159
X86_INS_DPPS = 160
X86_INS_ENCLS = 161
X86_INS_ENCLU = 162
X86_INS_ENCLV = 163
X86_INS_ENDBR32 = 164
X86_INS_ENDBR64 = 165
X86_INS_ENTER = 166
X86_INS_EXTRACTPS = 167
X86_INS_EXTRQ = 168
X86_INS_F2XM1 = 169
X86_INS_LCALL = 170
X86_INS_LJMP = 171
X86_INS_JMP = 172
X86_INS_FBLD = 173
X86_INS_FBSTP = 174
X86_INS_FCOMPP = 175
X86_INS_FDECSTP = 176
X86_INS_FDISI8087_NOP = 177
X86_INS_FEMMS = 178
X86_INS_FENI8087_NOP = 179
X86_INS_FFREE = 180
X86_INS_FFREEP = 181
X86_INS_FICOM = 182
X86_INS_FICOMP = 183
X86_INS_FINCSTP = 184
X86_INS_FLDCW = 185
X86_INS_FLDENV = 186
X86_INS_FLDL2E = 187
X86_INS_FLDL2T = 188
X86_INS_FLDLG2 = 189
X86_INS_FLDLN2 = 190
X86_INS_FLDPI = 191
X86_INS_FNCLEX = 192
X86_INS_FNINIT = 193
X86_INS_FNOP = 194
X86_INS_FNSTCW = 195
X86_INS_FNSTSW = 196
X86_INS_FPATAN = 197
X86_INS_FSTPNCE = 198
X86_INS_FPREM = 199
X86_INS_FPREM1 = 200
X86_INS_FPTAN = 201
X86_INS_FRNDINT = 202
X86_INS_FRSTOR = 203
X86_INS_FNSAVE = 204
X86_INS_FSCALE = 205
X86_INS_FSETPM = 206
X86_INS_FSINCOS = 207
X86_INS_FNSTENV = 208
X86_INS_FXAM = 209
X86_INS_FXRSTOR = 210
X86_INS_FXRSTOR64 = 211
X86_INS_FXSAVE = 212
X86_INS_FXSAVE64 = 213
X86_INS_FXTRACT = 214
X86_INS_FYL2X = 215
X86_INS_FYL2XP1 = 216
X86_INS_GETSEC = 217
X86_INS_GF2P8AFFINEINVQB = 218
X86_INS_GF2P8AFFINEQB = 219
X86_INS_GF2P8MULB = 220
X86_INS_HADDPD = 221
X86_INS_HADDPS = 222
X86_INS_HLT = 223
X86_INS_HSUBPD = 224
X86_INS_HSUBPS = 225
X86_INS_IDIV = 226
X86_INS_FILD = 227
X86_INS_IMUL = 228
X86_INS_IN = 229
X86_INS_INC = 230
X86_INS_INCSSPD = 231
X86_INS_INCSSPQ = 232
X86_INS_INSB = 233
X86_INS_INSERTPS = 234
X86_INS_INSERTQ = 235
X86_INS_INSD = 236
X86_INS_INSW = 237
X86_INS_INT = 238
X86_INS_INT1 = 239
X86_INS_INT3 = 240
X86_INS_INTO = 241
X86_INS_INVD = 242
X86_INS_INVEPT = 243
X86_INS_INVLPG = 244
X86_INS_INVLPGA = 245
X86_INS_INVPCID = 246
X86_INS_INVVPID = 247
X86_INS_IRET = 248
X86_INS_IRETD = 249
X86_INS_IRETQ = 250
X86_INS_FISTTP = 251
X86_INS_FIST = 252
X86_INS_FISTP = 253
X86_INS_JAE = 254
X86_INS_JA = 255
X86_INS_JBE = 256
X86_INS_JB = 257
X86_INS_JCXZ = 258
X86_INS_JECXZ = 259
X86_INS_JE = 260
X86_INS_JGE = 261
X86_INS_JG = 262
X86_INS_JLE = 263
X86_INS_JL = 264
X86_INS_JNE = 265
X86_INS_JNO = 266
X86_INS_JNP = 267
X86_INS_JNS = 268
X86_INS_JO = 269
X86_INS_JP = 270
X86_INS_JRCXZ = 271
X86_INS_JS = 272
X86_INS_KADDB = 273
X86_INS_KADDD = 274
X86_INS_KADDQ = 275
X86_INS_KADDW = 276
X86_INS_KANDB = 277
X86_INS_KANDD = 278
X86_INS_KANDNB = 279
X86_INS_KANDND = 280
X86_INS_KANDNQ = 281
X86_INS_KANDNW = 282
X86_INS_KANDQ = 283
X86_INS_KANDW = 284
X86_INS_KMOVB = 285
X86_INS_KMOVD = 286
X86_INS_KMOVQ = 287
X86_INS_KMOVW = 288
X86_INS_KNOTB = 289
X86_INS_KNOTD = 290
X86_INS_KNOTQ = 291
X86_INS_KNOTW = 292
X86_INS_KORB = 293
X86_INS_KORD = 294
X86_INS_KORQ = 295
X86_INS_KORTESTB = 296
X86_INS_KORTESTD = 297
X86_INS_KORTESTQ = 298
X86_INS_KORTESTW = 299
X86_INS_KORW = 300
X86_INS_KSHIFTLB = 301
X86_INS_KSHIFTLD = 302
X86_INS_KSHIFTLQ = 303
X86_INS_KSHIFTLW = 304
X86_INS_KSHIFTRB = 305
X86_INS_KSHIFTRD = 306
X86_INS_KSHIFTRQ = 307
X86_INS_KSHIFTRW = 308
X86_INS_KTESTB = 309
X86_INS_KTESTD = 310
X86_INS_KTESTQ = 311
X86_INS_KTESTW = 312
X86_INS_KUNPCKBW = 313
X86_INS_KUNPCKDQ = 314
X86_INS_KUNPCKWD = 315
X86_INS_KXNORB = 316
X86_INS_KXNORD = 317
X86_INS_KXNORQ = 318
X86_INS_KXNORW = 319
X86_INS_KXORB = 320
X86_INS_KXORD = 321
X86_INS_KXORQ = 322
X86_INS_KXORW = 323
X86_INS_LAHF = 324
X86_INS_LAR = 325
X86_INS_LDDQU = 326
X86_INS_LDMXCSR = 327
X86_INS_LDS = 328
X86_INS_FLDZ = 329
X86_INS_FLD1 = 330
X86_INS_FLD = 331
X86_INS_LEA = 332
X86_INS_LEAVE = 333
X86_INS_LES = 334
X86_INS_LFENCE = 335
X86_INS_LFS = 336
X86_INS_LGDT = 337
X86_INS_LGS = 338
X86_INS_LIDT = 339
X86_INS_LLDT = 340
X86_INS_LLWPCB = 341
X86_INS_LMSW = 342
X86_INS_LOCK = 343
X86_INS_LODSB = 344
X86_INS_LODSD = 345
X86_INS_LODSQ = 346
X86_INS_LODSW = 347
X86_INS_LOOP = 348
X86_INS_LOOPE = 349
X86_INS_LOOPNE = 350
X86_INS_RETF = 351
X86_INS_RETFQ = 352
X86_INS_LSL = 353
X86_INS_LSS = 354
X86_INS_LTR = 355
X86_INS_LWPINS = 356
X86_INS_LWPVAL = 357
X86_INS_LZCNT = 358
X86_INS_MASKMOVDQU = 359
X86_INS_MAXPD = 360
X86_INS_MAXPS = 361
X86_INS_MAXSD = 362
X86_INS_MAXSS = 363
X86_INS_MFENCE = 364
X86_INS_MINPD = 365
X86_INS_MINPS = 366
X86_INS_MINSD = 367
X86_INS_MINSS = 368
X86_INS_CVTPD2PI = 369
X86_INS_CVTPI2PD = 370
X86_INS_CVTPI2PS = 371
X86_INS_CVTPS2PI = 372
X86_INS_CVTTPD2PI = 373
X86_INS_CVTTPS2PI = 374
X86_INS_EMMS = 375
X86_INS_MASKMOVQ = 376
X86_INS_MOVD = 377
X86_INS_MOVQ = 378
X86_INS_MOVDQ2Q = 379
X86_INS_MOVNTQ = 380
X86_INS_MOVQ2DQ = 381
X86_INS_PABSB = 382
X86_INS_PABSD = 383
X86_INS_PABSW = 384
X86_INS_PACKSSDW = 385
X86_INS_PACKSSWB = 386
X86_INS_PACKUSWB = 387
X86_INS_PADDB = 388
X86_INS_PADDD = 389
X86_INS_PADDQ = 390
X86_INS_PADDSB = 391
X86_INS_PADDSW = 392
X86_INS_PADDUSB = 393
X86_INS_PADDUSW = 394
X86_INS_PADDW = 395
X86_INS_PALIGNR = 396
X86_INS_PANDN = 397
X86_INS_PAND = 398
X86_INS_PAVGB = 399
X86_INS_PAVGW = 400
X86_INS_PCMPEQB = 401
X86_INS_PCMPEQD = 402
X86_INS_PCMPEQW = 403
X86_INS_PCMPGTB = 404
X86_INS_PCMPGTD = 405
X86_INS_PCMPGTW = 406
X86_INS_PEXTRW = 407
X86_INS_PHADDD = 408
X86_INS_PHADDSW = 409
X86_INS_PHADDW = 410
X86_INS_PHSUBD = 411
X86_INS_PHSUBSW = 412
X86_INS_PHSUBW = 413
X86_INS_PINSRW = 414
X86_INS_PMADDUBSW = 415
X86_INS_PMADDWD = 416
X86_INS_PMAXSW = 417
X86_INS_PMAXUB = 418
X86_INS_PMINSW = 419
X86_INS_PMINUB = 420
X86_INS_PMOVMSKB = 421
X86_INS_PMULHRSW = 422
X86_INS_PMULHUW = 423
X86_INS_PMULHW = 424
X86_INS_PMULLW = 425
X86_INS_PMULUDQ = 426
X86_INS_POR = 427
X86_INS_PSADBW = 428
X86_INS_PSHUFB = 429
X86_INS_PSHUFW = 430
X86_INS_PSIGNB = 431
X86_INS_PSIGND = 432
X86_INS_PSIGNW = 433
X86_INS_PSLLD = 434
X86_INS_PSLLQ = 435
X86_INS_PSLLW = 436
X86_INS_PSRAD = 437
X86_INS_PSRAW = 438
X86_INS_PSRLD = 439
X86_INS_PSRLQ = 440
X86_INS_PSRLW = 441
X86_INS_PSUBB = 442
X86_INS_PSUBD = 443
X86_INS_PSUBQ = 444
X86_INS_PSUBSB = 445
X86_INS_PSUBSW = 446
X86_INS_PSUBUSB = 447
X86_INS_PSUBUSW = 448
X86_INS_PSUBW = 449
X86_INS_PUNPCKHBW = 450
X86_INS_PUNPCKHDQ = 451
X86_INS_PUNPCKHWD = 452
X86_INS_PUNPCKLBW = 453
X86_INS_PUNPCKLDQ = 454
X86_INS_PUNPCKLWD = 455
X86_INS_PXOR = 456
X86_INS_MONITORX = 457
X86_INS_MONITOR = 458
X86_INS_MONTMUL = 459
X86_INS_MOV = 460
X86_INS_MOVABS = 461
X86_INS_MOVAPD = 462
X86_INS_MOVAPS = 463
X86_INS_MOVBE = 464
X86_INS_MOVDDUP = 465
X86_INS_MOVDIR64B = 466
X86_INS_MOVDIRI = 467
X86_INS_MOVDQA = 468
X86_INS_MOVDQU = 469
X86_INS_MOVHLPS = 470
X86_INS_MOVHPD = 471
X86_INS_MOVHPS = 472
X86_INS_MOVLHPS = 473
X86_INS_MOVLPD = 474
X86_INS_MOVLPS = 475
X86_INS_MOVMSKPD = 476
X86_INS_MOVMSKPS = 477
X86_INS_MOVNTDQA = 478
X86_INS_MOVNTDQ = 479
X86_INS_MOVNTI = 480
X86_INS_MOVNTPD = 481
X86_INS_MOVNTPS = 482
X86_INS_MOVNTSD = 483
X86_INS_MOVNTSS = 484
X86_INS_MOVSB = 485
X86_INS_MOVSD = 486
X86_INS_MOVSHDUP = 487
X86_INS_MOVSLDUP = 488
X86_INS_MOVSQ = 489
X86_INS_MOVSS = 490
X86_INS_MOVSW = 491
X86_INS_MOVSX = 492
X86_INS_MOVSXD = 493
X86_INS_MOVUPD = 494
X86_INS_MOVUPS = 495
X86_INS_MOVZX = 496
X86_INS_MPSADBW = 497
X86_INS_MUL = 498
X86_INS_MULPD = 499
X86_INS_MULPS = 500
X86_INS_MULSD = 501
X86_INS_MULSS = 502
X86_INS_MULX = 503
X86_INS_FMUL = 504
X86_INS_FIMUL = 505
X86_INS_FMULP = 506
X86_INS_MWAITX = 507
X86_INS_MWAIT = 508
X86_INS_NEG = 509
X86_INS_NOP = 510
X86_INS_NOT = 511
X86_INS_OR = 512
X86_INS_ORPD = 513
X86_INS_ORPS = 514
X86_INS_OUT = 515
X86_INS_OUTSB = 516
X86_INS_OUTSD = 517
X86_INS_OUTSW = 518
X86_INS_PACKUSDW = 519
X86_INS_PAUSE = 520
X86_INS_PAVGUSB = 521
X86_INS_PBLENDVB = 522
X86_INS_PBLENDW = 523
X86_INS_PCLMULQDQ = 524
X86_INS_PCMPEQQ = 525
X86_INS_PCMPESTRI = 526
X86_INS_PCMPESTRM = 527
X86_INS_PCMPGTQ = 528
X86_INS_PCMPISTRI = 529
X86_INS_PCMPISTRM = 530
X86_INS_PCONFIG = 531
X86_INS_PDEP = 532
X86_INS_PEXT = 533
X86_INS_PEXTRB = 534
X86_INS_PEXTRD = 535
X86_INS_PEXTRQ = 536
X86_INS_PF2ID = 537
X86_INS_PF2IW = 538
X86_INS_PFACC = 539
X86_INS_PFADD = 540
X86_INS_PFCMPEQ = 541
X86_INS_PFCMPGE = 542
X86_INS_PFCMPGT = 543
X86_INS_PFMAX = 544
X86_INS_PFMIN = 545
X86_INS_PFMUL = 546
X86_INS_PFNACC = 547
X86_INS_PFPNACC = 548
X86_INS_PFRCPIT1 = 549
X86_INS_PFRCPIT2 = 550
X86_INS_PFRCP = 551
X86_INS_PFRSQIT1 = 552
X86_INS_PFRSQRT = 553
X86_INS_PFSUBR = 554
X86_INS_PFSUB = 555
X86_INS_PHMINPOSUW = 556
X86_INS_PI2FD = 557
X86_INS_PI2FW = 558
X86_INS_PINSRB = 559
X86_INS_PINSRD = 560
X86_INS_PINSRQ = 561
X86_INS_PMAXSB = 562
X86_INS_PMAXSD = 563
X86_INS_PMAXUD = 564
X86_INS_PMAXUW = 565
X86_INS_PMINSB = 566
X86_INS_PMINSD = 567
X86_INS_PMINUD = 568
X86_INS_PMINUW = 569
X86_INS_PMOVSXBD = 570
X86_INS_PMOVSXBQ = 571
X86_INS_PMOVSXBW = 572
X86_INS_PMOVSXDQ = 573
X86_INS_PMOVSXWD = 574
X86_INS_PMOVSXWQ = 575
X86_INS_PMOVZXBD = 576
X86_INS_PMOVZXBQ = 577
X86_INS_PMOVZXBW = 578
X86_INS_PMOVZXDQ = 579
X86_INS_PMOVZXWD = 580
X86_INS_PMOVZXWQ = 581
X86_INS_PMULDQ = 582
X86_INS_PMULHRW = 583
X86_INS_PMULLD = 584
X86_INS_POP = 585
X86_INS_POPAW = 586
X86_INS_POPAL = 587
X86_INS_POPCNT = 588
X86_INS_POPF = 589
X86_INS_POPFD = 590
X86_INS_POPFQ = 591
X86_INS_PREFETCH = 592
X86_INS_PREFETCHNTA = 593
X86_INS_PREFETCHT0 = 594
X86_INS_PREFETCHT1 = 595
X86_INS_PREFETCHT2 = 596
X86_INS_PREFETCHW = 597
X86_INS_PREFETCHWT1 = 598
X86_INS_PSHUFD = 599
X86_INS_PSHUFHW = 600
X86_INS_PSHUFLW = 601
X86_INS_PSLLDQ = 602
X86_INS_PSRLDQ = 603
X86_INS_PSWAPD = 604
X86_INS_PTEST = 605
X86_INS_PTWRITE = 606
X86_INS_PUNPCKHQDQ = 607
X86_INS_PUNPCKLQDQ = 608
X86_INS_PUSH = 609
X86_INS_PUSHAW = 610
X86_INS_PUSHAL = 611
X86_INS_PUSHF = 612
X86_INS_PUSHFD = 613
X86_INS_PUSHFQ = 614
X86_INS_RCL = 615
X86_INS_RCPPS = 616
X86_INS_RCPSS = 617
X86_INS_RCR = 618
X86_INS_RDFSBASE = 619
X86_INS_RDGSBASE = 620
X86_INS_RDMSR = 621
X86_INS_RDPID = 622
X86_INS_RDPKRU = 623
X86_INS_RDPMC = 624
X86_INS_RDRAND = 625
X86_INS_RDSEED = 626
X86_INS_RDSSPD = 627
X86_INS_RDSSPQ = 628
X86_INS_RDTSC = 629
X86_INS_RDTSCP = 630
X86_INS_REPNE = 631
X86_INS_REP = 632
X86_INS_RET = 633
X86_INS_REX64 = 634
X86_INS_ROL = 635
X86_INS_ROR = 636
X86_INS_RORX = 637
X86_INS_ROUNDPD = 638
X86_INS_ROUNDPS = 639
X86_INS_ROUNDSD = 640
X86_INS_ROUNDSS = 641
X86_INS_RSM = 642
X86_INS_RSQRTPS = 643
X86_INS_RSQRTSS = 644
X86_INS_RSTORSSP = 645
X86_INS_SAHF = 646
X86_INS_SAL = 647
X86_INS_SALC = 648
X86_INS_SAR = 649
X86_INS_SARX = 650
X86_INS_SAVEPREVSSP = 651
X86_INS_SBB = 652
X86_INS_SCASB = 653
X86_INS_SCASD = 654
X86_INS_SCASQ = 655
X86_INS_SCASW = 656
X86_INS_SETAE = 657
X86_INS_SETA = 658
X86_INS_SETBE = 659
X86_INS_SETB = 660
X86_INS_SETE = 661
X86_INS_SETGE = 662
X86_INS_SETG = 663
X86_INS_SETLE = 664
X86_INS_SETL = 665
X86_INS_SETNE = 666
X86_INS_SETNO = 667
X86_INS_SETNP = 668
X86_INS_SETNS = 669
X86_INS_SETO = 670
X86_INS_SETP = 671
X86_INS_SETSSBSY = 672
X86_INS_SETS = 673
X86_INS_SFENCE = 674
X86_INS_SGDT = 675
X86_INS_SHA1MSG1 = 676
X86_INS_SHA1MSG2 = 677
X86_INS_SHA1NEXTE = 678
X86_INS_SHA1RNDS4 = 679
X86_INS_SHA256MSG1 = 680
X86_INS_SHA256MSG2 = 681
X86_INS_SHA256RNDS2 = 682
X86_INS_SHL = 683
X86_INS_SHLD = 684
X86_INS_SHLX = 685
X86_INS_SHR = 686
X86_INS_SHRD = 687
X86_INS_SHRX = 688
X86_INS_SHUFPD = 689
X86_INS_SHUFPS = 690
X86_INS_SIDT = 691
X86_INS_FSIN = 692
X86_INS_SKINIT = 693
X86_INS_SLDT = 694
X86_INS_SLWPCB = 695
X86_INS_SMSW = 696
X86_INS_SQRTPD = 697
X86_INS_SQRTPS = 698
X86_INS_SQRTSD = 699
X86_INS_SQRTSS = 700
X86_INS_FSQRT = 701
X86_INS_STAC = 702
X86_INS_STC = 703
X86_INS_STD = 704
X86_INS_STGI = 705
X86_INS_STI = 706
X86_INS_STMXCSR = 707
X86_INS_STOSB = 708
X86_INS_STOSD = 709
X86_INS_STOSQ = 710
X86_INS_STOSW = 711
X86_INS_STR = 712
X86_INS_FST = 713
X86_INS_FSTP = 714
X86_INS_SUB = 715
X86_INS_SUBPD = 716
X86_INS_SUBPS = 717
X86_INS_FSUBR = 718
X86_INS_FISUBR = 719
X86_INS_FSUBRP = 720
X86_INS_SUBSD = 721
X86_INS_SUBSS = 722
X86_INS_FSUB = 723
X86_INS_FISUB = 724
X86_INS_FSUBP = 725
X86_INS_SWAPGS = 726
X86_INS_SYSCALL = 727
X86_INS_SYSENTER = 728
X86_INS_SYSEXIT = 729
X86_INS_SYSEXITQ = 730
X86_INS_SYSRET = 731
X86_INS_SYSRETQ = 732
X86_INS_T1MSKC = 733
X86_INS_TEST = 734
X86_INS_TPAUSE = 735
X86_INS_FTST = 736
X86_INS_TZCNT = 737
X86_INS_TZMSK = 738
X86_INS_UCOMISD = 739
X86_INS_UCOMISS = 740
X86_INS_FUCOMPI = 741
X86_INS_FUCOMI = 742
X86_INS_FUCOMPP = 743
X86_INS_FUCOMP = 744
X86_INS_FUCOM = 745
X86_INS_UD0 = 746
X86_INS_UD1 = 747
X86_INS_UD2 = 748
X86_INS_UMONITOR = 749
X86_INS_UMWAIT = 750
X86_INS_UNPCKHPD = 751
X86_INS_UNPCKHPS = 752
X86_INS_UNPCKLPD = 753
X86_INS_UNPCKLPS = 754
X86_INS_V4FMADDPS = 755
X86_INS_V4FMADDSS = 756
X86_INS_V4FNMADDPS = 757
X86_INS_V4FNMADDSS = 758
X86_INS_VADDPD = 759
X86_INS_VADDPS = 760
X86_INS_VADDSD = 761
X86_INS_VADDSS = 762
X86_INS_VADDSUBPD = 763
X86_INS_VADDSUBPS = 764
X86_INS_VAESDECLAST = 765
X86_INS_VAESDEC = 766
X86_INS_VAESENCLAST = 767
X86_INS_VAESENC = 768
X86_INS_VAESIMC = 769
X86_INS_VAESKEYGENASSIST = 770
X86_INS_VALIGND = 771
X86_INS_VALIGNQ = 772
X86_INS_VANDNPD = 773
X86_INS_VANDNPS = 774
X86_INS_VANDPD = 775
X86_INS_VANDPS = 776
X86_INS_VBLENDMPD = 777
X86_INS_VBLENDMPS = 778
X86_INS_VBLENDPD = 779
X86_INS_VBLENDPS = 780
X86_INS_VBLENDVPD = 781
X86_INS_VBLENDVPS = 782
X86_INS_VBROADCASTF128 = 783
X86_INS_VBROADCASTF32X2 = 784
X86_INS_VBROADCASTF32X4 = 785
X86_INS_VBROADCASTF32X8 = 786
X86_INS_VBROADCASTF64X2 = 787
X86_INS_VBROADCASTF64X4 = 788
X86_INS_VBROADCASTI128 = 789
X86_INS_VBROADCASTI32X2 = 790
X86_INS_VBROADCASTI32X4 = 791
X86_INS_VBROADCASTI32X8 = 792
X86_INS_VBROADCASTI64X2 = 793
X86_INS_VBROADCASTI64X4 = 794
X86_INS_VBROADCASTSD = 795
X86_INS_VBROADCASTSS = 796
X86_INS_VCMP = 797
X86_INS_VCMPPD = 798
X86_INS_VCMPPS = 799
X86_INS_VCMPSD = 800
X86_INS_VCMPSS = 801
X86_INS_VCOMISD = 802
X86_INS_VCOMISS = 803
X86_INS_VCOMPRESSPD = 804
X86_INS_VCOMPRESSPS = 805
X86_INS_VCVTDQ2PD = 806
X86_INS_VCVTDQ2PS = 807
X86_INS_VCVTPD2DQ = 808
X86_INS_VCVTPD2PS = 809
X86_INS_VCVTPD2QQ = 810
X86_INS_VCVTPD2UDQ = 811
X86_INS_VCVTPD2UQQ = 812
X86_INS_VCVTPH2PS = 813
X86_INS_VCVTPS2DQ = 814
X86_INS_VCVTPS2PD = 815
X86_INS_VCVTPS2PH = 816
X86_INS_VCVTPS2QQ = 817
X86_INS_VCVTPS2UDQ = 818
X86_INS_VCVTPS2UQQ = 819
X86_INS_VCVTQQ2PD = 820
X86_INS_VCVTQQ2PS = 821
X86_INS_VCVTSD2SI = 822
X86_INS_VCVTSD2SS = 823
X86_INS_VCVTSD2USI = 824
X86_INS_VCVTSI2SD = 825
X86_INS_VCVTSI2SS = 826
X86_INS_VCVTSS2SD = 827
X86_INS_VCVTSS2SI = 828
X86_INS_VCVTSS2USI = 829
X86_INS_VCVTTPD2DQ = 830
X86_INS_VCVTTPD2QQ = 831
X86_INS_VCVTTPD2UDQ = 832
X86_INS_VCVTTPD2UQQ = 833
X86_INS_VCVTTPS2DQ = 834
X86_INS_VCVTTPS2QQ = 835
X86_INS_VCVTTPS2UDQ = 836
X86_INS_VCVTTPS2UQQ = 837
X86_INS_VCVTTSD2SI = 838
X86_INS_VCVTTSD2USI = 839
X86_INS_VCVTTSS2SI = 840
X86_INS_VCVTTSS2USI = 841
X86_INS_VCVTUDQ2PD = 842
X86_INS_VCVTUDQ2PS = 843
X86_INS_VCVTUQQ2PD = 844
X86_INS_VCVTUQQ2PS = 845
X86_INS_VCVTUSI2SD = 846
X86_INS_VCVTUSI2SS = 847
X86_INS_VDBPSADBW = 848
X86_INS_VDIVPD = 849
X86_INS_VDIVPS = 850
X86_INS_VDIVSD = 851
X86_INS_VDIVSS = 852
X86_INS_VDPPD = 853
X86_INS_VDPPS = 854
X86_INS_VERR = 855
X86_INS_VERW = 856
X86_INS_VEXP2PD = 857
X86_INS_VEXP2PS = 858
X86_INS_VEXPANDPD = 859
X86_INS_VEXPANDPS = 860
X86_INS_VEXTRACTF128 = 861
X86_INS_VEXTRACTF32X4 = 862
X86_INS_VEXTRACTF32X8 = 863
X86_INS_VEXTRACTF64X2 = 864
X86_INS_VEXTRACTF64X4 = 865
X86_INS_VEXTRACTI128 = 866
X86_INS_VEXTRACTI32X4 = 867
X86_INS_VEXTRACTI32X8 = 868
X86_INS_VEXTRACTI64X2 = 869
X86_INS_VEXTRACTI64X4 = 870
X86_INS_VEXTRACTPS = 871
X86_INS_VFIXUPIMMPD = 872
X86_INS_VFIXUPIMMPS = 873
X86_INS_VFIXUPIMMSD = 874
X86_INS_VFIXUPIMMSS = 875
X86_INS_VFMADD132PD = 876
X86_INS_VFMADD132PS = 877
X86_INS_VFMADD132SD = 878
X86_INS_VFMADD132SS = 879
X86_INS_VFMADD213PD = 880
X86_INS_VFMADD213PS = 881
X86_INS_VFMADD213SD = 882
X86_INS_VFMADD213SS = 883
X86_INS_VFMADD231PD = 884
X86_INS_VFMADD231PS = 885
X86_INS_VFMADD231SD = 886
X86_INS_VFMADD231SS = 887
X86_INS_VFMADDPD = 888
X86_INS_VFMADDPS = 889
X86_INS_VFMADDSD = 890
X86_INS_VFMADDSS = 891
X86_INS_VFMADDSUB132PD = 892
X86_INS_VFMADDSUB132PS = 893
X86_INS_VFMADDSUB213PD = 894
X86_INS_VFMADDSUB213PS = 895
X86_INS_VFMADDSUB231PD = 896
X86_INS_VFMADDSUB231PS = 897
X86_INS_VFMADDSUBPD = 898
X86_INS_VFMADDSUBPS = 899
X86_INS_VFMSUB132PD = 900
X86_INS_VFMSUB132PS = 901
X86_INS_VFMSUB132SD = 902
X86_INS_VFMSUB132SS = 903
X86_INS_VFMSUB213PD = 904
X86_INS_VFMSUB213PS = 905
X86_INS_VFMSUB213SD = 906
X86_INS_VFMSUB213SS = 907
X86_INS_VFMSUB231PD = 908
X86_INS_VFMSUB231PS = 909
X86_INS_VFMSUB231SD = 910
X86_INS_VFMSUB231SS = 911
X86_INS_VFMSUBADD132PD = 912
X86_INS_VFMSUBADD132PS = 913
X86_INS_VFMSUBADD213PD = 914
X86_INS_VFMSUBADD213PS = 915
X86_INS_VFMSUBADD231PD = 916
X86_INS_VFMSUBADD231PS = 917
X86_INS_VFMSUBADDPD = 918
X86_INS_VFMSUBADDPS = 919
X86_INS_VFMSUBPD = 920
X86_INS_VFMSUBPS = 921
X86_INS_VFMSUBSD = 922
X86_INS_VFMSUBSS = 923
X86_INS_VFNMADD132PD = 924
X86_INS_VFNMADD132PS = 925
X86_INS_VFNMADD132SD = 926
X86_INS_VFNMADD132SS = 927
X86_INS_VFNMADD213PD = 928
X86_INS_VFNMADD213PS = 929
X86_INS_VFNMADD213SD = 930
X86_INS_VFNMADD213SS = 931
X86_INS_VFNMADD231PD = 932
X86_INS_VFNMADD231PS = 933
X86_INS_VFNMADD231SD = 934
X86_INS_VFNMADD231SS = 935
X86_INS_VFNMADDPD = 936
X86_INS_VFNMADDPS = 937
X86_INS_VFNMADDSD = 938
X86_INS_VFNMADDSS = 939
X86_INS_VFNMSUB132PD = 940
X86_INS_VFNMSUB132PS = 941
X86_INS_VFNMSUB132SD = 942
X86_INS_VFNMSUB132SS = 943
X86_INS_VFNMSUB213PD = 944
X86_INS_VFNMSUB213PS = 945
X86_INS_VFNMSUB213SD = 946
X86_INS_VFNMSUB213SS = 947
X86_INS_VFNMSUB231PD = 948
X86_INS_VFNMSUB231PS = 949
X86_INS_VFNMSUB231SD = 950
X86_INS_VFNMSUB231SS = 951
X86_INS_VFNMSUBPD = 952
X86_INS_VFNMSUBPS = 953
X86_INS_VFNMSUBSD = 954
X86_INS_VFNMSUBSS = 955
X86_INS_VFPCLASSPD = 956
X86_INS_VFPCLASSPS = 957
X86_INS_VFPCLASSSD = 958
X86_INS_VFPCLASSSS = 959
X86_INS_VFRCZPD = 960
X86_INS_VFRCZPS = 961
X86_INS_VFRCZSD = 962
X86_INS_VFRCZSS = 963
X86_INS_VGATHERDPD = 964
X86_INS_VGATHERDPS = 965
X86_INS_VGATHERPF0DPD = 966
X86_INS_VGATHERPF0DPS = 967
X86_INS_VGATHERPF0QPD = 968
X86_INS_VGATHERPF0QPS = 969
X86_INS_VGATHERPF1DPD = 970
X86_INS_VGATHERPF1DPS = 971
X86_INS_VGATHERPF1QPD = 972
X86_INS_VGATHERPF1QPS = 973
X86_INS_VGATHERQPD = 974
X86_INS_VGATHERQPS = 975
X86_INS_VGETEXPPD = 976
X86_INS_VGETEXPPS = 977
X86_INS_VGETEXPSD = 978
X86_INS_VGETEXPSS = 979
X86_INS_VGETMANTPD = 980
X86_INS_VGETMANTPS = 981
X86_INS_VGETMANTSD = 982
X86_INS_VGETMANTSS = 983
X86_INS_VGF2P8AFFINEINVQB = 984
X86_INS_VGF2P8AFFINEQB = 985
X86_INS_VGF2P8MULB = 986
X86_INS_VHADDPD = 987
X86_INS_VHADDPS = 988
X86_INS_VHSUBPD = 989
X86_INS_VHSUBPS = 990
X86_INS_VINSERTF128 = 991
X86_INS_VINSERTF32X4 = 992
X86_INS_VINSERTF32X8 = 993
X86_INS_VINSERTF64X2 = 994
X86_INS_VINSERTF64X4 = 995
X86_INS_VINSERTI128 = 996
X86_INS_VINSERTI32X4 = 997
X86_INS_VINSERTI32X8 = 998
X86_INS_VINSERTI64X2 = 999
X86_INS_VINSERTI64X4 = 1000
X86_INS_VINSERTPS = 1001
X86_INS_VLDDQU = 1002
X86_INS_VLDMXCSR = 1003
X86_INS_VMASKMOVDQU = 1004
X86_INS_VMASKMOVPD = 1005
X86_INS_VMASKMOVPS = 1006
X86_INS_VMAXPD = 1007
X86_INS_VMAXPS = 1008
X86_INS_VMAXSD = 1009
X86_INS_VMAXSS = 1010
X86_INS_VMCALL = 1011
X86_INS_VMCLEAR = 1012
X86_INS_VMFUNC = 1013
X86_INS_VMINPD = 1014
X86_INS_VMINPS = 1015
X86_INS_VMINSD = 1016
X86_INS_VMINSS = 1017
X86_INS_VMLAUNCH = 1018
X86_INS_VMLOAD = 1019
X86_INS_VMMCALL = 1020
X86_INS_VMOVQ = 1021
X86_INS_VMOVAPD = 1022
X86_INS_VMOVAPS = 1023
X86_INS_VMOVDDUP = 1024
X86_INS_VMOVD = 1025
X86_INS_VMOVDQA32 = 1026
X86_INS_VMOVDQA64 = 1027
X86_INS_VMOVDQA = 1028
X86_INS_VMOVDQU16 = 1029
X86_INS_VMOVDQU32 = 1030
X86_INS_VMOVDQU64 = 1031
X86_INS_VMOVDQU8 = 1032
X86_INS_VMOVDQU = 1033
X86_INS_VMOVHLPS = 1034
X86_INS_VMOVHPD = 1035
X86_INS_VMOVHPS = 1036
X86_INS_VMOVLHPS = 1037
X86_INS_VMOVLPD = 1038
X86_INS_VMOVLPS = 1039
X86_INS_VMOVMSKPD = 1040
X86_INS_VMOVMSKPS = 1041
X86_INS_VMOVNTDQA = 1042
X86_INS_VMOVNTDQ = 1043
X86_INS_VMOVNTPD = 1044
X86_INS_VMOVNTPS = 1045
X86_INS_VMOVSD = 1046
X86_INS_VMOVSHDUP = 1047
X86_INS_VMOVSLDUP = 1048
X86_INS_VMOVSS = 1049
X86_INS_VMOVUPD = 1050
X86_INS_VMOVUPS = 1051
X86_INS_VMPSADBW = 1052
X86_INS_VMPTRLD = 1053
X86_INS_VMPTRST = 1054
X86_INS_VMREAD = 1055
X86_INS_VMRESUME = 1056
X86_INS_VMRUN = 1057
X86_INS_VMSAVE = 1058
X86_INS_VMULPD = 1059
X86_INS_VMULPS = 1060
X86_INS_VMULSD = 1061
X86_INS_VMULSS = 1062
X86_INS_VMWRITE = 1063
X86_INS_VMXOFF = 1064
X86_INS_VMXON = 1065
X86_INS_VORPD = 1066
X86_INS_VORPS = 1067
X86_INS_VP4DPWSSDS = 1068
X86_INS_VP4DPWSSD = 1069
X86_INS_VPABSB = 1070
X86_INS_VPABSD = 1071
X86_INS_VPABSQ = 1072
X86_INS_VPABSW = 1073
X86_INS_VPACKSSDW = 1074
X86_INS_VPACKSSWB = 1075
X86_INS_VPACKUSDW = 1076
X86_INS_VPACKUSWB = 1077
X86_INS_VPADDB = 1078
X86_INS_VPADDD = 1079
X86_INS_VPADDQ = 1080
X86_INS_VPADDSB = 1081
X86_INS_VPADDSW = 1082
X86_INS_VPADDUSB = 1083
X86_INS_VPADDUSW = 1084
X86_INS_VPADDW = 1085
X86_INS_VPALIGNR = 1086
X86_INS_VPANDD = 1087
X86_INS_VPANDND = 1088
X86_INS_VPANDNQ = 1089
X86_INS_VPANDN = 1090
X86_INS_VPANDQ = 1091
X86_INS_VPAND = 1092
X86_INS_VPAVGB = 1093
X86_INS_VPAVGW = 1094
X86_INS_VPBLENDD = 1095
X86_INS_VPBLENDMB = 1096
X86_INS_VPBLENDMD = 1097
X86_INS_VPBLENDMQ = 1098
X86_INS_VPBLENDMW = 1099
X86_INS_VPBLENDVB = 1100
X86_INS_VPBLENDW = 1101
X86_INS_VPBROADCASTB = 1102
X86_INS_VPBROADCASTD = 1103
X86_INS_VPBROADCASTMB2Q = 1104
X86_INS_VPBROADCASTMW2D = 1105
X86_INS_VPBROADCASTQ = 1106
X86_INS_VPBROADCASTW = 1107
X86_INS_VPCLMULQDQ = 1108
X86_INS_VPCMOV = 1109
X86_INS_VPCMP = 1110
X86_INS_VPCMPB = 1111
X86_INS_VPCMPD = 1112
X86_INS_VPCMPEQB = 1113
X86_INS_VPCMPEQD = 1114
X86_INS_VPCMPEQQ = 1115
X86_INS_VPCMPEQW = 1116
X86_INS_VPCMPESTRI = 1117
X86_INS_VPCMPESTRM = 1118
X86_INS_VPCMPGTB = 1119
X86_INS_VPCMPGTD = 1120
X86_INS_VPCMPGTQ = 1121
X86_INS_VPCMPGTW = 1122
X86_INS_VPCMPISTRI = 1123
X86_INS_VPCMPISTRM = 1124
X86_INS_VPCMPQ = 1125
X86_INS_VPCMPUB = 1126
X86_INS_VPCMPUD = 1127
X86_INS_VPCMPUQ = 1128
X86_INS_VPCMPUW = 1129
X86_INS_VPCMPW = 1130
X86_INS_VPCOM = 1131
X86_INS_VPCOMB = 1132
X86_INS_VPCOMD = 1133
X86_INS_VPCOMPRESSB = 1134
X86_INS_VPCOMPRESSD = 1135
X86_INS_VPCOMPRESSQ = 1136
X86_INS_VPCOMPRESSW = 1137
X86_INS_VPCOMQ = 1138
X86_INS_VPCOMUB = 1139
X86_INS_VPCOMUD = 1140
X86_INS_VPCOMUQ = 1141
X86_INS_VPCOMUW = 1142
X86_INS_VPCOMW = 1143
X86_INS_VPCONFLICTD = 1144
X86_INS_VPCONFLICTQ = 1145
X86_INS_VPDPBUSDS = 1146
X86_INS_VPDPBUSD = 1147
X86_INS_VPDPWSSDS = 1148
X86_INS_VPDPWSSD = 1149
X86_INS_VPERM2F128 = 1150
X86_INS_VPERM2I128 = 1151
X86_INS_VPERMB = 1152
X86_INS_VPERMD = 1153
X86_INS_VPERMI2B = 1154
X86_INS_VPERMI2D = 1155
X86_INS_VPERMI2PD = 1156
X86_INS_VPERMI2PS = 1157
X86_INS_VPERMI2Q = 1158
X86_INS_VPERMI2W = 1159
X86_INS_VPERMIL2PD = 1160
X86_INS_VPERMILPD = 1161
X86_INS_VPERMIL2PS = 1162
X86_INS_VPERMILPS = 1163
X86_INS_VPERMPD = 1164
X86_INS_VPERMPS = 1165
X86_INS_VPERMQ = 1166
X86_INS_VPERMT2B = 1167
X86_INS_VPERMT2D = 1168
X86_INS_VPERMT2PD = 1169
X86_INS_VPERMT2PS = 1170
X86_INS_VPERMT2Q = 1171
X86_INS_VPERMT2W = 1172
X86_INS_VPERMW = 1173
X86_INS_VPEXPANDB = 1174
X86_INS_VPEXPANDD = 1175
X86_INS_VPEXPANDQ = 1176
X86_INS_VPEXPANDW = 1177
X86_INS_VPEXTRB = 1178
X86_INS_VPEXTRD = 1179
X86_INS_VPEXTRQ = 1180
X86_INS_VPEXTRW = 1181
X86_INS_VPGATHERDD = 1182
X86_INS_VPGATHERDQ = 1183
X86_INS_VPGATHERQD = 1184
X86_INS_VPGATHERQQ = 1185
X86_INS_VPHADDBD = 1186
X86_INS_VPHADDBQ = 1187
X86_INS_VPHADDBW = 1188
X86_INS_VPHADDDQ = 1189
X86_INS_VPHADDD = 1190
X86_INS_VPHADDSW = 1191
X86_INS_VPHADDUBD = 1192
X86_INS_VPHADDUBQ = 1193
X86_INS_VPHADDUBW = 1194
X86_INS_VPHADDUDQ = 1195
X86_INS_VPHADDUWD = 1196
X86_INS_VPHADDUWQ = 1197
X86_INS_VPHADDWD = 1198
X86_INS_VPHADDWQ = 1199
X86_INS_VPHADDW = 1200
X86_INS_VPHMINPOSUW = 1201
X86_INS_VPHSUBBW = 1202
X86_INS_VPHSUBDQ = 1203
X86_INS_VPHSUBD = 1204
X86_INS_VPHSUBSW = 1205
X86_INS_VPHSUBWD = 1206
X86_INS_VPHSUBW = 1207
X86_INS_VPINSRB = 1208
X86_INS_VPINSRD = 1209
X86_INS_VPINSRQ = 1210
X86_INS_VPINSRW = 1211
X86_INS_VPLZCNTD = 1212
X86_INS_VPLZCNTQ = 1213
X86_INS_VPMACSDD = 1214
X86_INS_VPMACSDQH = 1215
X86_INS_VPMACSDQL = 1216
X86_INS_VPMACSSDD = 1217
X86_INS_VPMACSSDQH = 1218
X86_INS_VPMACSSDQL = 1219
X86_INS_VPMACSSWD = 1220
X86_INS_VPMACSSWW = 1221
X86_INS_VPMACSWD = 1222
X86_INS_VPMACSWW = 1223
X86_INS_VPMADCSSWD = 1224
X86_INS_VPMADCSWD = 1225
X86_INS_VPMADD52HUQ = 1226
X86_INS_VPMADD52LUQ = 1227
X86_INS_VPMADDUBSW = 1228
X86_INS_VPMADDWD = 1229
X86_INS_VPMASKMOVD = 1230
X86_INS_VPMASKMOVQ = 1231
X86_INS_VPMAXSB = 1232
X86_INS_VPMAXSD = 1233
X86_INS_VPMAXSQ = 1234
X86_INS_VPMAXSW = 1235
X86_INS_VPMAXUB = 1236
X86_INS_VPMAXUD = 1237
X86_INS_VPMAXUQ = 1238
X86_INS_VPMAXUW = 1239
X86_INS_VPMINSB = 1240
X86_INS_VPMINSD = 1241
X86_INS_VPMINSQ = 1242
X86_INS_VPMINSW = 1243
X86_INS_VPMINUB = 1244
X86_INS_VPMINUD = 1245
X86_INS_VPMINUQ = 1246
X86_INS_VPMINUW = 1247
X86_INS_VPMOVB2M = 1248
X86_INS_VPMOVD2M = 1249
X86_INS_VPMOVDB = 1250
X86_INS_VPMOVDW = 1251
X86_INS_VPMOVM2B = 1252
X86_INS_VPMOVM2D = 1253
X86_INS_VPMOVM2Q = 1254
X86_INS_VPMOVM2W = 1255
X86_INS_VPMOVMSKB = 1256
X86_INS_VPMOVQ2M = 1257
X86_INS_VPMOVQB = 1258
X86_INS_VPMOVQD = 1259
X86_INS_VPMOVQW = 1260
X86_INS_VPMOVSDB = 1261
X86_INS_VPMOVSDW = 1262
X86_INS_VPMOVSQB = 1263
X86_INS_VPMOVSQD = 1264
X86_INS_VPMOVSQW = 1265
X86_INS_VPMOVSWB = 1266
X86_INS_VPMOVSXBD = 1267
X86_INS_VPMOVSXBQ = 1268
X86_INS_VPMOVSXBW = 1269
X86_INS_VPMOVSXDQ = 1270
X86_INS_VPMOVSXWD = 1271
X86_INS_VPMOVSXWQ = 1272
X86_INS_VPMOVUSDB = 1273
X86_INS_VPMOVUSDW = 1274
X86_INS_VPMOVUSQB = 1275
X86_INS_VPMOVUSQD = 1276
X86_INS_VPMOVUSQW = 1277
X86_INS_VPMOVUSWB = 1278
X86_INS_VPMOVW2M = 1279
X86_INS_VPMOVWB = 1280
X86_INS_VPMOVZXBD = 1281
X86_INS_VPMOVZXBQ = 1282
X86_INS_VPMOVZXBW = 1283
X86_INS_VPMOVZXDQ = 1284
X86_INS_VPMOVZXWD = 1285
X86_INS_VPMOVZXWQ = 1286
X86_INS_VPMULDQ = 1287
X86_INS_VPMULHRSW = 1288
X86_INS_VPMULHUW = 1289
X86_INS_VPMULHW = 1290
X86_INS_VPMULLD = 1291
X86_INS_VPMULLQ = 1292
X86_INS_VPMULLW = 1293
X86_INS_VPMULTISHIFTQB = 1294
X86_INS_VPMULUDQ = 1295
X86_INS_VPOPCNTB = 1296
X86_INS_VPOPCNTD = 1297
X86_INS_VPOPCNTQ = 1298
X86_INS_VPOPCNTW = 1299
X86_INS_VPORD = 1300
X86_INS_VPORQ = 1301
X86_INS_VPOR = 1302
X86_INS_VPPERM = 1303
X86_INS_VPROLD = 1304
X86_INS_VPROLQ = 1305
X86_INS_VPROLVD = 1306
X86_INS_VPROLVQ = 1307
X86_INS_VPRORD = 1308
X86_INS_VPRORQ = 1309
X86_INS_VPRORVD = 1310
X86_INS_VPRORVQ = 1311
X86_INS_VPROTB = 1312
X86_INS_VPROTD = 1313
X86_INS_VPROTQ = 1314
X86_INS_VPROTW = 1315
X86_INS_VPSADBW = 1316
X86_INS_VPSCATTERDD = 1317
X86_INS_VPSCATTERDQ = 1318
X86_INS_VPSCATTERQD = 1319
X86_INS_VPSCATTERQQ = 1320
X86_INS_VPSHAB = 1321
X86_INS_VPSHAD = 1322
X86_INS_VPSHAQ = 1323
X86_INS_VPSHAW = 1324
X86_INS_VPSHLB = 1325
X86_INS_VPSHLDD = 1326
X86_INS_VPSHLDQ = 1327
X86_INS_VPSHLDVD = 1328
X86_INS_VPSHLDVQ = 1329
X86_INS_VPSHLDVW = 1330
X86_INS_VPSHLDW = 1331
X86_INS_VPSHLD = 1332
X86_INS_VPSHLQ = 1333
X86_INS_VPSHLW = 1334
X86_INS_VPSHRDD = 1335
X86_INS_VPSHRDQ = 1336
X86_INS_VPSHRDVD = 1337
X86_INS_VPSHRDVQ = 1338
X86_INS_VPSHRDVW = 1339
X86_INS_VPSHRDW = 1340
X86_INS_VPSHUFBITQMB = 1341
X86_INS_VPSHUFB = 1342
X86_INS_VPSHUFD = 1343
X86_INS_VPSHUFHW = 1344
X86_INS_VPSHUFLW = 1345
X86_INS_VPSIGNB = 1346
X86_INS_VPSIGND = 1347
X86_INS_VPSIGNW = 1348
X86_INS_VPSLLDQ = 1349
X86_INS_VPSLLD = 1350
X86_INS_VPSLLQ = 1351
X86_INS_VPSLLVD = 1352
X86_INS_VPSLLVQ = 1353
X86_INS_VPSLLVW = 1354
X86_INS_VPSLLW = 1355
X86_INS_VPSRAD = 1356
X86_INS_VPSRAQ = 1357
X86_INS_VPSRAVD = 1358
X86_INS_VPSRAVQ = 1359
X86_INS_VPSRAVW = 1360
X86_INS_VPSRAW = 1361
X86_INS_VPSRLDQ = 1362
X86_INS_VPSRLD = 1363
X86_INS_VPSRLQ = 1364
X86_INS_VPSRLVD = 1365
X86_INS_VPSRLVQ = 1366
X86_INS_VPSRLVW = 1367
X86_INS_VPSRLW = 1368
X86_INS_VPSUBB = 1369
X86_INS_VPSUBD = 1370
X86_INS_VPSUBQ = 1371
X86_INS_VPSUBSB = 1372
X86_INS_VPSUBSW = 1373
X86_INS_VPSUBUSB = 1374
X86_INS_VPSUBUSW = 1375
X86_INS_VPSUBW = 1376
X86_INS_VPTERNLOGD = 1377
X86_INS_VPTERNLOGQ = 1378
X86_INS_VPTESTMB = 1379
X86_INS_VPTESTMD = 1380
X86_INS_VPTESTMQ = 1381
X86_INS_VPTESTMW = 1382
X86_INS_VPTESTNMB = 1383
X86_INS_VPTESTNMD = 1384
X86_INS_VPTESTNMQ = 1385
X86_INS_VPTESTNMW = 1386
X86_INS_VPTEST = 1387
X86_INS_VPUNPCKHBW = 1388
X86_INS_VPUNPCKHDQ = 1389
X86_INS_VPUNPCKHQDQ = 1390
X86_INS_VPUNPCKHWD = 1391
X86_INS_VPUNPCKLBW = 1392
X86_INS_VPUNPCKLDQ = 1393
X86_INS_VPUNPCKLQDQ = 1394
X86_INS_VPUNPCKLWD = 1395
X86_INS_VPXORD = 1396
X86_INS_VPXORQ = 1397
X86_INS_VPXOR = 1398
X86_INS_VRANGEPD = 1399
X86_INS_VRANGEPS = 1400
X86_INS_VRANGESD = 1401
X86_INS_VRANGESS = 1402
X86_INS_VRCP14PD = 1403
X86_INS_VRCP14PS = 1404
X86_INS_VRCP14SD = 1405
X86_INS_VRCP14SS = 1406
X86_INS_VRCP28PD = 1407
X86_INS_VRCP28PS = 1408
X86_INS_VRCP28SD = 1409
X86_INS_VRCP28SS = 1410
X86_INS_VRCPPS = 1411
X86_INS_VRCPSS = 1412
X86_INS_VREDUCEPD = 1413
X86_INS_VREDUCEPS = 1414
X86_INS_VREDUCESD = 1415
X86_INS_VREDUCESS = 1416
X86_INS_VRNDSCALEPD = 1417
X86_INS_VRNDSCALEPS = 1418
X86_INS_VRNDSCALESD = 1419
X86_INS_VRNDSCALESS = 1420
X86_INS_VROUNDPD = 1421
X86_INS_VROUNDPS = 1422
X86_INS_VROUNDSD = 1423
X86_INS_VROUNDSS = 1424
X86_INS_VRSQRT14PD = 1425
X86_INS_VRSQRT14PS = 1426
X86_INS_VRSQRT14SD = 1427
X86_INS_VRSQRT14SS = 1428
X86_INS_VRSQRT28PD = 1429
X86_INS_VRSQRT28PS = 1430
X86_INS_VRSQRT28SD = 1431
X86_INS_VRSQRT28SS = 1432
X86_INS_VRSQRTPS = 1433
X86_INS_VRSQRTSS = 1434
X86_INS_VSCALEFPD = 1435
X86_INS_VSCALEFPS = 1436
X86_INS_VSCALEFSD = 1437
X86_INS_VSCALEFSS = 1438
X86_INS_VSCATTERDPD = 1439
X86_INS_VSCATTERDPS = 1440
X86_INS_VSCATTERPF0DPD = 1441
X86_INS_VSCATTERPF0DPS = 1442
X86_INS_VSCATTERPF0QPD = 1443
X86_INS_VSCATTERPF0QPS = 1444
X86_INS_VSCATTERPF1DPD = 1445
X86_INS_VSCATTERPF1DPS = 1446
X86_INS_VSCATTERPF1QPD = 1447
X86_INS_VSCATTERPF1QPS = 1448
X86_INS_VSCATTERQPD = 1449
X86_INS_VSCATTERQPS = 1450
X86_INS_VSHUFF32X4 = 1451
X86_INS_VSHUFF64X2 = 1452
X86_INS_VSHUFI32X4 = 1453
X86_INS_VSHUFI64X2 = 1454
X86_INS_VSHUFPD = 1455
X86_INS_VSHUFPS = 1456
X86_INS_VSQRTPD = 1457
X86_INS_VSQRTPS = 1458
X86_INS_VSQRTSD = 1459
X86_INS_VSQRTSS = 1460
X86_INS_VSTMXCSR = 1461
X86_INS_VSUBPD = 1462
X86_INS_VSUBPS = 1463
X86_INS_VSUBSD = 1464
X86_INS_VSUBSS = 1465
X86_INS_VTESTPD = 1466
X86_INS_VTESTPS = 1467
X86_INS_VUCOMISD = 1468
X86_INS_VUCOMISS = 1469
X86_INS_VUNPCKHPD = 1470
X86_INS_VUNPCKHPS = 1471
X86_INS_VUNPCKLPD = 1472
X86_INS_VUNPCKLPS = 1473
X86_INS_VXORPD = 1474
X86_INS_VXORPS = 1475
X86_INS_VZEROALL = 1476
X86_INS_VZEROUPPER = 1477
X86_INS_WAIT = 1478
X86_INS_WBINVD = 1479
X86_INS_WBNOINVD = 1480
X86_INS_WRFSBASE = 1481
X86_INS_WRGSBASE = 1482
X86_INS_WRMSR = 1483
X86_INS_WRPKRU = 1484
X86_INS_WRSSD = 1485
X86_INS_WRSSQ = 1486
X86_INS_WRUSSD = 1487
X86_INS_WRUSSQ = 1488
X86_INS_XABORT = 1489
X86_INS_XACQUIRE = 1490
X86_INS_XADD = 1491
X86_INS_XBEGIN = 1492
X86_INS_XCHG = 1493
X86_INS_FXCH = 1494
X86_INS_XCRYPTCBC = 1495
X86_INS_XCRYPTCFB = 1496
X86_INS_XCRYPTCTR = 1497
X86_INS_XCRYPTECB = 1498
X86_INS_XCRYPTOFB = 1499
X86_INS_XEND = 1500
X86_INS_XGETBV = 1501
X86_INS_XLATB = 1502
X86_INS_XOR = 1503
X86_INS_XORPD = 1504
X86_INS_XORPS = 1505
X86_INS_XRELEASE = 1506
X86_INS_XRSTOR = 1507
X86_INS_XRSTOR64 = 1508
X86_INS_XRSTORS = 1509
X86_INS_XRSTORS64 = 1510
X86_INS_XSAVE = 1511
X86_INS_XSAVE64 = 1512
X86_INS_XSAVEC = 1513
X86_INS_XSAVEC64 = 1514
X86_INS_XSAVEOPT = 1515
X86_INS_XSAVEOPT64 = 1516
X86_INS_XSAVES = 1517
X86_INS_XSAVES64 = 1518
X86_INS_XSETBV = 1519
X86_INS_XSHA1 = 1520
X86_INS_XSHA256 = 1521
X86_INS_XSTORE = 1522
X86_INS_XTEST = 1523
X86_INS_ENDING = 1524
X86_GRP_INVALID = 0
X86_GRP_JUMP = 1
X86_GRP_CALL = 2
X86_GRP_RET = 3
X86_GRP_INT = 4
X86_GRP_IRET = 5
X86_GRP_PRIVILEGE = 6
X86_GRP_BRANCH_RELATIVE = 7
X86_GRP_VM = 128
X86_GRP_3DNOW = 129
X86_GRP_AES = 130
X86_GRP_ADX = 131
X86_GRP_AVX = 132
X86_GRP_AVX2 = 133
X86_GRP_AVX512 = 134
X86_GRP_BMI = 135
X86_GRP_BMI2 = 136
X86_GRP_CMOV = 137
X86_GRP_F16C = 138
X86_GRP_FMA = 139
X86_GRP_FMA4 = 140
X86_GRP_FSGSBASE = 141
X86_GRP_HLE = 142
X86_GRP_MMX = 143
X86_GRP_MODE32 = 144
X86_GRP_MODE64 = 145
X86_GRP_RTM = 146
X86_GRP_SHA = 147
X86_GRP_SSE1 = 148
X86_GRP_SSE2 = 149
X86_GRP_SSE3 = 150
X86_GRP_SSE41 = 151
X86_GRP_SSE42 = 152
X86_GRP_SSE4A = 153
X86_GRP_SSSE3 = 154
X86_GRP_PCLMUL = 155
X86_GRP_XOP = 156
X86_GRP_CDI = 157
X86_GRP_ERI = 158
X86_GRP_TBM = 159
X86_GRP_16BITMODE = 160
X86_GRP_NOT64BITMODE = 161
X86_GRP_SGX = 162
X86_GRP_DQI = 163
X86_GRP_BWI = 164
X86_GRP_PFI = 165
X86_GRP_VLX = 166
X86_GRP_SMAP = 167
X86_GRP_NOVLX = 168
X86_GRP_FPU = 169
X86_GRP_ENDING = 170
| x86_reg_invalid = 0
x86_reg_ah = 1
x86_reg_al = 2
x86_reg_ax = 3
x86_reg_bh = 4
x86_reg_bl = 5
x86_reg_bp = 6
x86_reg_bpl = 7
x86_reg_bx = 8
x86_reg_ch = 9
x86_reg_cl = 10
x86_reg_cs = 11
x86_reg_cx = 12
x86_reg_dh = 13
x86_reg_di = 14
x86_reg_dil = 15
x86_reg_dl = 16
x86_reg_ds = 17
x86_reg_dx = 18
x86_reg_eax = 19
x86_reg_ebp = 20
x86_reg_ebx = 21
x86_reg_ecx = 22
x86_reg_edi = 23
x86_reg_edx = 24
x86_reg_eflags = 25
x86_reg_eip = 26
x86_reg_eiz = 27
x86_reg_es = 28
x86_reg_esi = 29
x86_reg_esp = 30
x86_reg_fpsw = 31
x86_reg_fs = 32
x86_reg_gs = 33
x86_reg_ip = 34
x86_reg_rax = 35
x86_reg_rbp = 36
x86_reg_rbx = 37
x86_reg_rcx = 38
x86_reg_rdi = 39
x86_reg_rdx = 40
x86_reg_rip = 41
x86_reg_riz = 42
x86_reg_rsi = 43
x86_reg_rsp = 44
x86_reg_si = 45
x86_reg_sil = 46
x86_reg_sp = 47
x86_reg_spl = 48
x86_reg_ss = 49
x86_reg_cr0 = 50
x86_reg_cr1 = 51
x86_reg_cr2 = 52
x86_reg_cr3 = 53
x86_reg_cr4 = 54
x86_reg_cr5 = 55
x86_reg_cr6 = 56
x86_reg_cr7 = 57
x86_reg_cr8 = 58
x86_reg_cr9 = 59
x86_reg_cr10 = 60
x86_reg_cr11 = 61
x86_reg_cr12 = 62
x86_reg_cr13 = 63
x86_reg_cr14 = 64
x86_reg_cr15 = 65
x86_reg_dr0 = 66
x86_reg_dr1 = 67
x86_reg_dr2 = 68
x86_reg_dr3 = 69
x86_reg_dr4 = 70
x86_reg_dr5 = 71
x86_reg_dr6 = 72
x86_reg_dr7 = 73
x86_reg_dr8 = 74
x86_reg_dr9 = 75
x86_reg_dr10 = 76
x86_reg_dr11 = 77
x86_reg_dr12 = 78
x86_reg_dr13 = 79
x86_reg_dr14 = 80
x86_reg_dr15 = 81
x86_reg_fp0 = 82
x86_reg_fp1 = 83
x86_reg_fp2 = 84
x86_reg_fp3 = 85
x86_reg_fp4 = 86
x86_reg_fp5 = 87
x86_reg_fp6 = 88
x86_reg_fp7 = 89
x86_reg_k0 = 90
x86_reg_k1 = 91
x86_reg_k2 = 92
x86_reg_k3 = 93
x86_reg_k4 = 94
x86_reg_k5 = 95
x86_reg_k6 = 96
x86_reg_k7 = 97
x86_reg_mm0 = 98
x86_reg_mm1 = 99
x86_reg_mm2 = 100
x86_reg_mm3 = 101
x86_reg_mm4 = 102
x86_reg_mm5 = 103
x86_reg_mm6 = 104
x86_reg_mm7 = 105
x86_reg_r8 = 106
x86_reg_r9 = 107
x86_reg_r10 = 108
x86_reg_r11 = 109
x86_reg_r12 = 110
x86_reg_r13 = 111
x86_reg_r14 = 112
x86_reg_r15 = 113
x86_reg_st0 = 114
x86_reg_st1 = 115
x86_reg_st2 = 116
x86_reg_st3 = 117
x86_reg_st4 = 118
x86_reg_st5 = 119
x86_reg_st6 = 120
x86_reg_st7 = 121
x86_reg_xmm0 = 122
x86_reg_xmm1 = 123
x86_reg_xmm2 = 124
x86_reg_xmm3 = 125
x86_reg_xmm4 = 126
x86_reg_xmm5 = 127
x86_reg_xmm6 = 128
x86_reg_xmm7 = 129
x86_reg_xmm8 = 130
x86_reg_xmm9 = 131
x86_reg_xmm10 = 132
x86_reg_xmm11 = 133
x86_reg_xmm12 = 134
x86_reg_xmm13 = 135
x86_reg_xmm14 = 136
x86_reg_xmm15 = 137
x86_reg_xmm16 = 138
x86_reg_xmm17 = 139
x86_reg_xmm18 = 140
x86_reg_xmm19 = 141
x86_reg_xmm20 = 142
x86_reg_xmm21 = 143
x86_reg_xmm22 = 144
x86_reg_xmm23 = 145
x86_reg_xmm24 = 146
x86_reg_xmm25 = 147
x86_reg_xmm26 = 148
x86_reg_xmm27 = 149
x86_reg_xmm28 = 150
x86_reg_xmm29 = 151
x86_reg_xmm30 = 152
x86_reg_xmm31 = 153
x86_reg_ymm0 = 154
x86_reg_ymm1 = 155
x86_reg_ymm2 = 156
x86_reg_ymm3 = 157
x86_reg_ymm4 = 158
x86_reg_ymm5 = 159
x86_reg_ymm6 = 160
x86_reg_ymm7 = 161
x86_reg_ymm8 = 162
x86_reg_ymm9 = 163
x86_reg_ymm10 = 164
x86_reg_ymm11 = 165
x86_reg_ymm12 = 166
x86_reg_ymm13 = 167
x86_reg_ymm14 = 168
x86_reg_ymm15 = 169
x86_reg_ymm16 = 170
x86_reg_ymm17 = 171
x86_reg_ymm18 = 172
x86_reg_ymm19 = 173
x86_reg_ymm20 = 174
x86_reg_ymm21 = 175
x86_reg_ymm22 = 176
x86_reg_ymm23 = 177
x86_reg_ymm24 = 178
x86_reg_ymm25 = 179
x86_reg_ymm26 = 180
x86_reg_ymm27 = 181
x86_reg_ymm28 = 182
x86_reg_ymm29 = 183
x86_reg_ymm30 = 184
x86_reg_ymm31 = 185
x86_reg_zmm0 = 186
x86_reg_zmm1 = 187
x86_reg_zmm2 = 188
x86_reg_zmm3 = 189
x86_reg_zmm4 = 190
x86_reg_zmm5 = 191
x86_reg_zmm6 = 192
x86_reg_zmm7 = 193
x86_reg_zmm8 = 194
x86_reg_zmm9 = 195
x86_reg_zmm10 = 196
x86_reg_zmm11 = 197
x86_reg_zmm12 = 198
x86_reg_zmm13 = 199
x86_reg_zmm14 = 200
x86_reg_zmm15 = 201
x86_reg_zmm16 = 202
x86_reg_zmm17 = 203
x86_reg_zmm18 = 204
x86_reg_zmm19 = 205
x86_reg_zmm20 = 206
x86_reg_zmm21 = 207
x86_reg_zmm22 = 208
x86_reg_zmm23 = 209
x86_reg_zmm24 = 210
x86_reg_zmm25 = 211
x86_reg_zmm26 = 212
x86_reg_zmm27 = 213
x86_reg_zmm28 = 214
x86_reg_zmm29 = 215
x86_reg_zmm30 = 216
x86_reg_zmm31 = 217
x86_reg_r8_b = 218
x86_reg_r9_b = 219
x86_reg_r10_b = 220
x86_reg_r11_b = 221
x86_reg_r12_b = 222
x86_reg_r13_b = 223
x86_reg_r14_b = 224
x86_reg_r15_b = 225
x86_reg_r8_d = 226
x86_reg_r9_d = 227
x86_reg_r10_d = 228
x86_reg_r11_d = 229
x86_reg_r12_d = 230
x86_reg_r13_d = 231
x86_reg_r14_d = 232
x86_reg_r15_d = 233
x86_reg_r8_w = 234
x86_reg_r9_w = 235
x86_reg_r10_w = 236
x86_reg_r11_w = 237
x86_reg_r12_w = 238
x86_reg_r13_w = 239
x86_reg_r14_w = 240
x86_reg_r15_w = 241
x86_reg_bnd0 = 242
x86_reg_bnd1 = 243
x86_reg_bnd2 = 244
x86_reg_bnd3 = 245
x86_reg_ending = 246
x86_eflags_modify_af = 1 << 0
x86_eflags_modify_cf = 1 << 1
x86_eflags_modify_sf = 1 << 2
x86_eflags_modify_zf = 1 << 3
x86_eflags_modify_pf = 1 << 4
x86_eflags_modify_of = 1 << 5
x86_eflags_modify_tf = 1 << 6
x86_eflags_modify_if = 1 << 7
x86_eflags_modify_df = 1 << 8
x86_eflags_modify_nt = 1 << 9
x86_eflags_modify_rf = 1 << 10
x86_eflags_prior_of = 1 << 11
x86_eflags_prior_sf = 1 << 12
x86_eflags_prior_zf = 1 << 13
x86_eflags_prior_af = 1 << 14
x86_eflags_prior_pf = 1 << 15
x86_eflags_prior_cf = 1 << 16
x86_eflags_prior_tf = 1 << 17
x86_eflags_prior_if = 1 << 18
x86_eflags_prior_df = 1 << 19
x86_eflags_prior_nt = 1 << 20
x86_eflags_reset_of = 1 << 21
x86_eflags_reset_cf = 1 << 22
x86_eflags_reset_df = 1 << 23
x86_eflags_reset_if = 1 << 24
x86_eflags_reset_sf = 1 << 25
x86_eflags_reset_af = 1 << 26
x86_eflags_reset_tf = 1 << 27
x86_eflags_reset_nt = 1 << 28
x86_eflags_reset_pf = 1 << 29
x86_eflags_set_cf = 1 << 30
x86_eflags_set_df = 1 << 31
x86_eflags_set_if = 1 << 32
x86_eflags_test_of = 1 << 33
x86_eflags_test_sf = 1 << 34
x86_eflags_test_zf = 1 << 35
x86_eflags_test_pf = 1 << 36
x86_eflags_test_cf = 1 << 37
x86_eflags_test_nt = 1 << 38
x86_eflags_test_df = 1 << 39
x86_eflags_undefined_of = 1 << 40
x86_eflags_undefined_sf = 1 << 41
x86_eflags_undefined_zf = 1 << 42
x86_eflags_undefined_pf = 1 << 43
x86_eflags_undefined_af = 1 << 44
x86_eflags_undefined_cf = 1 << 45
x86_eflags_reset_rf = 1 << 46
x86_eflags_test_rf = 1 << 47
x86_eflags_test_if = 1 << 48
x86_eflags_test_tf = 1 << 49
x86_eflags_test_af = 1 << 50
x86_eflags_reset_zf = 1 << 51
x86_eflags_set_of = 1 << 52
x86_eflags_set_sf = 1 << 53
x86_eflags_set_zf = 1 << 54
x86_eflags_set_af = 1 << 55
x86_eflags_set_pf = 1 << 56
x86_eflags_reset_0_f = 1 << 57
x86_eflags_reset_ac = 1 << 58
x86_fpu_flags_modify_c0 = 1 << 0
x86_fpu_flags_modify_c1 = 1 << 1
x86_fpu_flags_modify_c2 = 1 << 2
x86_fpu_flags_modify_c3 = 1 << 3
x86_fpu_flags_reset_c0 = 1 << 4
x86_fpu_flags_reset_c1 = 1 << 5
x86_fpu_flags_reset_c2 = 1 << 6
x86_fpu_flags_reset_c3 = 1 << 7
x86_fpu_flags_set_c0 = 1 << 8
x86_fpu_flags_set_c1 = 1 << 9
x86_fpu_flags_set_c2 = 1 << 10
x86_fpu_flags_set_c3 = 1 << 11
x86_fpu_flags_undefined_c0 = 1 << 12
x86_fpu_flags_undefined_c1 = 1 << 13
x86_fpu_flags_undefined_c2 = 1 << 14
x86_fpu_flags_undefined_c3 = 1 << 15
x86_fpu_flags_test_c0 = 1 << 16
x86_fpu_flags_test_c1 = 1 << 17
x86_fpu_flags_test_c2 = 1 << 18
x86_fpu_flags_test_c3 = 1 << 19
x86_op_invalid = 0
x86_op_reg = 1
x86_op_imm = 2
x86_op_mem = 3
x86_xop_cc_invalid = 0
x86_xop_cc_lt = 1
x86_xop_cc_le = 2
x86_xop_cc_gt = 3
x86_xop_cc_ge = 4
x86_xop_cc_eq = 5
x86_xop_cc_neq = 6
x86_xop_cc_false = 7
x86_xop_cc_true = 8
x86_avx_bcast_invalid = 0
x86_avx_bcast_2 = 1
x86_avx_bcast_4 = 2
x86_avx_bcast_8 = 3
x86_avx_bcast_16 = 4
x86_sse_cc_invalid = 0
x86_sse_cc_eq = 1
x86_sse_cc_lt = 2
x86_sse_cc_le = 3
x86_sse_cc_unord = 4
x86_sse_cc_neq = 5
x86_sse_cc_nlt = 6
x86_sse_cc_nle = 7
x86_sse_cc_ord = 8
x86_avx_cc_invalid = 0
x86_avx_cc_eq = 1
x86_avx_cc_lt = 2
x86_avx_cc_le = 3
x86_avx_cc_unord = 4
x86_avx_cc_neq = 5
x86_avx_cc_nlt = 6
x86_avx_cc_nle = 7
x86_avx_cc_ord = 8
x86_avx_cc_eq_uq = 9
x86_avx_cc_nge = 10
x86_avx_cc_ngt = 11
x86_avx_cc_false = 12
x86_avx_cc_neq_oq = 13
x86_avx_cc_ge = 14
x86_avx_cc_gt = 15
x86_avx_cc_true = 16
x86_avx_cc_eq_os = 17
x86_avx_cc_lt_oq = 18
x86_avx_cc_le_oq = 19
x86_avx_cc_unord_s = 20
x86_avx_cc_neq_us = 21
x86_avx_cc_nlt_uq = 22
x86_avx_cc_nle_uq = 23
x86_avx_cc_ord_s = 24
x86_avx_cc_eq_us = 25
x86_avx_cc_nge_uq = 26
x86_avx_cc_ngt_uq = 27
x86_avx_cc_false_os = 28
x86_avx_cc_neq_os = 29
x86_avx_cc_ge_oq = 30
x86_avx_cc_gt_oq = 31
x86_avx_cc_true_us = 32
x86_avx_rm_invalid = 0
x86_avx_rm_rn = 1
x86_avx_rm_rd = 2
x86_avx_rm_ru = 3
x86_avx_rm_rz = 4
x86_prefix_lock = 240
x86_prefix_rep = 243
x86_prefix_repe = 243
x86_prefix_repne = 242
x86_prefix_cs = 46
x86_prefix_ss = 54
x86_prefix_ds = 62
x86_prefix_es = 38
x86_prefix_fs = 100
x86_prefix_gs = 101
x86_prefix_opsize = 102
x86_prefix_addrsize = 103
x86_ins_invalid = 0
x86_ins_aaa = 1
x86_ins_aad = 2
x86_ins_aam = 3
x86_ins_aas = 4
x86_ins_fabs = 5
x86_ins_adc = 6
x86_ins_adcx = 7
x86_ins_add = 8
x86_ins_addpd = 9
x86_ins_addps = 10
x86_ins_addsd = 11
x86_ins_addss = 12
x86_ins_addsubpd = 13
x86_ins_addsubps = 14
x86_ins_fadd = 15
x86_ins_fiadd = 16
x86_ins_adox = 17
x86_ins_aesdeclast = 18
x86_ins_aesdec = 19
x86_ins_aesenclast = 20
x86_ins_aesenc = 21
x86_ins_aesimc = 22
x86_ins_aeskeygenassist = 23
x86_ins_and = 24
x86_ins_andn = 25
x86_ins_andnpd = 26
x86_ins_andnps = 27
x86_ins_andpd = 28
x86_ins_andps = 29
x86_ins_arpl = 30
x86_ins_bextr = 31
x86_ins_blcfill = 32
x86_ins_blci = 33
x86_ins_blcic = 34
x86_ins_blcmsk = 35
x86_ins_blcs = 36
x86_ins_blendpd = 37
x86_ins_blendps = 38
x86_ins_blendvpd = 39
x86_ins_blendvps = 40
x86_ins_blsfill = 41
x86_ins_blsi = 42
x86_ins_blsic = 43
x86_ins_blsmsk = 44
x86_ins_blsr = 45
x86_ins_bndcl = 46
x86_ins_bndcn = 47
x86_ins_bndcu = 48
x86_ins_bndldx = 49
x86_ins_bndmk = 50
x86_ins_bndmov = 51
x86_ins_bndstx = 52
x86_ins_bound = 53
x86_ins_bsf = 54
x86_ins_bsr = 55
x86_ins_bswap = 56
x86_ins_bt = 57
x86_ins_btc = 58
x86_ins_btr = 59
x86_ins_bts = 60
x86_ins_bzhi = 61
x86_ins_call = 62
x86_ins_cbw = 63
x86_ins_cdq = 64
x86_ins_cdqe = 65
x86_ins_fchs = 66
x86_ins_clac = 67
x86_ins_clc = 68
x86_ins_cld = 69
x86_ins_cldemote = 70
x86_ins_clflush = 71
x86_ins_clflushopt = 72
x86_ins_clgi = 73
x86_ins_cli = 74
x86_ins_clrssbsy = 75
x86_ins_clts = 76
x86_ins_clwb = 77
x86_ins_clzero = 78
x86_ins_cmc = 79
x86_ins_cmova = 80
x86_ins_cmovae = 81
x86_ins_cmovb = 82
x86_ins_cmovbe = 83
x86_ins_fcmovbe = 84
x86_ins_fcmovb = 85
x86_ins_cmove = 86
x86_ins_fcmove = 87
x86_ins_cmovg = 88
x86_ins_cmovge = 89
x86_ins_cmovl = 90
x86_ins_cmovle = 91
x86_ins_fcmovnbe = 92
x86_ins_fcmovnb = 93
x86_ins_cmovne = 94
x86_ins_fcmovne = 95
x86_ins_cmovno = 96
x86_ins_cmovnp = 97
x86_ins_fcmovnu = 98
x86_ins_fcmovnp = 99
x86_ins_cmovns = 100
x86_ins_cmovo = 101
x86_ins_cmovp = 102
x86_ins_fcmovu = 103
x86_ins_cmovs = 104
x86_ins_cmp = 105
x86_ins_cmppd = 106
x86_ins_cmpps = 107
x86_ins_cmpsb = 108
x86_ins_cmpsd = 109
x86_ins_cmpsq = 110
x86_ins_cmpss = 111
x86_ins_cmpsw = 112
x86_ins_cmpxchg16_b = 113
x86_ins_cmpxchg = 114
x86_ins_cmpxchg8_b = 115
x86_ins_comisd = 116
x86_ins_comiss = 117
x86_ins_fcomp = 118
x86_ins_fcompi = 119
x86_ins_fcomi = 120
x86_ins_fcom = 121
x86_ins_fcos = 122
x86_ins_cpuid = 123
x86_ins_cqo = 124
x86_ins_crc32 = 125
x86_ins_cvtdq2_pd = 126
x86_ins_cvtdq2_ps = 127
x86_ins_cvtpd2_dq = 128
x86_ins_cvtpd2_ps = 129
x86_ins_cvtps2_dq = 130
x86_ins_cvtps2_pd = 131
x86_ins_cvtsd2_si = 132
x86_ins_cvtsd2_ss = 133
x86_ins_cvtsi2_sd = 134
x86_ins_cvtsi2_ss = 135
x86_ins_cvtss2_sd = 136
x86_ins_cvtss2_si = 137
x86_ins_cvttpd2_dq = 138
x86_ins_cvttps2_dq = 139
x86_ins_cvttsd2_si = 140
x86_ins_cvttss2_si = 141
x86_ins_cwd = 142
x86_ins_cwde = 143
x86_ins_daa = 144
x86_ins_das = 145
x86_ins_data16 = 146
x86_ins_dec = 147
x86_ins_div = 148
x86_ins_divpd = 149
x86_ins_divps = 150
x86_ins_fdivr = 151
x86_ins_fidivr = 152
x86_ins_fdivrp = 153
x86_ins_divsd = 154
x86_ins_divss = 155
x86_ins_fdiv = 156
x86_ins_fidiv = 157
x86_ins_fdivp = 158
x86_ins_dppd = 159
x86_ins_dpps = 160
x86_ins_encls = 161
x86_ins_enclu = 162
x86_ins_enclv = 163
x86_ins_endbr32 = 164
x86_ins_endbr64 = 165
x86_ins_enter = 166
x86_ins_extractps = 167
x86_ins_extrq = 168
x86_ins_f2_xm1 = 169
x86_ins_lcall = 170
x86_ins_ljmp = 171
x86_ins_jmp = 172
x86_ins_fbld = 173
x86_ins_fbstp = 174
x86_ins_fcompp = 175
x86_ins_fdecstp = 176
x86_ins_fdisi8087_nop = 177
x86_ins_femms = 178
x86_ins_feni8087_nop = 179
x86_ins_ffree = 180
x86_ins_ffreep = 181
x86_ins_ficom = 182
x86_ins_ficomp = 183
x86_ins_fincstp = 184
x86_ins_fldcw = 185
x86_ins_fldenv = 186
x86_ins_fldl2_e = 187
x86_ins_fldl2_t = 188
x86_ins_fldlg2 = 189
x86_ins_fldln2 = 190
x86_ins_fldpi = 191
x86_ins_fnclex = 192
x86_ins_fninit = 193
x86_ins_fnop = 194
x86_ins_fnstcw = 195
x86_ins_fnstsw = 196
x86_ins_fpatan = 197
x86_ins_fstpnce = 198
x86_ins_fprem = 199
x86_ins_fprem1 = 200
x86_ins_fptan = 201
x86_ins_frndint = 202
x86_ins_frstor = 203
x86_ins_fnsave = 204
x86_ins_fscale = 205
x86_ins_fsetpm = 206
x86_ins_fsincos = 207
x86_ins_fnstenv = 208
x86_ins_fxam = 209
x86_ins_fxrstor = 210
x86_ins_fxrstor64 = 211
x86_ins_fxsave = 212
x86_ins_fxsave64 = 213
x86_ins_fxtract = 214
x86_ins_fyl2_x = 215
x86_ins_fyl2_xp1 = 216
x86_ins_getsec = 217
x86_ins_gf2_p8_affineinvqb = 218
x86_ins_gf2_p8_affineqb = 219
x86_ins_gf2_p8_mulb = 220
x86_ins_haddpd = 221
x86_ins_haddps = 222
x86_ins_hlt = 223
x86_ins_hsubpd = 224
x86_ins_hsubps = 225
x86_ins_idiv = 226
x86_ins_fild = 227
x86_ins_imul = 228
x86_ins_in = 229
x86_ins_inc = 230
x86_ins_incsspd = 231
x86_ins_incsspq = 232
x86_ins_insb = 233
x86_ins_insertps = 234
x86_ins_insertq = 235
x86_ins_insd = 236
x86_ins_insw = 237
x86_ins_int = 238
x86_ins_int1 = 239
x86_ins_int3 = 240
x86_ins_into = 241
x86_ins_invd = 242
x86_ins_invept = 243
x86_ins_invlpg = 244
x86_ins_invlpga = 245
x86_ins_invpcid = 246
x86_ins_invvpid = 247
x86_ins_iret = 248
x86_ins_iretd = 249
x86_ins_iretq = 250
x86_ins_fisttp = 251
x86_ins_fist = 252
x86_ins_fistp = 253
x86_ins_jae = 254
x86_ins_ja = 255
x86_ins_jbe = 256
x86_ins_jb = 257
x86_ins_jcxz = 258
x86_ins_jecxz = 259
x86_ins_je = 260
x86_ins_jge = 261
x86_ins_jg = 262
x86_ins_jle = 263
x86_ins_jl = 264
x86_ins_jne = 265
x86_ins_jno = 266
x86_ins_jnp = 267
x86_ins_jns = 268
x86_ins_jo = 269
x86_ins_jp = 270
x86_ins_jrcxz = 271
x86_ins_js = 272
x86_ins_kaddb = 273
x86_ins_kaddd = 274
x86_ins_kaddq = 275
x86_ins_kaddw = 276
x86_ins_kandb = 277
x86_ins_kandd = 278
x86_ins_kandnb = 279
x86_ins_kandnd = 280
x86_ins_kandnq = 281
x86_ins_kandnw = 282
x86_ins_kandq = 283
x86_ins_kandw = 284
x86_ins_kmovb = 285
x86_ins_kmovd = 286
x86_ins_kmovq = 287
x86_ins_kmovw = 288
x86_ins_knotb = 289
x86_ins_knotd = 290
x86_ins_knotq = 291
x86_ins_knotw = 292
x86_ins_korb = 293
x86_ins_kord = 294
x86_ins_korq = 295
x86_ins_kortestb = 296
x86_ins_kortestd = 297
x86_ins_kortestq = 298
x86_ins_kortestw = 299
x86_ins_korw = 300
x86_ins_kshiftlb = 301
x86_ins_kshiftld = 302
x86_ins_kshiftlq = 303
x86_ins_kshiftlw = 304
x86_ins_kshiftrb = 305
x86_ins_kshiftrd = 306
x86_ins_kshiftrq = 307
x86_ins_kshiftrw = 308
x86_ins_ktestb = 309
x86_ins_ktestd = 310
x86_ins_ktestq = 311
x86_ins_ktestw = 312
x86_ins_kunpckbw = 313
x86_ins_kunpckdq = 314
x86_ins_kunpckwd = 315
x86_ins_kxnorb = 316
x86_ins_kxnord = 317
x86_ins_kxnorq = 318
x86_ins_kxnorw = 319
x86_ins_kxorb = 320
x86_ins_kxord = 321
x86_ins_kxorq = 322
x86_ins_kxorw = 323
x86_ins_lahf = 324
x86_ins_lar = 325
x86_ins_lddqu = 326
x86_ins_ldmxcsr = 327
x86_ins_lds = 328
x86_ins_fldz = 329
x86_ins_fld1 = 330
x86_ins_fld = 331
x86_ins_lea = 332
x86_ins_leave = 333
x86_ins_les = 334
x86_ins_lfence = 335
x86_ins_lfs = 336
x86_ins_lgdt = 337
x86_ins_lgs = 338
x86_ins_lidt = 339
x86_ins_lldt = 340
x86_ins_llwpcb = 341
x86_ins_lmsw = 342
x86_ins_lock = 343
x86_ins_lodsb = 344
x86_ins_lodsd = 345
x86_ins_lodsq = 346
x86_ins_lodsw = 347
x86_ins_loop = 348
x86_ins_loope = 349
x86_ins_loopne = 350
x86_ins_retf = 351
x86_ins_retfq = 352
x86_ins_lsl = 353
x86_ins_lss = 354
x86_ins_ltr = 355
x86_ins_lwpins = 356
x86_ins_lwpval = 357
x86_ins_lzcnt = 358
x86_ins_maskmovdqu = 359
x86_ins_maxpd = 360
x86_ins_maxps = 361
x86_ins_maxsd = 362
x86_ins_maxss = 363
x86_ins_mfence = 364
x86_ins_minpd = 365
x86_ins_minps = 366
x86_ins_minsd = 367
x86_ins_minss = 368
x86_ins_cvtpd2_pi = 369
x86_ins_cvtpi2_pd = 370
x86_ins_cvtpi2_ps = 371
x86_ins_cvtps2_pi = 372
x86_ins_cvttpd2_pi = 373
x86_ins_cvttps2_pi = 374
x86_ins_emms = 375
x86_ins_maskmovq = 376
x86_ins_movd = 377
x86_ins_movq = 378
x86_ins_movdq2_q = 379
x86_ins_movntq = 380
x86_ins_movq2_dq = 381
x86_ins_pabsb = 382
x86_ins_pabsd = 383
x86_ins_pabsw = 384
x86_ins_packssdw = 385
x86_ins_packsswb = 386
x86_ins_packuswb = 387
x86_ins_paddb = 388
x86_ins_paddd = 389
x86_ins_paddq = 390
x86_ins_paddsb = 391
x86_ins_paddsw = 392
x86_ins_paddusb = 393
x86_ins_paddusw = 394
x86_ins_paddw = 395
x86_ins_palignr = 396
x86_ins_pandn = 397
x86_ins_pand = 398
x86_ins_pavgb = 399
x86_ins_pavgw = 400
x86_ins_pcmpeqb = 401
x86_ins_pcmpeqd = 402
x86_ins_pcmpeqw = 403
x86_ins_pcmpgtb = 404
x86_ins_pcmpgtd = 405
x86_ins_pcmpgtw = 406
x86_ins_pextrw = 407
x86_ins_phaddd = 408
x86_ins_phaddsw = 409
x86_ins_phaddw = 410
x86_ins_phsubd = 411
x86_ins_phsubsw = 412
x86_ins_phsubw = 413
x86_ins_pinsrw = 414
x86_ins_pmaddubsw = 415
x86_ins_pmaddwd = 416
x86_ins_pmaxsw = 417
x86_ins_pmaxub = 418
x86_ins_pminsw = 419
x86_ins_pminub = 420
x86_ins_pmovmskb = 421
x86_ins_pmulhrsw = 422
x86_ins_pmulhuw = 423
x86_ins_pmulhw = 424
x86_ins_pmullw = 425
x86_ins_pmuludq = 426
x86_ins_por = 427
x86_ins_psadbw = 428
x86_ins_pshufb = 429
x86_ins_pshufw = 430
x86_ins_psignb = 431
x86_ins_psignd = 432
x86_ins_psignw = 433
x86_ins_pslld = 434
x86_ins_psllq = 435
x86_ins_psllw = 436
x86_ins_psrad = 437
x86_ins_psraw = 438
x86_ins_psrld = 439
x86_ins_psrlq = 440
x86_ins_psrlw = 441
x86_ins_psubb = 442
x86_ins_psubd = 443
x86_ins_psubq = 444
x86_ins_psubsb = 445
x86_ins_psubsw = 446
x86_ins_psubusb = 447
x86_ins_psubusw = 448
x86_ins_psubw = 449
x86_ins_punpckhbw = 450
x86_ins_punpckhdq = 451
x86_ins_punpckhwd = 452
x86_ins_punpcklbw = 453
x86_ins_punpckldq = 454
x86_ins_punpcklwd = 455
x86_ins_pxor = 456
x86_ins_monitorx = 457
x86_ins_monitor = 458
x86_ins_montmul = 459
x86_ins_mov = 460
x86_ins_movabs = 461
x86_ins_movapd = 462
x86_ins_movaps = 463
x86_ins_movbe = 464
x86_ins_movddup = 465
x86_ins_movdir64_b = 466
x86_ins_movdiri = 467
x86_ins_movdqa = 468
x86_ins_movdqu = 469
x86_ins_movhlps = 470
x86_ins_movhpd = 471
x86_ins_movhps = 472
x86_ins_movlhps = 473
x86_ins_movlpd = 474
x86_ins_movlps = 475
x86_ins_movmskpd = 476
x86_ins_movmskps = 477
x86_ins_movntdqa = 478
x86_ins_movntdq = 479
x86_ins_movnti = 480
x86_ins_movntpd = 481
x86_ins_movntps = 482
x86_ins_movntsd = 483
x86_ins_movntss = 484
x86_ins_movsb = 485
x86_ins_movsd = 486
x86_ins_movshdup = 487
x86_ins_movsldup = 488
x86_ins_movsq = 489
x86_ins_movss = 490
x86_ins_movsw = 491
x86_ins_movsx = 492
x86_ins_movsxd = 493
x86_ins_movupd = 494
x86_ins_movups = 495
x86_ins_movzx = 496
x86_ins_mpsadbw = 497
x86_ins_mul = 498
x86_ins_mulpd = 499
x86_ins_mulps = 500
x86_ins_mulsd = 501
x86_ins_mulss = 502
x86_ins_mulx = 503
x86_ins_fmul = 504
x86_ins_fimul = 505
x86_ins_fmulp = 506
x86_ins_mwaitx = 507
x86_ins_mwait = 508
x86_ins_neg = 509
x86_ins_nop = 510
x86_ins_not = 511
x86_ins_or = 512
x86_ins_orpd = 513
x86_ins_orps = 514
x86_ins_out = 515
x86_ins_outsb = 516
x86_ins_outsd = 517
x86_ins_outsw = 518
x86_ins_packusdw = 519
x86_ins_pause = 520
x86_ins_pavgusb = 521
x86_ins_pblendvb = 522
x86_ins_pblendw = 523
x86_ins_pclmulqdq = 524
x86_ins_pcmpeqq = 525
x86_ins_pcmpestri = 526
x86_ins_pcmpestrm = 527
x86_ins_pcmpgtq = 528
x86_ins_pcmpistri = 529
x86_ins_pcmpistrm = 530
x86_ins_pconfig = 531
x86_ins_pdep = 532
x86_ins_pext = 533
x86_ins_pextrb = 534
x86_ins_pextrd = 535
x86_ins_pextrq = 536
x86_ins_pf2_id = 537
x86_ins_pf2_iw = 538
x86_ins_pfacc = 539
x86_ins_pfadd = 540
x86_ins_pfcmpeq = 541
x86_ins_pfcmpge = 542
x86_ins_pfcmpgt = 543
x86_ins_pfmax = 544
x86_ins_pfmin = 545
x86_ins_pfmul = 546
x86_ins_pfnacc = 547
x86_ins_pfpnacc = 548
x86_ins_pfrcpit1 = 549
x86_ins_pfrcpit2 = 550
x86_ins_pfrcp = 551
x86_ins_pfrsqit1 = 552
x86_ins_pfrsqrt = 553
x86_ins_pfsubr = 554
x86_ins_pfsub = 555
x86_ins_phminposuw = 556
x86_ins_pi2_fd = 557
x86_ins_pi2_fw = 558
x86_ins_pinsrb = 559
x86_ins_pinsrd = 560
x86_ins_pinsrq = 561
x86_ins_pmaxsb = 562
x86_ins_pmaxsd = 563
x86_ins_pmaxud = 564
x86_ins_pmaxuw = 565
x86_ins_pminsb = 566
x86_ins_pminsd = 567
x86_ins_pminud = 568
x86_ins_pminuw = 569
x86_ins_pmovsxbd = 570
x86_ins_pmovsxbq = 571
x86_ins_pmovsxbw = 572
x86_ins_pmovsxdq = 573
x86_ins_pmovsxwd = 574
x86_ins_pmovsxwq = 575
x86_ins_pmovzxbd = 576
x86_ins_pmovzxbq = 577
x86_ins_pmovzxbw = 578
x86_ins_pmovzxdq = 579
x86_ins_pmovzxwd = 580
x86_ins_pmovzxwq = 581
x86_ins_pmuldq = 582
x86_ins_pmulhrw = 583
x86_ins_pmulld = 584
x86_ins_pop = 585
x86_ins_popaw = 586
x86_ins_popal = 587
x86_ins_popcnt = 588
x86_ins_popf = 589
x86_ins_popfd = 590
x86_ins_popfq = 591
x86_ins_prefetch = 592
x86_ins_prefetchnta = 593
x86_ins_prefetcht0 = 594
x86_ins_prefetcht1 = 595
x86_ins_prefetcht2 = 596
x86_ins_prefetchw = 597
x86_ins_prefetchwt1 = 598
x86_ins_pshufd = 599
x86_ins_pshufhw = 600
x86_ins_pshuflw = 601
x86_ins_pslldq = 602
x86_ins_psrldq = 603
x86_ins_pswapd = 604
x86_ins_ptest = 605
x86_ins_ptwrite = 606
x86_ins_punpckhqdq = 607
x86_ins_punpcklqdq = 608
x86_ins_push = 609
x86_ins_pushaw = 610
x86_ins_pushal = 611
x86_ins_pushf = 612
x86_ins_pushfd = 613
x86_ins_pushfq = 614
x86_ins_rcl = 615
x86_ins_rcpps = 616
x86_ins_rcpss = 617
x86_ins_rcr = 618
x86_ins_rdfsbase = 619
x86_ins_rdgsbase = 620
x86_ins_rdmsr = 621
x86_ins_rdpid = 622
x86_ins_rdpkru = 623
x86_ins_rdpmc = 624
x86_ins_rdrand = 625
x86_ins_rdseed = 626
x86_ins_rdsspd = 627
x86_ins_rdsspq = 628
x86_ins_rdtsc = 629
x86_ins_rdtscp = 630
x86_ins_repne = 631
x86_ins_rep = 632
x86_ins_ret = 633
x86_ins_rex64 = 634
x86_ins_rol = 635
x86_ins_ror = 636
x86_ins_rorx = 637
x86_ins_roundpd = 638
x86_ins_roundps = 639
x86_ins_roundsd = 640
x86_ins_roundss = 641
x86_ins_rsm = 642
x86_ins_rsqrtps = 643
x86_ins_rsqrtss = 644
x86_ins_rstorssp = 645
x86_ins_sahf = 646
x86_ins_sal = 647
x86_ins_salc = 648
x86_ins_sar = 649
x86_ins_sarx = 650
x86_ins_saveprevssp = 651
x86_ins_sbb = 652
x86_ins_scasb = 653
x86_ins_scasd = 654
x86_ins_scasq = 655
x86_ins_scasw = 656
x86_ins_setae = 657
x86_ins_seta = 658
x86_ins_setbe = 659
x86_ins_setb = 660
x86_ins_sete = 661
x86_ins_setge = 662
x86_ins_setg = 663
x86_ins_setle = 664
x86_ins_setl = 665
x86_ins_setne = 666
x86_ins_setno = 667
x86_ins_setnp = 668
x86_ins_setns = 669
x86_ins_seto = 670
x86_ins_setp = 671
x86_ins_setssbsy = 672
x86_ins_sets = 673
x86_ins_sfence = 674
x86_ins_sgdt = 675
x86_ins_sha1_msg1 = 676
x86_ins_sha1_msg2 = 677
x86_ins_sha1_nexte = 678
x86_ins_sha1_rnds4 = 679
x86_ins_sha256_msg1 = 680
x86_ins_sha256_msg2 = 681
x86_ins_sha256_rnds2 = 682
x86_ins_shl = 683
x86_ins_shld = 684
x86_ins_shlx = 685
x86_ins_shr = 686
x86_ins_shrd = 687
x86_ins_shrx = 688
x86_ins_shufpd = 689
x86_ins_shufps = 690
x86_ins_sidt = 691
x86_ins_fsin = 692
x86_ins_skinit = 693
x86_ins_sldt = 694
x86_ins_slwpcb = 695
x86_ins_smsw = 696
x86_ins_sqrtpd = 697
x86_ins_sqrtps = 698
x86_ins_sqrtsd = 699
x86_ins_sqrtss = 700
x86_ins_fsqrt = 701
x86_ins_stac = 702
x86_ins_stc = 703
x86_ins_std = 704
x86_ins_stgi = 705
x86_ins_sti = 706
x86_ins_stmxcsr = 707
x86_ins_stosb = 708
x86_ins_stosd = 709
x86_ins_stosq = 710
x86_ins_stosw = 711
x86_ins_str = 712
x86_ins_fst = 713
x86_ins_fstp = 714
x86_ins_sub = 715
x86_ins_subpd = 716
x86_ins_subps = 717
x86_ins_fsubr = 718
x86_ins_fisubr = 719
x86_ins_fsubrp = 720
x86_ins_subsd = 721
x86_ins_subss = 722
x86_ins_fsub = 723
x86_ins_fisub = 724
x86_ins_fsubp = 725
x86_ins_swapgs = 726
x86_ins_syscall = 727
x86_ins_sysenter = 728
x86_ins_sysexit = 729
x86_ins_sysexitq = 730
x86_ins_sysret = 731
x86_ins_sysretq = 732
x86_ins_t1_mskc = 733
x86_ins_test = 734
x86_ins_tpause = 735
x86_ins_ftst = 736
x86_ins_tzcnt = 737
x86_ins_tzmsk = 738
x86_ins_ucomisd = 739
x86_ins_ucomiss = 740
x86_ins_fucompi = 741
x86_ins_fucomi = 742
x86_ins_fucompp = 743
x86_ins_fucomp = 744
x86_ins_fucom = 745
x86_ins_ud0 = 746
x86_ins_ud1 = 747
x86_ins_ud2 = 748
x86_ins_umonitor = 749
x86_ins_umwait = 750
x86_ins_unpckhpd = 751
x86_ins_unpckhps = 752
x86_ins_unpcklpd = 753
x86_ins_unpcklps = 754
x86_ins_v4_fmaddps = 755
x86_ins_v4_fmaddss = 756
x86_ins_v4_fnmaddps = 757
x86_ins_v4_fnmaddss = 758
x86_ins_vaddpd = 759
x86_ins_vaddps = 760
x86_ins_vaddsd = 761
x86_ins_vaddss = 762
x86_ins_vaddsubpd = 763
x86_ins_vaddsubps = 764
x86_ins_vaesdeclast = 765
x86_ins_vaesdec = 766
x86_ins_vaesenclast = 767
x86_ins_vaesenc = 768
x86_ins_vaesimc = 769
x86_ins_vaeskeygenassist = 770
x86_ins_valignd = 771
x86_ins_valignq = 772
x86_ins_vandnpd = 773
x86_ins_vandnps = 774
x86_ins_vandpd = 775
x86_ins_vandps = 776
x86_ins_vblendmpd = 777
x86_ins_vblendmps = 778
x86_ins_vblendpd = 779
x86_ins_vblendps = 780
x86_ins_vblendvpd = 781
x86_ins_vblendvps = 782
x86_ins_vbroadcastf128 = 783
x86_ins_vbroadcastf32_x2 = 784
x86_ins_vbroadcastf32_x4 = 785
x86_ins_vbroadcastf32_x8 = 786
x86_ins_vbroadcastf64_x2 = 787
x86_ins_vbroadcastf64_x4 = 788
x86_ins_vbroadcasti128 = 789
x86_ins_vbroadcasti32_x2 = 790
x86_ins_vbroadcasti32_x4 = 791
x86_ins_vbroadcasti32_x8 = 792
x86_ins_vbroadcasti64_x2 = 793
x86_ins_vbroadcasti64_x4 = 794
x86_ins_vbroadcastsd = 795
x86_ins_vbroadcastss = 796
x86_ins_vcmp = 797
x86_ins_vcmppd = 798
x86_ins_vcmpps = 799
x86_ins_vcmpsd = 800
x86_ins_vcmpss = 801
x86_ins_vcomisd = 802
x86_ins_vcomiss = 803
x86_ins_vcompresspd = 804
x86_ins_vcompressps = 805
x86_ins_vcvtdq2_pd = 806
x86_ins_vcvtdq2_ps = 807
x86_ins_vcvtpd2_dq = 808
x86_ins_vcvtpd2_ps = 809
x86_ins_vcvtpd2_qq = 810
x86_ins_vcvtpd2_udq = 811
x86_ins_vcvtpd2_uqq = 812
x86_ins_vcvtph2_ps = 813
x86_ins_vcvtps2_dq = 814
x86_ins_vcvtps2_pd = 815
x86_ins_vcvtps2_ph = 816
x86_ins_vcvtps2_qq = 817
x86_ins_vcvtps2_udq = 818
x86_ins_vcvtps2_uqq = 819
x86_ins_vcvtqq2_pd = 820
x86_ins_vcvtqq2_ps = 821
x86_ins_vcvtsd2_si = 822
x86_ins_vcvtsd2_ss = 823
x86_ins_vcvtsd2_usi = 824
x86_ins_vcvtsi2_sd = 825
x86_ins_vcvtsi2_ss = 826
x86_ins_vcvtss2_sd = 827
x86_ins_vcvtss2_si = 828
x86_ins_vcvtss2_usi = 829
x86_ins_vcvttpd2_dq = 830
x86_ins_vcvttpd2_qq = 831
x86_ins_vcvttpd2_udq = 832
x86_ins_vcvttpd2_uqq = 833
x86_ins_vcvttps2_dq = 834
x86_ins_vcvttps2_qq = 835
x86_ins_vcvttps2_udq = 836
x86_ins_vcvttps2_uqq = 837
x86_ins_vcvttsd2_si = 838
x86_ins_vcvttsd2_usi = 839
x86_ins_vcvttss2_si = 840
x86_ins_vcvttss2_usi = 841
x86_ins_vcvtudq2_pd = 842
x86_ins_vcvtudq2_ps = 843
x86_ins_vcvtuqq2_pd = 844
x86_ins_vcvtuqq2_ps = 845
x86_ins_vcvtusi2_sd = 846
x86_ins_vcvtusi2_ss = 847
x86_ins_vdbpsadbw = 848
x86_ins_vdivpd = 849
x86_ins_vdivps = 850
x86_ins_vdivsd = 851
x86_ins_vdivss = 852
x86_ins_vdppd = 853
x86_ins_vdpps = 854
x86_ins_verr = 855
x86_ins_verw = 856
x86_ins_vexp2_pd = 857
x86_ins_vexp2_ps = 858
x86_ins_vexpandpd = 859
x86_ins_vexpandps = 860
x86_ins_vextractf128 = 861
x86_ins_vextractf32_x4 = 862
x86_ins_vextractf32_x8 = 863
x86_ins_vextractf64_x2 = 864
x86_ins_vextractf64_x4 = 865
x86_ins_vextracti128 = 866
x86_ins_vextracti32_x4 = 867
x86_ins_vextracti32_x8 = 868
x86_ins_vextracti64_x2 = 869
x86_ins_vextracti64_x4 = 870
x86_ins_vextractps = 871
x86_ins_vfixupimmpd = 872
x86_ins_vfixupimmps = 873
x86_ins_vfixupimmsd = 874
x86_ins_vfixupimmss = 875
x86_ins_vfmadd132_pd = 876
x86_ins_vfmadd132_ps = 877
x86_ins_vfmadd132_sd = 878
x86_ins_vfmadd132_ss = 879
x86_ins_vfmadd213_pd = 880
x86_ins_vfmadd213_ps = 881
x86_ins_vfmadd213_sd = 882
x86_ins_vfmadd213_ss = 883
x86_ins_vfmadd231_pd = 884
x86_ins_vfmadd231_ps = 885
x86_ins_vfmadd231_sd = 886
x86_ins_vfmadd231_ss = 887
x86_ins_vfmaddpd = 888
x86_ins_vfmaddps = 889
x86_ins_vfmaddsd = 890
x86_ins_vfmaddss = 891
x86_ins_vfmaddsub132_pd = 892
x86_ins_vfmaddsub132_ps = 893
x86_ins_vfmaddsub213_pd = 894
x86_ins_vfmaddsub213_ps = 895
x86_ins_vfmaddsub231_pd = 896
x86_ins_vfmaddsub231_ps = 897
x86_ins_vfmaddsubpd = 898
x86_ins_vfmaddsubps = 899
x86_ins_vfmsub132_pd = 900
x86_ins_vfmsub132_ps = 901
x86_ins_vfmsub132_sd = 902
x86_ins_vfmsub132_ss = 903
x86_ins_vfmsub213_pd = 904
x86_ins_vfmsub213_ps = 905
x86_ins_vfmsub213_sd = 906
x86_ins_vfmsub213_ss = 907
x86_ins_vfmsub231_pd = 908
x86_ins_vfmsub231_ps = 909
x86_ins_vfmsub231_sd = 910
x86_ins_vfmsub231_ss = 911
x86_ins_vfmsubadd132_pd = 912
x86_ins_vfmsubadd132_ps = 913
x86_ins_vfmsubadd213_pd = 914
x86_ins_vfmsubadd213_ps = 915
x86_ins_vfmsubadd231_pd = 916
x86_ins_vfmsubadd231_ps = 917
x86_ins_vfmsubaddpd = 918
x86_ins_vfmsubaddps = 919
x86_ins_vfmsubpd = 920
x86_ins_vfmsubps = 921
x86_ins_vfmsubsd = 922
x86_ins_vfmsubss = 923
x86_ins_vfnmadd132_pd = 924
x86_ins_vfnmadd132_ps = 925
x86_ins_vfnmadd132_sd = 926
x86_ins_vfnmadd132_ss = 927
x86_ins_vfnmadd213_pd = 928
x86_ins_vfnmadd213_ps = 929
x86_ins_vfnmadd213_sd = 930
x86_ins_vfnmadd213_ss = 931
x86_ins_vfnmadd231_pd = 932
x86_ins_vfnmadd231_ps = 933
x86_ins_vfnmadd231_sd = 934
x86_ins_vfnmadd231_ss = 935
x86_ins_vfnmaddpd = 936
x86_ins_vfnmaddps = 937
x86_ins_vfnmaddsd = 938
x86_ins_vfnmaddss = 939
x86_ins_vfnmsub132_pd = 940
x86_ins_vfnmsub132_ps = 941
x86_ins_vfnmsub132_sd = 942
x86_ins_vfnmsub132_ss = 943
x86_ins_vfnmsub213_pd = 944
x86_ins_vfnmsub213_ps = 945
x86_ins_vfnmsub213_sd = 946
x86_ins_vfnmsub213_ss = 947
x86_ins_vfnmsub231_pd = 948
x86_ins_vfnmsub231_ps = 949
x86_ins_vfnmsub231_sd = 950
x86_ins_vfnmsub231_ss = 951
x86_ins_vfnmsubpd = 952
x86_ins_vfnmsubps = 953
x86_ins_vfnmsubsd = 954
x86_ins_vfnmsubss = 955
x86_ins_vfpclasspd = 956
x86_ins_vfpclassps = 957
x86_ins_vfpclasssd = 958
x86_ins_vfpclassss = 959
x86_ins_vfrczpd = 960
x86_ins_vfrczps = 961
x86_ins_vfrczsd = 962
x86_ins_vfrczss = 963
x86_ins_vgatherdpd = 964
x86_ins_vgatherdps = 965
x86_ins_vgatherpf0_dpd = 966
x86_ins_vgatherpf0_dps = 967
x86_ins_vgatherpf0_qpd = 968
x86_ins_vgatherpf0_qps = 969
x86_ins_vgatherpf1_dpd = 970
x86_ins_vgatherpf1_dps = 971
x86_ins_vgatherpf1_qpd = 972
x86_ins_vgatherpf1_qps = 973
x86_ins_vgatherqpd = 974
x86_ins_vgatherqps = 975
x86_ins_vgetexppd = 976
x86_ins_vgetexpps = 977
x86_ins_vgetexpsd = 978
x86_ins_vgetexpss = 979
x86_ins_vgetmantpd = 980
x86_ins_vgetmantps = 981
x86_ins_vgetmantsd = 982
x86_ins_vgetmantss = 983
x86_ins_vgf2_p8_affineinvqb = 984
x86_ins_vgf2_p8_affineqb = 985
x86_ins_vgf2_p8_mulb = 986
x86_ins_vhaddpd = 987
x86_ins_vhaddps = 988
x86_ins_vhsubpd = 989
x86_ins_vhsubps = 990
x86_ins_vinsertf128 = 991
x86_ins_vinsertf32_x4 = 992
x86_ins_vinsertf32_x8 = 993
x86_ins_vinsertf64_x2 = 994
x86_ins_vinsertf64_x4 = 995
x86_ins_vinserti128 = 996
x86_ins_vinserti32_x4 = 997
x86_ins_vinserti32_x8 = 998
x86_ins_vinserti64_x2 = 999
x86_ins_vinserti64_x4 = 1000
x86_ins_vinsertps = 1001
x86_ins_vlddqu = 1002
x86_ins_vldmxcsr = 1003
x86_ins_vmaskmovdqu = 1004
x86_ins_vmaskmovpd = 1005
x86_ins_vmaskmovps = 1006
x86_ins_vmaxpd = 1007
x86_ins_vmaxps = 1008
x86_ins_vmaxsd = 1009
x86_ins_vmaxss = 1010
x86_ins_vmcall = 1011
x86_ins_vmclear = 1012
x86_ins_vmfunc = 1013
x86_ins_vminpd = 1014
x86_ins_vminps = 1015
x86_ins_vminsd = 1016
x86_ins_vminss = 1017
x86_ins_vmlaunch = 1018
x86_ins_vmload = 1019
x86_ins_vmmcall = 1020
x86_ins_vmovq = 1021
x86_ins_vmovapd = 1022
x86_ins_vmovaps = 1023
x86_ins_vmovddup = 1024
x86_ins_vmovd = 1025
x86_ins_vmovdqa32 = 1026
x86_ins_vmovdqa64 = 1027
x86_ins_vmovdqa = 1028
x86_ins_vmovdqu16 = 1029
x86_ins_vmovdqu32 = 1030
x86_ins_vmovdqu64 = 1031
x86_ins_vmovdqu8 = 1032
x86_ins_vmovdqu = 1033
x86_ins_vmovhlps = 1034
x86_ins_vmovhpd = 1035
x86_ins_vmovhps = 1036
x86_ins_vmovlhps = 1037
x86_ins_vmovlpd = 1038
x86_ins_vmovlps = 1039
x86_ins_vmovmskpd = 1040
x86_ins_vmovmskps = 1041
x86_ins_vmovntdqa = 1042
x86_ins_vmovntdq = 1043
x86_ins_vmovntpd = 1044
x86_ins_vmovntps = 1045
x86_ins_vmovsd = 1046
x86_ins_vmovshdup = 1047
x86_ins_vmovsldup = 1048
x86_ins_vmovss = 1049
x86_ins_vmovupd = 1050
x86_ins_vmovups = 1051
x86_ins_vmpsadbw = 1052
x86_ins_vmptrld = 1053
x86_ins_vmptrst = 1054
x86_ins_vmread = 1055
x86_ins_vmresume = 1056
x86_ins_vmrun = 1057
x86_ins_vmsave = 1058
x86_ins_vmulpd = 1059
x86_ins_vmulps = 1060
x86_ins_vmulsd = 1061
x86_ins_vmulss = 1062
x86_ins_vmwrite = 1063
x86_ins_vmxoff = 1064
x86_ins_vmxon = 1065
x86_ins_vorpd = 1066
x86_ins_vorps = 1067
x86_ins_vp4_dpwssds = 1068
x86_ins_vp4_dpwssd = 1069
x86_ins_vpabsb = 1070
x86_ins_vpabsd = 1071
x86_ins_vpabsq = 1072
x86_ins_vpabsw = 1073
x86_ins_vpackssdw = 1074
x86_ins_vpacksswb = 1075
x86_ins_vpackusdw = 1076
x86_ins_vpackuswb = 1077
x86_ins_vpaddb = 1078
x86_ins_vpaddd = 1079
x86_ins_vpaddq = 1080
x86_ins_vpaddsb = 1081
x86_ins_vpaddsw = 1082
x86_ins_vpaddusb = 1083
x86_ins_vpaddusw = 1084
x86_ins_vpaddw = 1085
x86_ins_vpalignr = 1086
x86_ins_vpandd = 1087
x86_ins_vpandnd = 1088
x86_ins_vpandnq = 1089
x86_ins_vpandn = 1090
x86_ins_vpandq = 1091
x86_ins_vpand = 1092
x86_ins_vpavgb = 1093
x86_ins_vpavgw = 1094
x86_ins_vpblendd = 1095
x86_ins_vpblendmb = 1096
x86_ins_vpblendmd = 1097
x86_ins_vpblendmq = 1098
x86_ins_vpblendmw = 1099
x86_ins_vpblendvb = 1100
x86_ins_vpblendw = 1101
x86_ins_vpbroadcastb = 1102
x86_ins_vpbroadcastd = 1103
x86_ins_vpbroadcastmb2_q = 1104
x86_ins_vpbroadcastmw2_d = 1105
x86_ins_vpbroadcastq = 1106
x86_ins_vpbroadcastw = 1107
x86_ins_vpclmulqdq = 1108
x86_ins_vpcmov = 1109
x86_ins_vpcmp = 1110
x86_ins_vpcmpb = 1111
x86_ins_vpcmpd = 1112
x86_ins_vpcmpeqb = 1113
x86_ins_vpcmpeqd = 1114
x86_ins_vpcmpeqq = 1115
x86_ins_vpcmpeqw = 1116
x86_ins_vpcmpestri = 1117
x86_ins_vpcmpestrm = 1118
x86_ins_vpcmpgtb = 1119
x86_ins_vpcmpgtd = 1120
x86_ins_vpcmpgtq = 1121
x86_ins_vpcmpgtw = 1122
x86_ins_vpcmpistri = 1123
x86_ins_vpcmpistrm = 1124
x86_ins_vpcmpq = 1125
x86_ins_vpcmpub = 1126
x86_ins_vpcmpud = 1127
x86_ins_vpcmpuq = 1128
x86_ins_vpcmpuw = 1129
x86_ins_vpcmpw = 1130
x86_ins_vpcom = 1131
x86_ins_vpcomb = 1132
x86_ins_vpcomd = 1133
x86_ins_vpcompressb = 1134
x86_ins_vpcompressd = 1135
x86_ins_vpcompressq = 1136
x86_ins_vpcompressw = 1137
x86_ins_vpcomq = 1138
x86_ins_vpcomub = 1139
x86_ins_vpcomud = 1140
x86_ins_vpcomuq = 1141
x86_ins_vpcomuw = 1142
x86_ins_vpcomw = 1143
x86_ins_vpconflictd = 1144
x86_ins_vpconflictq = 1145
x86_ins_vpdpbusds = 1146
x86_ins_vpdpbusd = 1147
x86_ins_vpdpwssds = 1148
x86_ins_vpdpwssd = 1149
x86_ins_vperm2_f128 = 1150
x86_ins_vperm2_i128 = 1151
x86_ins_vpermb = 1152
x86_ins_vpermd = 1153
x86_ins_vpermi2_b = 1154
x86_ins_vpermi2_d = 1155
x86_ins_vpermi2_pd = 1156
x86_ins_vpermi2_ps = 1157
x86_ins_vpermi2_q = 1158
x86_ins_vpermi2_w = 1159
x86_ins_vpermil2_pd = 1160
x86_ins_vpermilpd = 1161
x86_ins_vpermil2_ps = 1162
x86_ins_vpermilps = 1163
x86_ins_vpermpd = 1164
x86_ins_vpermps = 1165
x86_ins_vpermq = 1166
x86_ins_vpermt2_b = 1167
x86_ins_vpermt2_d = 1168
x86_ins_vpermt2_pd = 1169
x86_ins_vpermt2_ps = 1170
x86_ins_vpermt2_q = 1171
x86_ins_vpermt2_w = 1172
x86_ins_vpermw = 1173
x86_ins_vpexpandb = 1174
x86_ins_vpexpandd = 1175
x86_ins_vpexpandq = 1176
x86_ins_vpexpandw = 1177
x86_ins_vpextrb = 1178
x86_ins_vpextrd = 1179
x86_ins_vpextrq = 1180
x86_ins_vpextrw = 1181
x86_ins_vpgatherdd = 1182
x86_ins_vpgatherdq = 1183
x86_ins_vpgatherqd = 1184
x86_ins_vpgatherqq = 1185
x86_ins_vphaddbd = 1186
x86_ins_vphaddbq = 1187
x86_ins_vphaddbw = 1188
x86_ins_vphadddq = 1189
x86_ins_vphaddd = 1190
x86_ins_vphaddsw = 1191
x86_ins_vphaddubd = 1192
x86_ins_vphaddubq = 1193
x86_ins_vphaddubw = 1194
x86_ins_vphaddudq = 1195
x86_ins_vphadduwd = 1196
x86_ins_vphadduwq = 1197
x86_ins_vphaddwd = 1198
x86_ins_vphaddwq = 1199
x86_ins_vphaddw = 1200
x86_ins_vphminposuw = 1201
x86_ins_vphsubbw = 1202
x86_ins_vphsubdq = 1203
x86_ins_vphsubd = 1204
x86_ins_vphsubsw = 1205
x86_ins_vphsubwd = 1206
x86_ins_vphsubw = 1207
x86_ins_vpinsrb = 1208
x86_ins_vpinsrd = 1209
x86_ins_vpinsrq = 1210
x86_ins_vpinsrw = 1211
x86_ins_vplzcntd = 1212
x86_ins_vplzcntq = 1213
x86_ins_vpmacsdd = 1214
x86_ins_vpmacsdqh = 1215
x86_ins_vpmacsdql = 1216
x86_ins_vpmacssdd = 1217
x86_ins_vpmacssdqh = 1218
x86_ins_vpmacssdql = 1219
x86_ins_vpmacsswd = 1220
x86_ins_vpmacssww = 1221
x86_ins_vpmacswd = 1222
x86_ins_vpmacsww = 1223
x86_ins_vpmadcsswd = 1224
x86_ins_vpmadcswd = 1225
x86_ins_vpmadd52_huq = 1226
x86_ins_vpmadd52_luq = 1227
x86_ins_vpmaddubsw = 1228
x86_ins_vpmaddwd = 1229
x86_ins_vpmaskmovd = 1230
x86_ins_vpmaskmovq = 1231
x86_ins_vpmaxsb = 1232
x86_ins_vpmaxsd = 1233
x86_ins_vpmaxsq = 1234
x86_ins_vpmaxsw = 1235
x86_ins_vpmaxub = 1236
x86_ins_vpmaxud = 1237
x86_ins_vpmaxuq = 1238
x86_ins_vpmaxuw = 1239
x86_ins_vpminsb = 1240
x86_ins_vpminsd = 1241
x86_ins_vpminsq = 1242
x86_ins_vpminsw = 1243
x86_ins_vpminub = 1244
x86_ins_vpminud = 1245
x86_ins_vpminuq = 1246
x86_ins_vpminuw = 1247
x86_ins_vpmovb2_m = 1248
x86_ins_vpmovd2_m = 1249
x86_ins_vpmovdb = 1250
x86_ins_vpmovdw = 1251
x86_ins_vpmovm2_b = 1252
x86_ins_vpmovm2_d = 1253
x86_ins_vpmovm2_q = 1254
x86_ins_vpmovm2_w = 1255
x86_ins_vpmovmskb = 1256
x86_ins_vpmovq2_m = 1257
x86_ins_vpmovqb = 1258
x86_ins_vpmovqd = 1259
x86_ins_vpmovqw = 1260
x86_ins_vpmovsdb = 1261
x86_ins_vpmovsdw = 1262
x86_ins_vpmovsqb = 1263
x86_ins_vpmovsqd = 1264
x86_ins_vpmovsqw = 1265
x86_ins_vpmovswb = 1266
x86_ins_vpmovsxbd = 1267
x86_ins_vpmovsxbq = 1268
x86_ins_vpmovsxbw = 1269
x86_ins_vpmovsxdq = 1270
x86_ins_vpmovsxwd = 1271
x86_ins_vpmovsxwq = 1272
x86_ins_vpmovusdb = 1273
x86_ins_vpmovusdw = 1274
x86_ins_vpmovusqb = 1275
x86_ins_vpmovusqd = 1276
x86_ins_vpmovusqw = 1277
x86_ins_vpmovuswb = 1278
x86_ins_vpmovw2_m = 1279
x86_ins_vpmovwb = 1280
x86_ins_vpmovzxbd = 1281
x86_ins_vpmovzxbq = 1282
x86_ins_vpmovzxbw = 1283
x86_ins_vpmovzxdq = 1284
x86_ins_vpmovzxwd = 1285
x86_ins_vpmovzxwq = 1286
x86_ins_vpmuldq = 1287
x86_ins_vpmulhrsw = 1288
x86_ins_vpmulhuw = 1289
x86_ins_vpmulhw = 1290
x86_ins_vpmulld = 1291
x86_ins_vpmullq = 1292
x86_ins_vpmullw = 1293
x86_ins_vpmultishiftqb = 1294
x86_ins_vpmuludq = 1295
x86_ins_vpopcntb = 1296
x86_ins_vpopcntd = 1297
x86_ins_vpopcntq = 1298
x86_ins_vpopcntw = 1299
x86_ins_vpord = 1300
x86_ins_vporq = 1301
x86_ins_vpor = 1302
x86_ins_vpperm = 1303
x86_ins_vprold = 1304
x86_ins_vprolq = 1305
x86_ins_vprolvd = 1306
x86_ins_vprolvq = 1307
x86_ins_vprord = 1308
x86_ins_vprorq = 1309
x86_ins_vprorvd = 1310
x86_ins_vprorvq = 1311
x86_ins_vprotb = 1312
x86_ins_vprotd = 1313
x86_ins_vprotq = 1314
x86_ins_vprotw = 1315
x86_ins_vpsadbw = 1316
x86_ins_vpscatterdd = 1317
x86_ins_vpscatterdq = 1318
x86_ins_vpscatterqd = 1319
x86_ins_vpscatterqq = 1320
x86_ins_vpshab = 1321
x86_ins_vpshad = 1322
x86_ins_vpshaq = 1323
x86_ins_vpshaw = 1324
x86_ins_vpshlb = 1325
x86_ins_vpshldd = 1326
x86_ins_vpshldq = 1327
x86_ins_vpshldvd = 1328
x86_ins_vpshldvq = 1329
x86_ins_vpshldvw = 1330
x86_ins_vpshldw = 1331
x86_ins_vpshld = 1332
x86_ins_vpshlq = 1333
x86_ins_vpshlw = 1334
x86_ins_vpshrdd = 1335
x86_ins_vpshrdq = 1336
x86_ins_vpshrdvd = 1337
x86_ins_vpshrdvq = 1338
x86_ins_vpshrdvw = 1339
x86_ins_vpshrdw = 1340
x86_ins_vpshufbitqmb = 1341
x86_ins_vpshufb = 1342
x86_ins_vpshufd = 1343
x86_ins_vpshufhw = 1344
x86_ins_vpshuflw = 1345
x86_ins_vpsignb = 1346
x86_ins_vpsignd = 1347
x86_ins_vpsignw = 1348
x86_ins_vpslldq = 1349
x86_ins_vpslld = 1350
x86_ins_vpsllq = 1351
x86_ins_vpsllvd = 1352
x86_ins_vpsllvq = 1353
x86_ins_vpsllvw = 1354
x86_ins_vpsllw = 1355
x86_ins_vpsrad = 1356
x86_ins_vpsraq = 1357
x86_ins_vpsravd = 1358
x86_ins_vpsravq = 1359
x86_ins_vpsravw = 1360
x86_ins_vpsraw = 1361
x86_ins_vpsrldq = 1362
x86_ins_vpsrld = 1363
x86_ins_vpsrlq = 1364
x86_ins_vpsrlvd = 1365
x86_ins_vpsrlvq = 1366
x86_ins_vpsrlvw = 1367
x86_ins_vpsrlw = 1368
x86_ins_vpsubb = 1369
x86_ins_vpsubd = 1370
x86_ins_vpsubq = 1371
x86_ins_vpsubsb = 1372
x86_ins_vpsubsw = 1373
x86_ins_vpsubusb = 1374
x86_ins_vpsubusw = 1375
x86_ins_vpsubw = 1376
x86_ins_vpternlogd = 1377
x86_ins_vpternlogq = 1378
x86_ins_vptestmb = 1379
x86_ins_vptestmd = 1380
x86_ins_vptestmq = 1381
x86_ins_vptestmw = 1382
x86_ins_vptestnmb = 1383
x86_ins_vptestnmd = 1384
x86_ins_vptestnmq = 1385
x86_ins_vptestnmw = 1386
x86_ins_vptest = 1387
x86_ins_vpunpckhbw = 1388
x86_ins_vpunpckhdq = 1389
x86_ins_vpunpckhqdq = 1390
x86_ins_vpunpckhwd = 1391
x86_ins_vpunpcklbw = 1392
x86_ins_vpunpckldq = 1393
x86_ins_vpunpcklqdq = 1394
x86_ins_vpunpcklwd = 1395
x86_ins_vpxord = 1396
x86_ins_vpxorq = 1397
x86_ins_vpxor = 1398
x86_ins_vrangepd = 1399
x86_ins_vrangeps = 1400
x86_ins_vrangesd = 1401
x86_ins_vrangess = 1402
x86_ins_vrcp14_pd = 1403
x86_ins_vrcp14_ps = 1404
x86_ins_vrcp14_sd = 1405
x86_ins_vrcp14_ss = 1406
x86_ins_vrcp28_pd = 1407
x86_ins_vrcp28_ps = 1408
x86_ins_vrcp28_sd = 1409
x86_ins_vrcp28_ss = 1410
x86_ins_vrcpps = 1411
x86_ins_vrcpss = 1412
x86_ins_vreducepd = 1413
x86_ins_vreduceps = 1414
x86_ins_vreducesd = 1415
x86_ins_vreducess = 1416
x86_ins_vrndscalepd = 1417
x86_ins_vrndscaleps = 1418
x86_ins_vrndscalesd = 1419
x86_ins_vrndscaless = 1420
x86_ins_vroundpd = 1421
x86_ins_vroundps = 1422
x86_ins_vroundsd = 1423
x86_ins_vroundss = 1424
x86_ins_vrsqrt14_pd = 1425
x86_ins_vrsqrt14_ps = 1426
x86_ins_vrsqrt14_sd = 1427
x86_ins_vrsqrt14_ss = 1428
x86_ins_vrsqrt28_pd = 1429
x86_ins_vrsqrt28_ps = 1430
x86_ins_vrsqrt28_sd = 1431
x86_ins_vrsqrt28_ss = 1432
x86_ins_vrsqrtps = 1433
x86_ins_vrsqrtss = 1434
x86_ins_vscalefpd = 1435
x86_ins_vscalefps = 1436
x86_ins_vscalefsd = 1437
x86_ins_vscalefss = 1438
x86_ins_vscatterdpd = 1439
x86_ins_vscatterdps = 1440
x86_ins_vscatterpf0_dpd = 1441
x86_ins_vscatterpf0_dps = 1442
x86_ins_vscatterpf0_qpd = 1443
x86_ins_vscatterpf0_qps = 1444
x86_ins_vscatterpf1_dpd = 1445
x86_ins_vscatterpf1_dps = 1446
x86_ins_vscatterpf1_qpd = 1447
x86_ins_vscatterpf1_qps = 1448
x86_ins_vscatterqpd = 1449
x86_ins_vscatterqps = 1450
x86_ins_vshuff32_x4 = 1451
x86_ins_vshuff64_x2 = 1452
x86_ins_vshufi32_x4 = 1453
x86_ins_vshufi64_x2 = 1454
x86_ins_vshufpd = 1455
x86_ins_vshufps = 1456
x86_ins_vsqrtpd = 1457
x86_ins_vsqrtps = 1458
x86_ins_vsqrtsd = 1459
x86_ins_vsqrtss = 1460
x86_ins_vstmxcsr = 1461
x86_ins_vsubpd = 1462
x86_ins_vsubps = 1463
x86_ins_vsubsd = 1464
x86_ins_vsubss = 1465
x86_ins_vtestpd = 1466
x86_ins_vtestps = 1467
x86_ins_vucomisd = 1468
x86_ins_vucomiss = 1469
x86_ins_vunpckhpd = 1470
x86_ins_vunpckhps = 1471
x86_ins_vunpcklpd = 1472
x86_ins_vunpcklps = 1473
x86_ins_vxorpd = 1474
x86_ins_vxorps = 1475
x86_ins_vzeroall = 1476
x86_ins_vzeroupper = 1477
x86_ins_wait = 1478
x86_ins_wbinvd = 1479
x86_ins_wbnoinvd = 1480
x86_ins_wrfsbase = 1481
x86_ins_wrgsbase = 1482
x86_ins_wrmsr = 1483
x86_ins_wrpkru = 1484
x86_ins_wrssd = 1485
x86_ins_wrssq = 1486
x86_ins_wrussd = 1487
x86_ins_wrussq = 1488
x86_ins_xabort = 1489
x86_ins_xacquire = 1490
x86_ins_xadd = 1491
x86_ins_xbegin = 1492
x86_ins_xchg = 1493
x86_ins_fxch = 1494
x86_ins_xcryptcbc = 1495
x86_ins_xcryptcfb = 1496
x86_ins_xcryptctr = 1497
x86_ins_xcryptecb = 1498
x86_ins_xcryptofb = 1499
x86_ins_xend = 1500
x86_ins_xgetbv = 1501
x86_ins_xlatb = 1502
x86_ins_xor = 1503
x86_ins_xorpd = 1504
x86_ins_xorps = 1505
x86_ins_xrelease = 1506
x86_ins_xrstor = 1507
x86_ins_xrstor64 = 1508
x86_ins_xrstors = 1509
x86_ins_xrstors64 = 1510
x86_ins_xsave = 1511
x86_ins_xsave64 = 1512
x86_ins_xsavec = 1513
x86_ins_xsavec64 = 1514
x86_ins_xsaveopt = 1515
x86_ins_xsaveopt64 = 1516
x86_ins_xsaves = 1517
x86_ins_xsaves64 = 1518
x86_ins_xsetbv = 1519
x86_ins_xsha1 = 1520
x86_ins_xsha256 = 1521
x86_ins_xstore = 1522
x86_ins_xtest = 1523
x86_ins_ending = 1524
x86_grp_invalid = 0
x86_grp_jump = 1
x86_grp_call = 2
x86_grp_ret = 3
x86_grp_int = 4
x86_grp_iret = 5
x86_grp_privilege = 6
x86_grp_branch_relative = 7
x86_grp_vm = 128
x86_grp_3_dnow = 129
x86_grp_aes = 130
x86_grp_adx = 131
x86_grp_avx = 132
x86_grp_avx2 = 133
x86_grp_avx512 = 134
x86_grp_bmi = 135
x86_grp_bmi2 = 136
x86_grp_cmov = 137
x86_grp_f16_c = 138
x86_grp_fma = 139
x86_grp_fma4 = 140
x86_grp_fsgsbase = 141
x86_grp_hle = 142
x86_grp_mmx = 143
x86_grp_mode32 = 144
x86_grp_mode64 = 145
x86_grp_rtm = 146
x86_grp_sha = 147
x86_grp_sse1 = 148
x86_grp_sse2 = 149
x86_grp_sse3 = 150
x86_grp_sse41 = 151
x86_grp_sse42 = 152
x86_grp_sse4_a = 153
x86_grp_ssse3 = 154
x86_grp_pclmul = 155
x86_grp_xop = 156
x86_grp_cdi = 157
x86_grp_eri = 158
x86_grp_tbm = 159
x86_grp_16_bitmode = 160
x86_grp_not64_bitmode = 161
x86_grp_sgx = 162
x86_grp_dqi = 163
x86_grp_bwi = 164
x86_grp_pfi = 165
x86_grp_vlx = 166
x86_grp_smap = 167
x86_grp_novlx = 168
x86_grp_fpu = 169
x86_grp_ending = 170 |
class FileParser:
def __init__(self, filepath):
self.filepath = filepath
def GetNonEmptyLinesAsList(self):
with open(self.filepath, "r") as f:
return [line for line in f.readlines() if line and line != "\n"]
| class Fileparser:
def __init__(self, filepath):
self.filepath = filepath
def get_non_empty_lines_as_list(self):
with open(self.filepath, 'r') as f:
return [line for line in f.readlines() if line and line != '\n'] |
#Altere os exercicios e armazene em um vetor as idades.
a=int(input("Digite quantas vezes vc quer informar a idade"))
i=0
n=[]
for i in range(a):
n.append(int(input("Digite uma idade")))
i=i+1
print (n)
| a = int(input('Digite quantas vezes vc quer informar a idade'))
i = 0
n = []
for i in range(a):
n.append(int(input('Digite uma idade')))
i = i + 1
print(n) |
num = int(input("Enter Any Number : "))
if num % 2 == 1:
print(num, " is odd!")
elif num % 2 == 0:
print(num, " is even!")
else:
print("Error")
| num = int(input('Enter Any Number : '))
if num % 2 == 1:
print(num, ' is odd!')
elif num % 2 == 0:
print(num, ' is even!')
else:
print('Error') |
def conference_picker(cities_visited, cities_offered):
for city in cities_offered:
if city not in cities_visited:
return city
return 'No worthwhile conferences this year!' | def conference_picker(cities_visited, cities_offered):
for city in cities_offered:
if city not in cities_visited:
return city
return 'No worthwhile conferences this year!' |
# -*- coding: utf-8 -*-
#
# Automatically generated from unicode.xml by gen_xml_dic.py
#
uni2latex = {
0x0023: '\\#',
0x0024: '\\textdollar',
0x0025: '\\%',
0x0026: '\\&',
0x0027: '\\textquotesingle',
0x002A: '\\ast',
0x005C: '\\textbackslash',
0x005E: '\\^{}',
0x005F: '\\_',
0x0060: '\\textasciigrave',
0x007B: '\\lbrace',
0x007C: '\\vert',
0x007D: '\\rbrace',
0x007E: '\\textasciitilde',
0x00A0: '~',
0x00A1: '\\textexclamdown',
0x00A2: '\\textcent',
0x00A3: '\\textsterling',
0x00A4: '\\textcurrency',
0x00A5: '\\textyen',
0x00A6: '\\textbrokenbar',
0x00A7: '\\textsection',
0x00A8: '\\textasciidieresis',
0x00A9: '\\textcopyright',
0x00AA: '\\textordfeminine',
0x00AB: '\\guillemotleft',
0x00AC: '\\lnot',
0x00AD: '\\-',
0x00AE: '\\textregistered',
0x00AF: '\\textasciimacron',
0x00B0: '\\textdegree',
0x00B1: '\\pm',
0x00B2: '{^2}',
0x00B3: '{^3}',
0x00B4: '\\textasciiacute',
0x00B5: '\\mathrm{\\mu}',
0x00B6: '\\textparagraph',
0x00B7: '\\cdot',
0x00B8: '\\c{}',
0x00B9: '{^1}',
0x00BA: '\\textordmasculine',
0x00BB: '\\guillemotright',
0x00BC: '\\textonequarter',
0x00BD: '\\textonehalf',
0x00BE: '\\textthreequarters',
0x00BF: '\\textquestiondown',
0x00C0: '\\`{A}',
0x00C1: "\\'{A}",
0x00C2: '\\^{A}',
0x00C3: '\\~{A}',
0x00C4: '\\"{A}',
0x00C5: '\\AA',
0x00C6: '\\AE',
0x00C7: '\\c{C}',
0x00C8: '\\`{E}',
0x00C9: "\\'{E}",
0x00CA: '\\^{E}',
0x00CB: '\\"{E}',
0x00CC: '\\`{I}',
0x00CD: "\\'{I}",
0x00CE: '\\^{I}',
0x00CF: '\\"{I}',
0x00D0: '\\DH',
0x00D1: '\\~{N}',
0x00D2: '\\`{O}',
0x00D3: "\\'{O}",
0x00D4: '\\^{O}',
0x00D5: '\\~{O}',
0x00D6: '\\"{O}',
0x00D7: '\\texttimes',
0x00D8: '\\O',
0x00D9: '\\`{U}',
0x00DA: "\\'{U}",
0x00DB: '\\^{U}',
0x00DC: '\\"{U}',
0x00DD: "\\'{Y}",
0x00DE: '\\TH',
0x00DF: '\\ss',
0x00E0: '\\`{a}',
0x00E1: "\\'{a}",
0x00E2: '\\^{a}',
0x00E3: '\\~{a}',
0x00E4: '\\"{a}',
0x00E5: '\\aa',
0x00E6: '\\ae',
0x00E7: '\\c{c}',
0x00E8: '\\`{e}',
0x00E9: "\\'{e}",
0x00EA: '\\^{e}',
0x00EB: '\\"{e}',
0x00EC: '\\`{\\i}',
0x00ED: "\\'{\\i}",
0x00EE: '\\^{\\i}',
0x00EF: '\\"{\\i}',
0x00F0: '\\dh',
0x00F1: '\\~{n}',
0x00F2: '\\`{o}',
0x00F3: "\\'{o}",
0x00F4: '\\^{o}',
0x00F5: '\\~{o}',
0x00F6: '\\"{o}',
0x00F7: '\\div',
0x00F8: '\\o',
0x00F9: '\\`{u}',
0x00FA: "\\'{u}",
0x00FB: '\\^{u}',
0x00FC: '\\"{u}',
0x00FD: "\\'{y}",
0x00FE: '\\th',
0x00FF: '\\"{y}',
0x0100: '\\={A}',
0x0101: '\\={a}',
0x0102: '\\u{A}',
0x0103: '\\u{a}',
0x0104: '\\k{A}',
0x0105: '\\k{a}',
0x0106: "\\'{C}",
0x0107: "\\'{c}",
0x0108: '\\^{C}',
0x0109: '\\^{c}',
0x010A: '\\.{C}',
0x010B: '\\.{c}',
0x010C: '\\v{C}',
0x010D: '\\v{c}',
0x010E: '\\v{D}',
0x010F: '\\v{d}',
0x0110: '\\DJ',
0x0111: '\\dj',
0x0112: '\\={E}',
0x0113: '\\={e}',
0x0114: '\\u{E}',
0x0115: '\\u{e}',
0x0116: '\\.{E}',
0x0117: '\\.{e}',
0x0118: '\\k{E}',
0x0119: '\\k{e}',
0x011A: '\\v{E}',
0x011B: '\\v{e}',
0x011C: '\\^{G}',
0x011D: '\\^{g}',
0x011E: '\\u{G}',
0x011F: '\\u{g}',
0x0120: '\\.{G}',
0x0121: '\\.{g}',
0x0122: '\\c{G}',
0x0123: '\\c{g}',
0x0124: '\\^{H}',
0x0125: '\\^{h}',
0x0126: '{\\fontencoding{LELA}\\selectfont\\char40}',
0x0128: '\\~{I}',
0x0129: '\\~{\\i}',
0x012A: '\\={I}',
0x012B: '\\={\\i}',
0x012C: '\\u{I}',
0x012D: '\\u{\\i}',
0x012E: '\\k{I}',
0x012F: '\\k{i}',
0x0130: '\\.{I}',
0x0131: '\\i',
0x0132: 'IJ',
0x0133: 'ij',
0x0134: '\\^{J}',
0x0135: '\\^{\\j}',
0x0136: '\\c{K}',
0x0137: '\\c{k}',
0x0138: '{\\fontencoding{LELA}\\selectfont\\char91}',
0x0139: "\\'{L}",
0x013A: "\\'{l}",
0x013B: '\\c{L}',
0x013C: '\\c{l}',
0x013D: '\\v{L}',
0x013E: '\\v{l}',
0x013F: '{\\fontencoding{LELA}\\selectfont\\char201}',
0x0140: '{\\fontencoding{LELA}\\selectfont\\char202}',
0x0141: '\\L',
0x0142: '\\l',
0x0143: "\\'{N}",
0x0144: "\\'{n}",
0x0145: '\\c{N}',
0x0146: '\\c{n}',
0x0147: '\\v{N}',
0x0148: '\\v{n}',
0x0149: "'n",
0x014A: '\\NG',
0x014B: '\\ng',
0x014C: '\\={O}',
0x014D: '\\={o}',
0x014E: '\\u{O}',
0x014F: '\\u{o}',
0x0150: '\\H{O}',
0x0151: '\\H{o}',
0x0152: '\\OE',
0x0153: '\\oe',
0x0154: "\\'{R}",
0x0155: "\\'{r}",
0x0156: '\\c{R}',
0x0157: '\\c{r}',
0x0158: '\\v{R}',
0x0159: '\\v{r}',
0x015A: "\\'{S}",
0x015B: "\\'{s}",
0x015C: '\\^{S}',
0x015D: '\\^{s}',
0x015E: '\\c{S}',
0x015F: '\\c{s}',
0x0160: '\\v{S}',
0x0161: '\\v{s}',
0x0162: '\\c{T}',
0x0163: '\\c{t}',
0x0164: '\\v{T}',
0x0165: '\\v{t}',
0x0166: '{\\fontencoding{LELA}\\selectfont\\char47}',
0x0167: '{\\fontencoding{LELA}\\selectfont\\char63}',
0x0168: '\\~{U}',
0x0169: '\\~{u}',
0x016A: '\\={U}',
0x016B: '\\={u}',
0x016C: '\\u{U}',
0x016D: '\\u{u}',
0x016E: '\\r{U}',
0x016F: '\\r{u}',
0x0170: '\\H{U}',
0x0171: '\\H{u}',
0x0172: '\\k{U}',
0x0173: '\\k{u}',
0x0174: '\\^{W}',
0x0175: '\\^{w}',
0x0176: '\\^{Y}',
0x0177: '\\^{y}',
0x0178: '\\"{Y}',
0x0179: "\\'{Z}",
0x017A: "\\'{z}",
0x017B: '\\.{Z}',
0x017C: '\\.{z}',
0x017D: '\\v{Z}',
0x017E: '\\v{z}',
0x0192: 'f',
0x0195: '\\texthvlig',
0x019E: '\\textnrleg',
0x01AA: '\\eth',
0x01BA: '{\\fontencoding{LELA}\\selectfont\\char195}',
0x01C2: '\\textdoublepipe',
0x01F5: "\\'{g}",
0x0258: '{\\fontencoding{LEIP}\\selectfont\\char61}',
0x025B: '\\varepsilon',
0x0261: 'g',
0x0278: '\\textphi',
0x027F: '{\\fontencoding{LEIP}\\selectfont\\char202}',
0x029E: '\\textturnk',
0x02BC: "'",
0x02C7: '\\textasciicaron',
0x02D8: '\\textasciibreve',
0x02D9: '\\textperiodcentered',
0x02DA: '\\r{}',
0x02DB: '\\k{}',
0x02DC: '\\texttildelow',
0x02DD: '\\H{}',
0x02E5: '\\tone{55}',
0x02E6: '\\tone{44}',
0x02E7: '\\tone{33}',
0x02E8: '\\tone{22}',
0x02E9: '\\tone{11}',
0x0300: '\\`',
0x0301: "\\'",
0x0302: '\\^',
0x0303: '\\~',
0x0304: '\\=',
0x0306: '\\u',
0x0307: '\\.',
0x0308: '\\"',
0x030A: '\\r',
0x030B: '\\H',
0x030C: '\\v',
0x030F: '\\cyrchar\\C',
0x0311: '{\\fontencoding{LECO}\\selectfont\\char177}',
0x0318: '{\\fontencoding{LECO}\\selectfont\\char184}',
0x0319: '{\\fontencoding{LECO}\\selectfont\\char185}',
0x0327: '\\c',
0x0328: '\\k',
0x032B: '{\\fontencoding{LECO}\\selectfont\\char203}',
0x032F: '{\\fontencoding{LECO}\\selectfont\\char207}',
0x0337: '{\\fontencoding{LECO}\\selectfont\\char215}',
0x0338: '{\\fontencoding{LECO}\\selectfont\\char216}',
0x033A: '{\\fontencoding{LECO}\\selectfont\\char218}',
0x033B: '{\\fontencoding{LECO}\\selectfont\\char219}',
0x033C: '{\\fontencoding{LECO}\\selectfont\\char220}',
0x033D: '{\\fontencoding{LECO}\\selectfont\\char221}',
0x0361: '{\\fontencoding{LECO}\\selectfont\\char225}',
0x0386: "\\'{A}",
0x0388: "\\'{E}",
0x0389: "\\'{H}",
0x038A: "\\'{}{I}",
0x038C: "\\'{}O",
0x038E: "\\mathrm{'Y}",
0x038F: "\\mathrm{'\\Omega}",
0x0390: '\\acute{\\ddot{\\iota}}',
0x0391: '\\Alpha',
0x0392: '\\Beta',
0x0393: '\\Gamma',
0x0394: '\\Delta',
0x0395: '\\Epsilon',
0x0396: '\\Zeta',
0x0397: '\\Eta',
0x0398: '\\Theta',
0x0399: '\\Iota',
0x039A: '\\Kappa',
0x039B: '\\Lambda',
0x039C: 'M',
0x039D: 'N',
0x039E: '\\Xi',
0x039F: 'O',
0x03A0: '\\Pi',
0x03A1: '\\Rho',
0x03A3: '\\Sigma',
0x03A4: '\\Tau',
0x03A5: '\\Upsilon',
0x03A6: '\\Phi',
0x03A7: '\\Chi',
0x03A8: '\\Psi',
0x03A9: '\\Omega',
0x03AA: '\\mathrm{\\ddot{I}}',
0x03AB: '\\mathrm{\\ddot{Y}}',
0x03AC: "\\'{$\\alpha$}",
0x03AD: '\\acute{\\epsilon}',
0x03AE: '\\acute{\\eta}',
0x03AF: '\\acute{\\iota}',
0x03B0: '\\acute{\\ddot{\\upsilon}}',
0x03B1: '\\alpha',
0x03B2: '\\beta',
0x03B3: '\\gamma',
0x03B4: '\\delta',
0x03B5: '\\epsilon',
0x03B6: '\\zeta',
0x03B7: '\\eta',
0x03B8: '\\texttheta',
0x03B9: '\\iota',
0x03BA: '\\kappa',
0x03BB: '\\lambda',
0x03BC: '\\mu',
0x03BD: '\\nu',
0x03BE: '\\xi',
0x03BF: 'o',
0x03C0: '\\pi',
0x03C1: '\\rho',
0x03C2: '\\varsigma',
0x03C3: '\\sigma',
0x03C4: '\\tau',
0x03C5: '\\upsilon',
0x03C6: '\\varphi',
0x03C7: '\\chi',
0x03C8: '\\psi',
0x03C9: '\\omega',
0x03CA: '\\ddot{\\iota}',
0x03CB: '\\ddot{\\upsilon}',
0x03CC: "\\'{o}",
0x03CD: '\\acute{\\upsilon}',
0x03CE: '\\acute{\\omega}',
0x03D0: '\\Pisymbol{ppi022}{87}',
0x03D1: '\\textvartheta',
0x03D2: '\\Upsilon',
0x03D5: '\\phi',
0x03D6: '\\varpi',
0x03DA: '\\Stigma',
0x03DC: '\\Digamma',
0x03DD: '\\digamma',
0x03DE: '\\Koppa',
0x03E0: '\\Sampi',
0x03F0: '\\varkappa',
0x03F1: '\\varrho',
0x03F4: '\\textTheta',
0x03F6: '\\backepsilon',
0x0401: '\\cyrchar\\CYRYO',
0x0402: '\\cyrchar\\CYRDJE',
0x0403: "\\cyrchar{\\'\\CYRG}",
0x0404: '\\cyrchar\\CYRIE',
0x0405: '\\cyrchar\\CYRDZE',
0x0406: '\\cyrchar\\CYRII',
0x0407: '\\cyrchar\\CYRYI',
0x0408: '\\cyrchar\\CYRJE',
0x0409: '\\cyrchar\\CYRLJE',
0x040A: '\\cyrchar\\CYRNJE',
0x040B: '\\cyrchar\\CYRTSHE',
0x040C: "\\cyrchar{\\'\\CYRK}",
0x040E: '\\cyrchar\\CYRUSHRT',
0x040F: '\\cyrchar\\CYRDZHE',
0x0410: '\\cyrchar\\CYRA',
0x0411: '\\cyrchar\\CYRB',
0x0412: '\\cyrchar\\CYRV',
0x0413: '\\cyrchar\\CYRG',
0x0414: '\\cyrchar\\CYRD',
0x0415: '\\cyrchar\\CYRE',
0x0416: '\\cyrchar\\CYRZH',
0x0417: '\\cyrchar\\CYRZ',
0x0418: '\\cyrchar\\CYRI',
0x0419: '\\cyrchar\\CYRISHRT',
0x041A: '\\cyrchar\\CYRK',
0x041B: '\\cyrchar\\CYRL',
0x041C: '\\cyrchar\\CYRM',
0x041D: '\\cyrchar\\CYRN',
0x041E: '\\cyrchar\\CYRO',
0x041F: '\\cyrchar\\CYRP',
0x0420: '\\cyrchar\\CYRR',
0x0421: '\\cyrchar\\CYRS',
0x0422: '\\cyrchar\\CYRT',
0x0423: '\\cyrchar\\CYRU',
0x0424: '\\cyrchar\\CYRF',
0x0425: '\\cyrchar\\CYRH',
0x0426: '\\cyrchar\\CYRC',
0x0427: '\\cyrchar\\CYRCH',
0x0428: '\\cyrchar\\CYRSH',
0x0429: '\\cyrchar\\CYRSHCH',
0x042A: '\\cyrchar\\CYRHRDSN',
0x042B: '\\cyrchar\\CYRERY',
0x042C: '\\cyrchar\\CYRSFTSN',
0x042D: '\\cyrchar\\CYREREV',
0x042E: '\\cyrchar\\CYRYU',
0x042F: '\\cyrchar\\CYRYA',
0x0430: '\\cyrchar\\cyra',
0x0431: '\\cyrchar\\cyrb',
0x0432: '\\cyrchar\\cyrv',
0x0433: '\\cyrchar\\cyrg',
0x0434: '\\cyrchar\\cyrd',
0x0435: '\\cyrchar\\cyre',
0x0436: '\\cyrchar\\cyrzh',
0x0437: '\\cyrchar\\cyrz',
0x0438: '\\cyrchar\\cyri',
0x0439: '\\cyrchar\\cyrishrt',
0x043A: '\\cyrchar\\cyrk',
0x043B: '\\cyrchar\\cyrl',
0x043C: '\\cyrchar\\cyrm',
0x043D: '\\cyrchar\\cyrn',
0x043E: '\\cyrchar\\cyro',
0x043F: '\\cyrchar\\cyrp',
0x0440: '\\cyrchar\\cyrr',
0x0441: '\\cyrchar\\cyrs',
0x0442: '\\cyrchar\\cyrt',
0x0443: '\\cyrchar\\cyru',
0x0444: '\\cyrchar\\cyrf',
0x0445: '\\cyrchar\\cyrh',
0x0446: '\\cyrchar\\cyrc',
0x0447: '\\cyrchar\\cyrch',
0x0448: '\\cyrchar\\cyrsh',
0x0449: '\\cyrchar\\cyrshch',
0x044A: '\\cyrchar\\cyrhrdsn',
0x044B: '\\cyrchar\\cyrery',
0x044C: '\\cyrchar\\cyrsftsn',
0x044D: '\\cyrchar\\cyrerev',
0x044E: '\\cyrchar\\cyryu',
0x044F: '\\cyrchar\\cyrya',
0x0451: '\\cyrchar\\cyryo',
0x0452: '\\cyrchar\\cyrdje',
0x0453: "\\cyrchar{\\'\\cyrg}",
0x0454: '\\cyrchar\\cyrie',
0x0455: '\\cyrchar\\cyrdze',
0x0456: '\\cyrchar\\cyrii',
0x0457: '\\cyrchar\\cyryi',
0x0458: '\\cyrchar\\cyrje',
0x0459: '\\cyrchar\\cyrlje',
0x045A: '\\cyrchar\\cyrnje',
0x045B: '\\cyrchar\\cyrtshe',
0x045C: "\\cyrchar{\\'\\cyrk}",
0x045E: '\\cyrchar\\cyrushrt',
0x045F: '\\cyrchar\\cyrdzhe',
0x0460: '\\cyrchar\\CYROMEGA',
0x0461: '\\cyrchar\\cyromega',
0x0462: '\\cyrchar\\CYRYAT',
0x0464: '\\cyrchar\\CYRIOTE',
0x0465: '\\cyrchar\\cyriote',
0x0466: '\\cyrchar\\CYRLYUS',
0x0467: '\\cyrchar\\cyrlyus',
0x0468: '\\cyrchar\\CYRIOTLYUS',
0x0469: '\\cyrchar\\cyriotlyus',
0x046A: '\\cyrchar\\CYRBYUS',
0x046C: '\\cyrchar\\CYRIOTBYUS',
0x046D: '\\cyrchar\\cyriotbyus',
0x046E: '\\cyrchar\\CYRKSI',
0x046F: '\\cyrchar\\cyrksi',
0x0470: '\\cyrchar\\CYRPSI',
0x0471: '\\cyrchar\\cyrpsi',
0x0472: '\\cyrchar\\CYRFITA',
0x0474: '\\cyrchar\\CYRIZH',
0x0478: '\\cyrchar\\CYRUK',
0x0479: '\\cyrchar\\cyruk',
0x047A: '\\cyrchar\\CYROMEGARND',
0x047B: '\\cyrchar\\cyromegarnd',
0x047C: '\\cyrchar\\CYROMEGATITLO',
0x047D: '\\cyrchar\\cyromegatitlo',
0x047E: '\\cyrchar\\CYROT',
0x047F: '\\cyrchar\\cyrot',
0x0480: '\\cyrchar\\CYRKOPPA',
0x0481: '\\cyrchar\\cyrkoppa',
0x0482: '\\cyrchar\\cyrthousands',
0x0488: '\\cyrchar\\cyrhundredthousands',
0x0489: '\\cyrchar\\cyrmillions',
0x048C: '\\cyrchar\\CYRSEMISFTSN',
0x048D: '\\cyrchar\\cyrsemisftsn',
0x048E: '\\cyrchar\\CYRRTICK',
0x048F: '\\cyrchar\\cyrrtick',
0x0490: '\\cyrchar\\CYRGUP',
0x0491: '\\cyrchar\\cyrgup',
0x0492: '\\cyrchar\\CYRGHCRS',
0x0493: '\\cyrchar\\cyrghcrs',
0x0494: '\\cyrchar\\CYRGHK',
0x0495: '\\cyrchar\\cyrghk',
0x0496: '\\cyrchar\\CYRZHDSC',
0x0497: '\\cyrchar\\cyrzhdsc',
0x0498: '\\cyrchar\\CYRZDSC',
0x0499: '\\cyrchar\\cyrzdsc',
0x049A: '\\cyrchar\\CYRKDSC',
0x049B: '\\cyrchar\\cyrkdsc',
0x049C: '\\cyrchar\\CYRKVCRS',
0x049D: '\\cyrchar\\cyrkvcrs',
0x049E: '\\cyrchar\\CYRKHCRS',
0x049F: '\\cyrchar\\cyrkhcrs',
0x04A0: '\\cyrchar\\CYRKBEAK',
0x04A1: '\\cyrchar\\cyrkbeak',
0x04A2: '\\cyrchar\\CYRNDSC',
0x04A3: '\\cyrchar\\cyrndsc',
0x04A4: '\\cyrchar\\CYRNG',
0x04A5: '\\cyrchar\\cyrng',
0x04A6: '\\cyrchar\\CYRPHK',
0x04A7: '\\cyrchar\\cyrphk',
0x04A8: '\\cyrchar\\CYRABHHA',
0x04A9: '\\cyrchar\\cyrabhha',
0x04AA: '\\cyrchar\\CYRSDSC',
0x04AB: '\\cyrchar\\cyrsdsc',
0x04AC: '\\cyrchar\\CYRTDSC',
0x04AD: '\\cyrchar\\cyrtdsc',
0x04AE: '\\cyrchar\\CYRY',
0x04AF: '\\cyrchar\\cyry',
0x04B0: '\\cyrchar\\CYRYHCRS',
0x04B1: '\\cyrchar\\cyryhcrs',
0x04B2: '\\cyrchar\\CYRHDSC',
0x04B3: '\\cyrchar\\cyrhdsc',
0x04B4: '\\cyrchar\\CYRTETSE',
0x04B5: '\\cyrchar\\cyrtetse',
0x04B6: '\\cyrchar\\CYRCHRDSC',
0x04B7: '\\cyrchar\\cyrchrdsc',
0x04B8: '\\cyrchar\\CYRCHVCRS',
0x04B9: '\\cyrchar\\cyrchvcrs',
0x04BA: '\\cyrchar\\CYRSHHA',
0x04BB: '\\cyrchar\\cyrshha',
0x04BC: '\\cyrchar\\CYRABHCH',
0x04BD: '\\cyrchar\\cyrabhch',
0x04BE: '\\cyrchar\\CYRABHCHDSC',
0x04BF: '\\cyrchar\\cyrabhchdsc',
0x04C0: '\\cyrchar\\CYRpalochka',
0x04C3: '\\cyrchar\\CYRKHK',
0x04C4: '\\cyrchar\\cyrkhk',
0x04C7: '\\cyrchar\\CYRNHK',
0x04C8: '\\cyrchar\\cyrnhk',
0x04CB: '\\cyrchar\\CYRCHLDSC',
0x04CC: '\\cyrchar\\cyrchldsc',
0x04D4: '\\cyrchar\\CYRAE',
0x04D5: '\\cyrchar\\cyrae',
0x04D8: '\\cyrchar\\CYRSCHWA',
0x04D9: '\\cyrchar\\cyrschwa',
0x04E0: '\\cyrchar\\CYRABHDZE',
0x04E1: '\\cyrchar\\cyrabhdze',
0x04E8: '\\cyrchar\\CYROTLD',
0x04E9: '\\cyrchar\\cyrotld',
0x2002: '\\hspace{0.6em}',
0x2003: '\\hspace{1em}',
0x2004: '\\hspace{0.33em}',
0x2005: '\\hspace{0.25em}',
0x2006: '\\hspace{0.166em}',
0x2007: '\\hphantom{0}',
0x2008: '\\hphantom{,}',
0x2009: '\\hspace{0.167em}',
0x200A: '\\mkern1mu ',
0x2010: '-',
0x2013: '\\textendash',
0x2014: '\\textemdash',
0x2015: '\\rule{1em}{1pt}',
0x2016: '\\Vert',
0x2018: '`',
0x2019: "'",
0x201A: ',',
0x201C: '\\textquotedblleft',
0x201D: '\\textquotedblright',
0x201E: ',,',
0x2020: '\\textdagger',
0x2021: '\\textdaggerdbl',
0x2022: '\\textbullet',
0x2024: '.',
0x2025: '..',
0x2026: '\\ldots',
0x2030: '\\textperthousand',
0x2031: '\\textpertenthousand',
0x2032: "{'}",
0x2033: "{''}",
0x2034: "{'''}",
0x2035: '\\backprime',
0x2039: '\\guilsinglleft',
0x203A: '\\guilsinglright',
0x2057: "''''",
0x205F: '\\mkern4mu ',
0x2060: '\\nolinebreak',
0x20AC: '\\mbox{\\texteuro} ',
0x20DB: '\\dddot',
0x20DC: '\\ddddot',
0x2102: '\\mathbb{C}',
0x210A: '\\mathscr{g}',
0x210B: '\\mathscr{H}',
0x210C: '\\mathfrak{H}',
0x210D: '\\mathbb{H}',
0x210F: '\\hslash',
0x2110: '\\mathscr{I}',
0x2111: '\\mathfrak{I}',
0x2112: '\\mathscr{L}',
0x2113: '\\mathscr{l}',
0x2115: '\\mathbb{N}',
0x2116: '\\cyrchar\\textnumero',
0x2118: '\\wp',
0x2119: '\\mathbb{P}',
0x211A: '\\mathbb{Q}',
0x211B: '\\mathscr{R}',
0x211C: '\\mathfrak{R}',
0x211D: '\\mathbb{R}',
0x2122: '\\texttrademark',
0x2124: '\\mathbb{Z}',
0x2126: '\\Omega',
0x2127: '\\mho',
0x2128: '\\mathfrak{Z}',
0x212B: '\\AA',
0x212C: '\\mathscr{B}',
0x212D: '\\mathfrak{C}',
0x212F: '\\mathscr{e}',
0x2130: '\\mathscr{E}',
0x2131: '\\mathscr{F}',
0x2133: '\\mathscr{M}',
0x2134: '\\mathscr{o}',
0x2135: '\\aleph',
0x2136: '\\beth',
0x2137: '\\gimel',
0x2138: '\\daleth',
0x2153: '\\textfrac{1}{3}',
0x2154: '\\textfrac{2}{3}',
0x2155: '\\textfrac{1}{5}',
0x2156: '\\textfrac{2}{5}',
0x2157: '\\textfrac{3}{5}',
0x2158: '\\textfrac{4}{5}',
0x2159: '\\textfrac{1}{6}',
0x215A: '\\textfrac{5}{6}',
0x215B: '\\textfrac{1}{8}',
0x215C: '\\textfrac{3}{8}',
0x215D: '\\textfrac{5}{8}',
0x215E: '\\textfrac{7}{8}',
0x2190: '\\leftarrow',
0x2191: '\\uparrow',
0x2192: '\\rightarrow',
0x2193: '\\downarrow',
0x2194: '\\leftrightarrow',
0x2195: '\\updownarrow',
0x2196: '\\nwarrow',
0x2197: '\\nearrow',
0x2198: '\\searrow',
0x2199: '\\swarrow',
0x219A: '\\nleftarrow',
0x219B: '\\nrightarrow',
0x219C: '\\arrowwaveleft',
0x219D: '\\arrowwaveright',
0x219E: '\\twoheadleftarrow',
0x21A0: '\\twoheadrightarrow',
0x21A2: '\\leftarrowtail',
0x21A3: '\\rightarrowtail',
0x21A6: '\\mapsto',
0x21A9: '\\hookleftarrow',
0x21AA: '\\hookrightarrow',
0x21AB: '\\looparrowleft',
0x21AC: '\\looparrowright',
0x21AD: '\\leftrightsquigarrow',
0x21AE: '\\nleftrightarrow',
0x21B0: '\\Lsh',
0x21B1: '\\Rsh',
0x21B6: '\\curvearrowleft',
0x21B7: '\\curvearrowright',
0x21BA: '\\circlearrowleft',
0x21BB: '\\circlearrowright',
0x21BC: '\\leftharpoonup',
0x21BD: '\\leftharpoondown',
0x21BE: '\\upharpoonright',
0x21BF: '\\upharpoonleft',
0x21C0: '\\rightharpoonup',
0x21C1: '\\rightharpoondown',
0x21C2: '\\downharpoonright',
0x21C3: '\\downharpoonleft',
0x21C4: '\\rightleftarrows',
0x21C5: '\\dblarrowupdown',
0x21C6: '\\leftrightarrows',
0x21C7: '\\leftleftarrows',
0x21C8: '\\upuparrows',
0x21C9: '\\rightrightarrows',
0x21CA: '\\downdownarrows',
0x21CB: '\\leftrightharpoons',
0x21CC: '\\rightleftharpoons',
0x21CD: '\\nLeftarrow',
0x21CE: '\\nLeftrightarrow',
0x21CF: '\\nRightarrow',
0x21D0: '\\Leftarrow',
0x21D1: '\\Uparrow',
0x21D2: '\\Rightarrow',
0x21D3: '\\Downarrow',
0x21D4: '\\Leftrightarrow',
0x21D5: '\\Updownarrow',
0x21DA: '\\Lleftarrow',
0x21DB: '\\Rrightarrow',
0x21DD: '\\rightsquigarrow',
0x21F5: '\\DownArrowUpArrow',
0x2200: '\\forall',
0x2201: '\\complement',
0x2202: '\\partial',
0x2203: '\\exists',
0x2204: '\\nexists',
0x2205: '\\varnothing',
0x2207: '\\nabla',
0x2208: '\\in',
0x2209: '\\not\\in',
0x220B: '\\ni',
0x220C: '\\not\\ni',
0x220F: '\\prod',
0x2210: '\\coprod',
0x2211: '\\sum',
0x2212: '-',
0x2213: '\\mp',
0x2214: '\\dotplus',
0x2216: '\\setminus',
0x2217: '{_\\ast}',
0x2218: '\\circ',
0x2219: '\\bullet',
0x221A: '\\surd',
0x221D: '\\propto',
0x221E: '\\infty',
0x221F: '\\rightangle',
0x2220: '\\angle',
0x2221: '\\measuredangle',
0x2222: '\\sphericalangle',
0x2223: '\\mid',
0x2224: '\\nmid',
0x2225: '\\parallel',
0x2226: '\\nparallel',
0x2227: '\\wedge',
0x2228: '\\vee',
0x2229: '\\cap',
0x222A: '\\cup',
0x222B: '\\int',
0x222C: '\\int\\!\\int',
0x222D: '\\int\\!\\int\\!\\int',
0x222E: '\\oint',
0x222F: '\\surfintegral',
0x2230: '\\volintegral',
0x2231: '\\clwintegral',
0x2234: '\\therefore',
0x2235: '\\because',
0x2237: '\\Colon',
0x223A: '\\mathbin{{:}\\!\\!{-}\\!\\!{:}}',
0x223B: '\\homothetic',
0x223C: '\\sim',
0x223D: '\\backsim',
0x223E: '\\lazysinv',
0x2240: '\\wr',
0x2241: '\\not\\sim',
0x2243: '\\simeq',
0x2244: '\\not\\simeq',
0x2245: '\\cong',
0x2246: '\\approxnotequal',
0x2247: '\\not\\cong',
0x2248: '\\approx',
0x2249: '\\not\\approx',
0x224A: '\\approxeq',
0x224B: '\\tildetrpl',
0x224C: '\\allequal',
0x224D: '\\asymp',
0x224E: '\\Bumpeq',
0x224F: '\\bumpeq',
0x2250: '\\doteq',
0x2251: '\\doteqdot',
0x2252: '\\fallingdotseq',
0x2253: '\\risingdotseq',
0x2254: ':=',
0x2255: '=:',
0x2256: '\\eqcirc',
0x2257: '\\circeq',
0x2259: '\\estimates',
0x225B: '\\starequal',
0x225C: '\\triangleq',
0x2260: '\\not =',
0x2261: '\\equiv',
0x2262: '\\not\\equiv',
0x2264: '\\leq',
0x2265: '\\geq',
0x2266: '\\leqq',
0x2267: '\\geqq',
0x2268: '\\lneqq',
0x2269: '\\gneqq',
0x226A: '\\ll',
0x226B: '\\gg',
0x226C: '\\between',
0x226D: '\\not\\kern-0.3em\\times',
0x226E: '\\not<',
0x226F: '\\not>',
0x2270: '\\not\\leq',
0x2271: '\\not\\geq',
0x2272: '\\lessequivlnt',
0x2273: '\\greaterequivlnt',
0x2276: '\\lessgtr',
0x2277: '\\gtrless',
0x2278: '\\notlessgreater',
0x2279: '\\notgreaterless',
0x227A: '\\prec',
0x227B: '\\succ',
0x227C: '\\preccurlyeq',
0x227D: '\\succcurlyeq',
0x227E: '\\precapprox',
0x227F: '\\succapprox',
0x2280: '\\not\\prec',
0x2281: '\\not\\succ',
0x2282: '\\subset',
0x2283: '\\supset',
0x2284: '\\not\\subset',
0x2285: '\\not\\supset',
0x2286: '\\subseteq',
0x2287: '\\supseteq',
0x2288: '\\not\\subseteq',
0x2289: '\\not\\supseteq',
0x228A: '\\subsetneq',
0x228B: '\\supsetneq',
0x228E: '\\uplus',
0x228F: '\\sqsubset',
0x2290: '\\sqsupset',
0x2291: '\\sqsubseteq',
0x2292: '\\sqsupseteq',
0x2293: '\\sqcap',
0x2294: '\\sqcup',
0x2295: '\\oplus',
0x2296: '\\ominus',
0x2297: '\\otimes',
0x2298: '\\oslash',
0x2299: '\\odot',
0x229A: '\\circledcirc',
0x229B: '\\circledast',
0x229D: '\\circleddash',
0x229E: '\\boxplus',
0x229F: '\\boxminus',
0x22A0: '\\boxtimes',
0x22A1: '\\boxdot',
0x22A2: '\\vdash',
0x22A3: '\\dashv',
0x22A4: '\\top',
0x22A5: '\\perp',
0x22A7: '\\truestate',
0x22A8: '\\forcesextra',
0x22A9: '\\Vdash',
0x22AA: '\\Vvdash',
0x22AB: '\\VDash',
0x22AC: '\\nvdash',
0x22AD: '\\nvDash',
0x22AE: '\\nVdash',
0x22AF: '\\nVDash',
0x22B2: '\\vartriangleleft',
0x22B3: '\\vartriangleright',
0x22B4: '\\trianglelefteq',
0x22B5: '\\trianglerighteq',
0x22B6: '\\original',
0x22B7: '\\image',
0x22B8: '\\multimap',
0x22B9: '\\hermitconjmatrix',
0x22BA: '\\intercal',
0x22BB: '\\veebar',
0x22BE: '\\rightanglearc',
0x22C2: '\\bigcap',
0x22C3: '\\bigcup',
0x22C4: '\\diamond',
0x22C5: '\\cdot',
0x22C6: '\\star',
0x22C7: '\\divideontimes',
0x22C8: '\\bowtie',
0x22C9: '\\ltimes',
0x22CA: '\\rtimes',
0x22CB: '\\leftthreetimes',
0x22CC: '\\rightthreetimes',
0x22CD: '\\backsimeq',
0x22CE: '\\curlyvee',
0x22CF: '\\curlywedge',
0x22D0: '\\Subset',
0x22D1: '\\Supset',
0x22D2: '\\Cap',
0x22D3: '\\Cup',
0x22D4: '\\pitchfork',
0x22D6: '\\lessdot',
0x22D7: '\\gtrdot',
0x22D8: '\\verymuchless',
0x22D9: '\\verymuchgreater',
0x22DA: '\\lesseqgtr',
0x22DB: '\\gtreqless',
0x22DE: '\\curlyeqprec',
0x22DF: '\\curlyeqsucc',
0x22E2: '\\not\\sqsubseteq',
0x22E3: '\\not\\sqsupseteq',
0x22E6: '\\lnsim',
0x22E7: '\\gnsim',
0x22E8: '\\precedesnotsimilar',
0x22E9: '\\succnsim',
0x22EA: '\\ntriangleleft',
0x22EB: '\\ntriangleright',
0x22EC: '\\ntrianglelefteq',
0x22ED: '\\ntrianglerighteq',
0x22EE: '\\vdots',
0x22EF: '\\cdots',
0x22F0: '\\upslopeellipsis',
0x22F1: '\\downslopeellipsis',
0x2305: '\\barwedge',
0x2306: '\\varperspcorrespond',
0x2308: '\\lceil',
0x2309: '\\rceil',
0x230A: '\\lfloor',
0x230B: '\\rfloor',
0x2315: '\\recorder',
0x2316: '\\mathchar"2208',
0x231C: '\\ulcorner',
0x231D: '\\urcorner',
0x231E: '\\llcorner',
0x231F: '\\lrcorner',
0x2322: '\\frown',
0x2323: '\\smile',
0x23B0: '\\lmoustache',
0x23B1: '\\rmoustache',
0x2423: '\\textvisiblespace',
0x2460: '\\ding{172}',
0x2461: '\\ding{173}',
0x2462: '\\ding{174}',
0x2463: '\\ding{175}',
0x2464: '\\ding{176}',
0x2465: '\\ding{177}',
0x2466: '\\ding{178}',
0x2467: '\\ding{179}',
0x2468: '\\ding{180}',
0x2469: '\\ding{181}',
0x24C8: '\\circledS',
0x2571: '\\diagup',
0x25A0: '\\ding{110}',
0x25A1: '\\square',
0x25AA: '\\blacksquare',
0x25AD: '\\fbox{~~}',
0x25B2: '\\ding{115}',
0x25B3: '\\bigtriangleup',
0x25B4: '\\blacktriangle',
0x25B5: '\\vartriangle',
0x25B8: '\\blacktriangleright',
0x25B9: '\\triangleright',
0x25BC: '\\ding{116}',
0x25BD: '\\bigtriangledown',
0x25BE: '\\blacktriangledown',
0x25BF: '\\triangledown',
0x25C2: '\\blacktriangleleft',
0x25C3: '\\triangleleft',
0x25C6: '\\ding{117}',
0x25CA: '\\lozenge',
0x25CB: '\\bigcirc',
0x25CF: '\\ding{108}',
0x25D7: '\\ding{119}',
0x25EF: '\\bigcirc',
0x2605: '\\ding{72}',
0x2606: '\\ding{73}',
0x260E: '\\ding{37}',
0x261B: '\\ding{42}',
0x261E: '\\ding{43}',
0x263E: '\\rightmoon',
0x263F: '\\mercury',
0x2640: '\\venus',
0x2642: '\\male',
0x2643: '\\jupiter',
0x2644: '\\saturn',
0x2645: '\\uranus',
0x2646: '\\neptune',
0x2647: '\\pluto',
0x2648: '\\aries',
0x2649: '\\taurus',
0x264A: '\\gemini',
0x264B: '\\cancer',
0x264C: '\\leo',
0x264D: '\\virgo',
0x264E: '\\libra',
0x264F: '\\scorpio',
0x2650: '\\sagittarius',
0x2651: '\\capricornus',
0x2652: '\\aquarius',
0x2653: '\\pisces',
0x2660: '\\ding{171}',
0x2662: '\\diamond',
0x2663: '\\ding{168}',
0x2665: '\\ding{170}',
0x2666: '\\ding{169}',
0x2669: '\\quarternote',
0x266A: '\\eighthnote',
0x266D: '\\flat',
0x266E: '\\natural',
0x266F: '\\sharp',
0x2701: '\\ding{33}',
0x2702: '\\ding{34}',
0x2703: '\\ding{35}',
0x2704: '\\ding{36}',
0x2706: '\\ding{38}',
0x2707: '\\ding{39}',
0x2708: '\\ding{40}',
0x2709: '\\ding{41}',
0x270C: '\\ding{44}',
0x270D: '\\ding{45}',
0x270E: '\\ding{46}',
0x270F: '\\ding{47}',
0x2710: '\\ding{48}',
0x2711: '\\ding{49}',
0x2712: '\\ding{50}',
0x2713: '\\ding{51}',
0x2714: '\\ding{52}',
0x2715: '\\ding{53}',
0x2716: '\\ding{54}',
0x2717: '\\ding{55}',
0x2718: '\\ding{56}',
0x2719: '\\ding{57}',
0x271A: '\\ding{58}',
0x271B: '\\ding{59}',
0x271C: '\\ding{60}',
0x271D: '\\ding{61}',
0x271E: '\\ding{62}',
0x271F: '\\ding{63}',
0x2720: '\\ding{64}',
0x2721: '\\ding{65}',
0x2722: '\\ding{66}',
0x2723: '\\ding{67}',
0x2724: '\\ding{68}',
0x2725: '\\ding{69}',
0x2726: '\\ding{70}',
0x2727: '\\ding{71}',
0x2729: '\\ding{73}',
0x272A: '\\ding{74}',
0x272B: '\\ding{75}',
0x272C: '\\ding{76}',
0x272D: '\\ding{77}',
0x272E: '\\ding{78}',
0x272F: '\\ding{79}',
0x2730: '\\ding{80}',
0x2731: '\\ding{81}',
0x2732: '\\ding{82}',
0x2733: '\\ding{83}',
0x2734: '\\ding{84}',
0x2735: '\\ding{85}',
0x2736: '\\ding{86}',
0x2737: '\\ding{87}',
0x2738: '\\ding{88}',
0x2739: '\\ding{89}',
0x273A: '\\ding{90}',
0x273B: '\\ding{91}',
0x273C: '\\ding{92}',
0x273D: '\\ding{93}',
0x273E: '\\ding{94}',
0x273F: '\\ding{95}',
0x2740: '\\ding{96}',
0x2741: '\\ding{97}',
0x2742: '\\ding{98}',
0x2743: '\\ding{99}',
0x2744: '\\ding{100}',
0x2745: '\\ding{101}',
0x2746: '\\ding{102}',
0x2747: '\\ding{103}',
0x2748: '\\ding{104}',
0x2749: '\\ding{105}',
0x274A: '\\ding{106}',
0x274B: '\\ding{107}',
0x274D: '\\ding{109}',
0x274F: '\\ding{111}',
0x2750: '\\ding{112}',
0x2751: '\\ding{113}',
0x2752: '\\ding{114}',
0x2756: '\\ding{118}',
0x2758: '\\ding{120}',
0x2759: '\\ding{121}',
0x275A: '\\ding{122}',
0x275B: '\\ding{123}',
0x275C: '\\ding{124}',
0x275D: '\\ding{125}',
0x275E: '\\ding{126}',
0x2761: '\\ding{161}',
0x2762: '\\ding{162}',
0x2763: '\\ding{163}',
0x2764: '\\ding{164}',
0x2765: '\\ding{165}',
0x2766: '\\ding{166}',
0x2767: '\\ding{167}',
0x2776: '\\ding{182}',
0x2777: '\\ding{183}',
0x2778: '\\ding{184}',
0x2779: '\\ding{185}',
0x277A: '\\ding{186}',
0x277B: '\\ding{187}',
0x277C: '\\ding{188}',
0x277D: '\\ding{189}',
0x277E: '\\ding{190}',
0x277F: '\\ding{191}',
0x2780: '\\ding{192}',
0x2781: '\\ding{193}',
0x2782: '\\ding{194}',
0x2783: '\\ding{195}',
0x2784: '\\ding{196}',
0x2785: '\\ding{197}',
0x2786: '\\ding{198}',
0x2787: '\\ding{199}',
0x2788: '\\ding{200}',
0x2789: '\\ding{201}',
0x278A: '\\ding{202}',
0x278B: '\\ding{203}',
0x278C: '\\ding{204}',
0x278D: '\\ding{205}',
0x278E: '\\ding{206}',
0x278F: '\\ding{207}',
0x2790: '\\ding{208}',
0x2791: '\\ding{209}',
0x2792: '\\ding{210}',
0x2793: '\\ding{211}',
0x2794: '\\ding{212}',
0x2798: '\\ding{216}',
0x2799: '\\ding{217}',
0x279A: '\\ding{218}',
0x279B: '\\ding{219}',
0x279C: '\\ding{220}',
0x279D: '\\ding{221}',
0x279E: '\\ding{222}',
0x279F: '\\ding{223}',
0x27A0: '\\ding{224}',
0x27A1: '\\ding{225}',
0x27A2: '\\ding{226}',
0x27A3: '\\ding{227}',
0x27A4: '\\ding{228}',
0x27A5: '\\ding{229}',
0x27A6: '\\ding{230}',
0x27A7: '\\ding{231}',
0x27A8: '\\ding{232}',
0x27A9: '\\ding{233}',
0x27AA: '\\ding{234}',
0x27AB: '\\ding{235}',
0x27AC: '\\ding{236}',
0x27AD: '\\ding{237}',
0x27AE: '\\ding{238}',
0x27AF: '\\ding{239}',
0x27B1: '\\ding{241}',
0x27B2: '\\ding{242}',
0x27B3: '\\ding{243}',
0x27B4: '\\ding{244}',
0x27B5: '\\ding{245}',
0x27B6: '\\ding{246}',
0x27B7: '\\ding{247}',
0x27B8: '\\ding{248}',
0x27B9: '\\ding{249}',
0x27BA: '\\ding{250}',
0x27BB: '\\ding{251}',
0x27BC: '\\ding{252}',
0x27BD: '\\ding{253}',
0x27BE: '\\ding{254}',
0x27E8: '\\langle',
0x27E9: '\\rangle',
0x27F5: '\\longleftarrow',
0x27F6: '\\longrightarrow',
0x27F7: '\\longleftrightarrow',
0x27F8: '\\Longleftarrow',
0x27F9: '\\Longrightarrow',
0x27FA: '\\Longleftrightarrow',
0x27FC: '\\longmapsto',
0x27FF: '\\sim\\joinrel\\leadsto',
0x2912: '\\UpArrowBar',
0x2913: '\\DownArrowBar',
0x294E: '\\LeftRightVector',
0x294F: '\\RightUpDownVector',
0x2950: '\\DownLeftRightVector',
0x2951: '\\LeftUpDownVector',
0x2952: '\\LeftVectorBar',
0x2953: '\\RightVectorBar',
0x2954: '\\RightUpVectorBar',
0x2955: '\\RightDownVectorBar',
0x2956: '\\DownLeftVectorBar',
0x2957: '\\DownRightVectorBar',
0x2958: '\\LeftUpVectorBar',
0x2959: '\\LeftDownVectorBar',
0x295A: '\\LeftTeeVector',
0x295B: '\\RightTeeVector',
0x295C: '\\RightUpTeeVector',
0x295D: '\\RightDownTeeVector',
0x295E: '\\DownLeftTeeVector',
0x295F: '\\DownRightTeeVector',
0x2960: '\\LeftUpTeeVector',
0x2961: '\\LeftDownTeeVector',
0x296E: '\\UpEquilibrium',
0x296F: '\\ReverseUpEquilibrium',
0x2970: '\\RoundImplies',
0x2993: '<\\kern-0.58em(',
0x299C: '\\Angle',
0x29CF: '\\LeftTriangleBar',
0x29D0: '\\RightTriangleBar',
0x29EB: '\\blacklozenge',
0x29F4: '\\RuleDelayed',
0x2A0F: '\\clockoint',
0x2A16: '\\sqrint',
0x2A3F: '\\amalg',
0x2A5E: '\\perspcorrespond',
0x2A6E: '\\stackrel{*}{=}',
0x2A75: '\\Equal',
0x2A7D: '\\leqslant',
0x2A7E: '\\geqslant',
0x2A85: '\\lessapprox',
0x2A86: '\\gtrapprox',
0x2A87: '\\lneq',
0x2A88: '\\gneq',
0x2A89: '\\lnapprox',
0x2A8A: '\\gnapprox',
0x2A8B: '\\lesseqqgtr',
0x2A8C: '\\gtreqqless',
0x2A95: '\\eqslantless',
0x2A96: '\\eqslantgtr',
0x2A9D: '\\Pisymbol{ppi020}{117}',
0x2A9E: '\\Pisymbol{ppi020}{105}',
0x2AA1: '\\NestedLessLess',
0x2AA2: '\\NestedGreaterGreater',
0x2AAF: '\\preceq',
0x2AB0: '\\succeq',
0x2AB5: '\\precneqq',
0x2AB6: '\\succneqq',
0x2AB7: '\\precapprox',
0x2AB8: '\\succapprox',
0x2AB9: '\\precnapprox',
0x2ABA: '\\succnapprox',
0x2AC5: '\\subseteqq',
0x2AC6: '\\supseteqq',
0x2ACB: '\\subsetneqq',
0x2ACC: '\\supsetneqq',
0x2AFD: '{{/}\\!\\!{/}}',
0x301A: '\\openbracketleft',
0x301B: '\\openbracketright',
0xFB00: 'ff',
0xFB01: 'fi',
0xFB02: 'fl',
0xFB03: 'ffi',
0xFB04: 'ffl',
0x1D400: '\\mathbf{A}',
0x1D401: '\\mathbf{B}',
0x1D402: '\\mathbf{C}',
0x1D403: '\\mathbf{D}',
0x1D404: '\\mathbf{E}',
0x1D405: '\\mathbf{F}',
0x1D406: '\\mathbf{G}',
0x1D407: '\\mathbf{H}',
0x1D408: '\\mathbf{I}',
0x1D409: '\\mathbf{J}',
0x1D40A: '\\mathbf{K}',
0x1D40B: '\\mathbf{L}',
0x1D40C: '\\mathbf{M}',
0x1D40D: '\\mathbf{N}',
0x1D40E: '\\mathbf{O}',
0x1D40F: '\\mathbf{P}',
0x1D410: '\\mathbf{Q}',
0x1D411: '\\mathbf{R}',
0x1D412: '\\mathbf{S}',
0x1D413: '\\mathbf{T}',
0x1D414: '\\mathbf{U}',
0x1D415: '\\mathbf{V}',
0x1D416: '\\mathbf{W}',
0x1D417: '\\mathbf{X}',
0x1D418: '\\mathbf{Y}',
0x1D419: '\\mathbf{Z}',
0x1D41A: '\\mathbf{a}',
0x1D41B: '\\mathbf{b}',
0x1D41C: '\\mathbf{c}',
0x1D41D: '\\mathbf{d}',
0x1D41E: '\\mathbf{e}',
0x1D41F: '\\mathbf{f}',
0x1D420: '\\mathbf{g}',
0x1D421: '\\mathbf{h}',
0x1D422: '\\mathbf{i}',
0x1D423: '\\mathbf{j}',
0x1D424: '\\mathbf{k}',
0x1D425: '\\mathbf{l}',
0x1D426: '\\mathbf{m}',
0x1D427: '\\mathbf{n}',
0x1D428: '\\mathbf{o}',
0x1D429: '\\mathbf{p}',
0x1D42A: '\\mathbf{q}',
0x1D42B: '\\mathbf{r}',
0x1D42C: '\\mathbf{s}',
0x1D42D: '\\mathbf{t}',
0x1D42E: '\\mathbf{u}',
0x1D42F: '\\mathbf{v}',
0x1D430: '\\mathbf{w}',
0x1D431: '\\mathbf{x}',
0x1D432: '\\mathbf{y}',
0x1D433: '\\mathbf{z}',
0x1D434: '\\mathmit{A}',
0x1D435: '\\mathmit{B}',
0x1D436: '\\mathmit{C}',
0x1D437: '\\mathmit{D}',
0x1D438: '\\mathmit{E}',
0x1D439: '\\mathmit{F}',
0x1D43A: '\\mathmit{G}',
0x1D43B: '\\mathmit{H}',
0x1D43C: '\\mathmit{I}',
0x1D43D: '\\mathmit{J}',
0x1D43E: '\\mathmit{K}',
0x1D43F: '\\mathmit{L}',
0x1D440: '\\mathmit{M}',
0x1D441: '\\mathmit{N}',
0x1D442: '\\mathmit{O}',
0x1D443: '\\mathmit{P}',
0x1D444: '\\mathmit{Q}',
0x1D445: '\\mathmit{R}',
0x1D446: '\\mathmit{S}',
0x1D447: '\\mathmit{T}',
0x1D448: '\\mathmit{U}',
0x1D449: '\\mathmit{V}',
0x1D44A: '\\mathmit{W}',
0x1D44B: '\\mathmit{X}',
0x1D44C: '\\mathmit{Y}',
0x1D44D: '\\mathmit{Z}',
0x1D44E: '\\mathmit{a}',
0x1D44F: '\\mathmit{b}',
0x1D450: '\\mathmit{c}',
0x1D451: '\\mathmit{d}',
0x1D452: '\\mathmit{e}',
0x1D453: '\\mathmit{f}',
0x1D454: '\\mathmit{g}',
0x1D456: '\\mathmit{i}',
0x1D457: '\\mathmit{j}',
0x1D458: '\\mathmit{k}',
0x1D459: '\\mathmit{l}',
0x1D45A: '\\mathmit{m}',
0x1D45B: '\\mathmit{n}',
0x1D45C: '\\mathmit{o}',
0x1D45D: '\\mathmit{p}',
0x1D45E: '\\mathmit{q}',
0x1D45F: '\\mathmit{r}',
0x1D460: '\\mathmit{s}',
0x1D461: '\\mathmit{t}',
0x1D462: '\\mathmit{u}',
0x1D463: '\\mathmit{v}',
0x1D464: '\\mathmit{w}',
0x1D465: '\\mathmit{x}',
0x1D466: '\\mathmit{y}',
0x1D467: '\\mathmit{z}',
0x1D468: '\\mathbit{A}',
0x1D469: '\\mathbit{B}',
0x1D46A: '\\mathbit{C}',
0x1D46B: '\\mathbit{D}',
0x1D46C: '\\mathbit{E}',
0x1D46D: '\\mathbit{F}',
0x1D46E: '\\mathbit{G}',
0x1D46F: '\\mathbit{H}',
0x1D470: '\\mathbit{I}',
0x1D471: '\\mathbit{J}',
0x1D472: '\\mathbit{K}',
0x1D473: '\\mathbit{L}',
0x1D474: '\\mathbit{M}',
0x1D475: '\\mathbit{N}',
0x1D476: '\\mathbit{O}',
0x1D477: '\\mathbit{P}',
0x1D478: '\\mathbit{Q}',
0x1D479: '\\mathbit{R}',
0x1D47A: '\\mathbit{S}',
0x1D47B: '\\mathbit{T}',
0x1D47C: '\\mathbit{U}',
0x1D47D: '\\mathbit{V}',
0x1D47E: '\\mathbit{W}',
0x1D47F: '\\mathbit{X}',
0x1D480: '\\mathbit{Y}',
0x1D481: '\\mathbit{Z}',
0x1D482: '\\mathbit{a}',
0x1D483: '\\mathbit{b}',
0x1D484: '\\mathbit{c}',
0x1D485: '\\mathbit{d}',
0x1D486: '\\mathbit{e}',
0x1D487: '\\mathbit{f}',
0x1D488: '\\mathbit{g}',
0x1D489: '\\mathbit{h}',
0x1D48A: '\\mathbit{i}',
0x1D48B: '\\mathbit{j}',
0x1D48C: '\\mathbit{k}',
0x1D48D: '\\mathbit{l}',
0x1D48E: '\\mathbit{m}',
0x1D48F: '\\mathbit{n}',
0x1D490: '\\mathbit{o}',
0x1D491: '\\mathbit{p}',
0x1D492: '\\mathbit{q}',
0x1D493: '\\mathbit{r}',
0x1D494: '\\mathbit{s}',
0x1D495: '\\mathbit{t}',
0x1D496: '\\mathbit{u}',
0x1D497: '\\mathbit{v}',
0x1D498: '\\mathbit{w}',
0x1D499: '\\mathbit{x}',
0x1D49A: '\\mathbit{y}',
0x1D49B: '\\mathbit{z}',
0x1D49C: '\\mathscr{A}',
0x1D49E: '\\mathscr{C}',
0x1D49F: '\\mathscr{D}',
0x1D4A2: '\\mathscr{G}',
0x1D4A5: '\\mathscr{J}',
0x1D4A6: '\\mathscr{K}',
0x1D4A9: '\\mathscr{N}',
0x1D4AA: '\\mathscr{O}',
0x1D4AB: '\\mathscr{P}',
0x1D4AC: '\\mathscr{Q}',
0x1D4AE: '\\mathscr{S}',
0x1D4AF: '\\mathscr{T}',
0x1D4B0: '\\mathscr{U}',
0x1D4B1: '\\mathscr{V}',
0x1D4B2: '\\mathscr{W}',
0x1D4B3: '\\mathscr{X}',
0x1D4B4: '\\mathscr{Y}',
0x1D4B5: '\\mathscr{Z}',
0x1D4B6: '\\mathscr{a}',
0x1D4B7: '\\mathscr{b}',
0x1D4B8: '\\mathscr{c}',
0x1D4B9: '\\mathscr{d}',
0x1D4BB: '\\mathscr{f}',
0x1D4BD: '\\mathscr{h}',
0x1D4BE: '\\mathscr{i}',
0x1D4BF: '\\mathscr{j}',
0x1D4C0: '\\mathscr{k}',
0x1D4C1: '\\mathscr{l}',
0x1D4C2: '\\mathscr{m}',
0x1D4C3: '\\mathscr{n}',
0x1D4C5: '\\mathscr{p}',
0x1D4C6: '\\mathscr{q}',
0x1D4C7: '\\mathscr{r}',
0x1D4C8: '\\mathscr{s}',
0x1D4C9: '\\mathscr{t}',
0x1D4CA: '\\mathscr{u}',
0x1D4CB: '\\mathscr{v}',
0x1D4CC: '\\mathscr{w}',
0x1D4CD: '\\mathscr{x}',
0x1D4CE: '\\mathscr{y}',
0x1D4CF: '\\mathscr{z}',
0x1D4D0: '\\mathbcal{A}',
0x1D4D1: '\\mathbcal{B}',
0x1D4D2: '\\mathbcal{C}',
0x1D4D3: '\\mathbcal{D}',
0x1D4D4: '\\mathbcal{E}',
0x1D4D5: '\\mathbcal{F}',
0x1D4D6: '\\mathbcal{G}',
0x1D4D7: '\\mathbcal{H}',
0x1D4D8: '\\mathbcal{I}',
0x1D4D9: '\\mathbcal{J}',
0x1D4DA: '\\mathbcal{K}',
0x1D4DB: '\\mathbcal{L}',
0x1D4DC: '\\mathbcal{M}',
0x1D4DD: '\\mathbcal{N}',
0x1D4DE: '\\mathbcal{O}',
0x1D4DF: '\\mathbcal{P}',
0x1D4E0: '\\mathbcal{Q}',
0x1D4E1: '\\mathbcal{R}',
0x1D4E2: '\\mathbcal{S}',
0x1D4E3: '\\mathbcal{T}',
0x1D4E4: '\\mathbcal{U}',
0x1D4E5: '\\mathbcal{V}',
0x1D4E6: '\\mathbcal{W}',
0x1D4E7: '\\mathbcal{X}',
0x1D4E8: '\\mathbcal{Y}',
0x1D4E9: '\\mathbcal{Z}',
0x1D4EA: '\\mathbcal{a}',
0x1D4EB: '\\mathbcal{b}',
0x1D4EC: '\\mathbcal{c}',
0x1D4ED: '\\mathbcal{d}',
0x1D4EE: '\\mathbcal{e}',
0x1D4EF: '\\mathbcal{f}',
0x1D4F0: '\\mathbcal{g}',
0x1D4F1: '\\mathbcal{h}',
0x1D4F2: '\\mathbcal{i}',
0x1D4F3: '\\mathbcal{j}',
0x1D4F4: '\\mathbcal{k}',
0x1D4F5: '\\mathbcal{l}',
0x1D4F6: '\\mathbcal{m}',
0x1D4F7: '\\mathbcal{n}',
0x1D4F8: '\\mathbcal{o}',
0x1D4F9: '\\mathbcal{p}',
0x1D4FA: '\\mathbcal{q}',
0x1D4FB: '\\mathbcal{r}',
0x1D4FC: '\\mathbcal{s}',
0x1D4FD: '\\mathbcal{t}',
0x1D4FE: '\\mathbcal{u}',
0x1D4FF: '\\mathbcal{v}',
0x1D500: '\\mathbcal{w}',
0x1D501: '\\mathbcal{x}',
0x1D502: '\\mathbcal{y}',
0x1D503: '\\mathbcal{z}',
0x1D504: '\\mathfrak{A}',
0x1D505: '\\mathfrak{B}',
0x1D507: '\\mathfrak{D}',
0x1D508: '\\mathfrak{E}',
0x1D509: '\\mathfrak{F}',
0x1D50A: '\\mathfrak{G}',
0x1D50D: '\\mathfrak{J}',
0x1D50E: '\\mathfrak{K}',
0x1D50F: '\\mathfrak{L}',
0x1D510: '\\mathfrak{M}',
0x1D511: '\\mathfrak{N}',
0x1D512: '\\mathfrak{O}',
0x1D513: '\\mathfrak{P}',
0x1D514: '\\mathfrak{Q}',
0x1D516: '\\mathfrak{S}',
0x1D517: '\\mathfrak{T}',
0x1D518: '\\mathfrak{U}',
0x1D519: '\\mathfrak{V}',
0x1D51A: '\\mathfrak{W}',
0x1D51B: '\\mathfrak{X}',
0x1D51C: '\\mathfrak{Y}',
0x1D51E: '\\mathfrak{a}',
0x1D51F: '\\mathfrak{b}',
0x1D520: '\\mathfrak{c}',
0x1D521: '\\mathfrak{d}',
0x1D522: '\\mathfrak{e}',
0x1D523: '\\mathfrak{f}',
0x1D524: '\\mathfrak{g}',
0x1D525: '\\mathfrak{h}',
0x1D526: '\\mathfrak{i}',
0x1D527: '\\mathfrak{j}',
0x1D528: '\\mathfrak{k}',
0x1D529: '\\mathfrak{l}',
0x1D52A: '\\mathfrak{m}',
0x1D52B: '\\mathfrak{n}',
0x1D52C: '\\mathfrak{o}',
0x1D52D: '\\mathfrak{p}',
0x1D52E: '\\mathfrak{q}',
0x1D52F: '\\mathfrak{r}',
0x1D530: '\\mathfrak{s}',
0x1D531: '\\mathfrak{t}',
0x1D532: '\\mathfrak{u}',
0x1D533: '\\mathfrak{v}',
0x1D534: '\\mathfrak{w}',
0x1D535: '\\mathfrak{x}',
0x1D536: '\\mathfrak{y}',
0x1D537: '\\mathfrak{z}',
0x1D538: '\\mathbb{A}',
0x1D539: '\\mathbb{B}',
0x1D53B: '\\mathbb{D}',
0x1D53C: '\\mathbb{E}',
0x1D53D: '\\mathbb{F}',
0x1D53E: '\\mathbb{G}',
0x1D540: '\\mathbb{I}',
0x1D541: '\\mathbb{J}',
0x1D542: '\\mathbb{K}',
0x1D543: '\\mathbb{L}',
0x1D544: '\\mathbb{M}',
0x1D546: '\\mathbb{O}',
0x1D54A: '\\mathbb{S}',
0x1D54B: '\\mathbb{T}',
0x1D54C: '\\mathbb{U}',
0x1D54D: '\\mathbb{V}',
0x1D54E: '\\mathbb{W}',
0x1D54F: '\\mathbb{X}',
0x1D550: '\\mathbb{Y}',
0x1D552: '\\mathbb{a}',
0x1D553: '\\mathbb{b}',
0x1D554: '\\mathbb{c}',
0x1D555: '\\mathbb{d}',
0x1D556: '\\mathbb{e}',
0x1D557: '\\mathbb{f}',
0x1D558: '\\mathbb{g}',
0x1D559: '\\mathbb{h}',
0x1D55A: '\\mathbb{i}',
0x1D55B: '\\mathbb{j}',
0x1D55C: '\\mathbb{k}',
0x1D55D: '\\mathbb{l}',
0x1D55E: '\\mathbb{m}',
0x1D55F: '\\mathbb{n}',
0x1D560: '\\mathbb{o}',
0x1D561: '\\mathbb{p}',
0x1D562: '\\mathbb{q}',
0x1D563: '\\mathbb{r}',
0x1D564: '\\mathbb{s}',
0x1D565: '\\mathbb{t}',
0x1D566: '\\mathbb{u}',
0x1D567: '\\mathbb{v}',
0x1D568: '\\mathbb{w}',
0x1D569: '\\mathbb{x}',
0x1D56A: '\\mathbb{y}',
0x1D56B: '\\mathbb{z}',
0x1D56C: '\\mathbfrak{A}',
0x1D56D: '\\mathbfrak{B}',
0x1D56E: '\\mathbfrak{C}',
0x1D56F: '\\mathbfrak{D}',
0x1D570: '\\mathbfrak{E}',
0x1D571: '\\mathbfrak{F}',
0x1D572: '\\mathbfrak{G}',
0x1D573: '\\mathbfrak{H}',
0x1D574: '\\mathbfrak{I}',
0x1D575: '\\mathbfrak{J}',
0x1D576: '\\mathbfrak{K}',
0x1D577: '\\mathbfrak{L}',
0x1D578: '\\mathbfrak{M}',
0x1D579: '\\mathbfrak{N}',
0x1D57A: '\\mathbfrak{O}',
0x1D57B: '\\mathbfrak{P}',
0x1D57C: '\\mathbfrak{Q}',
0x1D57D: '\\mathbfrak{R}',
0x1D57E: '\\mathbfrak{S}',
0x1D57F: '\\mathbfrak{T}',
0x1D580: '\\mathbfrak{U}',
0x1D581: '\\mathbfrak{V}',
0x1D582: '\\mathbfrak{W}',
0x1D583: '\\mathbfrak{X}',
0x1D584: '\\mathbfrak{Y}',
0x1D585: '\\mathbfrak{Z}',
0x1D586: '\\mathbfrak{a}',
0x1D587: '\\mathbfrak{b}',
0x1D588: '\\mathbfrak{c}',
0x1D589: '\\mathbfrak{d}',
0x1D58A: '\\mathbfrak{e}',
0x1D58B: '\\mathbfrak{f}',
0x1D58C: '\\mathbfrak{g}',
0x1D58D: '\\mathbfrak{h}',
0x1D58E: '\\mathbfrak{i}',
0x1D58F: '\\mathbfrak{j}',
0x1D590: '\\mathbfrak{k}',
0x1D591: '\\mathbfrak{l}',
0x1D592: '\\mathbfrak{m}',
0x1D593: '\\mathbfrak{n}',
0x1D594: '\\mathbfrak{o}',
0x1D595: '\\mathbfrak{p}',
0x1D596: '\\mathbfrak{q}',
0x1D597: '\\mathbfrak{r}',
0x1D598: '\\mathbfrak{s}',
0x1D599: '\\mathbfrak{t}',
0x1D59A: '\\mathbfrak{u}',
0x1D59B: '\\mathbfrak{v}',
0x1D59C: '\\mathbfrak{w}',
0x1D59D: '\\mathbfrak{x}',
0x1D59E: '\\mathbfrak{y}',
0x1D59F: '\\mathbfrak{z}',
0x1D5A0: '\\mathsf{A}',
0x1D5A1: '\\mathsf{B}',
0x1D5A2: '\\mathsf{C}',
0x1D5A3: '\\mathsf{D}',
0x1D5A4: '\\mathsf{E}',
0x1D5A5: '\\mathsf{F}',
0x1D5A6: '\\mathsf{G}',
0x1D5A7: '\\mathsf{H}',
0x1D5A8: '\\mathsf{I}',
0x1D5A9: '\\mathsf{J}',
0x1D5AA: '\\mathsf{K}',
0x1D5AB: '\\mathsf{L}',
0x1D5AC: '\\mathsf{M}',
0x1D5AD: '\\mathsf{N}',
0x1D5AE: '\\mathsf{O}',
0x1D5AF: '\\mathsf{P}',
0x1D5B0: '\\mathsf{Q}',
0x1D5B1: '\\mathsf{R}',
0x1D5B2: '\\mathsf{S}',
0x1D5B3: '\\mathsf{T}',
0x1D5B4: '\\mathsf{U}',
0x1D5B5: '\\mathsf{V}',
0x1D5B6: '\\mathsf{W}',
0x1D5B7: '\\mathsf{X}',
0x1D5B8: '\\mathsf{Y}',
0x1D5B9: '\\mathsf{Z}',
0x1D5BA: '\\mathsf{a}',
0x1D5BB: '\\mathsf{b}',
0x1D5BC: '\\mathsf{c}',
0x1D5BD: '\\mathsf{d}',
0x1D5BE: '\\mathsf{e}',
0x1D5BF: '\\mathsf{f}',
0x1D5C0: '\\mathsf{g}',
0x1D5C1: '\\mathsf{h}',
0x1D5C2: '\\mathsf{i}',
0x1D5C3: '\\mathsf{j}',
0x1D5C4: '\\mathsf{k}',
0x1D5C5: '\\mathsf{l}',
0x1D5C6: '\\mathsf{m}',
0x1D5C7: '\\mathsf{n}',
0x1D5C8: '\\mathsf{o}',
0x1D5C9: '\\mathsf{p}',
0x1D5CA: '\\mathsf{q}',
0x1D5CB: '\\mathsf{r}',
0x1D5CC: '\\mathsf{s}',
0x1D5CD: '\\mathsf{t}',
0x1D5CE: '\\mathsf{u}',
0x1D5CF: '\\mathsf{v}',
0x1D5D0: '\\mathsf{w}',
0x1D5D1: '\\mathsf{x}',
0x1D5D2: '\\mathsf{y}',
0x1D5D3: '\\mathsf{z}',
0x1D5D4: '\\mathsfbf{A}',
0x1D5D5: '\\mathsfbf{B}',
0x1D5D6: '\\mathsfbf{C}',
0x1D5D7: '\\mathsfbf{D}',
0x1D5D8: '\\mathsfbf{E}',
0x1D5D9: '\\mathsfbf{F}',
0x1D5DA: '\\mathsfbf{G}',
0x1D5DB: '\\mathsfbf{H}',
0x1D5DC: '\\mathsfbf{I}',
0x1D5DD: '\\mathsfbf{J}',
0x1D5DE: '\\mathsfbf{K}',
0x1D5DF: '\\mathsfbf{L}',
0x1D5E0: '\\mathsfbf{M}',
0x1D5E1: '\\mathsfbf{N}',
0x1D5E2: '\\mathsfbf{O}',
0x1D5E3: '\\mathsfbf{P}',
0x1D5E4: '\\mathsfbf{Q}',
0x1D5E5: '\\mathsfbf{R}',
0x1D5E6: '\\mathsfbf{S}',
0x1D5E7: '\\mathsfbf{T}',
0x1D5E8: '\\mathsfbf{U}',
0x1D5E9: '\\mathsfbf{V}',
0x1D5EA: '\\mathsfbf{W}',
0x1D5EB: '\\mathsfbf{X}',
0x1D5EC: '\\mathsfbf{Y}',
0x1D5ED: '\\mathsfbf{Z}',
0x1D5EE: '\\mathsfbf{a}',
0x1D5EF: '\\mathsfbf{b}',
0x1D5F0: '\\mathsfbf{c}',
0x1D5F1: '\\mathsfbf{d}',
0x1D5F2: '\\mathsfbf{e}',
0x1D5F3: '\\mathsfbf{f}',
0x1D5F4: '\\mathsfbf{g}',
0x1D5F5: '\\mathsfbf{h}',
0x1D5F6: '\\mathsfbf{i}',
0x1D5F7: '\\mathsfbf{j}',
0x1D5F8: '\\mathsfbf{k}',
0x1D5F9: '\\mathsfbf{l}',
0x1D5FA: '\\mathsfbf{m}',
0x1D5FB: '\\mathsfbf{n}',
0x1D5FC: '\\mathsfbf{o}',
0x1D5FD: '\\mathsfbf{p}',
0x1D5FE: '\\mathsfbf{q}',
0x1D5FF: '\\mathsfbf{r}',
0x1D600: '\\mathsfbf{s}',
0x1D601: '\\mathsfbf{t}',
0x1D602: '\\mathsfbf{u}',
0x1D603: '\\mathsfbf{v}',
0x1D604: '\\mathsfbf{w}',
0x1D605: '\\mathsfbf{x}',
0x1D606: '\\mathsfbf{y}',
0x1D607: '\\mathsfbf{z}',
0x1D608: '\\mathsfsl{A}',
0x1D609: '\\mathsfsl{B}',
0x1D60A: '\\mathsfsl{C}',
0x1D60B: '\\mathsfsl{D}',
0x1D60C: '\\mathsfsl{E}',
0x1D60D: '\\mathsfsl{F}',
0x1D60E: '\\mathsfsl{G}',
0x1D60F: '\\mathsfsl{H}',
0x1D610: '\\mathsfsl{I}',
0x1D611: '\\mathsfsl{J}',
0x1D612: '\\mathsfsl{K}',
0x1D613: '\\mathsfsl{L}',
0x1D614: '\\mathsfsl{M}',
0x1D615: '\\mathsfsl{N}',
0x1D616: '\\mathsfsl{O}',
0x1D617: '\\mathsfsl{P}',
0x1D618: '\\mathsfsl{Q}',
0x1D619: '\\mathsfsl{R}',
0x1D61A: '\\mathsfsl{S}',
0x1D61B: '\\mathsfsl{T}',
0x1D61C: '\\mathsfsl{U}',
0x1D61D: '\\mathsfsl{V}',
0x1D61E: '\\mathsfsl{W}',
0x1D61F: '\\mathsfsl{X}',
0x1D620: '\\mathsfsl{Y}',
0x1D621: '\\mathsfsl{Z}',
0x1D622: '\\mathsfsl{a}',
0x1D623: '\\mathsfsl{b}',
0x1D624: '\\mathsfsl{c}',
0x1D625: '\\mathsfsl{d}',
0x1D626: '\\mathsfsl{e}',
0x1D627: '\\mathsfsl{f}',
0x1D628: '\\mathsfsl{g}',
0x1D629: '\\mathsfsl{h}',
0x1D62A: '\\mathsfsl{i}',
0x1D62B: '\\mathsfsl{j}',
0x1D62C: '\\mathsfsl{k}',
0x1D62D: '\\mathsfsl{l}',
0x1D62E: '\\mathsfsl{m}',
0x1D62F: '\\mathsfsl{n}',
0x1D630: '\\mathsfsl{o}',
0x1D631: '\\mathsfsl{p}',
0x1D632: '\\mathsfsl{q}',
0x1D633: '\\mathsfsl{r}',
0x1D634: '\\mathsfsl{s}',
0x1D635: '\\mathsfsl{t}',
0x1D636: '\\mathsfsl{u}',
0x1D637: '\\mathsfsl{v}',
0x1D638: '\\mathsfsl{w}',
0x1D639: '\\mathsfsl{x}',
0x1D63A: '\\mathsfsl{y}',
0x1D63B: '\\mathsfsl{z}',
0x1D63C: '\\mathsfbfsl{A}',
0x1D63D: '\\mathsfbfsl{B}',
0x1D63E: '\\mathsfbfsl{C}',
0x1D63F: '\\mathsfbfsl{D}',
0x1D640: '\\mathsfbfsl{E}',
0x1D641: '\\mathsfbfsl{F}',
0x1D642: '\\mathsfbfsl{G}',
0x1D643: '\\mathsfbfsl{H}',
0x1D644: '\\mathsfbfsl{I}',
0x1D645: '\\mathsfbfsl{J}',
0x1D646: '\\mathsfbfsl{K}',
0x1D647: '\\mathsfbfsl{L}',
0x1D648: '\\mathsfbfsl{M}',
0x1D649: '\\mathsfbfsl{N}',
0x1D64A: '\\mathsfbfsl{O}',
0x1D64B: '\\mathsfbfsl{P}',
0x1D64C: '\\mathsfbfsl{Q}',
0x1D64D: '\\mathsfbfsl{R}',
0x1D64E: '\\mathsfbfsl{S}',
0x1D64F: '\\mathsfbfsl{T}',
0x1D650: '\\mathsfbfsl{U}',
0x1D651: '\\mathsfbfsl{V}',
0x1D652: '\\mathsfbfsl{W}',
0x1D653: '\\mathsfbfsl{X}',
0x1D654: '\\mathsfbfsl{Y}',
0x1D655: '\\mathsfbfsl{Z}',
0x1D656: '\\mathsfbfsl{a}',
0x1D657: '\\mathsfbfsl{b}',
0x1D658: '\\mathsfbfsl{c}',
0x1D659: '\\mathsfbfsl{d}',
0x1D65A: '\\mathsfbfsl{e}',
0x1D65B: '\\mathsfbfsl{f}',
0x1D65C: '\\mathsfbfsl{g}',
0x1D65D: '\\mathsfbfsl{h}',
0x1D65E: '\\mathsfbfsl{i}',
0x1D65F: '\\mathsfbfsl{j}',
0x1D660: '\\mathsfbfsl{k}',
0x1D661: '\\mathsfbfsl{l}',
0x1D662: '\\mathsfbfsl{m}',
0x1D663: '\\mathsfbfsl{n}',
0x1D664: '\\mathsfbfsl{o}',
0x1D665: '\\mathsfbfsl{p}',
0x1D666: '\\mathsfbfsl{q}',
0x1D667: '\\mathsfbfsl{r}',
0x1D668: '\\mathsfbfsl{s}',
0x1D669: '\\mathsfbfsl{t}',
0x1D66A: '\\mathsfbfsl{u}',
0x1D66B: '\\mathsfbfsl{v}',
0x1D66C: '\\mathsfbfsl{w}',
0x1D66D: '\\mathsfbfsl{x}',
0x1D66E: '\\mathsfbfsl{y}',
0x1D66F: '\\mathsfbfsl{z}',
0x1D670: '\\mathtt{A}',
0x1D671: '\\mathtt{B}',
0x1D672: '\\mathtt{C}',
0x1D673: '\\mathtt{D}',
0x1D674: '\\mathtt{E}',
0x1D675: '\\mathtt{F}',
0x1D676: '\\mathtt{G}',
0x1D677: '\\mathtt{H}',
0x1D678: '\\mathtt{I}',
0x1D679: '\\mathtt{J}',
0x1D67A: '\\mathtt{K}',
0x1D67B: '\\mathtt{L}',
0x1D67C: '\\mathtt{M}',
0x1D67D: '\\mathtt{N}',
0x1D67E: '\\mathtt{O}',
0x1D67F: '\\mathtt{P}',
0x1D680: '\\mathtt{Q}',
0x1D681: '\\mathtt{R}',
0x1D682: '\\mathtt{S}',
0x1D683: '\\mathtt{T}',
0x1D684: '\\mathtt{U}',
0x1D685: '\\mathtt{V}',
0x1D686: '\\mathtt{W}',
0x1D687: '\\mathtt{X}',
0x1D688: '\\mathtt{Y}',
0x1D689: '\\mathtt{Z}',
0x1D68A: '\\mathtt{a}',
0x1D68B: '\\mathtt{b}',
0x1D68C: '\\mathtt{c}',
0x1D68D: '\\mathtt{d}',
0x1D68E: '\\mathtt{e}',
0x1D68F: '\\mathtt{f}',
0x1D690: '\\mathtt{g}',
0x1D691: '\\mathtt{h}',
0x1D692: '\\mathtt{i}',
0x1D693: '\\mathtt{j}',
0x1D694: '\\mathtt{k}',
0x1D695: '\\mathtt{l}',
0x1D696: '\\mathtt{m}',
0x1D697: '\\mathtt{n}',
0x1D698: '\\mathtt{o}',
0x1D699: '\\mathtt{p}',
0x1D69A: '\\mathtt{q}',
0x1D69B: '\\mathtt{r}',
0x1D69C: '\\mathtt{s}',
0x1D69D: '\\mathtt{t}',
0x1D69E: '\\mathtt{u}',
0x1D69F: '\\mathtt{v}',
0x1D6A0: '\\mathtt{w}',
0x1D6A1: '\\mathtt{x}',
0x1D6A2: '\\mathtt{y}',
0x1D6A3: '\\mathtt{z}',
0x1D6A8: '\\mathbf{\\Alpha}',
0x1D6A9: '\\mathbf{\\Beta}',
0x1D6AA: '\\mathbf{\\Gamma}',
0x1D6AB: '\\mathbf{\\Delta}',
0x1D6AC: '\\mathbf{\\Epsilon}',
0x1D6AD: '\\mathbf{\\Zeta}',
0x1D6AE: '\\mathbf{\\Eta}',
0x1D6AF: '\\mathbf{\\Theta}',
0x1D6B0: '\\mathbf{\\Iota}',
0x1D6B1: '\\mathbf{\\Kappa}',
0x1D6B2: '\\mathbf{\\Lambda}',
0x1D6B3: '\\mathbf{M}',
0x1D6B4: 'N',
0x1D6B5: '\\mathbf{\\Xi}',
0x1D6B6: 'O',
0x1D6B7: '\\mathbf{\\Pi}',
0x1D6B8: '\\mathbf{\\Rho}',
0x1D6B9: '\\mathbf{\\vartheta}',
0x1D6BA: '\\mathbf{\\Sigma}',
0x1D6BB: '\\mathbf{\\Tau}',
0x1D6BC: '\\mathbf{\\Upsilon}',
0x1D6BD: '\\mathbf{\\Phi}',
0x1D6BE: '\\mathbf{\\Chi}',
0x1D6BF: '\\mathbf{\\Psi}',
0x1D6C0: '\\mathbf{\\Omega}',
0x1D6C1: '\\mathbf{\\nabla}',
0x1D6C2: '\\mathbf{\\alpha}',
0x1D6C3: '\\mathbf{\\beta}',
0x1D6C4: '\\mathbf{\\gamma}',
0x1D6C5: '\\mathbf{\\delta}',
0x1D6C6: '\\mathbf{\\epsilon}',
0x1D6C7: '\\mathbf{\\zeta}',
0x1D6C8: '\\mathbf{\\eta}',
0x1D6C9: '\\mathbf{\\theta}',
0x1D6CA: '\\mathbf{\\iota}',
0x1D6CB: '\\mathbf{\\kappa}',
0x1D6CC: '\\mathbf{\\lambda}',
0x1D6CD: '\\mathbf{\\mu}',
0x1D6CE: '\\mathbf{\\nu}',
0x1D6CF: '\\mathbf{\\xi}',
0x1D6D0: '\\mathbf{o}',
0x1D6D1: '\\mathbf{\\pi}',
0x1D6D2: '\\mathbf{\\rho}',
0x1D6D3: '\\mathbf{\\varsigma}',
0x1D6D4: '\\mathbf{\\sigma}',
0x1D6D5: '\\mathbf{\\tau}',
0x1D6D6: '\\mathbf{\\upsilon}',
0x1D6D7: '\\mathbf{\\phi}',
0x1D6D8: '\\mathbf{\\chi}',
0x1D6D9: '\\mathbf{\\psi}',
0x1D6DA: '\\mathbf{\\omega}',
0x1D6DB: '\\partial',
0x1D6DC: '\\mathbf{\\varepsilon}',
0x1D6DD: '\\mathbf{\\vartheta}',
0x1D6DE: '\\mathbf{\\varkappa}',
0x1D6DF: '\\mathbf{\\phi}',
0x1D6E0: '\\mathbf{\\varrho}',
0x1D6E1: '\\mathbf{\\varpi}',
0x1D6E2: '\\mathmit{\\Alpha}',
0x1D6E3: '\\mathmit{\\Beta}',
0x1D6E4: '\\mathmit{\\Gamma}',
0x1D6E5: '\\mathmit{\\Delta}',
0x1D6E6: '\\mathmit{\\Epsilon}',
0x1D6E7: '\\mathmit{\\Zeta}',
0x1D6E8: '\\mathmit{\\Eta}',
0x1D6E9: '\\mathmit{\\Theta}',
0x1D6EA: '\\mathmit{\\Iota}',
0x1D6EB: '\\mathmit{\\Kappa}',
0x1D6EC: '\\mathmit{\\Lambda}',
0x1D6ED: '\\mathmit{M}',
0x1D6EE: 'N',
0x1D6EF: '\\mathmit{\\Xi}',
0x1D6F0: 'O',
0x1D6F1: '\\mathmit{\\Pi}',
0x1D6F2: '\\mathmit{\\Rho}',
0x1D6F3: '\\mathmit{\\vartheta}',
0x1D6F4: '\\mathmit{\\Sigma}',
0x1D6F5: '\\mathmit{\\Tau}',
0x1D6F6: '\\mathmit{\\Upsilon}',
0x1D6F7: '\\mathmit{\\Phi}',
0x1D6F8: '\\mathmit{\\Chi}',
0x1D6F9: '\\mathmit{\\Psi}',
0x1D6FA: '\\mathmit{\\Omega}',
0x1D6FB: '\\mathmit{\\nabla}',
0x1D6FC: '\\mathmit{\\alpha}',
0x1D6FD: '\\mathmit{\\beta}',
0x1D6FE: '\\mathmit{\\gamma}',
0x1D6FF: '\\mathmit{\\delta}',
0x1D700: '\\mathmit{\\epsilon}',
0x1D701: '\\mathmit{\\zeta}',
0x1D702: '\\mathmit{\\eta}',
0x1D703: '\\mathmit{\\theta}',
0x1D704: '\\mathmit{\\iota}',
0x1D705: '\\mathmit{\\kappa}',
0x1D706: '\\mathmit{\\lambda}',
0x1D707: '\\mathmit{\\mu}',
0x1D708: '\\mathmit{\\nu}',
0x1D709: '\\mathmit{\\xi}',
0x1D70A: '\\mathmit{o}',
0x1D70B: '\\mathmit{\\pi}',
0x1D70C: '\\mathmit{\\rho}',
0x1D70D: '\\mathmit{\\varsigma}',
0x1D70E: '\\mathmit{\\sigma}',
0x1D70F: '\\mathmit{\\tau}',
0x1D710: '\\mathmit{\\upsilon}',
0x1D711: '\\mathmit{\\phi}',
0x1D712: '\\mathmit{\\chi}',
0x1D713: '\\mathmit{\\psi}',
0x1D714: '\\mathmit{\\omega}',
0x1D715: '\\partial',
0x1D716: '\\in',
0x1D717: '\\mathmit{\\vartheta}',
0x1D718: '\\mathmit{\\varkappa}',
0x1D719: '\\mathmit{\\phi}',
0x1D71A: '\\mathmit{\\varrho}',
0x1D71B: '\\mathmit{\\varpi}',
0x1D71C: '\\mathbit{\\Alpha}',
0x1D71D: '\\mathbit{\\Beta}',
0x1D71E: '\\mathbit{\\Gamma}',
0x1D71F: '\\mathbit{\\Delta}',
0x1D720: '\\mathbit{\\Epsilon}',
0x1D721: '\\mathbit{\\Zeta}',
0x1D722: '\\mathbit{\\Eta}',
0x1D723: '\\mathbit{\\Theta}',
0x1D724: '\\mathbit{\\Iota}',
0x1D725: '\\mathbit{\\Kappa}',
0x1D726: '\\mathbit{\\Lambda}',
0x1D727: '\\mathbit{M}',
0x1D728: '\\mathbit{N}',
0x1D729: '\\mathbit{\\Xi}',
0x1D72A: 'O',
0x1D72B: '\\mathbit{\\Pi}',
0x1D72C: '\\mathbit{\\Rho}',
0x1D72D: '\\mathbit{O}',
0x1D72E: '\\mathbit{\\Sigma}',
0x1D72F: '\\mathbit{\\Tau}',
0x1D730: '\\mathbit{\\Upsilon}',
0x1D731: '\\mathbit{\\Phi}',
0x1D732: '\\mathbit{\\Chi}',
0x1D733: '\\mathbit{\\Psi}',
0x1D734: '\\mathbit{\\Omega}',
0x1D735: '\\mathbit{\\nabla}',
0x1D736: '\\mathbit{\\alpha}',
0x1D737: '\\mathbit{\\beta}',
0x1D738: '\\mathbit{\\gamma}',
0x1D739: '\\mathbit{\\delta}',
0x1D73A: '\\mathbit{\\epsilon}',
0x1D73B: '\\mathbit{\\zeta}',
0x1D73C: '\\mathbit{\\eta}',
0x1D73D: '\\mathbit{\\theta}',
0x1D73E: '\\mathbit{\\iota}',
0x1D73F: '\\mathbit{\\kappa}',
0x1D740: '\\mathbit{\\lambda}',
0x1D741: '\\mathbit{\\mu}',
0x1D742: '\\mathbit{\\nu}',
0x1D743: '\\mathbit{\\xi}',
0x1D744: '\\mathbit{o}',
0x1D745: '\\mathbit{\\pi}',
0x1D746: '\\mathbit{\\rho}',
0x1D747: '\\mathbit{\\varsigma}',
0x1D748: '\\mathbit{\\sigma}',
0x1D749: '\\mathbit{\\tau}',
0x1D74A: '\\mathbit{\\upsilon}',
0x1D74B: '\\mathbit{\\phi}',
0x1D74C: '\\mathbit{\\chi}',
0x1D74D: '\\mathbit{\\psi}',
0x1D74E: '\\mathbit{\\omega}',
0x1D74F: '\\partial',
0x1D750: '\\in',
0x1D751: '\\mathbit{\\vartheta}',
0x1D752: '\\mathbit{\\varkappa}',
0x1D753: '\\mathbit{\\phi}',
0x1D754: '\\mathbit{\\varrho}',
0x1D755: '\\mathbit{\\varpi}',
0x1D756: '\\mathsfbf{\\Alpha}',
0x1D757: '\\mathsfbf{\\Beta}',
0x1D758: '\\mathsfbf{\\Gamma}',
0x1D759: '\\mathsfbf{\\Delta}',
0x1D75A: '\\mathsfbf{\\Epsilon}',
0x1D75B: '\\mathsfbf{\\Zeta}',
0x1D75C: '\\mathsfbf{\\Eta}',
0x1D75D: '\\mathsfbf{\\Theta}',
0x1D75E: '\\mathsfbf{\\Iota}',
0x1D75F: '\\mathsfbf{\\Kappa}',
0x1D760: '\\mathsfbf{\\Lambda}',
0x1D761: '\\mathsfbf{M}',
0x1D762: '\\mathsfbf{N}',
0x1D763: '\\mathsfbf{\\Xi}',
0x1D764: 'O',
0x1D765: '\\mathsfbf{\\Pi}',
0x1D766: '\\mathsfbf{\\Rho}',
0x1D767: '\\mathsfbf{\\vartheta}',
0x1D768: '\\mathsfbf{\\Sigma}',
0x1D769: '\\mathsfbf{\\Tau}',
0x1D76A: '\\mathsfbf{\\Upsilon}',
0x1D76B: '\\mathsfbf{\\Phi}',
0x1D76C: '\\mathsfbf{\\Chi}',
0x1D76D: '\\mathsfbf{\\Psi}',
0x1D76E: '\\mathsfbf{\\Omega}',
0x1D76F: '\\mathsfbf{\\nabla}',
0x1D770: '\\mathsfbf{\\alpha}',
0x1D771: '\\mathsfbf{\\beta}',
0x1D772: '\\mathsfbf{\\gamma}',
0x1D773: '\\mathsfbf{\\delta}',
0x1D774: '\\mathsfbf{\\epsilon}',
0x1D775: '\\mathsfbf{\\zeta}',
0x1D776: '\\mathsfbf{\\eta}',
0x1D777: '\\mathsfbf{\\theta}',
0x1D778: '\\mathsfbf{\\iota}',
0x1D779: '\\mathsfbf{\\kappa}',
0x1D77A: '\\mathsfbf{\\lambda}',
0x1D77B: '\\mathsfbf{\\mu}',
0x1D77C: '\\mathsfbf{\\nu}',
0x1D77D: '\\mathsfbf{\\xi}',
0x1D77E: '\\mathsfbf{o}',
0x1D77F: '\\mathsfbf{\\pi}',
0x1D780: '\\mathsfbf{\\rho}',
0x1D781: '\\mathsfbf{\\varsigma}',
0x1D782: '\\mathsfbf{\\sigma}',
0x1D783: '\\mathsfbf{\\tau}',
0x1D784: '\\mathsfbf{\\upsilon}',
0x1D785: '\\mathsfbf{\\phi}',
0x1D786: '\\mathsfbf{\\chi}',
0x1D787: '\\mathsfbf{\\psi}',
0x1D788: '\\mathsfbf{\\omega}',
0x1D789: '\\partial',
0x1D78A: '\\mathsfbf{\\varepsilon}',
0x1D78B: '\\mathsfbf{\\vartheta}',
0x1D78C: '\\mathsfbf{\\varkappa}',
0x1D78D: '\\mathsfbf{\\phi}',
0x1D78E: '\\mathsfbf{\\varrho}',
0x1D78F: '\\mathsfbf{\\varpi}',
0x1D790: '\\mathsfbfsl{\\Alpha}',
0x1D791: '\\mathsfbfsl{\\Beta}',
0x1D792: '\\mathsfbfsl{\\Gamma}',
0x1D793: '\\mathsfbfsl{\\Delta}',
0x1D794: '\\mathsfbfsl{\\Epsilon}',
0x1D795: '\\mathsfbfsl{\\Zeta}',
0x1D796: '\\mathsfbfsl{\\Eta}',
0x1D797: '\\mathsfbfsl{\\vartheta}',
0x1D798: '\\mathsfbfsl{\\Iota}',
0x1D799: '\\mathsfbfsl{\\Kappa}',
0x1D79A: '\\mathsfbfsl{\\Lambda}',
0x1D79B: '\\mathsfbfsl{M}',
0x1D79C: '\\mathsfbfsl{N}',
0x1D79D: '\\mathsfbfsl{\\Xi}',
0x1D79E: 'O',
0x1D79F: '\\mathsfbfsl{\\Pi}',
0x1D7A0: '\\mathsfbfsl{\\Rho}',
0x1D7A1: '\\mathsfbfsl{\\vartheta}',
0x1D7A2: '\\mathsfbfsl{\\Sigma}',
0x1D7A3: '\\mathsfbfsl{\\Tau}',
0x1D7A4: '\\mathsfbfsl{\\Upsilon}',
0x1D7A5: '\\mathsfbfsl{\\Phi}',
0x1D7A6: '\\mathsfbfsl{\\Chi}',
0x1D7A7: '\\mathsfbfsl{\\Psi}',
0x1D7A8: '\\mathsfbfsl{\\Omega}',
0x1D7A9: '\\mathsfbfsl{\\nabla}',
0x1D7AA: '\\mathsfbfsl{\\alpha}',
0x1D7AB: '\\mathsfbfsl{\\beta}',
0x1D7AC: '\\mathsfbfsl{\\gamma}',
0x1D7AD: '\\mathsfbfsl{\\delta}',
0x1D7AE: '\\mathsfbfsl{\\epsilon}',
0x1D7AF: '\\mathsfbfsl{\\zeta}',
0x1D7B0: '\\mathsfbfsl{\\eta}',
0x1D7B1: '\\mathsfbfsl{\\vartheta}',
0x1D7B2: '\\mathsfbfsl{\\iota}',
0x1D7B3: '\\mathsfbfsl{\\kappa}',
0x1D7B4: '\\mathsfbfsl{\\lambda}',
0x1D7B5: '\\mathsfbfsl{\\mu}',
0x1D7B6: '\\mathsfbfsl{\\nu}',
0x1D7B7: '\\mathsfbfsl{\\xi}',
0x1D7B8: '\\mathsfbfsl{o}',
0x1D7B9: '\\mathsfbfsl{\\pi}',
0x1D7BA: '\\mathsfbfsl{\\rho}',
0x1D7BB: '\\mathsfbfsl{\\varsigma}',
0x1D7BC: '\\mathsfbfsl{\\sigma}',
0x1D7BD: '\\mathsfbfsl{\\tau}',
0x1D7BE: '\\mathsfbfsl{\\upsilon}',
0x1D7BF: '\\mathsfbfsl{\\phi}',
0x1D7C0: '\\mathsfbfsl{\\chi}',
0x1D7C1: '\\mathsfbfsl{\\psi}',
0x1D7C2: '\\mathsfbfsl{\\omega}',
0x1D7C3: '\\partial',
0x1D7C4: '\\in',
0x1D7C5: '\\mathsfbfsl{\\vartheta}',
0x1D7C6: '\\mathsfbfsl{\\varkappa}',
0x1D7C7: '\\mathsfbfsl{\\phi}',
0x1D7C8: '\\mathsfbfsl{\\varrho}',
0x1D7C9: '\\mathsfbfsl{\\varpi}',
0x1D7CE: '\\mathbf{0}',
0x1D7CF: '\\mathbf{1}',
0x1D7D0: '\\mathbf{2}',
0x1D7D1: '\\mathbf{3}',
0x1D7D2: '\\mathbf{4}',
0x1D7D3: '\\mathbf{5}',
0x1D7D4: '\\mathbf{6}',
0x1D7D5: '\\mathbf{7}',
0x1D7D6: '\\mathbf{8}',
0x1D7D7: '\\mathbf{9}',
0x1D7D8: '\\mathbb{0}',
0x1D7D9: '\\mathbb{1}',
0x1D7DA: '\\mathbb{2}',
0x1D7DB: '\\mathbb{3}',
0x1D7DC: '\\mathbb{4}',
0x1D7DD: '\\mathbb{5}',
0x1D7DE: '\\mathbb{6}',
0x1D7DF: '\\mathbb{7}',
0x1D7E0: '\\mathbb{8}',
0x1D7E1: '\\mathbb{9}',
0x1D7E2: '\\mathsf{0}',
0x1D7E3: '\\mathsf{1}',
0x1D7E4: '\\mathsf{2}',
0x1D7E5: '\\mathsf{3}',
0x1D7E6: '\\mathsf{4}',
0x1D7E7: '\\mathsf{5}',
0x1D7E8: '\\mathsf{6}',
0x1D7E9: '\\mathsf{7}',
0x1D7EA: '\\mathsf{8}',
0x1D7EB: '\\mathsf{9}',
0x1D7EC: '\\mathsfbf{0}',
0x1D7ED: '\\mathsfbf{1}',
0x1D7EE: '\\mathsfbf{2}',
0x1D7EF: '\\mathsfbf{3}',
0x1D7F0: '\\mathsfbf{4}',
0x1D7F1: '\\mathsfbf{5}',
0x1D7F2: '\\mathsfbf{6}',
0x1D7F3: '\\mathsfbf{7}',
0x1D7F4: '\\mathsfbf{8}',
0x1D7F5: '\\mathsfbf{9}',
0x1D7F6: '\\mathtt{0}',
0x1D7F7: '\\mathtt{1}',
0x1D7F8: '\\mathtt{2}',
0x1D7F9: '\\mathtt{3}',
0x1D7FA: '\\mathtt{4}',
0x1D7FB: '\\mathtt{5}',
0x1D7FC: '\\mathtt{6}',
0x1D7FD: '\\mathtt{7}',
0x1D7FE: '\\mathtt{8}',
0x1D7FF: '\\mathtt{9}',
}
| uni2latex = {35: '\\#', 36: '\\textdollar', 37: '\\%', 38: '\\&', 39: '\\textquotesingle', 42: '\\ast', 92: '\\textbackslash', 94: '\\^{}', 95: '\\_', 96: '\\textasciigrave', 123: '\\lbrace', 124: '\\vert', 125: '\\rbrace', 126: '\\textasciitilde', 160: '~', 161: '\\textexclamdown', 162: '\\textcent', 163: '\\textsterling', 164: '\\textcurrency', 165: '\\textyen', 166: '\\textbrokenbar', 167: '\\textsection', 168: '\\textasciidieresis', 169: '\\textcopyright', 170: '\\textordfeminine', 171: '\\guillemotleft', 172: '\\lnot', 173: '\\-', 174: '\\textregistered', 175: '\\textasciimacron', 176: '\\textdegree', 177: '\\pm', 178: '{^2}', 179: '{^3}', 180: '\\textasciiacute', 181: '\\mathrm{\\mu}', 182: '\\textparagraph', 183: '\\cdot', 184: '\\c{}', 185: '{^1}', 186: '\\textordmasculine', 187: '\\guillemotright', 188: '\\textonequarter', 189: '\\textonehalf', 190: '\\textthreequarters', 191: '\\textquestiondown', 192: '\\`{A}', 193: "\\'{A}", 194: '\\^{A}', 195: '\\~{A}', 196: '\\"{A}', 197: '\\AA', 198: '\\AE', 199: '\\c{C}', 200: '\\`{E}', 201: "\\'{E}", 202: '\\^{E}', 203: '\\"{E}', 204: '\\`{I}', 205: "\\'{I}", 206: '\\^{I}', 207: '\\"{I}', 208: '\\DH', 209: '\\~{N}', 210: '\\`{O}', 211: "\\'{O}", 212: '\\^{O}', 213: '\\~{O}', 214: '\\"{O}', 215: '\\texttimes', 216: '\\O', 217: '\\`{U}', 218: "\\'{U}", 219: '\\^{U}', 220: '\\"{U}', 221: "\\'{Y}", 222: '\\TH', 223: '\\ss', 224: '\\`{a}', 225: "\\'{a}", 226: '\\^{a}', 227: '\\~{a}', 228: '\\"{a}', 229: '\\aa', 230: '\\ae', 231: '\\c{c}', 232: '\\`{e}', 233: "\\'{e}", 234: '\\^{e}', 235: '\\"{e}', 236: '\\`{\\i}', 237: "\\'{\\i}", 238: '\\^{\\i}', 239: '\\"{\\i}', 240: '\\dh', 241: '\\~{n}', 242: '\\`{o}', 243: "\\'{o}", 244: '\\^{o}', 245: '\\~{o}', 246: '\\"{o}', 247: '\\div', 248: '\\o', 249: '\\`{u}', 250: "\\'{u}", 251: '\\^{u}', 252: '\\"{u}', 253: "\\'{y}", 254: '\\th', 255: '\\"{y}', 256: '\\={A}', 257: '\\={a}', 258: '\\u{A}', 259: '\\u{a}', 260: '\\k{A}', 261: '\\k{a}', 262: "\\'{C}", 263: "\\'{c}", 264: '\\^{C}', 265: '\\^{c}', 266: '\\.{C}', 267: '\\.{c}', 268: '\\v{C}', 269: '\\v{c}', 270: '\\v{D}', 271: '\\v{d}', 272: '\\DJ', 273: '\\dj', 274: '\\={E}', 275: '\\={e}', 276: '\\u{E}', 277: '\\u{e}', 278: '\\.{E}', 279: '\\.{e}', 280: '\\k{E}', 281: '\\k{e}', 282: '\\v{E}', 283: '\\v{e}', 284: '\\^{G}', 285: '\\^{g}', 286: '\\u{G}', 287: '\\u{g}', 288: '\\.{G}', 289: '\\.{g}', 290: '\\c{G}', 291: '\\c{g}', 292: '\\^{H}', 293: '\\^{h}', 294: '{\\fontencoding{LELA}\\selectfont\\char40}', 296: '\\~{I}', 297: '\\~{\\i}', 298: '\\={I}', 299: '\\={\\i}', 300: '\\u{I}', 301: '\\u{\\i}', 302: '\\k{I}', 303: '\\k{i}', 304: '\\.{I}', 305: '\\i', 306: 'IJ', 307: 'ij', 308: '\\^{J}', 309: '\\^{\\j}', 310: '\\c{K}', 311: '\\c{k}', 312: '{\\fontencoding{LELA}\\selectfont\\char91}', 313: "\\'{L}", 314: "\\'{l}", 315: '\\c{L}', 316: '\\c{l}', 317: '\\v{L}', 318: '\\v{l}', 319: '{\\fontencoding{LELA}\\selectfont\\char201}', 320: '{\\fontencoding{LELA}\\selectfont\\char202}', 321: '\\L', 322: '\\l', 323: "\\'{N}", 324: "\\'{n}", 325: '\\c{N}', 326: '\\c{n}', 327: '\\v{N}', 328: '\\v{n}', 329: "'n", 330: '\\NG', 331: '\\ng', 332: '\\={O}', 333: '\\={o}', 334: '\\u{O}', 335: '\\u{o}', 336: '\\H{O}', 337: '\\H{o}', 338: '\\OE', 339: '\\oe', 340: "\\'{R}", 341: "\\'{r}", 342: '\\c{R}', 343: '\\c{r}', 344: '\\v{R}', 345: '\\v{r}', 346: "\\'{S}", 347: "\\'{s}", 348: '\\^{S}', 349: '\\^{s}', 350: '\\c{S}', 351: '\\c{s}', 352: '\\v{S}', 353: '\\v{s}', 354: '\\c{T}', 355: '\\c{t}', 356: '\\v{T}', 357: '\\v{t}', 358: '{\\fontencoding{LELA}\\selectfont\\char47}', 359: '{\\fontencoding{LELA}\\selectfont\\char63}', 360: '\\~{U}', 361: '\\~{u}', 362: '\\={U}', 363: '\\={u}', 364: '\\u{U}', 365: '\\u{u}', 366: '\\r{U}', 367: '\\r{u}', 368: '\\H{U}', 369: '\\H{u}', 370: '\\k{U}', 371: '\\k{u}', 372: '\\^{W}', 373: '\\^{w}', 374: '\\^{Y}', 375: '\\^{y}', 376: '\\"{Y}', 377: "\\'{Z}", 378: "\\'{z}", 379: '\\.{Z}', 380: '\\.{z}', 381: '\\v{Z}', 382: '\\v{z}', 402: 'f', 405: '\\texthvlig', 414: '\\textnrleg', 426: '\\eth', 442: '{\\fontencoding{LELA}\\selectfont\\char195}', 450: '\\textdoublepipe', 501: "\\'{g}", 600: '{\\fontencoding{LEIP}\\selectfont\\char61}', 603: '\\varepsilon', 609: 'g', 632: '\\textphi', 639: '{\\fontencoding{LEIP}\\selectfont\\char202}', 670: '\\textturnk', 700: "'", 711: '\\textasciicaron', 728: '\\textasciibreve', 729: '\\textperiodcentered', 730: '\\r{}', 731: '\\k{}', 732: '\\texttildelow', 733: '\\H{}', 741: '\\tone{55}', 742: '\\tone{44}', 743: '\\tone{33}', 744: '\\tone{22}', 745: '\\tone{11}', 768: '\\`', 769: "\\'", 770: '\\^', 771: '\\~', 772: '\\=', 774: '\\u', 775: '\\.', 776: '\\"', 778: '\\r', 779: '\\H', 780: '\\v', 783: '\\cyrchar\\C', 785: '{\\fontencoding{LECO}\\selectfont\\char177}', 792: '{\\fontencoding{LECO}\\selectfont\\char184}', 793: '{\\fontencoding{LECO}\\selectfont\\char185}', 807: '\\c', 808: '\\k', 811: '{\\fontencoding{LECO}\\selectfont\\char203}', 815: '{\\fontencoding{LECO}\\selectfont\\char207}', 823: '{\\fontencoding{LECO}\\selectfont\\char215}', 824: '{\\fontencoding{LECO}\\selectfont\\char216}', 826: '{\\fontencoding{LECO}\\selectfont\\char218}', 827: '{\\fontencoding{LECO}\\selectfont\\char219}', 828: '{\\fontencoding{LECO}\\selectfont\\char220}', 829: '{\\fontencoding{LECO}\\selectfont\\char221}', 865: '{\\fontencoding{LECO}\\selectfont\\char225}', 902: "\\'{A}", 904: "\\'{E}", 905: "\\'{H}", 906: "\\'{}{I}", 908: "\\'{}O", 910: "\\mathrm{'Y}", 911: "\\mathrm{'\\Omega}", 912: '\\acute{\\ddot{\\iota}}', 913: '\\Alpha', 914: '\\Beta', 915: '\\Gamma', 916: '\\Delta', 917: '\\Epsilon', 918: '\\Zeta', 919: '\\Eta', 920: '\\Theta', 921: '\\Iota', 922: '\\Kappa', 923: '\\Lambda', 924: 'M', 925: 'N', 926: '\\Xi', 927: 'O', 928: '\\Pi', 929: '\\Rho', 931: '\\Sigma', 932: '\\Tau', 933: '\\Upsilon', 934: '\\Phi', 935: '\\Chi', 936: '\\Psi', 937: '\\Omega', 938: '\\mathrm{\\ddot{I}}', 939: '\\mathrm{\\ddot{Y}}', 940: "\\'{$\\alpha$}", 941: '\\acute{\\epsilon}', 942: '\\acute{\\eta}', 943: '\\acute{\\iota}', 944: '\\acute{\\ddot{\\upsilon}}', 945: '\\alpha', 946: '\\beta', 947: '\\gamma', 948: '\\delta', 949: '\\epsilon', 950: '\\zeta', 951: '\\eta', 952: '\\texttheta', 953: '\\iota', 954: '\\kappa', 955: '\\lambda', 956: '\\mu', 957: '\\nu', 958: '\\xi', 959: 'o', 960: '\\pi', 961: '\\rho', 962: '\\varsigma', 963: '\\sigma', 964: '\\tau', 965: '\\upsilon', 966: '\\varphi', 967: '\\chi', 968: '\\psi', 969: '\\omega', 970: '\\ddot{\\iota}', 971: '\\ddot{\\upsilon}', 972: "\\'{o}", 973: '\\acute{\\upsilon}', 974: '\\acute{\\omega}', 976: '\\Pisymbol{ppi022}{87}', 977: '\\textvartheta', 978: '\\Upsilon', 981: '\\phi', 982: '\\varpi', 986: '\\Stigma', 988: '\\Digamma', 989: '\\digamma', 990: '\\Koppa', 992: '\\Sampi', 1008: '\\varkappa', 1009: '\\varrho', 1012: '\\textTheta', 1014: '\\backepsilon', 1025: '\\cyrchar\\CYRYO', 1026: '\\cyrchar\\CYRDJE', 1027: "\\cyrchar{\\'\\CYRG}", 1028: '\\cyrchar\\CYRIE', 1029: '\\cyrchar\\CYRDZE', 1030: '\\cyrchar\\CYRII', 1031: '\\cyrchar\\CYRYI', 1032: '\\cyrchar\\CYRJE', 1033: '\\cyrchar\\CYRLJE', 1034: '\\cyrchar\\CYRNJE', 1035: '\\cyrchar\\CYRTSHE', 1036: "\\cyrchar{\\'\\CYRK}", 1038: '\\cyrchar\\CYRUSHRT', 1039: '\\cyrchar\\CYRDZHE', 1040: '\\cyrchar\\CYRA', 1041: '\\cyrchar\\CYRB', 1042: '\\cyrchar\\CYRV', 1043: '\\cyrchar\\CYRG', 1044: '\\cyrchar\\CYRD', 1045: '\\cyrchar\\CYRE', 1046: '\\cyrchar\\CYRZH', 1047: '\\cyrchar\\CYRZ', 1048: '\\cyrchar\\CYRI', 1049: '\\cyrchar\\CYRISHRT', 1050: '\\cyrchar\\CYRK', 1051: '\\cyrchar\\CYRL', 1052: '\\cyrchar\\CYRM', 1053: '\\cyrchar\\CYRN', 1054: '\\cyrchar\\CYRO', 1055: '\\cyrchar\\CYRP', 1056: '\\cyrchar\\CYRR', 1057: '\\cyrchar\\CYRS', 1058: '\\cyrchar\\CYRT', 1059: '\\cyrchar\\CYRU', 1060: '\\cyrchar\\CYRF', 1061: '\\cyrchar\\CYRH', 1062: '\\cyrchar\\CYRC', 1063: '\\cyrchar\\CYRCH', 1064: '\\cyrchar\\CYRSH', 1065: '\\cyrchar\\CYRSHCH', 1066: '\\cyrchar\\CYRHRDSN', 1067: '\\cyrchar\\CYRERY', 1068: '\\cyrchar\\CYRSFTSN', 1069: '\\cyrchar\\CYREREV', 1070: '\\cyrchar\\CYRYU', 1071: '\\cyrchar\\CYRYA', 1072: '\\cyrchar\\cyra', 1073: '\\cyrchar\\cyrb', 1074: '\\cyrchar\\cyrv', 1075: '\\cyrchar\\cyrg', 1076: '\\cyrchar\\cyrd', 1077: '\\cyrchar\\cyre', 1078: '\\cyrchar\\cyrzh', 1079: '\\cyrchar\\cyrz', 1080: '\\cyrchar\\cyri', 1081: '\\cyrchar\\cyrishrt', 1082: '\\cyrchar\\cyrk', 1083: '\\cyrchar\\cyrl', 1084: '\\cyrchar\\cyrm', 1085: '\\cyrchar\\cyrn', 1086: '\\cyrchar\\cyro', 1087: '\\cyrchar\\cyrp', 1088: '\\cyrchar\\cyrr', 1089: '\\cyrchar\\cyrs', 1090: '\\cyrchar\\cyrt', 1091: '\\cyrchar\\cyru', 1092: '\\cyrchar\\cyrf', 1093: '\\cyrchar\\cyrh', 1094: '\\cyrchar\\cyrc', 1095: '\\cyrchar\\cyrch', 1096: '\\cyrchar\\cyrsh', 1097: '\\cyrchar\\cyrshch', 1098: '\\cyrchar\\cyrhrdsn', 1099: '\\cyrchar\\cyrery', 1100: '\\cyrchar\\cyrsftsn', 1101: '\\cyrchar\\cyrerev', 1102: '\\cyrchar\\cyryu', 1103: '\\cyrchar\\cyrya', 1105: '\\cyrchar\\cyryo', 1106: '\\cyrchar\\cyrdje', 1107: "\\cyrchar{\\'\\cyrg}", 1108: '\\cyrchar\\cyrie', 1109: '\\cyrchar\\cyrdze', 1110: '\\cyrchar\\cyrii', 1111: '\\cyrchar\\cyryi', 1112: '\\cyrchar\\cyrje', 1113: '\\cyrchar\\cyrlje', 1114: '\\cyrchar\\cyrnje', 1115: '\\cyrchar\\cyrtshe', 1116: "\\cyrchar{\\'\\cyrk}", 1118: '\\cyrchar\\cyrushrt', 1119: '\\cyrchar\\cyrdzhe', 1120: '\\cyrchar\\CYROMEGA', 1121: '\\cyrchar\\cyromega', 1122: '\\cyrchar\\CYRYAT', 1124: '\\cyrchar\\CYRIOTE', 1125: '\\cyrchar\\cyriote', 1126: '\\cyrchar\\CYRLYUS', 1127: '\\cyrchar\\cyrlyus', 1128: '\\cyrchar\\CYRIOTLYUS', 1129: '\\cyrchar\\cyriotlyus', 1130: '\\cyrchar\\CYRBYUS', 1132: '\\cyrchar\\CYRIOTBYUS', 1133: '\\cyrchar\\cyriotbyus', 1134: '\\cyrchar\\CYRKSI', 1135: '\\cyrchar\\cyrksi', 1136: '\\cyrchar\\CYRPSI', 1137: '\\cyrchar\\cyrpsi', 1138: '\\cyrchar\\CYRFITA', 1140: '\\cyrchar\\CYRIZH', 1144: '\\cyrchar\\CYRUK', 1145: '\\cyrchar\\cyruk', 1146: '\\cyrchar\\CYROMEGARND', 1147: '\\cyrchar\\cyromegarnd', 1148: '\\cyrchar\\CYROMEGATITLO', 1149: '\\cyrchar\\cyromegatitlo', 1150: '\\cyrchar\\CYROT', 1151: '\\cyrchar\\cyrot', 1152: '\\cyrchar\\CYRKOPPA', 1153: '\\cyrchar\\cyrkoppa', 1154: '\\cyrchar\\cyrthousands', 1160: '\\cyrchar\\cyrhundredthousands', 1161: '\\cyrchar\\cyrmillions', 1164: '\\cyrchar\\CYRSEMISFTSN', 1165: '\\cyrchar\\cyrsemisftsn', 1166: '\\cyrchar\\CYRRTICK', 1167: '\\cyrchar\\cyrrtick', 1168: '\\cyrchar\\CYRGUP', 1169: '\\cyrchar\\cyrgup', 1170: '\\cyrchar\\CYRGHCRS', 1171: '\\cyrchar\\cyrghcrs', 1172: '\\cyrchar\\CYRGHK', 1173: '\\cyrchar\\cyrghk', 1174: '\\cyrchar\\CYRZHDSC', 1175: '\\cyrchar\\cyrzhdsc', 1176: '\\cyrchar\\CYRZDSC', 1177: '\\cyrchar\\cyrzdsc', 1178: '\\cyrchar\\CYRKDSC', 1179: '\\cyrchar\\cyrkdsc', 1180: '\\cyrchar\\CYRKVCRS', 1181: '\\cyrchar\\cyrkvcrs', 1182: '\\cyrchar\\CYRKHCRS', 1183: '\\cyrchar\\cyrkhcrs', 1184: '\\cyrchar\\CYRKBEAK', 1185: '\\cyrchar\\cyrkbeak', 1186: '\\cyrchar\\CYRNDSC', 1187: '\\cyrchar\\cyrndsc', 1188: '\\cyrchar\\CYRNG', 1189: '\\cyrchar\\cyrng', 1190: '\\cyrchar\\CYRPHK', 1191: '\\cyrchar\\cyrphk', 1192: '\\cyrchar\\CYRABHHA', 1193: '\\cyrchar\\cyrabhha', 1194: '\\cyrchar\\CYRSDSC', 1195: '\\cyrchar\\cyrsdsc', 1196: '\\cyrchar\\CYRTDSC', 1197: '\\cyrchar\\cyrtdsc', 1198: '\\cyrchar\\CYRY', 1199: '\\cyrchar\\cyry', 1200: '\\cyrchar\\CYRYHCRS', 1201: '\\cyrchar\\cyryhcrs', 1202: '\\cyrchar\\CYRHDSC', 1203: '\\cyrchar\\cyrhdsc', 1204: '\\cyrchar\\CYRTETSE', 1205: '\\cyrchar\\cyrtetse', 1206: '\\cyrchar\\CYRCHRDSC', 1207: '\\cyrchar\\cyrchrdsc', 1208: '\\cyrchar\\CYRCHVCRS', 1209: '\\cyrchar\\cyrchvcrs', 1210: '\\cyrchar\\CYRSHHA', 1211: '\\cyrchar\\cyrshha', 1212: '\\cyrchar\\CYRABHCH', 1213: '\\cyrchar\\cyrabhch', 1214: '\\cyrchar\\CYRABHCHDSC', 1215: '\\cyrchar\\cyrabhchdsc', 1216: '\\cyrchar\\CYRpalochka', 1219: '\\cyrchar\\CYRKHK', 1220: '\\cyrchar\\cyrkhk', 1223: '\\cyrchar\\CYRNHK', 1224: '\\cyrchar\\cyrnhk', 1227: '\\cyrchar\\CYRCHLDSC', 1228: '\\cyrchar\\cyrchldsc', 1236: '\\cyrchar\\CYRAE', 1237: '\\cyrchar\\cyrae', 1240: '\\cyrchar\\CYRSCHWA', 1241: '\\cyrchar\\cyrschwa', 1248: '\\cyrchar\\CYRABHDZE', 1249: '\\cyrchar\\cyrabhdze', 1256: '\\cyrchar\\CYROTLD', 1257: '\\cyrchar\\cyrotld', 8194: '\\hspace{0.6em}', 8195: '\\hspace{1em}', 8196: '\\hspace{0.33em}', 8197: '\\hspace{0.25em}', 8198: '\\hspace{0.166em}', 8199: '\\hphantom{0}', 8200: '\\hphantom{,}', 8201: '\\hspace{0.167em}', 8202: '\\mkern1mu ', 8208: '-', 8211: '\\textendash', 8212: '\\textemdash', 8213: '\\rule{1em}{1pt}', 8214: '\\Vert', 8216: '`', 8217: "'", 8218: ',', 8220: '\\textquotedblleft', 8221: '\\textquotedblright', 8222: ',,', 8224: '\\textdagger', 8225: '\\textdaggerdbl', 8226: '\\textbullet', 8228: '.', 8229: '..', 8230: '\\ldots', 8240: '\\textperthousand', 8241: '\\textpertenthousand', 8242: "{'}", 8243: "{''}", 8244: "{'''}", 8245: '\\backprime', 8249: '\\guilsinglleft', 8250: '\\guilsinglright', 8279: "''''", 8287: '\\mkern4mu ', 8288: '\\nolinebreak', 8364: '\\mbox{\\texteuro} ', 8411: '\\dddot', 8412: '\\ddddot', 8450: '\\mathbb{C}', 8458: '\\mathscr{g}', 8459: '\\mathscr{H}', 8460: '\\mathfrak{H}', 8461: '\\mathbb{H}', 8463: '\\hslash', 8464: '\\mathscr{I}', 8465: '\\mathfrak{I}', 8466: '\\mathscr{L}', 8467: '\\mathscr{l}', 8469: '\\mathbb{N}', 8470: '\\cyrchar\\textnumero', 8472: '\\wp', 8473: '\\mathbb{P}', 8474: '\\mathbb{Q}', 8475: '\\mathscr{R}', 8476: '\\mathfrak{R}', 8477: '\\mathbb{R}', 8482: '\\texttrademark', 8484: '\\mathbb{Z}', 8486: '\\Omega', 8487: '\\mho', 8488: '\\mathfrak{Z}', 8491: '\\AA', 8492: '\\mathscr{B}', 8493: '\\mathfrak{C}', 8495: '\\mathscr{e}', 8496: '\\mathscr{E}', 8497: '\\mathscr{F}', 8499: '\\mathscr{M}', 8500: '\\mathscr{o}', 8501: '\\aleph', 8502: '\\beth', 8503: '\\gimel', 8504: '\\daleth', 8531: '\\textfrac{1}{3}', 8532: '\\textfrac{2}{3}', 8533: '\\textfrac{1}{5}', 8534: '\\textfrac{2}{5}', 8535: '\\textfrac{3}{5}', 8536: '\\textfrac{4}{5}', 8537: '\\textfrac{1}{6}', 8538: '\\textfrac{5}{6}', 8539: '\\textfrac{1}{8}', 8540: '\\textfrac{3}{8}', 8541: '\\textfrac{5}{8}', 8542: '\\textfrac{7}{8}', 8592: '\\leftarrow', 8593: '\\uparrow', 8594: '\\rightarrow', 8595: '\\downarrow', 8596: '\\leftrightarrow', 8597: '\\updownarrow', 8598: '\\nwarrow', 8599: '\\nearrow', 8600: '\\searrow', 8601: '\\swarrow', 8602: '\\nleftarrow', 8603: '\\nrightarrow', 8604: '\\arrowwaveleft', 8605: '\\arrowwaveright', 8606: '\\twoheadleftarrow', 8608: '\\twoheadrightarrow', 8610: '\\leftarrowtail', 8611: '\\rightarrowtail', 8614: '\\mapsto', 8617: '\\hookleftarrow', 8618: '\\hookrightarrow', 8619: '\\looparrowleft', 8620: '\\looparrowright', 8621: '\\leftrightsquigarrow', 8622: '\\nleftrightarrow', 8624: '\\Lsh', 8625: '\\Rsh', 8630: '\\curvearrowleft', 8631: '\\curvearrowright', 8634: '\\circlearrowleft', 8635: '\\circlearrowright', 8636: '\\leftharpoonup', 8637: '\\leftharpoondown', 8638: '\\upharpoonright', 8639: '\\upharpoonleft', 8640: '\\rightharpoonup', 8641: '\\rightharpoondown', 8642: '\\downharpoonright', 8643: '\\downharpoonleft', 8644: '\\rightleftarrows', 8645: '\\dblarrowupdown', 8646: '\\leftrightarrows', 8647: '\\leftleftarrows', 8648: '\\upuparrows', 8649: '\\rightrightarrows', 8650: '\\downdownarrows', 8651: '\\leftrightharpoons', 8652: '\\rightleftharpoons', 8653: '\\nLeftarrow', 8654: '\\nLeftrightarrow', 8655: '\\nRightarrow', 8656: '\\Leftarrow', 8657: '\\Uparrow', 8658: '\\Rightarrow', 8659: '\\Downarrow', 8660: '\\Leftrightarrow', 8661: '\\Updownarrow', 8666: '\\Lleftarrow', 8667: '\\Rrightarrow', 8669: '\\rightsquigarrow', 8693: '\\DownArrowUpArrow', 8704: '\\forall', 8705: '\\complement', 8706: '\\partial', 8707: '\\exists', 8708: '\\nexists', 8709: '\\varnothing', 8711: '\\nabla', 8712: '\\in', 8713: '\\not\\in', 8715: '\\ni', 8716: '\\not\\ni', 8719: '\\prod', 8720: '\\coprod', 8721: '\\sum', 8722: '-', 8723: '\\mp', 8724: '\\dotplus', 8726: '\\setminus', 8727: '{_\\ast}', 8728: '\\circ', 8729: '\\bullet', 8730: '\\surd', 8733: '\\propto', 8734: '\\infty', 8735: '\\rightangle', 8736: '\\angle', 8737: '\\measuredangle', 8738: '\\sphericalangle', 8739: '\\mid', 8740: '\\nmid', 8741: '\\parallel', 8742: '\\nparallel', 8743: '\\wedge', 8744: '\\vee', 8745: '\\cap', 8746: '\\cup', 8747: '\\int', 8748: '\\int\\!\\int', 8749: '\\int\\!\\int\\!\\int', 8750: '\\oint', 8751: '\\surfintegral', 8752: '\\volintegral', 8753: '\\clwintegral', 8756: '\\therefore', 8757: '\\because', 8759: '\\Colon', 8762: '\\mathbin{{:}\\!\\!{-}\\!\\!{:}}', 8763: '\\homothetic', 8764: '\\sim', 8765: '\\backsim', 8766: '\\lazysinv', 8768: '\\wr', 8769: '\\not\\sim', 8771: '\\simeq', 8772: '\\not\\simeq', 8773: '\\cong', 8774: '\\approxnotequal', 8775: '\\not\\cong', 8776: '\\approx', 8777: '\\not\\approx', 8778: '\\approxeq', 8779: '\\tildetrpl', 8780: '\\allequal', 8781: '\\asymp', 8782: '\\Bumpeq', 8783: '\\bumpeq', 8784: '\\doteq', 8785: '\\doteqdot', 8786: '\\fallingdotseq', 8787: '\\risingdotseq', 8788: ':=', 8789: '=:', 8790: '\\eqcirc', 8791: '\\circeq', 8793: '\\estimates', 8795: '\\starequal', 8796: '\\triangleq', 8800: '\\not =', 8801: '\\equiv', 8802: '\\not\\equiv', 8804: '\\leq', 8805: '\\geq', 8806: '\\leqq', 8807: '\\geqq', 8808: '\\lneqq', 8809: '\\gneqq', 8810: '\\ll', 8811: '\\gg', 8812: '\\between', 8813: '\\not\\kern-0.3em\\times', 8814: '\\not<', 8815: '\\not>', 8816: '\\not\\leq', 8817: '\\not\\geq', 8818: '\\lessequivlnt', 8819: '\\greaterequivlnt', 8822: '\\lessgtr', 8823: '\\gtrless', 8824: '\\notlessgreater', 8825: '\\notgreaterless', 8826: '\\prec', 8827: '\\succ', 8828: '\\preccurlyeq', 8829: '\\succcurlyeq', 8830: '\\precapprox', 8831: '\\succapprox', 8832: '\\not\\prec', 8833: '\\not\\succ', 8834: '\\subset', 8835: '\\supset', 8836: '\\not\\subset', 8837: '\\not\\supset', 8838: '\\subseteq', 8839: '\\supseteq', 8840: '\\not\\subseteq', 8841: '\\not\\supseteq', 8842: '\\subsetneq', 8843: '\\supsetneq', 8846: '\\uplus', 8847: '\\sqsubset', 8848: '\\sqsupset', 8849: '\\sqsubseteq', 8850: '\\sqsupseteq', 8851: '\\sqcap', 8852: '\\sqcup', 8853: '\\oplus', 8854: '\\ominus', 8855: '\\otimes', 8856: '\\oslash', 8857: '\\odot', 8858: '\\circledcirc', 8859: '\\circledast', 8861: '\\circleddash', 8862: '\\boxplus', 8863: '\\boxminus', 8864: '\\boxtimes', 8865: '\\boxdot', 8866: '\\vdash', 8867: '\\dashv', 8868: '\\top', 8869: '\\perp', 8871: '\\truestate', 8872: '\\forcesextra', 8873: '\\Vdash', 8874: '\\Vvdash', 8875: '\\VDash', 8876: '\\nvdash', 8877: '\\nvDash', 8878: '\\nVdash', 8879: '\\nVDash', 8882: '\\vartriangleleft', 8883: '\\vartriangleright', 8884: '\\trianglelefteq', 8885: '\\trianglerighteq', 8886: '\\original', 8887: '\\image', 8888: '\\multimap', 8889: '\\hermitconjmatrix', 8890: '\\intercal', 8891: '\\veebar', 8894: '\\rightanglearc', 8898: '\\bigcap', 8899: '\\bigcup', 8900: '\\diamond', 8901: '\\cdot', 8902: '\\star', 8903: '\\divideontimes', 8904: '\\bowtie', 8905: '\\ltimes', 8906: '\\rtimes', 8907: '\\leftthreetimes', 8908: '\\rightthreetimes', 8909: '\\backsimeq', 8910: '\\curlyvee', 8911: '\\curlywedge', 8912: '\\Subset', 8913: '\\Supset', 8914: '\\Cap', 8915: '\\Cup', 8916: '\\pitchfork', 8918: '\\lessdot', 8919: '\\gtrdot', 8920: '\\verymuchless', 8921: '\\verymuchgreater', 8922: '\\lesseqgtr', 8923: '\\gtreqless', 8926: '\\curlyeqprec', 8927: '\\curlyeqsucc', 8930: '\\not\\sqsubseteq', 8931: '\\not\\sqsupseteq', 8934: '\\lnsim', 8935: '\\gnsim', 8936: '\\precedesnotsimilar', 8937: '\\succnsim', 8938: '\\ntriangleleft', 8939: '\\ntriangleright', 8940: '\\ntrianglelefteq', 8941: '\\ntrianglerighteq', 8942: '\\vdots', 8943: '\\cdots', 8944: '\\upslopeellipsis', 8945: '\\downslopeellipsis', 8965: '\\barwedge', 8966: '\\varperspcorrespond', 8968: '\\lceil', 8969: '\\rceil', 8970: '\\lfloor', 8971: '\\rfloor', 8981: '\\recorder', 8982: '\\mathchar"2208', 8988: '\\ulcorner', 8989: '\\urcorner', 8990: '\\llcorner', 8991: '\\lrcorner', 8994: '\\frown', 8995: '\\smile', 9136: '\\lmoustache', 9137: '\\rmoustache', 9251: '\\textvisiblespace', 9312: '\\ding{172}', 9313: '\\ding{173}', 9314: '\\ding{174}', 9315: '\\ding{175}', 9316: '\\ding{176}', 9317: '\\ding{177}', 9318: '\\ding{178}', 9319: '\\ding{179}', 9320: '\\ding{180}', 9321: '\\ding{181}', 9416: '\\circledS', 9585: '\\diagup', 9632: '\\ding{110}', 9633: '\\square', 9642: '\\blacksquare', 9645: '\\fbox{~~}', 9650: '\\ding{115}', 9651: '\\bigtriangleup', 9652: '\\blacktriangle', 9653: '\\vartriangle', 9656: '\\blacktriangleright', 9657: '\\triangleright', 9660: '\\ding{116}', 9661: '\\bigtriangledown', 9662: '\\blacktriangledown', 9663: '\\triangledown', 9666: '\\blacktriangleleft', 9667: '\\triangleleft', 9670: '\\ding{117}', 9674: '\\lozenge', 9675: '\\bigcirc', 9679: '\\ding{108}', 9687: '\\ding{119}', 9711: '\\bigcirc', 9733: '\\ding{72}', 9734: '\\ding{73}', 9742: '\\ding{37}', 9755: '\\ding{42}', 9758: '\\ding{43}', 9790: '\\rightmoon', 9791: '\\mercury', 9792: '\\venus', 9794: '\\male', 9795: '\\jupiter', 9796: '\\saturn', 9797: '\\uranus', 9798: '\\neptune', 9799: '\\pluto', 9800: '\\aries', 9801: '\\taurus', 9802: '\\gemini', 9803: '\\cancer', 9804: '\\leo', 9805: '\\virgo', 9806: '\\libra', 9807: '\\scorpio', 9808: '\\sagittarius', 9809: '\\capricornus', 9810: '\\aquarius', 9811: '\\pisces', 9824: '\\ding{171}', 9826: '\\diamond', 9827: '\\ding{168}', 9829: '\\ding{170}', 9830: '\\ding{169}', 9833: '\\quarternote', 9834: '\\eighthnote', 9837: '\\flat', 9838: '\\natural', 9839: '\\sharp', 9985: '\\ding{33}', 9986: '\\ding{34}', 9987: '\\ding{35}', 9988: '\\ding{36}', 9990: '\\ding{38}', 9991: '\\ding{39}', 9992: '\\ding{40}', 9993: '\\ding{41}', 9996: '\\ding{44}', 9997: '\\ding{45}', 9998: '\\ding{46}', 9999: '\\ding{47}', 10000: '\\ding{48}', 10001: '\\ding{49}', 10002: '\\ding{50}', 10003: '\\ding{51}', 10004: '\\ding{52}', 10005: '\\ding{53}', 10006: '\\ding{54}', 10007: '\\ding{55}', 10008: '\\ding{56}', 10009: '\\ding{57}', 10010: '\\ding{58}', 10011: '\\ding{59}', 10012: '\\ding{60}', 10013: '\\ding{61}', 10014: '\\ding{62}', 10015: '\\ding{63}', 10016: '\\ding{64}', 10017: '\\ding{65}', 10018: '\\ding{66}', 10019: '\\ding{67}', 10020: '\\ding{68}', 10021: '\\ding{69}', 10022: '\\ding{70}', 10023: '\\ding{71}', 10025: '\\ding{73}', 10026: '\\ding{74}', 10027: '\\ding{75}', 10028: '\\ding{76}', 10029: '\\ding{77}', 10030: '\\ding{78}', 10031: '\\ding{79}', 10032: '\\ding{80}', 10033: '\\ding{81}', 10034: '\\ding{82}', 10035: '\\ding{83}', 10036: '\\ding{84}', 10037: '\\ding{85}', 10038: '\\ding{86}', 10039: '\\ding{87}', 10040: '\\ding{88}', 10041: '\\ding{89}', 10042: '\\ding{90}', 10043: '\\ding{91}', 10044: '\\ding{92}', 10045: '\\ding{93}', 10046: '\\ding{94}', 10047: '\\ding{95}', 10048: '\\ding{96}', 10049: '\\ding{97}', 10050: '\\ding{98}', 10051: '\\ding{99}', 10052: '\\ding{100}', 10053: '\\ding{101}', 10054: '\\ding{102}', 10055: '\\ding{103}', 10056: '\\ding{104}', 10057: '\\ding{105}', 10058: '\\ding{106}', 10059: '\\ding{107}', 10061: '\\ding{109}', 10063: '\\ding{111}', 10064: '\\ding{112}', 10065: '\\ding{113}', 10066: '\\ding{114}', 10070: '\\ding{118}', 10072: '\\ding{120}', 10073: '\\ding{121}', 10074: '\\ding{122}', 10075: '\\ding{123}', 10076: '\\ding{124}', 10077: '\\ding{125}', 10078: '\\ding{126}', 10081: '\\ding{161}', 10082: '\\ding{162}', 10083: '\\ding{163}', 10084: '\\ding{164}', 10085: '\\ding{165}', 10086: '\\ding{166}', 10087: '\\ding{167}', 10102: '\\ding{182}', 10103: '\\ding{183}', 10104: '\\ding{184}', 10105: '\\ding{185}', 10106: '\\ding{186}', 10107: '\\ding{187}', 10108: '\\ding{188}', 10109: '\\ding{189}', 10110: '\\ding{190}', 10111: '\\ding{191}', 10112: '\\ding{192}', 10113: '\\ding{193}', 10114: '\\ding{194}', 10115: '\\ding{195}', 10116: '\\ding{196}', 10117: '\\ding{197}', 10118: '\\ding{198}', 10119: '\\ding{199}', 10120: '\\ding{200}', 10121: '\\ding{201}', 10122: '\\ding{202}', 10123: '\\ding{203}', 10124: '\\ding{204}', 10125: '\\ding{205}', 10126: '\\ding{206}', 10127: '\\ding{207}', 10128: '\\ding{208}', 10129: '\\ding{209}', 10130: '\\ding{210}', 10131: '\\ding{211}', 10132: '\\ding{212}', 10136: '\\ding{216}', 10137: '\\ding{217}', 10138: '\\ding{218}', 10139: '\\ding{219}', 10140: '\\ding{220}', 10141: '\\ding{221}', 10142: '\\ding{222}', 10143: '\\ding{223}', 10144: '\\ding{224}', 10145: '\\ding{225}', 10146: '\\ding{226}', 10147: '\\ding{227}', 10148: '\\ding{228}', 10149: '\\ding{229}', 10150: '\\ding{230}', 10151: '\\ding{231}', 10152: '\\ding{232}', 10153: '\\ding{233}', 10154: '\\ding{234}', 10155: '\\ding{235}', 10156: '\\ding{236}', 10157: '\\ding{237}', 10158: '\\ding{238}', 10159: '\\ding{239}', 10161: '\\ding{241}', 10162: '\\ding{242}', 10163: '\\ding{243}', 10164: '\\ding{244}', 10165: '\\ding{245}', 10166: '\\ding{246}', 10167: '\\ding{247}', 10168: '\\ding{248}', 10169: '\\ding{249}', 10170: '\\ding{250}', 10171: '\\ding{251}', 10172: '\\ding{252}', 10173: '\\ding{253}', 10174: '\\ding{254}', 10216: '\\langle', 10217: '\\rangle', 10229: '\\longleftarrow', 10230: '\\longrightarrow', 10231: '\\longleftrightarrow', 10232: '\\Longleftarrow', 10233: '\\Longrightarrow', 10234: '\\Longleftrightarrow', 10236: '\\longmapsto', 10239: '\\sim\\joinrel\\leadsto', 10514: '\\UpArrowBar', 10515: '\\DownArrowBar', 10574: '\\LeftRightVector', 10575: '\\RightUpDownVector', 10576: '\\DownLeftRightVector', 10577: '\\LeftUpDownVector', 10578: '\\LeftVectorBar', 10579: '\\RightVectorBar', 10580: '\\RightUpVectorBar', 10581: '\\RightDownVectorBar', 10582: '\\DownLeftVectorBar', 10583: '\\DownRightVectorBar', 10584: '\\LeftUpVectorBar', 10585: '\\LeftDownVectorBar', 10586: '\\LeftTeeVector', 10587: '\\RightTeeVector', 10588: '\\RightUpTeeVector', 10589: '\\RightDownTeeVector', 10590: '\\DownLeftTeeVector', 10591: '\\DownRightTeeVector', 10592: '\\LeftUpTeeVector', 10593: '\\LeftDownTeeVector', 10606: '\\UpEquilibrium', 10607: '\\ReverseUpEquilibrium', 10608: '\\RoundImplies', 10643: '<\\kern-0.58em(', 10652: '\\Angle', 10703: '\\LeftTriangleBar', 10704: '\\RightTriangleBar', 10731: '\\blacklozenge', 10740: '\\RuleDelayed', 10767: '\\clockoint', 10774: '\\sqrint', 10815: '\\amalg', 10846: '\\perspcorrespond', 10862: '\\stackrel{*}{=}', 10869: '\\Equal', 10877: '\\leqslant', 10878: '\\geqslant', 10885: '\\lessapprox', 10886: '\\gtrapprox', 10887: '\\lneq', 10888: '\\gneq', 10889: '\\lnapprox', 10890: '\\gnapprox', 10891: '\\lesseqqgtr', 10892: '\\gtreqqless', 10901: '\\eqslantless', 10902: '\\eqslantgtr', 10909: '\\Pisymbol{ppi020}{117}', 10910: '\\Pisymbol{ppi020}{105}', 10913: '\\NestedLessLess', 10914: '\\NestedGreaterGreater', 10927: '\\preceq', 10928: '\\succeq', 10933: '\\precneqq', 10934: '\\succneqq', 10935: '\\precapprox', 10936: '\\succapprox', 10937: '\\precnapprox', 10938: '\\succnapprox', 10949: '\\subseteqq', 10950: '\\supseteqq', 10955: '\\subsetneqq', 10956: '\\supsetneqq', 11005: '{{/}\\!\\!{/}}', 12314: '\\openbracketleft', 12315: '\\openbracketright', 64256: 'ff', 64257: 'fi', 64258: 'fl', 64259: 'ffi', 64260: 'ffl', 119808: '\\mathbf{A}', 119809: '\\mathbf{B}', 119810: '\\mathbf{C}', 119811: '\\mathbf{D}', 119812: '\\mathbf{E}', 119813: '\\mathbf{F}', 119814: '\\mathbf{G}', 119815: '\\mathbf{H}', 119816: '\\mathbf{I}', 119817: '\\mathbf{J}', 119818: '\\mathbf{K}', 119819: '\\mathbf{L}', 119820: '\\mathbf{M}', 119821: '\\mathbf{N}', 119822: '\\mathbf{O}', 119823: '\\mathbf{P}', 119824: '\\mathbf{Q}', 119825: '\\mathbf{R}', 119826: '\\mathbf{S}', 119827: '\\mathbf{T}', 119828: '\\mathbf{U}', 119829: '\\mathbf{V}', 119830: '\\mathbf{W}', 119831: '\\mathbf{X}', 119832: '\\mathbf{Y}', 119833: '\\mathbf{Z}', 119834: '\\mathbf{a}', 119835: '\\mathbf{b}', 119836: '\\mathbf{c}', 119837: '\\mathbf{d}', 119838: '\\mathbf{e}', 119839: '\\mathbf{f}', 119840: '\\mathbf{g}', 119841: '\\mathbf{h}', 119842: '\\mathbf{i}', 119843: '\\mathbf{j}', 119844: '\\mathbf{k}', 119845: '\\mathbf{l}', 119846: '\\mathbf{m}', 119847: '\\mathbf{n}', 119848: '\\mathbf{o}', 119849: '\\mathbf{p}', 119850: '\\mathbf{q}', 119851: '\\mathbf{r}', 119852: '\\mathbf{s}', 119853: '\\mathbf{t}', 119854: '\\mathbf{u}', 119855: '\\mathbf{v}', 119856: '\\mathbf{w}', 119857: '\\mathbf{x}', 119858: '\\mathbf{y}', 119859: '\\mathbf{z}', 119860: '\\mathmit{A}', 119861: '\\mathmit{B}', 119862: '\\mathmit{C}', 119863: '\\mathmit{D}', 119864: '\\mathmit{E}', 119865: '\\mathmit{F}', 119866: '\\mathmit{G}', 119867: '\\mathmit{H}', 119868: '\\mathmit{I}', 119869: '\\mathmit{J}', 119870: '\\mathmit{K}', 119871: '\\mathmit{L}', 119872: '\\mathmit{M}', 119873: '\\mathmit{N}', 119874: '\\mathmit{O}', 119875: '\\mathmit{P}', 119876: '\\mathmit{Q}', 119877: '\\mathmit{R}', 119878: '\\mathmit{S}', 119879: '\\mathmit{T}', 119880: '\\mathmit{U}', 119881: '\\mathmit{V}', 119882: '\\mathmit{W}', 119883: '\\mathmit{X}', 119884: '\\mathmit{Y}', 119885: '\\mathmit{Z}', 119886: '\\mathmit{a}', 119887: '\\mathmit{b}', 119888: '\\mathmit{c}', 119889: '\\mathmit{d}', 119890: '\\mathmit{e}', 119891: '\\mathmit{f}', 119892: '\\mathmit{g}', 119894: '\\mathmit{i}', 119895: '\\mathmit{j}', 119896: '\\mathmit{k}', 119897: '\\mathmit{l}', 119898: '\\mathmit{m}', 119899: '\\mathmit{n}', 119900: '\\mathmit{o}', 119901: '\\mathmit{p}', 119902: '\\mathmit{q}', 119903: '\\mathmit{r}', 119904: '\\mathmit{s}', 119905: '\\mathmit{t}', 119906: '\\mathmit{u}', 119907: '\\mathmit{v}', 119908: '\\mathmit{w}', 119909: '\\mathmit{x}', 119910: '\\mathmit{y}', 119911: '\\mathmit{z}', 119912: '\\mathbit{A}', 119913: '\\mathbit{B}', 119914: '\\mathbit{C}', 119915: '\\mathbit{D}', 119916: '\\mathbit{E}', 119917: '\\mathbit{F}', 119918: '\\mathbit{G}', 119919: '\\mathbit{H}', 119920: '\\mathbit{I}', 119921: '\\mathbit{J}', 119922: '\\mathbit{K}', 119923: '\\mathbit{L}', 119924: '\\mathbit{M}', 119925: '\\mathbit{N}', 119926: '\\mathbit{O}', 119927: '\\mathbit{P}', 119928: '\\mathbit{Q}', 119929: '\\mathbit{R}', 119930: '\\mathbit{S}', 119931: '\\mathbit{T}', 119932: '\\mathbit{U}', 119933: '\\mathbit{V}', 119934: '\\mathbit{W}', 119935: '\\mathbit{X}', 119936: '\\mathbit{Y}', 119937: '\\mathbit{Z}', 119938: '\\mathbit{a}', 119939: '\\mathbit{b}', 119940: '\\mathbit{c}', 119941: '\\mathbit{d}', 119942: '\\mathbit{e}', 119943: '\\mathbit{f}', 119944: '\\mathbit{g}', 119945: '\\mathbit{h}', 119946: '\\mathbit{i}', 119947: '\\mathbit{j}', 119948: '\\mathbit{k}', 119949: '\\mathbit{l}', 119950: '\\mathbit{m}', 119951: '\\mathbit{n}', 119952: '\\mathbit{o}', 119953: '\\mathbit{p}', 119954: '\\mathbit{q}', 119955: '\\mathbit{r}', 119956: '\\mathbit{s}', 119957: '\\mathbit{t}', 119958: '\\mathbit{u}', 119959: '\\mathbit{v}', 119960: '\\mathbit{w}', 119961: '\\mathbit{x}', 119962: '\\mathbit{y}', 119963: '\\mathbit{z}', 119964: '\\mathscr{A}', 119966: '\\mathscr{C}', 119967: '\\mathscr{D}', 119970: '\\mathscr{G}', 119973: '\\mathscr{J}', 119974: '\\mathscr{K}', 119977: '\\mathscr{N}', 119978: '\\mathscr{O}', 119979: '\\mathscr{P}', 119980: '\\mathscr{Q}', 119982: '\\mathscr{S}', 119983: '\\mathscr{T}', 119984: '\\mathscr{U}', 119985: '\\mathscr{V}', 119986: '\\mathscr{W}', 119987: '\\mathscr{X}', 119988: '\\mathscr{Y}', 119989: '\\mathscr{Z}', 119990: '\\mathscr{a}', 119991: '\\mathscr{b}', 119992: '\\mathscr{c}', 119993: '\\mathscr{d}', 119995: '\\mathscr{f}', 119997: '\\mathscr{h}', 119998: '\\mathscr{i}', 119999: '\\mathscr{j}', 120000: '\\mathscr{k}', 120001: '\\mathscr{l}', 120002: '\\mathscr{m}', 120003: '\\mathscr{n}', 120005: '\\mathscr{p}', 120006: '\\mathscr{q}', 120007: '\\mathscr{r}', 120008: '\\mathscr{s}', 120009: '\\mathscr{t}', 120010: '\\mathscr{u}', 120011: '\\mathscr{v}', 120012: '\\mathscr{w}', 120013: '\\mathscr{x}', 120014: '\\mathscr{y}', 120015: '\\mathscr{z}', 120016: '\\mathbcal{A}', 120017: '\\mathbcal{B}', 120018: '\\mathbcal{C}', 120019: '\\mathbcal{D}', 120020: '\\mathbcal{E}', 120021: '\\mathbcal{F}', 120022: '\\mathbcal{G}', 120023: '\\mathbcal{H}', 120024: '\\mathbcal{I}', 120025: '\\mathbcal{J}', 120026: '\\mathbcal{K}', 120027: '\\mathbcal{L}', 120028: '\\mathbcal{M}', 120029: '\\mathbcal{N}', 120030: '\\mathbcal{O}', 120031: '\\mathbcal{P}', 120032: '\\mathbcal{Q}', 120033: '\\mathbcal{R}', 120034: '\\mathbcal{S}', 120035: '\\mathbcal{T}', 120036: '\\mathbcal{U}', 120037: '\\mathbcal{V}', 120038: '\\mathbcal{W}', 120039: '\\mathbcal{X}', 120040: '\\mathbcal{Y}', 120041: '\\mathbcal{Z}', 120042: '\\mathbcal{a}', 120043: '\\mathbcal{b}', 120044: '\\mathbcal{c}', 120045: '\\mathbcal{d}', 120046: '\\mathbcal{e}', 120047: '\\mathbcal{f}', 120048: '\\mathbcal{g}', 120049: '\\mathbcal{h}', 120050: '\\mathbcal{i}', 120051: '\\mathbcal{j}', 120052: '\\mathbcal{k}', 120053: '\\mathbcal{l}', 120054: '\\mathbcal{m}', 120055: '\\mathbcal{n}', 120056: '\\mathbcal{o}', 120057: '\\mathbcal{p}', 120058: '\\mathbcal{q}', 120059: '\\mathbcal{r}', 120060: '\\mathbcal{s}', 120061: '\\mathbcal{t}', 120062: '\\mathbcal{u}', 120063: '\\mathbcal{v}', 120064: '\\mathbcal{w}', 120065: '\\mathbcal{x}', 120066: '\\mathbcal{y}', 120067: '\\mathbcal{z}', 120068: '\\mathfrak{A}', 120069: '\\mathfrak{B}', 120071: '\\mathfrak{D}', 120072: '\\mathfrak{E}', 120073: '\\mathfrak{F}', 120074: '\\mathfrak{G}', 120077: '\\mathfrak{J}', 120078: '\\mathfrak{K}', 120079: '\\mathfrak{L}', 120080: '\\mathfrak{M}', 120081: '\\mathfrak{N}', 120082: '\\mathfrak{O}', 120083: '\\mathfrak{P}', 120084: '\\mathfrak{Q}', 120086: '\\mathfrak{S}', 120087: '\\mathfrak{T}', 120088: '\\mathfrak{U}', 120089: '\\mathfrak{V}', 120090: '\\mathfrak{W}', 120091: '\\mathfrak{X}', 120092: '\\mathfrak{Y}', 120094: '\\mathfrak{a}', 120095: '\\mathfrak{b}', 120096: '\\mathfrak{c}', 120097: '\\mathfrak{d}', 120098: '\\mathfrak{e}', 120099: '\\mathfrak{f}', 120100: '\\mathfrak{g}', 120101: '\\mathfrak{h}', 120102: '\\mathfrak{i}', 120103: '\\mathfrak{j}', 120104: '\\mathfrak{k}', 120105: '\\mathfrak{l}', 120106: '\\mathfrak{m}', 120107: '\\mathfrak{n}', 120108: '\\mathfrak{o}', 120109: '\\mathfrak{p}', 120110: '\\mathfrak{q}', 120111: '\\mathfrak{r}', 120112: '\\mathfrak{s}', 120113: '\\mathfrak{t}', 120114: '\\mathfrak{u}', 120115: '\\mathfrak{v}', 120116: '\\mathfrak{w}', 120117: '\\mathfrak{x}', 120118: '\\mathfrak{y}', 120119: '\\mathfrak{z}', 120120: '\\mathbb{A}', 120121: '\\mathbb{B}', 120123: '\\mathbb{D}', 120124: '\\mathbb{E}', 120125: '\\mathbb{F}', 120126: '\\mathbb{G}', 120128: '\\mathbb{I}', 120129: '\\mathbb{J}', 120130: '\\mathbb{K}', 120131: '\\mathbb{L}', 120132: '\\mathbb{M}', 120134: '\\mathbb{O}', 120138: '\\mathbb{S}', 120139: '\\mathbb{T}', 120140: '\\mathbb{U}', 120141: '\\mathbb{V}', 120142: '\\mathbb{W}', 120143: '\\mathbb{X}', 120144: '\\mathbb{Y}', 120146: '\\mathbb{a}', 120147: '\\mathbb{b}', 120148: '\\mathbb{c}', 120149: '\\mathbb{d}', 120150: '\\mathbb{e}', 120151: '\\mathbb{f}', 120152: '\\mathbb{g}', 120153: '\\mathbb{h}', 120154: '\\mathbb{i}', 120155: '\\mathbb{j}', 120156: '\\mathbb{k}', 120157: '\\mathbb{l}', 120158: '\\mathbb{m}', 120159: '\\mathbb{n}', 120160: '\\mathbb{o}', 120161: '\\mathbb{p}', 120162: '\\mathbb{q}', 120163: '\\mathbb{r}', 120164: '\\mathbb{s}', 120165: '\\mathbb{t}', 120166: '\\mathbb{u}', 120167: '\\mathbb{v}', 120168: '\\mathbb{w}', 120169: '\\mathbb{x}', 120170: '\\mathbb{y}', 120171: '\\mathbb{z}', 120172: '\\mathbfrak{A}', 120173: '\\mathbfrak{B}', 120174: '\\mathbfrak{C}', 120175: '\\mathbfrak{D}', 120176: '\\mathbfrak{E}', 120177: '\\mathbfrak{F}', 120178: '\\mathbfrak{G}', 120179: '\\mathbfrak{H}', 120180: '\\mathbfrak{I}', 120181: '\\mathbfrak{J}', 120182: '\\mathbfrak{K}', 120183: '\\mathbfrak{L}', 120184: '\\mathbfrak{M}', 120185: '\\mathbfrak{N}', 120186: '\\mathbfrak{O}', 120187: '\\mathbfrak{P}', 120188: '\\mathbfrak{Q}', 120189: '\\mathbfrak{R}', 120190: '\\mathbfrak{S}', 120191: '\\mathbfrak{T}', 120192: '\\mathbfrak{U}', 120193: '\\mathbfrak{V}', 120194: '\\mathbfrak{W}', 120195: '\\mathbfrak{X}', 120196: '\\mathbfrak{Y}', 120197: '\\mathbfrak{Z}', 120198: '\\mathbfrak{a}', 120199: '\\mathbfrak{b}', 120200: '\\mathbfrak{c}', 120201: '\\mathbfrak{d}', 120202: '\\mathbfrak{e}', 120203: '\\mathbfrak{f}', 120204: '\\mathbfrak{g}', 120205: '\\mathbfrak{h}', 120206: '\\mathbfrak{i}', 120207: '\\mathbfrak{j}', 120208: '\\mathbfrak{k}', 120209: '\\mathbfrak{l}', 120210: '\\mathbfrak{m}', 120211: '\\mathbfrak{n}', 120212: '\\mathbfrak{o}', 120213: '\\mathbfrak{p}', 120214: '\\mathbfrak{q}', 120215: '\\mathbfrak{r}', 120216: '\\mathbfrak{s}', 120217: '\\mathbfrak{t}', 120218: '\\mathbfrak{u}', 120219: '\\mathbfrak{v}', 120220: '\\mathbfrak{w}', 120221: '\\mathbfrak{x}', 120222: '\\mathbfrak{y}', 120223: '\\mathbfrak{z}', 120224: '\\mathsf{A}', 120225: '\\mathsf{B}', 120226: '\\mathsf{C}', 120227: '\\mathsf{D}', 120228: '\\mathsf{E}', 120229: '\\mathsf{F}', 120230: '\\mathsf{G}', 120231: '\\mathsf{H}', 120232: '\\mathsf{I}', 120233: '\\mathsf{J}', 120234: '\\mathsf{K}', 120235: '\\mathsf{L}', 120236: '\\mathsf{M}', 120237: '\\mathsf{N}', 120238: '\\mathsf{O}', 120239: '\\mathsf{P}', 120240: '\\mathsf{Q}', 120241: '\\mathsf{R}', 120242: '\\mathsf{S}', 120243: '\\mathsf{T}', 120244: '\\mathsf{U}', 120245: '\\mathsf{V}', 120246: '\\mathsf{W}', 120247: '\\mathsf{X}', 120248: '\\mathsf{Y}', 120249: '\\mathsf{Z}', 120250: '\\mathsf{a}', 120251: '\\mathsf{b}', 120252: '\\mathsf{c}', 120253: '\\mathsf{d}', 120254: '\\mathsf{e}', 120255: '\\mathsf{f}', 120256: '\\mathsf{g}', 120257: '\\mathsf{h}', 120258: '\\mathsf{i}', 120259: '\\mathsf{j}', 120260: '\\mathsf{k}', 120261: '\\mathsf{l}', 120262: '\\mathsf{m}', 120263: '\\mathsf{n}', 120264: '\\mathsf{o}', 120265: '\\mathsf{p}', 120266: '\\mathsf{q}', 120267: '\\mathsf{r}', 120268: '\\mathsf{s}', 120269: '\\mathsf{t}', 120270: '\\mathsf{u}', 120271: '\\mathsf{v}', 120272: '\\mathsf{w}', 120273: '\\mathsf{x}', 120274: '\\mathsf{y}', 120275: '\\mathsf{z}', 120276: '\\mathsfbf{A}', 120277: '\\mathsfbf{B}', 120278: '\\mathsfbf{C}', 120279: '\\mathsfbf{D}', 120280: '\\mathsfbf{E}', 120281: '\\mathsfbf{F}', 120282: '\\mathsfbf{G}', 120283: '\\mathsfbf{H}', 120284: '\\mathsfbf{I}', 120285: '\\mathsfbf{J}', 120286: '\\mathsfbf{K}', 120287: '\\mathsfbf{L}', 120288: '\\mathsfbf{M}', 120289: '\\mathsfbf{N}', 120290: '\\mathsfbf{O}', 120291: '\\mathsfbf{P}', 120292: '\\mathsfbf{Q}', 120293: '\\mathsfbf{R}', 120294: '\\mathsfbf{S}', 120295: '\\mathsfbf{T}', 120296: '\\mathsfbf{U}', 120297: '\\mathsfbf{V}', 120298: '\\mathsfbf{W}', 120299: '\\mathsfbf{X}', 120300: '\\mathsfbf{Y}', 120301: '\\mathsfbf{Z}', 120302: '\\mathsfbf{a}', 120303: '\\mathsfbf{b}', 120304: '\\mathsfbf{c}', 120305: '\\mathsfbf{d}', 120306: '\\mathsfbf{e}', 120307: '\\mathsfbf{f}', 120308: '\\mathsfbf{g}', 120309: '\\mathsfbf{h}', 120310: '\\mathsfbf{i}', 120311: '\\mathsfbf{j}', 120312: '\\mathsfbf{k}', 120313: '\\mathsfbf{l}', 120314: '\\mathsfbf{m}', 120315: '\\mathsfbf{n}', 120316: '\\mathsfbf{o}', 120317: '\\mathsfbf{p}', 120318: '\\mathsfbf{q}', 120319: '\\mathsfbf{r}', 120320: '\\mathsfbf{s}', 120321: '\\mathsfbf{t}', 120322: '\\mathsfbf{u}', 120323: '\\mathsfbf{v}', 120324: '\\mathsfbf{w}', 120325: '\\mathsfbf{x}', 120326: '\\mathsfbf{y}', 120327: '\\mathsfbf{z}', 120328: '\\mathsfsl{A}', 120329: '\\mathsfsl{B}', 120330: '\\mathsfsl{C}', 120331: '\\mathsfsl{D}', 120332: '\\mathsfsl{E}', 120333: '\\mathsfsl{F}', 120334: '\\mathsfsl{G}', 120335: '\\mathsfsl{H}', 120336: '\\mathsfsl{I}', 120337: '\\mathsfsl{J}', 120338: '\\mathsfsl{K}', 120339: '\\mathsfsl{L}', 120340: '\\mathsfsl{M}', 120341: '\\mathsfsl{N}', 120342: '\\mathsfsl{O}', 120343: '\\mathsfsl{P}', 120344: '\\mathsfsl{Q}', 120345: '\\mathsfsl{R}', 120346: '\\mathsfsl{S}', 120347: '\\mathsfsl{T}', 120348: '\\mathsfsl{U}', 120349: '\\mathsfsl{V}', 120350: '\\mathsfsl{W}', 120351: '\\mathsfsl{X}', 120352: '\\mathsfsl{Y}', 120353: '\\mathsfsl{Z}', 120354: '\\mathsfsl{a}', 120355: '\\mathsfsl{b}', 120356: '\\mathsfsl{c}', 120357: '\\mathsfsl{d}', 120358: '\\mathsfsl{e}', 120359: '\\mathsfsl{f}', 120360: '\\mathsfsl{g}', 120361: '\\mathsfsl{h}', 120362: '\\mathsfsl{i}', 120363: '\\mathsfsl{j}', 120364: '\\mathsfsl{k}', 120365: '\\mathsfsl{l}', 120366: '\\mathsfsl{m}', 120367: '\\mathsfsl{n}', 120368: '\\mathsfsl{o}', 120369: '\\mathsfsl{p}', 120370: '\\mathsfsl{q}', 120371: '\\mathsfsl{r}', 120372: '\\mathsfsl{s}', 120373: '\\mathsfsl{t}', 120374: '\\mathsfsl{u}', 120375: '\\mathsfsl{v}', 120376: '\\mathsfsl{w}', 120377: '\\mathsfsl{x}', 120378: '\\mathsfsl{y}', 120379: '\\mathsfsl{z}', 120380: '\\mathsfbfsl{A}', 120381: '\\mathsfbfsl{B}', 120382: '\\mathsfbfsl{C}', 120383: '\\mathsfbfsl{D}', 120384: '\\mathsfbfsl{E}', 120385: '\\mathsfbfsl{F}', 120386: '\\mathsfbfsl{G}', 120387: '\\mathsfbfsl{H}', 120388: '\\mathsfbfsl{I}', 120389: '\\mathsfbfsl{J}', 120390: '\\mathsfbfsl{K}', 120391: '\\mathsfbfsl{L}', 120392: '\\mathsfbfsl{M}', 120393: '\\mathsfbfsl{N}', 120394: '\\mathsfbfsl{O}', 120395: '\\mathsfbfsl{P}', 120396: '\\mathsfbfsl{Q}', 120397: '\\mathsfbfsl{R}', 120398: '\\mathsfbfsl{S}', 120399: '\\mathsfbfsl{T}', 120400: '\\mathsfbfsl{U}', 120401: '\\mathsfbfsl{V}', 120402: '\\mathsfbfsl{W}', 120403: '\\mathsfbfsl{X}', 120404: '\\mathsfbfsl{Y}', 120405: '\\mathsfbfsl{Z}', 120406: '\\mathsfbfsl{a}', 120407: '\\mathsfbfsl{b}', 120408: '\\mathsfbfsl{c}', 120409: '\\mathsfbfsl{d}', 120410: '\\mathsfbfsl{e}', 120411: '\\mathsfbfsl{f}', 120412: '\\mathsfbfsl{g}', 120413: '\\mathsfbfsl{h}', 120414: '\\mathsfbfsl{i}', 120415: '\\mathsfbfsl{j}', 120416: '\\mathsfbfsl{k}', 120417: '\\mathsfbfsl{l}', 120418: '\\mathsfbfsl{m}', 120419: '\\mathsfbfsl{n}', 120420: '\\mathsfbfsl{o}', 120421: '\\mathsfbfsl{p}', 120422: '\\mathsfbfsl{q}', 120423: '\\mathsfbfsl{r}', 120424: '\\mathsfbfsl{s}', 120425: '\\mathsfbfsl{t}', 120426: '\\mathsfbfsl{u}', 120427: '\\mathsfbfsl{v}', 120428: '\\mathsfbfsl{w}', 120429: '\\mathsfbfsl{x}', 120430: '\\mathsfbfsl{y}', 120431: '\\mathsfbfsl{z}', 120432: '\\mathtt{A}', 120433: '\\mathtt{B}', 120434: '\\mathtt{C}', 120435: '\\mathtt{D}', 120436: '\\mathtt{E}', 120437: '\\mathtt{F}', 120438: '\\mathtt{G}', 120439: '\\mathtt{H}', 120440: '\\mathtt{I}', 120441: '\\mathtt{J}', 120442: '\\mathtt{K}', 120443: '\\mathtt{L}', 120444: '\\mathtt{M}', 120445: '\\mathtt{N}', 120446: '\\mathtt{O}', 120447: '\\mathtt{P}', 120448: '\\mathtt{Q}', 120449: '\\mathtt{R}', 120450: '\\mathtt{S}', 120451: '\\mathtt{T}', 120452: '\\mathtt{U}', 120453: '\\mathtt{V}', 120454: '\\mathtt{W}', 120455: '\\mathtt{X}', 120456: '\\mathtt{Y}', 120457: '\\mathtt{Z}', 120458: '\\mathtt{a}', 120459: '\\mathtt{b}', 120460: '\\mathtt{c}', 120461: '\\mathtt{d}', 120462: '\\mathtt{e}', 120463: '\\mathtt{f}', 120464: '\\mathtt{g}', 120465: '\\mathtt{h}', 120466: '\\mathtt{i}', 120467: '\\mathtt{j}', 120468: '\\mathtt{k}', 120469: '\\mathtt{l}', 120470: '\\mathtt{m}', 120471: '\\mathtt{n}', 120472: '\\mathtt{o}', 120473: '\\mathtt{p}', 120474: '\\mathtt{q}', 120475: '\\mathtt{r}', 120476: '\\mathtt{s}', 120477: '\\mathtt{t}', 120478: '\\mathtt{u}', 120479: '\\mathtt{v}', 120480: '\\mathtt{w}', 120481: '\\mathtt{x}', 120482: '\\mathtt{y}', 120483: '\\mathtt{z}', 120488: '\\mathbf{\\Alpha}', 120489: '\\mathbf{\\Beta}', 120490: '\\mathbf{\\Gamma}', 120491: '\\mathbf{\\Delta}', 120492: '\\mathbf{\\Epsilon}', 120493: '\\mathbf{\\Zeta}', 120494: '\\mathbf{\\Eta}', 120495: '\\mathbf{\\Theta}', 120496: '\\mathbf{\\Iota}', 120497: '\\mathbf{\\Kappa}', 120498: '\\mathbf{\\Lambda}', 120499: '\\mathbf{M}', 120500: 'N', 120501: '\\mathbf{\\Xi}', 120502: 'O', 120503: '\\mathbf{\\Pi}', 120504: '\\mathbf{\\Rho}', 120505: '\\mathbf{\\vartheta}', 120506: '\\mathbf{\\Sigma}', 120507: '\\mathbf{\\Tau}', 120508: '\\mathbf{\\Upsilon}', 120509: '\\mathbf{\\Phi}', 120510: '\\mathbf{\\Chi}', 120511: '\\mathbf{\\Psi}', 120512: '\\mathbf{\\Omega}', 120513: '\\mathbf{\\nabla}', 120514: '\\mathbf{\\alpha}', 120515: '\\mathbf{\\beta}', 120516: '\\mathbf{\\gamma}', 120517: '\\mathbf{\\delta}', 120518: '\\mathbf{\\epsilon}', 120519: '\\mathbf{\\zeta}', 120520: '\\mathbf{\\eta}', 120521: '\\mathbf{\\theta}', 120522: '\\mathbf{\\iota}', 120523: '\\mathbf{\\kappa}', 120524: '\\mathbf{\\lambda}', 120525: '\\mathbf{\\mu}', 120526: '\\mathbf{\\nu}', 120527: '\\mathbf{\\xi}', 120528: '\\mathbf{o}', 120529: '\\mathbf{\\pi}', 120530: '\\mathbf{\\rho}', 120531: '\\mathbf{\\varsigma}', 120532: '\\mathbf{\\sigma}', 120533: '\\mathbf{\\tau}', 120534: '\\mathbf{\\upsilon}', 120535: '\\mathbf{\\phi}', 120536: '\\mathbf{\\chi}', 120537: '\\mathbf{\\psi}', 120538: '\\mathbf{\\omega}', 120539: '\\partial', 120540: '\\mathbf{\\varepsilon}', 120541: '\\mathbf{\\vartheta}', 120542: '\\mathbf{\\varkappa}', 120543: '\\mathbf{\\phi}', 120544: '\\mathbf{\\varrho}', 120545: '\\mathbf{\\varpi}', 120546: '\\mathmit{\\Alpha}', 120547: '\\mathmit{\\Beta}', 120548: '\\mathmit{\\Gamma}', 120549: '\\mathmit{\\Delta}', 120550: '\\mathmit{\\Epsilon}', 120551: '\\mathmit{\\Zeta}', 120552: '\\mathmit{\\Eta}', 120553: '\\mathmit{\\Theta}', 120554: '\\mathmit{\\Iota}', 120555: '\\mathmit{\\Kappa}', 120556: '\\mathmit{\\Lambda}', 120557: '\\mathmit{M}', 120558: 'N', 120559: '\\mathmit{\\Xi}', 120560: 'O', 120561: '\\mathmit{\\Pi}', 120562: '\\mathmit{\\Rho}', 120563: '\\mathmit{\\vartheta}', 120564: '\\mathmit{\\Sigma}', 120565: '\\mathmit{\\Tau}', 120566: '\\mathmit{\\Upsilon}', 120567: '\\mathmit{\\Phi}', 120568: '\\mathmit{\\Chi}', 120569: '\\mathmit{\\Psi}', 120570: '\\mathmit{\\Omega}', 120571: '\\mathmit{\\nabla}', 120572: '\\mathmit{\\alpha}', 120573: '\\mathmit{\\beta}', 120574: '\\mathmit{\\gamma}', 120575: '\\mathmit{\\delta}', 120576: '\\mathmit{\\epsilon}', 120577: '\\mathmit{\\zeta}', 120578: '\\mathmit{\\eta}', 120579: '\\mathmit{\\theta}', 120580: '\\mathmit{\\iota}', 120581: '\\mathmit{\\kappa}', 120582: '\\mathmit{\\lambda}', 120583: '\\mathmit{\\mu}', 120584: '\\mathmit{\\nu}', 120585: '\\mathmit{\\xi}', 120586: '\\mathmit{o}', 120587: '\\mathmit{\\pi}', 120588: '\\mathmit{\\rho}', 120589: '\\mathmit{\\varsigma}', 120590: '\\mathmit{\\sigma}', 120591: '\\mathmit{\\tau}', 120592: '\\mathmit{\\upsilon}', 120593: '\\mathmit{\\phi}', 120594: '\\mathmit{\\chi}', 120595: '\\mathmit{\\psi}', 120596: '\\mathmit{\\omega}', 120597: '\\partial', 120598: '\\in', 120599: '\\mathmit{\\vartheta}', 120600: '\\mathmit{\\varkappa}', 120601: '\\mathmit{\\phi}', 120602: '\\mathmit{\\varrho}', 120603: '\\mathmit{\\varpi}', 120604: '\\mathbit{\\Alpha}', 120605: '\\mathbit{\\Beta}', 120606: '\\mathbit{\\Gamma}', 120607: '\\mathbit{\\Delta}', 120608: '\\mathbit{\\Epsilon}', 120609: '\\mathbit{\\Zeta}', 120610: '\\mathbit{\\Eta}', 120611: '\\mathbit{\\Theta}', 120612: '\\mathbit{\\Iota}', 120613: '\\mathbit{\\Kappa}', 120614: '\\mathbit{\\Lambda}', 120615: '\\mathbit{M}', 120616: '\\mathbit{N}', 120617: '\\mathbit{\\Xi}', 120618: 'O', 120619: '\\mathbit{\\Pi}', 120620: '\\mathbit{\\Rho}', 120621: '\\mathbit{O}', 120622: '\\mathbit{\\Sigma}', 120623: '\\mathbit{\\Tau}', 120624: '\\mathbit{\\Upsilon}', 120625: '\\mathbit{\\Phi}', 120626: '\\mathbit{\\Chi}', 120627: '\\mathbit{\\Psi}', 120628: '\\mathbit{\\Omega}', 120629: '\\mathbit{\\nabla}', 120630: '\\mathbit{\\alpha}', 120631: '\\mathbit{\\beta}', 120632: '\\mathbit{\\gamma}', 120633: '\\mathbit{\\delta}', 120634: '\\mathbit{\\epsilon}', 120635: '\\mathbit{\\zeta}', 120636: '\\mathbit{\\eta}', 120637: '\\mathbit{\\theta}', 120638: '\\mathbit{\\iota}', 120639: '\\mathbit{\\kappa}', 120640: '\\mathbit{\\lambda}', 120641: '\\mathbit{\\mu}', 120642: '\\mathbit{\\nu}', 120643: '\\mathbit{\\xi}', 120644: '\\mathbit{o}', 120645: '\\mathbit{\\pi}', 120646: '\\mathbit{\\rho}', 120647: '\\mathbit{\\varsigma}', 120648: '\\mathbit{\\sigma}', 120649: '\\mathbit{\\tau}', 120650: '\\mathbit{\\upsilon}', 120651: '\\mathbit{\\phi}', 120652: '\\mathbit{\\chi}', 120653: '\\mathbit{\\psi}', 120654: '\\mathbit{\\omega}', 120655: '\\partial', 120656: '\\in', 120657: '\\mathbit{\\vartheta}', 120658: '\\mathbit{\\varkappa}', 120659: '\\mathbit{\\phi}', 120660: '\\mathbit{\\varrho}', 120661: '\\mathbit{\\varpi}', 120662: '\\mathsfbf{\\Alpha}', 120663: '\\mathsfbf{\\Beta}', 120664: '\\mathsfbf{\\Gamma}', 120665: '\\mathsfbf{\\Delta}', 120666: '\\mathsfbf{\\Epsilon}', 120667: '\\mathsfbf{\\Zeta}', 120668: '\\mathsfbf{\\Eta}', 120669: '\\mathsfbf{\\Theta}', 120670: '\\mathsfbf{\\Iota}', 120671: '\\mathsfbf{\\Kappa}', 120672: '\\mathsfbf{\\Lambda}', 120673: '\\mathsfbf{M}', 120674: '\\mathsfbf{N}', 120675: '\\mathsfbf{\\Xi}', 120676: 'O', 120677: '\\mathsfbf{\\Pi}', 120678: '\\mathsfbf{\\Rho}', 120679: '\\mathsfbf{\\vartheta}', 120680: '\\mathsfbf{\\Sigma}', 120681: '\\mathsfbf{\\Tau}', 120682: '\\mathsfbf{\\Upsilon}', 120683: '\\mathsfbf{\\Phi}', 120684: '\\mathsfbf{\\Chi}', 120685: '\\mathsfbf{\\Psi}', 120686: '\\mathsfbf{\\Omega}', 120687: '\\mathsfbf{\\nabla}', 120688: '\\mathsfbf{\\alpha}', 120689: '\\mathsfbf{\\beta}', 120690: '\\mathsfbf{\\gamma}', 120691: '\\mathsfbf{\\delta}', 120692: '\\mathsfbf{\\epsilon}', 120693: '\\mathsfbf{\\zeta}', 120694: '\\mathsfbf{\\eta}', 120695: '\\mathsfbf{\\theta}', 120696: '\\mathsfbf{\\iota}', 120697: '\\mathsfbf{\\kappa}', 120698: '\\mathsfbf{\\lambda}', 120699: '\\mathsfbf{\\mu}', 120700: '\\mathsfbf{\\nu}', 120701: '\\mathsfbf{\\xi}', 120702: '\\mathsfbf{o}', 120703: '\\mathsfbf{\\pi}', 120704: '\\mathsfbf{\\rho}', 120705: '\\mathsfbf{\\varsigma}', 120706: '\\mathsfbf{\\sigma}', 120707: '\\mathsfbf{\\tau}', 120708: '\\mathsfbf{\\upsilon}', 120709: '\\mathsfbf{\\phi}', 120710: '\\mathsfbf{\\chi}', 120711: '\\mathsfbf{\\psi}', 120712: '\\mathsfbf{\\omega}', 120713: '\\partial', 120714: '\\mathsfbf{\\varepsilon}', 120715: '\\mathsfbf{\\vartheta}', 120716: '\\mathsfbf{\\varkappa}', 120717: '\\mathsfbf{\\phi}', 120718: '\\mathsfbf{\\varrho}', 120719: '\\mathsfbf{\\varpi}', 120720: '\\mathsfbfsl{\\Alpha}', 120721: '\\mathsfbfsl{\\Beta}', 120722: '\\mathsfbfsl{\\Gamma}', 120723: '\\mathsfbfsl{\\Delta}', 120724: '\\mathsfbfsl{\\Epsilon}', 120725: '\\mathsfbfsl{\\Zeta}', 120726: '\\mathsfbfsl{\\Eta}', 120727: '\\mathsfbfsl{\\vartheta}', 120728: '\\mathsfbfsl{\\Iota}', 120729: '\\mathsfbfsl{\\Kappa}', 120730: '\\mathsfbfsl{\\Lambda}', 120731: '\\mathsfbfsl{M}', 120732: '\\mathsfbfsl{N}', 120733: '\\mathsfbfsl{\\Xi}', 120734: 'O', 120735: '\\mathsfbfsl{\\Pi}', 120736: '\\mathsfbfsl{\\Rho}', 120737: '\\mathsfbfsl{\\vartheta}', 120738: '\\mathsfbfsl{\\Sigma}', 120739: '\\mathsfbfsl{\\Tau}', 120740: '\\mathsfbfsl{\\Upsilon}', 120741: '\\mathsfbfsl{\\Phi}', 120742: '\\mathsfbfsl{\\Chi}', 120743: '\\mathsfbfsl{\\Psi}', 120744: '\\mathsfbfsl{\\Omega}', 120745: '\\mathsfbfsl{\\nabla}', 120746: '\\mathsfbfsl{\\alpha}', 120747: '\\mathsfbfsl{\\beta}', 120748: '\\mathsfbfsl{\\gamma}', 120749: '\\mathsfbfsl{\\delta}', 120750: '\\mathsfbfsl{\\epsilon}', 120751: '\\mathsfbfsl{\\zeta}', 120752: '\\mathsfbfsl{\\eta}', 120753: '\\mathsfbfsl{\\vartheta}', 120754: '\\mathsfbfsl{\\iota}', 120755: '\\mathsfbfsl{\\kappa}', 120756: '\\mathsfbfsl{\\lambda}', 120757: '\\mathsfbfsl{\\mu}', 120758: '\\mathsfbfsl{\\nu}', 120759: '\\mathsfbfsl{\\xi}', 120760: '\\mathsfbfsl{o}', 120761: '\\mathsfbfsl{\\pi}', 120762: '\\mathsfbfsl{\\rho}', 120763: '\\mathsfbfsl{\\varsigma}', 120764: '\\mathsfbfsl{\\sigma}', 120765: '\\mathsfbfsl{\\tau}', 120766: '\\mathsfbfsl{\\upsilon}', 120767: '\\mathsfbfsl{\\phi}', 120768: '\\mathsfbfsl{\\chi}', 120769: '\\mathsfbfsl{\\psi}', 120770: '\\mathsfbfsl{\\omega}', 120771: '\\partial', 120772: '\\in', 120773: '\\mathsfbfsl{\\vartheta}', 120774: '\\mathsfbfsl{\\varkappa}', 120775: '\\mathsfbfsl{\\phi}', 120776: '\\mathsfbfsl{\\varrho}', 120777: '\\mathsfbfsl{\\varpi}', 120782: '\\mathbf{0}', 120783: '\\mathbf{1}', 120784: '\\mathbf{2}', 120785: '\\mathbf{3}', 120786: '\\mathbf{4}', 120787: '\\mathbf{5}', 120788: '\\mathbf{6}', 120789: '\\mathbf{7}', 120790: '\\mathbf{8}', 120791: '\\mathbf{9}', 120792: '\\mathbb{0}', 120793: '\\mathbb{1}', 120794: '\\mathbb{2}', 120795: '\\mathbb{3}', 120796: '\\mathbb{4}', 120797: '\\mathbb{5}', 120798: '\\mathbb{6}', 120799: '\\mathbb{7}', 120800: '\\mathbb{8}', 120801: '\\mathbb{9}', 120802: '\\mathsf{0}', 120803: '\\mathsf{1}', 120804: '\\mathsf{2}', 120805: '\\mathsf{3}', 120806: '\\mathsf{4}', 120807: '\\mathsf{5}', 120808: '\\mathsf{6}', 120809: '\\mathsf{7}', 120810: '\\mathsf{8}', 120811: '\\mathsf{9}', 120812: '\\mathsfbf{0}', 120813: '\\mathsfbf{1}', 120814: '\\mathsfbf{2}', 120815: '\\mathsfbf{3}', 120816: '\\mathsfbf{4}', 120817: '\\mathsfbf{5}', 120818: '\\mathsfbf{6}', 120819: '\\mathsfbf{7}', 120820: '\\mathsfbf{8}', 120821: '\\mathsfbf{9}', 120822: '\\mathtt{0}', 120823: '\\mathtt{1}', 120824: '\\mathtt{2}', 120825: '\\mathtt{3}', 120826: '\\mathtt{4}', 120827: '\\mathtt{5}', 120828: '\\mathtt{6}', 120829: '\\mathtt{7}', 120830: '\\mathtt{8}', 120831: '\\mathtt{9}'} |
n1 = int(input('Enter number 1: '))
n2 = int(input('Enter number 2: '))
n3 = int(input('Enter number 3: '))
menor = n1
if n2 < n1 and n2 < n3:
menor = n2
if n3 < n1 and n3 < n2:
menor = n3
maior = n1
if n2 > n1 and n2 > n3:
maior = n2
if n3 > n1 and n3 > n2:
maior = n3
print("Menor e {}".format(menor))
print("Maior e {}".format(maior))
| n1 = int(input('Enter number 1: '))
n2 = int(input('Enter number 2: '))
n3 = int(input('Enter number 3: '))
menor = n1
if n2 < n1 and n2 < n3:
menor = n2
if n3 < n1 and n3 < n2:
menor = n3
maior = n1
if n2 > n1 and n2 > n3:
maior = n2
if n3 > n1 and n3 > n2:
maior = n3
print('Menor e {}'.format(menor))
print('Maior e {}'.format(maior)) |
# *********************************
# ****** SECTION 1 - CLASSES ******
# *********************************
# A "Class" is like a blueprint for an object
# Objects can be many different things
# In a grade tracking program objects might be: Course, Period, Teacher, Student, Gradable Assignment, Comment, Etc.
# In Mario objects might be: Mario, Level, Enemy, Power Up (like star or mushroom), Hittable Block, Etc.
# In banking software objects might be: Customer, Account, Deposit, Withdrawal, Etc.
# Note: Classes are normally named with capital letters with no spaces. But that is not required, just recommended.
class UnknownStudent:
name = "Unknown"
age = "Unknown"
# Now that the blueprint exists we can create an INSTANCE of the class
first_student = UnknownStudent()
first_student.name = "John Smith"
first_student.age = 15
print(f"The student's name is {first_student.name} and he is {first_student.age} years old.")
# ********************************************
# ****** SECTION 2 - CONSTRUCTOR METHOD ******
# ********************************************
# A method is what we call a function that belongs to a class.
# A CONSTRUCTOR method runs when a new instance is created.
# The purpose of a constructor is to setup any initial values for a new instance.
# A constructor in python uses the name: __init__
# NOTE: It is considered good practice to always have a constructor even if it does nothing.
class Student:
# NOTE: For constructor input parameters I like to start them with an underscore.
def __init__(self, _name, _age):
self.name = _name
self.age = _age
# second_student = Student(_name="Jane", _age="Doe")
# print(f"The student's name is {second_student.name} and her age is {second_student.age}.")
# ***************************************
# ****** SECTION 3 - OTHER METHODS ******
# ***************************************
# A class can (and usually does) have other methods besides the constructor
class Dog:
def __init__(self, _name, _breed, _color):
self.name = _name
self.breed = _breed
self.color = _color
self.position = 0
def run(self, distance=1):
self.position += distance
print(f"{self.name} ran {distance} meters and is now at position {self.position}.")
def bark(self):
if self.breed == "Lab":
print("Woof")
elif self.breed == "Terrier":
print("Yap")
else:
print("Bark")
def get_color(self):
return self.color
# my_dog = Dog(_name="Ellie", _breed="Lab", _color="Yellow")
# my_dog.run(5)
# my_dog.run(-2)
# my_dog.bark()
# print(f"My dog is {my_dog.color}.")
# *************************************
# ****** SECTION 3 - INHERITANCE ******
# *************************************
# For the sake of organization it is often useful to have one class inherit another.
# Usually the parent class is something generic and the child is one type of the parent class
class Animal:
def __init__(self):
self.position = 0
self.speed = 0
self.noise = "[silence]"
def run(self):
self.position += self.speed
print(f"The animal ran {self.speed} meters and is now at position {self.position}.")
def make_noise(self):
print(self.noise)
class Jaguar(Animal):
def __init__(self):
self.position = 0
self.speed = 10
self.noise = "growwwl"
class Horse(Animal):
def __init__(self):
self.position = 0
self.speed = 8
self.noise = "neigggh"
class Snake(Animal):
def __init__(self):
self.position = 0
self.speed = 1
self.noise = "hssss"
def run(self):
self.position += self.speed
print(f"The snake slithered {self.speed} meters and is now at position {self.position}.")
# jax = Jaguar()
# jax.run()
# jax.make_noise()
#
# harvey = Horse()
# harvey.run()
# harvey.make_noise()
#
# steve = Snake()
# steve.run()
# steve.make_noise()
# ******************************************************
# ****** SECTION 4 - S.O.L.I.D. DESIGN PRINCIPLES ******
# ******************************************************
# S.O.L.I.D is an acronym. If we follow the 5 recommendations our code
# will be easier to modify and maintain in the future
# S - Single Responsibility: Classes should have a singular purpose. If you try to do everything in onc class it
# gets cluttered and difficult to maintain.
# O - Open for extension, Closed for modification: A class should be able to be added onto at a later time,
# In general it should be generic enough that future situations don't cause you to
# change existing code in the class.
# L - Liskov Substitution: Any inherited class should be substitutable with its parent class. In our example above
# a Horse should be able to do whatever an Animal can do.
# I - Interface Segregation: This one basically says that if a child class doesn't fit in the parent class then
# make a new parent class. (For example if I wanted an animal like snail it might need
# its own parent class becuase it doesn't make noise and it doesnt really run).
# D - Dependency Inversion: Means that child classes can (and should) depend on their parent classes to define
# Their behavior. But a parent should never be dependent on a child class. For example,
# an Animal should not have any of their behavior defined by a snake because snake is
# an Animal. You could have a jaguar react to a snake, but not a generic Animal.
| class Unknownstudent:
name = 'Unknown'
age = 'Unknown'
first_student = unknown_student()
first_student.name = 'John Smith'
first_student.age = 15
print(f"The student's name is {first_student.name} and he is {first_student.age} years old.")
class Student:
def __init__(self, _name, _age):
self.name = _name
self.age = _age
class Dog:
def __init__(self, _name, _breed, _color):
self.name = _name
self.breed = _breed
self.color = _color
self.position = 0
def run(self, distance=1):
self.position += distance
print(f'{self.name} ran {distance} meters and is now at position {self.position}.')
def bark(self):
if self.breed == 'Lab':
print('Woof')
elif self.breed == 'Terrier':
print('Yap')
else:
print('Bark')
def get_color(self):
return self.color
class Animal:
def __init__(self):
self.position = 0
self.speed = 0
self.noise = '[silence]'
def run(self):
self.position += self.speed
print(f'The animal ran {self.speed} meters and is now at position {self.position}.')
def make_noise(self):
print(self.noise)
class Jaguar(Animal):
def __init__(self):
self.position = 0
self.speed = 10
self.noise = 'growwwl'
class Horse(Animal):
def __init__(self):
self.position = 0
self.speed = 8
self.noise = 'neigggh'
class Snake(Animal):
def __init__(self):
self.position = 0
self.speed = 1
self.noise = 'hssss'
def run(self):
self.position += self.speed
print(f'The snake slithered {self.speed} meters and is now at position {self.position}.') |
_base_ = [
# './_base_/models/segformer.py',
'../configs/_base_/datasets/mapillary.py',
'../configs/_base_/default_runtime.py',
'./_base_/schedules/schedule_1600k_adamw.py'
]
norm_cfg = dict(type='BN', requires_grad=True)
backbone_norm_cfg = dict(type='LN', requires_grad=True)
model = dict(
type='EncoderDecoder',
pretrained=
'https://github.com/SwinTransformer/storage/releases/download/v1.0.0/swin_base_patch4_window12_384_22k.pth',
backbone=dict(
type='SwinTransformer',
pretrain_img_size=384,
embed_dims=128,
patch_size=4,
window_size=12,
mlp_ratio=4,
depths=[2, 2, 18, 2],
num_heads=[4, 8, 16, 32],
strides=(4, 2, 2, 2),
out_indices=(0, 1, 2, 3),
qkv_bias=True,
qk_scale=None,
patch_norm=True,
drop_rate=0.0,
attn_drop_rate=0.0,
drop_path_rate=0.3,
use_abs_pos_embed=False,
act_cfg=dict(type='GELU'),
norm_cfg=dict(type='LN', requires_grad=True),
pretrain_style='official'),
decode_head=dict(
type='UPerHead',
in_channels=[128, 256, 512, 1024],
in_index=[0, 1, 2, 3],
pool_scales=(1, 2, 3, 6),
channels=512,
dropout_ratio=0.1,
num_classes=66,
norm_cfg=dict(type='BN', requires_grad=True),
align_corners=False,
loss_decode=dict(
type='CrossEntropyLoss', use_sigmoid=False, loss_weight=1.0)),
auxiliary_head=dict(
type='FCNHead',
in_channels=512,
in_index=2,
channels=256,
num_convs=1,
concat_input=False,
dropout_ratio=0.1,
num_classes=66,
norm_cfg=dict(type='BN', requires_grad=True),
align_corners=False,
loss_decode=dict(
type='CrossEntropyLoss', use_sigmoid=False, loss_weight=0.4)),
train_cfg=dict(),
test_cfg=dict(mode='whole'))
log_config = dict(
interval=50,
hooks=[
dict(type='TextLoggerHook', by_epoch=False),
dict(type='WandbLoggerHook', by_epoch=False)
])
crop_size = (720, 720)
img_norm_cfg = dict(mean=[123.675, 116.28, 103.53], std=[58.395, 57.12, 57.375], to_rgb=True)
train_pipeline = [
dict(type='LoadImageFromFile'),
dict(type='LoadAnnotations'),
dict(type='Resize', img_scale=(1920, 1080), ratio_range=(0.5, 2.0)),
dict(type='RandomCrop', crop_size=crop_size, cat_max_ratio=0.75),
dict(type='RandomFlip', prob=0.5),
dict(type='PhotoMetricDistortion'),
dict(type='Normalize', **img_norm_cfg),
dict(type='Pad', size=crop_size, pad_val=0, seg_pad_val=255),
dict(type='DefaultFormatBundle'),
dict(type='Collect', keys=['img', 'gt_semantic_seg']),
]
data = dict(
samples_per_gpu=1,
workers_per_gpu=1,
train=dict(pipeline=train_pipeline, data_root='/workspace/Mapillary'),
val=dict(data_root='/workspace/Mapillary'),#, split='/workspace/mmsegmentation/splits/split.txt'),
test=dict(data_root='/workspace/Mapillary')#, split='/workspace/mmsegmentation/splits/split.txt')
)
# dist_params = dict(backend='nccl')
# log_level = 'INFO'
# load_from = None
# resume_from = None
# workflow = [('train', 1), ('val', 1)]
# cudnn_benchmark = True
optimizer = dict(
type='AdamW',
lr=1.5e-05,
betas=(0.9, 0.999),
weight_decay=0.01,
paramwise_cfg=dict(
custom_keys=dict(
absolute_pos_embed=dict(decay_mult=0.0),
relative_position_bias_table=dict(decay_mult=0.0),
norm=dict(decay_mult=0.0))))
optimizer_config = dict()
lr_config = dict(
policy='poly',
warmup='linear',
warmup_iters=1500,
warmup_ratio=1e-06,
power=1.0,
min_lr=0.0,
by_epoch=False)
evaluation = dict(interval=16000, metric='mIoU') | _base_ = ['../configs/_base_/datasets/mapillary.py', '../configs/_base_/default_runtime.py', './_base_/schedules/schedule_1600k_adamw.py']
norm_cfg = dict(type='BN', requires_grad=True)
backbone_norm_cfg = dict(type='LN', requires_grad=True)
model = dict(type='EncoderDecoder', pretrained='https://github.com/SwinTransformer/storage/releases/download/v1.0.0/swin_base_patch4_window12_384_22k.pth', backbone=dict(type='SwinTransformer', pretrain_img_size=384, embed_dims=128, patch_size=4, window_size=12, mlp_ratio=4, depths=[2, 2, 18, 2], num_heads=[4, 8, 16, 32], strides=(4, 2, 2, 2), out_indices=(0, 1, 2, 3), qkv_bias=True, qk_scale=None, patch_norm=True, drop_rate=0.0, attn_drop_rate=0.0, drop_path_rate=0.3, use_abs_pos_embed=False, act_cfg=dict(type='GELU'), norm_cfg=dict(type='LN', requires_grad=True), pretrain_style='official'), decode_head=dict(type='UPerHead', in_channels=[128, 256, 512, 1024], in_index=[0, 1, 2, 3], pool_scales=(1, 2, 3, 6), channels=512, dropout_ratio=0.1, num_classes=66, norm_cfg=dict(type='BN', requires_grad=True), align_corners=False, loss_decode=dict(type='CrossEntropyLoss', use_sigmoid=False, loss_weight=1.0)), auxiliary_head=dict(type='FCNHead', in_channels=512, in_index=2, channels=256, num_convs=1, concat_input=False, dropout_ratio=0.1, num_classes=66, norm_cfg=dict(type='BN', requires_grad=True), align_corners=False, loss_decode=dict(type='CrossEntropyLoss', use_sigmoid=False, loss_weight=0.4)), train_cfg=dict(), test_cfg=dict(mode='whole'))
log_config = dict(interval=50, hooks=[dict(type='TextLoggerHook', by_epoch=False), dict(type='WandbLoggerHook', by_epoch=False)])
crop_size = (720, 720)
img_norm_cfg = dict(mean=[123.675, 116.28, 103.53], std=[58.395, 57.12, 57.375], to_rgb=True)
train_pipeline = [dict(type='LoadImageFromFile'), dict(type='LoadAnnotations'), dict(type='Resize', img_scale=(1920, 1080), ratio_range=(0.5, 2.0)), dict(type='RandomCrop', crop_size=crop_size, cat_max_ratio=0.75), dict(type='RandomFlip', prob=0.5), dict(type='PhotoMetricDistortion'), dict(type='Normalize', **img_norm_cfg), dict(type='Pad', size=crop_size, pad_val=0, seg_pad_val=255), dict(type='DefaultFormatBundle'), dict(type='Collect', keys=['img', 'gt_semantic_seg'])]
data = dict(samples_per_gpu=1, workers_per_gpu=1, train=dict(pipeline=train_pipeline, data_root='/workspace/Mapillary'), val=dict(data_root='/workspace/Mapillary'), test=dict(data_root='/workspace/Mapillary'))
optimizer = dict(type='AdamW', lr=1.5e-05, betas=(0.9, 0.999), weight_decay=0.01, paramwise_cfg=dict(custom_keys=dict(absolute_pos_embed=dict(decay_mult=0.0), relative_position_bias_table=dict(decay_mult=0.0), norm=dict(decay_mult=0.0))))
optimizer_config = dict()
lr_config = dict(policy='poly', warmup='linear', warmup_iters=1500, warmup_ratio=1e-06, power=1.0, min_lr=0.0, by_epoch=False)
evaluation = dict(interval=16000, metric='mIoU') |
M1, D1 = [int(x) for x in input().split()]
M2, D2 = [int(x) for x in input().split()]
if M1 != M2:
print(1)
else:
print(0)
| (m1, d1) = [int(x) for x in input().split()]
(m2, d2) = [int(x) for x in input().split()]
if M1 != M2:
print(1)
else:
print(0) |
def start_streaming_dataframe():
"Start a Spark Streaming DataFrame from a Kafka Input source"
schema = StructType(
[StructField(f["name"], f["type"], True) for f in field_metadata]
)
kafka_options = {
"kafka.ssl.protocol":"TLSv1.2",
"kafka.ssl.enabled.protocols":"TLSv1.2",
"kafka.ssl.endpoint.identification.algorithm":"HTTPS",
'kafka.sasl.mechanism': 'PLAIN',
'kafka.security.protocol': 'SASL_SSL'
}
return spark.readStream \
.format("kafka") \
.option("kafka.bootstrap.servers", ",".join(message_hub_creds["kafka_brokers_sasl"])) \
.option("subscribe", "enriched_tweets") \
.load(**kafka_options)
| def start_streaming_dataframe():
"""Start a Spark Streaming DataFrame from a Kafka Input source"""
schema = struct_type([struct_field(f['name'], f['type'], True) for f in field_metadata])
kafka_options = {'kafka.ssl.protocol': 'TLSv1.2', 'kafka.ssl.enabled.protocols': 'TLSv1.2', 'kafka.ssl.endpoint.identification.algorithm': 'HTTPS', 'kafka.sasl.mechanism': 'PLAIN', 'kafka.security.protocol': 'SASL_SSL'}
return spark.readStream.format('kafka').option('kafka.bootstrap.servers', ','.join(message_hub_creds['kafka_brokers_sasl'])).option('subscribe', 'enriched_tweets').load(**kafka_options) |
{
'targets': [
{
'target_name': 'rdpcred',
'conditions': [ [
'OS=="win"',
{
'sources': [ 'rdpcred.cc' ],
'msvs_settings': {
'VCLinkerTool': {
'AdditionalDependencies': [
'Crypt32.lib'
]
}
}
}
] ]
}
]
} | {'targets': [{'target_name': 'rdpcred', 'conditions': [['OS=="win"', {'sources': ['rdpcred.cc'], 'msvs_settings': {'VCLinkerTool': {'AdditionalDependencies': ['Crypt32.lib']}}}]]}]} |
class Solution:
def connect(self, root: 'Optional[Node]') -> 'Optional[Node]':
if not root:
return
d = collections.deque()
d.append(root)
while d:
node = d.popleft()
if node.left and node.right:
node.left.next = node.right
if node.next:
node.right.next = node.next.left
d.append(node.left)
d.append(node.right)
return root
## second solution, same to "117. Populating Next Right Pointers in Each Node II"
'''
class Solution:
def connect(self, root: 'Optional[Node]') -> 'Optional[Node]':
if not root:
return
d = collections.deque()
d.append(root)
res = []
while d:
temp = []
for _ in range(len(d)):
node = d.popleft()
temp.append(node)
d.append(node.left) if node.left else 0
d.append(node.right) if node.right else 0
res.append(temp)
for a in res:
for i in range(len(a)-1):
a[i].next = a[i+1]
return root
'''
| class Solution:
def connect(self, root: 'Optional[Node]') -> 'Optional[Node]':
if not root:
return
d = collections.deque()
d.append(root)
while d:
node = d.popleft()
if node.left and node.right:
node.left.next = node.right
if node.next:
node.right.next = node.next.left
d.append(node.left)
d.append(node.right)
return root
"\n class Solution:\n def connect(self, root: 'Optional[Node]') -> 'Optional[Node]':\n if not root:\n return\n \n d = collections.deque()\n d.append(root)\n res = []\n \n while d:\n temp = []\n \n for _ in range(len(d)):\n node = d.popleft()\n temp.append(node)\n \n d.append(node.left) if node.left else 0\n d.append(node.right) if node.right else 0\n \n res.append(temp)\n \n for a in res:\n for i in range(len(a)-1):\n a[i].next = a[i+1]\n \n return root\n " |
pro = 1
tar = 1
cur = 1
pos = 1
i = 1
while i < 8 :
lcur = list(str(cur))
if len(lcur) > tar - pos:
pro *= int(lcur[tar-pos])
i += 1
tar *= 10
pos += len(lcur)
cur += 1
print(pro)
| pro = 1
tar = 1
cur = 1
pos = 1
i = 1
while i < 8:
lcur = list(str(cur))
if len(lcur) > tar - pos:
pro *= int(lcur[tar - pos])
i += 1
tar *= 10
pos += len(lcur)
cur += 1
print(pro) |
n = int(input())
for _ in range(n):
store = int(input())
loc = list(map(int, input().split()))
dist = 2 * (max(loc) - min(loc))
print(dist)
| n = int(input())
for _ in range(n):
store = int(input())
loc = list(map(int, input().split()))
dist = 2 * (max(loc) - min(loc))
print(dist) |
graph_file_name="/home/cluster_share/graph/soc-LiveJournal1_notmap.txt"
out_put_file_name='/home/amax/Graph_json/livejournal_not_mapped_json'
graph_file = open(graph_file_name)
output_file = open(out_put_file_name, 'w')
edge = dict()
for line in graph_file:
#line = line[:-2]
res = line.split()
#print(res)
source = int(res[0])
dest = int(res[1])
if edge.has_key(source):
edge[source].append(dest)
else:
edge[source] = [dest]
for source in edge:
edges = edge[source]
output_file.write("["+str(source)+",0,[")
output_file.write(",".join("["+str(i)+",0]" for i in edges))
output_file.write("]]\n")
graph_file.close()
output_file.close()
| graph_file_name = '/home/cluster_share/graph/soc-LiveJournal1_notmap.txt'
out_put_file_name = '/home/amax/Graph_json/livejournal_not_mapped_json'
graph_file = open(graph_file_name)
output_file = open(out_put_file_name, 'w')
edge = dict()
for line in graph_file:
res = line.split()
source = int(res[0])
dest = int(res[1])
if edge.has_key(source):
edge[source].append(dest)
else:
edge[source] = [dest]
for source in edge:
edges = edge[source]
output_file.write('[' + str(source) + ',0,[')
output_file.write(','.join(('[' + str(i) + ',0]' for i in edges)))
output_file.write(']]\n')
graph_file.close()
output_file.close() |
text = input()
for i in range(len(text)):
if text[i] == ":":
print(text[i] + text[i + 1]) | text = input()
for i in range(len(text)):
if text[i] == ':':
print(text[i] + text[i + 1]) |
DEBUG = True
SERVE_MEDIA = DEBUG
TEMPLATE_DEBUG = DEBUG
EMAIL_DEBUG = DEBUG
THUMBNAIL_DEBUG = DEBUG
DEBUG_PROPAGATE_EXCEPTIONS = False
# DATABASE_ENGINE = 'postgresql_psycopg2' # 'postgresql_psycopg2', 'postgresql', 'mysql', 'sqlite3' or 'oracle'.
# DATABASE_HOST = '192.168.0.2' # Set to empty string for localhost. Not used with sqlite3.
# DATABASE_PORT = '' # Set to empty string for default. Not used with sqlite3.
EMAIL_HOST = 'localhost'
EMAIL_PORT = 1025
#python -u -m smtpd -n -c DebuggingServer localhost:1025 | debug = True
serve_media = DEBUG
template_debug = DEBUG
email_debug = DEBUG
thumbnail_debug = DEBUG
debug_propagate_exceptions = False
email_host = 'localhost'
email_port = 1025 |
# Example of Iterator Design Pattern
def count_to(count):
numbers = ["one", "two", "three", "four", "five"]
for number in numbers[:count]:
yield number
count_to_two = count_to(2)
count_to_five = count_to(5)
for count in [count_to_two, count_to_five]:
for number in count:
print(number, end=' ')
print()
| def count_to(count):
numbers = ['one', 'two', 'three', 'four', 'five']
for number in numbers[:count]:
yield number
count_to_two = count_to(2)
count_to_five = count_to(5)
for count in [count_to_two, count_to_five]:
for number in count:
print(number, end=' ')
print() |
class Layout:
def __init__(self, keyboard):
if keyboard == "azerty":
self.up = 'Z'
self.down = 'S'
self.left = 'Q'
self.right = 'D'
self.ok = 'C'
self.no = 'K'
self.drop = 'L'
self.change = 'P'
self.random = 'O'
else:
self.up = 'W'
self.down = 'S'
self.left = 'A'
self.right = 'D'
self.ok = 'C'
self.no = 'K'
self.drop = 'L'
self.change = 'P'
self.random = 'O'
| class Layout:
def __init__(self, keyboard):
if keyboard == 'azerty':
self.up = 'Z'
self.down = 'S'
self.left = 'Q'
self.right = 'D'
self.ok = 'C'
self.no = 'K'
self.drop = 'L'
self.change = 'P'
self.random = 'O'
else:
self.up = 'W'
self.down = 'S'
self.left = 'A'
self.right = 'D'
self.ok = 'C'
self.no = 'K'
self.drop = 'L'
self.change = 'P'
self.random = 'O' |
# Factorial program with memoization using decorators.
# Memoization is a technique of recording the intermediate results so that it can be used to avoid repeated calculations and speed up the programs.
# memoization can be done with the help of function decorators.
def Memoize(func):
history={}
def wrapper(*args):
if args not in history:
history[args]=func(*args)
return history[args]
return wrapper
def factorial(n):
if type(n)!=int:
raise ValueError("passed value is not integer")
if(n<0):
raise ValueError("number cant be negative passed value{}".format(n))
if n==0 or n==1:
return 1
fact=n*factorial(n-1)
return fact
print(format(factorial(5)))
# Input : 5
# Output : 120 | def memoize(func):
history = {}
def wrapper(*args):
if args not in history:
history[args] = func(*args)
return history[args]
return wrapper
def factorial(n):
if type(n) != int:
raise value_error('passed value is not integer')
if n < 0:
raise value_error('number cant be negative passed value{}'.format(n))
if n == 0 or n == 1:
return 1
fact = n * factorial(n - 1)
return fact
print(format(factorial(5))) |
NUM, IMG_SIZE, FACE = 8, 720, False
def config(): return None
config.expName = None
config.checkpoint_dir = None
config.train = lambda: None
config.train.batch_size = 4
config.train.lr = 0.001
config.train.decay = 0.001
config.train.epochs = 10
config.latent_code_garms_sz = 1024
config.PCA_ = 35
config.garmentKeys = ['Pants', 'ShortPants',
'ShirtNoCoat', 'TShirtNoCoat', 'LongCoat']
config.NVERTS = 27554
| (num, img_size, face) = (8, 720, False)
def config():
return None
config.expName = None
config.checkpoint_dir = None
config.train = lambda : None
config.train.batch_size = 4
config.train.lr = 0.001
config.train.decay = 0.001
config.train.epochs = 10
config.latent_code_garms_sz = 1024
config.PCA_ = 35
config.garmentKeys = ['Pants', 'ShortPants', 'ShirtNoCoat', 'TShirtNoCoat', 'LongCoat']
config.NVERTS = 27554 |
# -*- coding: utf-8 -*-
def main():
n = int(input())
b = [0 for _ in range(n)]
for i in range(n):
ai = int(input())
ai -= 1
b[ai] += 1
y = 0
x = 0
for index, bi in enumerate(b, 1):
if bi == 0:
x = index
elif bi == 2:
y = index
if x == 0 and y == 0:
print('Correct')
else:
print(y, x)
if __name__ == '__main__':
main()
| def main():
n = int(input())
b = [0 for _ in range(n)]
for i in range(n):
ai = int(input())
ai -= 1
b[ai] += 1
y = 0
x = 0
for (index, bi) in enumerate(b, 1):
if bi == 0:
x = index
elif bi == 2:
y = index
if x == 0 and y == 0:
print('Correct')
else:
print(y, x)
if __name__ == '__main__':
main() |
class VoteBreakdownTotals:
def __init__(self, headers: list[str]):
self.__headers = headers
self.__failures = {}
self.__current_row = 0
votes = "votes"
if votes in self.__headers:
self.__votes_index = self.__headers.index(votes)
else:
self.__votes_index = None
if "candidate" in self.__headers:
self.__candidate_index = self.__headers.index("candidate")
else:
self.__candidate_index = None
components = {"absentee", "early_voting", "election_day", "mail", "provisional"}
self.__component_indices = [i for i, x in enumerate(self.__headers) if x in components]
@property
def passed(self) -> bool:
return len(self.__failures) == 0
def get_failure_message(self, max_examples: int = -1) -> str:
components = [self.__headers[i] for i in self.__component_indices]
message = f"There are {len(self.__failures)} rows where the sum of {components} is greater than 'votes':\n\n" \
f"\tHeaders: {self.__headers}:"
count = 0
for row_number, row in self.__failures.items():
if (max_examples >= 0) and (count >= max_examples):
message += f"\n\t[Truncated to {max_examples} examples]"
return message
else:
message += f"\n\tRow {row_number}: {row}"
count += 1
return message
def test(self, row: list[str]):
self.__current_row += 1
if (len(row) == len(self.__headers)) and self.__votes_index is not None and self.__component_indices:
# There are cases where over votes and under votes are reported as a single aggregate. As such, it's
# possible for the votes to be negative. We will try and avoid these rows.
if self.__candidate_index is not None:
aggregates = {"over/under", "under/over"}
if any(x in row[self.__candidate_index].lower().replace(" ", "") for x in aggregates):
return
try:
# We use float instead of int to allow for values like "3.0".
votes = float(row[self.__votes_index])
except ValueError:
return
component_sum = 0
for component in (row[i] for i in self.__component_indices):
try:
component_value = float(component)
except ValueError:
component_value = 0
component_sum += component_value
if votes < component_sum:
self.__failures[self.__current_row] = row
| class Votebreakdowntotals:
def __init__(self, headers: list[str]):
self.__headers = headers
self.__failures = {}
self.__current_row = 0
votes = 'votes'
if votes in self.__headers:
self.__votes_index = self.__headers.index(votes)
else:
self.__votes_index = None
if 'candidate' in self.__headers:
self.__candidate_index = self.__headers.index('candidate')
else:
self.__candidate_index = None
components = {'absentee', 'early_voting', 'election_day', 'mail', 'provisional'}
self.__component_indices = [i for (i, x) in enumerate(self.__headers) if x in components]
@property
def passed(self) -> bool:
return len(self.__failures) == 0
def get_failure_message(self, max_examples: int=-1) -> str:
components = [self.__headers[i] for i in self.__component_indices]
message = f"There are {len(self.__failures)} rows where the sum of {components} is greater than 'votes':\n\n\tHeaders: {self.__headers}:"
count = 0
for (row_number, row) in self.__failures.items():
if max_examples >= 0 and count >= max_examples:
message += f'\n\t[Truncated to {max_examples} examples]'
return message
else:
message += f'\n\tRow {row_number}: {row}'
count += 1
return message
def test(self, row: list[str]):
self.__current_row += 1
if len(row) == len(self.__headers) and self.__votes_index is not None and self.__component_indices:
if self.__candidate_index is not None:
aggregates = {'over/under', 'under/over'}
if any((x in row[self.__candidate_index].lower().replace(' ', '') for x in aggregates)):
return
try:
votes = float(row[self.__votes_index])
except ValueError:
return
component_sum = 0
for component in (row[i] for i in self.__component_indices):
try:
component_value = float(component)
except ValueError:
component_value = 0
component_sum += component_value
if votes < component_sum:
self.__failures[self.__current_row] = row |
def splitCols(saleRow):
'''this function will split a string with '. Some columns are quoted with
"". So we need to handle it'''
saleRow = saleRow.split(',')
result = []
flag = True # if flag is false, the current i is within a pair of "
for i in range(len(saleRow)):
if flag:
result.append(saleRow[i])
if '"' in saleRow[i]:
flag = False
else:
result[-1] = result[-1] + saleRow[i]
if '"' in saleRow[i]:
flag = True
return result
| def split_cols(saleRow):
"""this function will split a string with '. Some columns are quoted with
"". So we need to handle it"""
sale_row = saleRow.split(',')
result = []
flag = True
for i in range(len(saleRow)):
if flag:
result.append(saleRow[i])
if '"' in saleRow[i]:
flag = False
else:
result[-1] = result[-1] + saleRow[i]
if '"' in saleRow[i]:
flag = True
return result |
#
# PySNMP MIB module H3C-OBJECT-INFO-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/H3C-OBJECT-INFO-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 19:10:08 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ConstraintsIntersection")
h3cCommon, = mibBuilder.importSymbols("HUAWEI-3COM-OID-MIB", "h3cCommon")
NotificationGroup, ModuleCompliance, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance", "ObjectGroup")
MibIdentifier, IpAddress, Unsigned32, Integer32, Counter32, ObjectIdentity, Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, NotificationType, Gauge32, iso, TimeTicks, ModuleIdentity, Counter64 = mibBuilder.importSymbols("SNMPv2-SMI", "MibIdentifier", "IpAddress", "Unsigned32", "Integer32", "Counter32", "ObjectIdentity", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "NotificationType", "Gauge32", "iso", "TimeTicks", "ModuleIdentity", "Counter64")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
h3cObjectInfo = ModuleIdentity((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55))
h3cObjectInfo.setRevisions(('2004-12-27 00:00',))
if mibBuilder.loadTexts: h3cObjectInfo.setLastUpdated('200412270000Z')
if mibBuilder.loadTexts: h3cObjectInfo.setOrganization(' Huawei 3Com Technologies Co., Ltd. ')
h3cObjectInformation = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1))
h3cObjectInfoTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1), )
if mibBuilder.loadTexts: h3cObjectInfoTable.setStatus('current')
h3cObjectInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1), ).setIndexNames((0, "H3C-OBJECT-INFO-MIB", "h3cObjectInfoOID"), (0, "H3C-OBJECT-INFO-MIB", "h3cObjectInfoType"), (0, "H3C-OBJECT-INFO-MIB", "h3cObjectInfoTypeExtension"))
if mibBuilder.loadTexts: h3cObjectInfoEntry.setStatus('current')
h3cObjectInfoOID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1, 1), ObjectIdentifier())
if mibBuilder.loadTexts: h3cObjectInfoOID.setStatus('current')
h3cObjectInfoType = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("reserved", 1), ("accessType", 2), ("dataType", 3), ("dataRange", 4), ("dataLength", 5))))
if mibBuilder.loadTexts: h3cObjectInfoType.setStatus('current')
h3cObjectInfoTypeExtension = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 10)))
if mibBuilder.loadTexts: h3cObjectInfoTypeExtension.setStatus('current')
h3cObjectInfoValue = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1, 4), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cObjectInfoValue.setStatus('current')
h3cObjectInfoMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2))
h3cObjectInfoMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2, 1))
h3cObjectInfoMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2, 1, 1)).setObjects(("H3C-OBJECT-INFO-MIB", "h3cObjectInfoTableGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
h3cObjectInfoMIBCompliance = h3cObjectInfoMIBCompliance.setStatus('current')
h3cObjectInfoMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2, 2))
h3cObjectInfoTableGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2, 2, 1)).setObjects(("H3C-OBJECT-INFO-MIB", "h3cObjectInfoValue"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
h3cObjectInfoTableGroup = h3cObjectInfoTableGroup.setStatus('current')
mibBuilder.exportSymbols("H3C-OBJECT-INFO-MIB", h3cObjectInfoEntry=h3cObjectInfoEntry, h3cObjectInfo=h3cObjectInfo, h3cObjectInfoTable=h3cObjectInfoTable, h3cObjectInfoType=h3cObjectInfoType, h3cObjectInfoValue=h3cObjectInfoValue, h3cObjectInfoMIBConformance=h3cObjectInfoMIBConformance, h3cObjectInformation=h3cObjectInformation, h3cObjectInfoTypeExtension=h3cObjectInfoTypeExtension, h3cObjectInfoTableGroup=h3cObjectInfoTableGroup, h3cObjectInfoMIBGroups=h3cObjectInfoMIBGroups, h3cObjectInfoMIBCompliances=h3cObjectInfoMIBCompliances, h3cObjectInfoOID=h3cObjectInfoOID, h3cObjectInfoMIBCompliance=h3cObjectInfoMIBCompliance, PYSNMP_MODULE_ID=h3cObjectInfo)
| (integer, octet_string, object_identifier) = mibBuilder.importSymbols('ASN1', 'Integer', 'OctetString', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, value_range_constraint, constraints_union, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ConstraintsIntersection')
(h3c_common,) = mibBuilder.importSymbols('HUAWEI-3COM-OID-MIB', 'h3cCommon')
(notification_group, module_compliance, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance', 'ObjectGroup')
(mib_identifier, ip_address, unsigned32, integer32, counter32, object_identity, bits, mib_scalar, mib_table, mib_table_row, mib_table_column, notification_type, gauge32, iso, time_ticks, module_identity, counter64) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibIdentifier', 'IpAddress', 'Unsigned32', 'Integer32', 'Counter32', 'ObjectIdentity', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'NotificationType', 'Gauge32', 'iso', 'TimeTicks', 'ModuleIdentity', 'Counter64')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
h3c_object_info = module_identity((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55))
h3cObjectInfo.setRevisions(('2004-12-27 00:00',))
if mibBuilder.loadTexts:
h3cObjectInfo.setLastUpdated('200412270000Z')
if mibBuilder.loadTexts:
h3cObjectInfo.setOrganization(' Huawei 3Com Technologies Co., Ltd. ')
h3c_object_information = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1))
h3c_object_info_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1))
if mibBuilder.loadTexts:
h3cObjectInfoTable.setStatus('current')
h3c_object_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1)).setIndexNames((0, 'H3C-OBJECT-INFO-MIB', 'h3cObjectInfoOID'), (0, 'H3C-OBJECT-INFO-MIB', 'h3cObjectInfoType'), (0, 'H3C-OBJECT-INFO-MIB', 'h3cObjectInfoTypeExtension'))
if mibBuilder.loadTexts:
h3cObjectInfoEntry.setStatus('current')
h3c_object_info_oid = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1, 1), object_identifier())
if mibBuilder.loadTexts:
h3cObjectInfoOID.setStatus('current')
h3c_object_info_type = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('reserved', 1), ('accessType', 2), ('dataType', 3), ('dataRange', 4), ('dataLength', 5))))
if mibBuilder.loadTexts:
h3cObjectInfoType.setStatus('current')
h3c_object_info_type_extension = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 10)))
if mibBuilder.loadTexts:
h3cObjectInfoTypeExtension.setStatus('current')
h3c_object_info_value = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 1, 1, 1, 4), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cObjectInfoValue.setStatus('current')
h3c_object_info_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2))
h3c_object_info_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2, 1))
h3c_object_info_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2, 1, 1)).setObjects(('H3C-OBJECT-INFO-MIB', 'h3cObjectInfoTableGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
h3c_object_info_mib_compliance = h3cObjectInfoMIBCompliance.setStatus('current')
h3c_object_info_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2, 2))
h3c_object_info_table_group = object_group((1, 3, 6, 1, 4, 1, 2011, 10, 2, 55, 2, 2, 1)).setObjects(('H3C-OBJECT-INFO-MIB', 'h3cObjectInfoValue'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
h3c_object_info_table_group = h3cObjectInfoTableGroup.setStatus('current')
mibBuilder.exportSymbols('H3C-OBJECT-INFO-MIB', h3cObjectInfoEntry=h3cObjectInfoEntry, h3cObjectInfo=h3cObjectInfo, h3cObjectInfoTable=h3cObjectInfoTable, h3cObjectInfoType=h3cObjectInfoType, h3cObjectInfoValue=h3cObjectInfoValue, h3cObjectInfoMIBConformance=h3cObjectInfoMIBConformance, h3cObjectInformation=h3cObjectInformation, h3cObjectInfoTypeExtension=h3cObjectInfoTypeExtension, h3cObjectInfoTableGroup=h3cObjectInfoTableGroup, h3cObjectInfoMIBGroups=h3cObjectInfoMIBGroups, h3cObjectInfoMIBCompliances=h3cObjectInfoMIBCompliances, h3cObjectInfoOID=h3cObjectInfoOID, h3cObjectInfoMIBCompliance=h3cObjectInfoMIBCompliance, PYSNMP_MODULE_ID=h3cObjectInfo) |
# Most football fans love it for the goals and excitement. Well, this problem does not.
# You are up to handle the referee's little notebook and count the players who were sent off for fouls and misbehavior.
# The rules: Two teams, named "A" and "B" have 11 players each. The players on each team are numbered from 1 to 11.
# Any player may be sent off the field by being given a red card. If one of the teams has less than 7 players remaining,
# the game is stopped immediately by the referee, and the team with less than 7 players loses.
# A card is a string with the team's letter ('A' or 'B') followed by a single dash and player's number.
# e.g. the card 'B-7' means player #7 from team B received a card.
# The task: You will be given a sequence of cards (could be empty), separated by a single space.
# You should print the count of remaining players on each team at the end of the game in the format:
# "Team A - {players_count}; Team B - {players_count}". If the game was terminated by the referee,
# print an additional line: "Game was terminated".
# Note for the random tests: If a player that has already been sent off receives another card - ignore it.
# # 01 solution
# team_a = 11
# team_b = 11
# cards = input().split()
# while True:
# found = True # value for breaking the while loop
# for i in range(len(cards)): # loop the whole list (0, end of str)
# test_digit = cards[i] # take the element on the current position
# for j in range(len(cards)): # loop the whole list for the comparison with the element and the whole list
# if test_digit == cards[j] and (not i == j): # compare the element in test_digit with the current one
# cards.remove(test_digit) # remove the match
# cards.append("") # replace the removed element to keep the integrity of the list
# found = False
# break
# if found:
# break
# stop = False
# for i in cards:
# x = "".join(i)
# if "A" in x:
# team_a -= 1
# elif "B" in x:
# team_b -= 1
# if team_a < 7 or team_b < 7:
# stop = True
# break
# print(f"Team A - {team_a}; Team B - {team_b}")
# if stop:
# print("Game was terminated")
# # 02 solution
team_a = 11
team_b = 11
cards = input().split()
card_list = set(cards)
stop = False
for i in cards:
x = "".join(i)
if "A" in x:
team_a -= 1
elif "B" in x:
team_b -= 1
if team_a < 7 or team_b < 7:
stop = True
break
print(f"Team A - {team_a}; Team B - {team_b}")
if stop:
print("Game was terminated")
# # INPUT 1
# A-1 A-5 A-10 B-2
# # INPUT 2
# A-1 A-5 A-10 B-2 A-10 A-7 A-3
# # INPUT END
| team_a = 11
team_b = 11
cards = input().split()
card_list = set(cards)
stop = False
for i in cards:
x = ''.join(i)
if 'A' in x:
team_a -= 1
elif 'B' in x:
team_b -= 1
if team_a < 7 or team_b < 7:
stop = True
break
print(f'Team A - {team_a}; Team B - {team_b}')
if stop:
print('Game was terminated') |
K, X = tuple(map(int, input().split()))
start = X - K + 1
end = X + K
print(*range(start, end))
| (k, x) = tuple(map(int, input().split()))
start = X - K + 1
end = X + K
print(*range(start, end)) |
# -*- coding: utf-8 -*-
config = {
"consumer_key": "VALUE",
"consumer_secret": "VALUE",
"access_token": "VALUE",
"access_token_secret": "VALUE",
}
| config = {'consumer_key': 'VALUE', 'consumer_secret': 'VALUE', 'access_token': 'VALUE', 'access_token_secret': 'VALUE'} |
class Solution:
# @param {integer[]} nums
# @return {integer[][]}
def permuteUnique(self, nums):
if len(nums) == 0:
return nums
if len(nums) == 1:
return [nums]
res = []
bag = set()
for i in range(len(nums)):
if nums[i] not in bag:
tmp = nums[:]
head = tmp.pop(i)
tail = self.permuteUnique(tmp)
[t.insert(0, head) for t in tail]
res.extend(tail)
bag.add(nums[i])
return res
| class Solution:
def permute_unique(self, nums):
if len(nums) == 0:
return nums
if len(nums) == 1:
return [nums]
res = []
bag = set()
for i in range(len(nums)):
if nums[i] not in bag:
tmp = nums[:]
head = tmp.pop(i)
tail = self.permuteUnique(tmp)
[t.insert(0, head) for t in tail]
res.extend(tail)
bag.add(nums[i])
return res |
{
"targets": [
{
"target_name": "posix",
"sources": [ "src/posix.cc" ]
}
]
}
| {'targets': [{'target_name': 'posix', 'sources': ['src/posix.cc']}]} |
DATABASE_NAME = "glass_rooms.sqlite"
STARTING_ROOM_NUMBER = 1
ENDING_ROOM_NUMBER = 9
TABLE_NAME_HEADER = "Room_"
TABLE_NAME = "Bookings"
URL_HEADER = "https://www.scss.tcd.ie/cgi-bin/webcal/sgmr/sgmr"
URL_ENDER = ".pl"
URL_BOOKING = ".request"
# Regex Constants
# DATE_HEADER_REGEX: regex to match '4 Nov 2015 (Wednesday):'
# BOOKING_BODY_REGEX: regex to match '13:00-14:00 Sterling Archer [ba3] NATO phonetic alphabet practice'
DATE_HEADER_REGEX = "[0-9]{1,2} [A-Z][a-z]+ 20[0-9]{2,2} \([A-Z][a-z]+\):"
BOOKING_BODY_REGEX = "[0-9][0-9]:00-[0-9][0-9]:00 "
| database_name = 'glass_rooms.sqlite'
starting_room_number = 1
ending_room_number = 9
table_name_header = 'Room_'
table_name = 'Bookings'
url_header = 'https://www.scss.tcd.ie/cgi-bin/webcal/sgmr/sgmr'
url_ender = '.pl'
url_booking = '.request'
date_header_regex = '[0-9]{1,2} [A-Z][a-z]+ 20[0-9]{2,2} \\([A-Z][a-z]+\\):'
booking_body_regex = '[0-9][0-9]:00-[0-9][0-9]:00 ' |
#!/usr/bin/python3
def bubbleSort(arr, reverse=False):
length = len(arr)
for i in range(0, length-1):
for j in range(0, length-i-1):
if arr[j] > arr[j+1]:
arr[j], arr[j+1] = arr[j+1], arr[j]
if reverse:
arr.reverse()
return arr | def bubble_sort(arr, reverse=False):
length = len(arr)
for i in range(0, length - 1):
for j in range(0, length - i - 1):
if arr[j] > arr[j + 1]:
(arr[j], arr[j + 1]) = (arr[j + 1], arr[j])
if reverse:
arr.reverse()
return arr |
# https://www.hackerrank.com/challenges/minimum-loss/problem
def minimumLoss(price):
min_loss = list()
price = [(i,j) for i,j in zip(range(len(price)), price)]
price = sorted(price,key=lambda x: x[1])
for i in range(len(price)-1):
if(price[i][0]>price[i+1][0] and price[i][1]<price[i+1][1]):
min_loss.append(price[i+1][1]-price[i][1])
min_loss.sort()
return min_loss[0]
if __name__ == '__main__':
n = int(input())
price = list(map(int, input().rstrip().split()))
print(minimumLoss(price))
| def minimum_loss(price):
min_loss = list()
price = [(i, j) for (i, j) in zip(range(len(price)), price)]
price = sorted(price, key=lambda x: x[1])
for i in range(len(price) - 1):
if price[i][0] > price[i + 1][0] and price[i][1] < price[i + 1][1]:
min_loss.append(price[i + 1][1] - price[i][1])
min_loss.sort()
return min_loss[0]
if __name__ == '__main__':
n = int(input())
price = list(map(int, input().rstrip().split()))
print(minimum_loss(price)) |
# recursive function
# O(n) time | O(h) space
def nodedepth(root, depth=0):
if root is None:
return 0
return depth + nodedepth(root.left, depth + 1) + nodedepth(root.right, depth+1)
# iterative function
# O(n) time | O(h) space
def findtheddepth(root):
stack = [{"node": root, "depth": 0}]
sumOfDepth = 0
while len(stack) > 0:
nodeInfo = stack.pop()
node, depth = nodeInfo["node"], nodeInfo["depth"]
if node in None:
continue
sumOfDepth += depth
stack.append({"node": node.left, "depth": depth+1})
stack.append({"node": node.right, "depth": depth+1})
return sumOfDepth
| def nodedepth(root, depth=0):
if root is None:
return 0
return depth + nodedepth(root.left, depth + 1) + nodedepth(root.right, depth + 1)
def findtheddepth(root):
stack = [{'node': root, 'depth': 0}]
sum_of_depth = 0
while len(stack) > 0:
node_info = stack.pop()
(node, depth) = (nodeInfo['node'], nodeInfo['depth'])
if node in None:
continue
sum_of_depth += depth
stack.append({'node': node.left, 'depth': depth + 1})
stack.append({'node': node.right, 'depth': depth + 1})
return sumOfDepth |
#!/usr/bin/env python3
#
# Copyright (C) 2018 ETH Zurich and University of Bologna
#
# 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 Condor_pool(object):
def __init__(self):
machines = [
'fenga1.ee.ethz.ch',
'pisoc1.ee.ethz.ch',
'pisoc3.ee.ethz.ch', 'pisoc4.ee.ethz.ch',
'pisoc5.ee.ethz.ch', 'pisoc6.ee.ethz.ch'
]
#'fenga2.ee.ethz.ch', 'fenga3.ee.ethz.ch', 'larain1.ee.ethz.ch',
# 'larain2.ee.ethz.ch', 'larain3.ee.ethz.ch',
# 'larain4.ee.ethz.ch', 'pisoc2.ee.ethz.ch',
#machines_string = []
#for machine in machines:
# machines_string.append('( TARGET.Machine == \"%s\" )' % (machine))
#self.env = {}
#self.env['CONDOR_REQUIREMENTS'] = ' || '.join(machines_string)
self.env = {}
# TRY this command for the timeout
# condor_run -a "periodic_remove = (RemoteWallClockTime - CumulativeSuspensionTime) > 1"
self.env['CONDOR_REQUIREMENTS'] = '( TARGET.OpSysAndVer == \"CentOS7\" )'
def get_cmd(self, cmd):
return 'condor_run %s' % cmd
def get_env(self):
return self.env
| class Condor_Pool(object):
def __init__(self):
machines = ['fenga1.ee.ethz.ch', 'pisoc1.ee.ethz.ch', 'pisoc3.ee.ethz.ch', 'pisoc4.ee.ethz.ch', 'pisoc5.ee.ethz.ch', 'pisoc6.ee.ethz.ch']
self.env = {}
self.env['CONDOR_REQUIREMENTS'] = '( TARGET.OpSysAndVer == "CentOS7" )'
def get_cmd(self, cmd):
return 'condor_run %s' % cmd
def get_env(self):
return self.env |
class Event:
# TODO: This gonna abstract the concept of row data in traditional ML approach
pass
| class Event:
pass |
def parse(file_path):
# Method to read the config file.
# Using a custom function for parsing so that we have only one config for
# both the scripts and the mapreduce tasks.
config = {}
with open(file_path) as f:
for line in f:
data = line.strip()
if(data and not data.startswith("#")):
(key, value) = data.split("=")
config[key] = value
return config | def parse(file_path):
config = {}
with open(file_path) as f:
for line in f:
data = line.strip()
if data and (not data.startswith('#')):
(key, value) = data.split('=')
config[key] = value
return config |
# -*- coding: utf-8 -*-
###############################################################################
#
# Copyright (C) 2021-TODAY Prof-Dev Integrated(<http://www.prof-dev.com>).
###############################################################################
{
'name': 'Prof-Dev School MGMT',
'version': '1.0',
'license': 'LGPL-3',
'category': 'Education',
"sequence": 1,
'summary': 'Manage Students, School stages,levels, classes and fees',
'complexity': "easy",
'author': 'Prof-Dev Integrated Solutions',
'website': 'http://www.prof-dev.com',
'depends': [ 'hr'],
'data': [
'views/students.xml',
'views/parent.xml',
'views/class.xml',
'views/level.xml',
'views/stage.xml',
'views/study_year.xml',
'views/enrollment.xml',
'security/ir.model.access.csv'
]
} | {'name': 'Prof-Dev School MGMT', 'version': '1.0', 'license': 'LGPL-3', 'category': 'Education', 'sequence': 1, 'summary': 'Manage Students, School stages,levels, classes and fees', 'complexity': 'easy', 'author': 'Prof-Dev Integrated Solutions', 'website': 'http://www.prof-dev.com', 'depends': ['hr'], 'data': ['views/students.xml', 'views/parent.xml', 'views/class.xml', 'views/level.xml', 'views/stage.xml', 'views/study_year.xml', 'views/enrollment.xml', 'security/ir.model.access.csv']} |
class Solution:
def xorOperation(self, n: int, start: int) -> int:
nums = [start + 2 * i for i in range(n)];
ret = 0;
for val in nums:
ret ^= val
return ret
| class Solution:
def xor_operation(self, n: int, start: int) -> int:
nums = [start + 2 * i for i in range(n)]
ret = 0
for val in nums:
ret ^= val
return ret |
text = ''
with open('/home/reagan/code/proj/familienanlichkeiten/data/DeReKo-2014-II-MainArchive-STT.100000.freq', 'r+') as f:
text = f.read()
def process_line(line: str):
parts = line.split('\t')
return (parts[1], parts[2])
known = set()
lemmas = []
for line in text.splitlines():
lemma = process_line(line)
if lemma[0]+lemma[1] not in known:
lemmas.append(lemma)
known.add(lemma[0]+lemma[1])
print(known)
| text = ''
with open('/home/reagan/code/proj/familienanlichkeiten/data/DeReKo-2014-II-MainArchive-STT.100000.freq', 'r+') as f:
text = f.read()
def process_line(line: str):
parts = line.split('\t')
return (parts[1], parts[2])
known = set()
lemmas = []
for line in text.splitlines():
lemma = process_line(line)
if lemma[0] + lemma[1] not in known:
lemmas.append(lemma)
known.add(lemma[0] + lemma[1])
print(known) |
EXCHANGE_COSMOS_BLOCKCHAIN = "cosmos_blockchain"
CUR_ATOM = "ATOM"
MILLION = 1000000.0
CURRENCIES = {
"ibc/14F9BC3E44B8A9C1BE1FB08980FAB87034C9905EF17CF2F5008FC085218811CC": "OSMO"
}
| exchange_cosmos_blockchain = 'cosmos_blockchain'
cur_atom = 'ATOM'
million = 1000000.0
currencies = {'ibc/14F9BC3E44B8A9C1BE1FB08980FAB87034C9905EF17CF2F5008FC085218811CC': 'OSMO'} |
class StoreDoesNotExist(Exception):
def __init__(self):
super(StoreDoesNotExist, self).__init__("Store with the given query does not exist")
| class Storedoesnotexist(Exception):
def __init__(self):
super(StoreDoesNotExist, self).__init__('Store with the given query does not exist') |
class LexerFileWriter():
def __init__(self, tokens: dict, lexical_errors: dict, symbol_table: dict, token_filename="tokens.txt",
lexical_error_filename="lexical_errors.txt", symbol_table_filename="symbol_table.txt"):
self.tokens = tokens
self.lexical_errors = lexical_errors
self.symbol_table = symbol_table
self.token_filename = token_filename
self.lexical_error_filename = lexical_error_filename
self.symbol_table_filename = symbol_table_filename
def write_token_file(self):
output_string = ""
with open(self.token_filename, 'w') as f:
for k in sorted(self.tokens.keys()):
output_string += f"{k}.\t{self.tokens[k]}\n"
f.write(output_string)
def write_lexical_errors_file(self):
output_string = ""
with open(self.lexical_error_filename, 'w') as f:
if self.lexical_errors:
for k in sorted(self.lexical_errors.keys()):
output_string += f"{k}.\t{self.lexical_errors[k]}\n"
else:
output_string = "There is no lexical error."
f.write(output_string)
def write_symbol_table_file(self):
output_string = ""
with open(self.symbol_table_filename, 'w') as f:
for k in sorted(self.symbol_table.keys()):
output_string += f"{k}.\t{self.symbol_table[k]}\n"
f.write(output_string)
| class Lexerfilewriter:
def __init__(self, tokens: dict, lexical_errors: dict, symbol_table: dict, token_filename='tokens.txt', lexical_error_filename='lexical_errors.txt', symbol_table_filename='symbol_table.txt'):
self.tokens = tokens
self.lexical_errors = lexical_errors
self.symbol_table = symbol_table
self.token_filename = token_filename
self.lexical_error_filename = lexical_error_filename
self.symbol_table_filename = symbol_table_filename
def write_token_file(self):
output_string = ''
with open(self.token_filename, 'w') as f:
for k in sorted(self.tokens.keys()):
output_string += f'{k}.\t{self.tokens[k]}\n'
f.write(output_string)
def write_lexical_errors_file(self):
output_string = ''
with open(self.lexical_error_filename, 'w') as f:
if self.lexical_errors:
for k in sorted(self.lexical_errors.keys()):
output_string += f'{k}.\t{self.lexical_errors[k]}\n'
else:
output_string = 'There is no lexical error.'
f.write(output_string)
def write_symbol_table_file(self):
output_string = ''
with open(self.symbol_table_filename, 'w') as f:
for k in sorted(self.symbol_table.keys()):
output_string += f'{k}.\t{self.symbol_table[k]}\n'
f.write(output_string) |
classes = {
# layout = ["name", [attacks],[item_drops], [changes]]
0: ["soldier", [0], [2, 4, 5, 11], ["h+10", "d+2"]],
1: ["mage", [0, 2], [3, 7], ["m+40"]],
2: ["tank", [0], [1, 2, 6, 11], ["h*2", "d*0.7"]],
3: ["archer", [0, 1], [0, 3, 4, 11], ["a+10"]],
100: ["boss", [], [], ["h*1.3", "d*1.5", "a*2", "m*2"]],
101: ["basic", [0], [], []]
}
def get_all_classes(name_only=False):
'''
Gets all of the classes stored in classes.
If name_only is true returns only the names
'''
all_classes = []
if name_only:
for i in classes.values():
all_classes.append(i[0])
return(all_classes)
else:
for i in classes.values():
all_classes.append(i)
return(all_classes)
def get_assignable_classes(as_list=False):
'''
Gets all of the classes that can be either chosen or assigned.
'''
assignable_classes = classes.copy()
assignable_classes.pop(100)
assignable_classes.pop(101)
if as_list:
assignable_classes_li = []
for i in assignable_classes.values():
assignable_classes_li.append(i)
return assignable_classes_li
else:
return assignable_classes
def is_class_valid(classe=""):
for classes in get_assignable_classes(True):
if classe.lower() in classes:
return True
return False
| classes = {0: ['soldier', [0], [2, 4, 5, 11], ['h+10', 'd+2']], 1: ['mage', [0, 2], [3, 7], ['m+40']], 2: ['tank', [0], [1, 2, 6, 11], ['h*2', 'd*0.7']], 3: ['archer', [0, 1], [0, 3, 4, 11], ['a+10']], 100: ['boss', [], [], ['h*1.3', 'd*1.5', 'a*2', 'm*2']], 101: ['basic', [0], [], []]}
def get_all_classes(name_only=False):
"""
Gets all of the classes stored in classes.
If name_only is true returns only the names
"""
all_classes = []
if name_only:
for i in classes.values():
all_classes.append(i[0])
return all_classes
else:
for i in classes.values():
all_classes.append(i)
return all_classes
def get_assignable_classes(as_list=False):
"""
Gets all of the classes that can be either chosen or assigned.
"""
assignable_classes = classes.copy()
assignable_classes.pop(100)
assignable_classes.pop(101)
if as_list:
assignable_classes_li = []
for i in assignable_classes.values():
assignable_classes_li.append(i)
return assignable_classes_li
else:
return assignable_classes
def is_class_valid(classe=''):
for classes in get_assignable_classes(True):
if classe.lower() in classes:
return True
return False |
def common_settings(args, plt):
# Common options
if args['--title']:
plt.title(args['--title'])
plt.ylabel(args['--ylabel'])
plt.xlabel(args['--xlabel'])
if args['--xlog']:
plt.xscale('log')
if args['--ylog']:
plt.yscale('log')
| def common_settings(args, plt):
if args['--title']:
plt.title(args['--title'])
plt.ylabel(args['--ylabel'])
plt.xlabel(args['--xlabel'])
if args['--xlog']:
plt.xscale('log')
if args['--ylog']:
plt.yscale('log') |
#This assignment will allow you to practice writing
#Python Generator functions and a small GUI using tkinter
#Title: Generator Function of Powers of Two
#Author: Anthony Narlock
#Prof: Lisa Minogue
#Class: CSCI 2061
#Date: Nov 14, 2020
#Powers of two is a gen function that can take multiple parameters, 1 or 2, gives error for anything else
def powers_of_twos(*args):
number_of_parameters = len(args)
if(number_of_parameters == 1):
starting_pow = 1
num_of_pow = args[0]
elif(number_of_parameters == 2):
starting_pow = args[0]
num_of_pow = args[1]
else:
raise TypeError("Expected either one or two parameters")
for i in range(num_of_pow):
yield 2 ** starting_pow
starting_pow += 1
#main function for testing
def main():
print("Printing the powers of two that yield from powers_of_two(5):")
single_example = powers_of_twos(5)
for powers in powers_of_twos(5):
print(powers)
print("\nPrinting the powers of two that yield from powers_of_two(3,5):")
for powers in powers_of_twos(3,5):
print(powers)
#print("\n Showing error by typing powers_of_twos(1,2,3)")
#for powers in powers_of_twos(1,2,3):
# print(powers)
print("\n Showing error by typing powers_of_twos(0)")
for powers in powers_of_twos():
print(powers)
if __name__ == '__main__':
main()
| def powers_of_twos(*args):
number_of_parameters = len(args)
if number_of_parameters == 1:
starting_pow = 1
num_of_pow = args[0]
elif number_of_parameters == 2:
starting_pow = args[0]
num_of_pow = args[1]
else:
raise type_error('Expected either one or two parameters')
for i in range(num_of_pow):
yield (2 ** starting_pow)
starting_pow += 1
def main():
print('Printing the powers of two that yield from powers_of_two(5):')
single_example = powers_of_twos(5)
for powers in powers_of_twos(5):
print(powers)
print('\nPrinting the powers of two that yield from powers_of_two(3,5):')
for powers in powers_of_twos(3, 5):
print(powers)
print('\n Showing error by typing powers_of_twos(0)')
for powers in powers_of_twos():
print(powers)
if __name__ == '__main__':
main() |
class FileNames(object):
'''standardize and handle all file names/types encountered by pipeline'''
def __init__(self, name):
'''do everything upon instantiation'''
# determine root file name
self.root = name
self.root = self.root.replace('_c.fit','')
self.root = self.root.replace('_sobj.fit','')
self.root = self.root.replace('_cobj.fit','')
self.root = self.root.replace('_cnew.fit','')
self.root = self.root.replace('_cwcs.fit','' )
self.root = self.root.replace('_ctwp.fit','' )
self.root = self.root.replace('_cfwp.fit','' )
self.root = self.root.replace('_ctcv.fit','' )
self.root = self.root.replace('_cfcv.fit','' )
self.root = self.root.replace('_ctsb.fit','' )
self.root = self.root.replace('_cfsb.fit','' )
self.root = self.root.replace('_cph.fit','' )
self.root = self.root.replace('_ctph.fit','' )
self.root = self.root.replace('_sbph.fit','' )
self.root = self.root.replace('_cand.fit','' )
self.root = self.root.replace('_fwhm.txt','' )
self.root = self.root.replace('_obj.txt','' )
self.root = self.root.replace('_psfstar.txt','' )
self.root = self.root.replace('_apt.txt','' )
self.root = self.root.replace('_apt.dat','' )
self.root = self.root.replace('_psf.txt','' )
self.root = self.root.replace('_standrd.txt','')
self.root = self.root.replace('_standxy.txt','')
self.root = self.root.replace('_objectrd.txt','')
self.root = self.root.replace('_objectxy.txt','')
self.root = self.root.replace('_sky.txt','')
self.root = self.root.replace('_apass.dat','')
self.root = self.root.replace('_zero.txt','')
self.root = self.root.replace('.fit','')
self.root = self.root.replace('.fts','')
# generate all filenames from root
self.cimg = self.root + '_c.fit'
self.sobj = self.root + '_sobj.fit'
self.cobj = self.root + '_cobj.fit'
self.cnew = self.root + '_cnew.fit'
self.cwcs = self.root + '_cwcs.fit'
self.ctwp = self.root + '_ctwp.fit'
self.cfwp = self.root + '_cfwp.fit'
self.ctcv = self.root + '_ctcv.fit'
self.cfcv = self.root + '_cfcv.fit'
self.ctsb = self.root + '_ctsb.fit'
self.cfsb = self.root + '_cfsb.fit'
self.cph = self.root + '_cph.fit'
self.ctph = self.root + '_ctph.fit'
self.sbph = self.root + '_sbph.fit'
self.cand = self.root + '_cand.fit'
self.fwhm_fl = self.root + '_fwhm.txt'
self.obj = self.root + '_obj.txt'
self.psfstar = self.root + '_psfstar.txt'
self.apt = self.root + '_apt.txt'
self.aptdat = self.root + '_apt.dat'
self.psf = self.root + '_psf.txt'
self.psfsub = self.root + '_psfsub.txt'
self.psffitarr = self.root + '_psffitarr.fit'
self.psfdat = self.root + '_psf.dat'
self.psfsubdat = self.root + '_psfsub.dat'
self.standrd = self.root + '_standrd.txt'
self.standxy = self.root + '_standxy.txt'
self.objectrd = self.root + '_objectrd.txt'
self.objectxy = self.root + '_objectxy.txt'
self.skytxt = self.root + '_sky.txt'
self.skyfit = self.root + '_sky.fit'
self.apass = self.root + '_apass.dat'
self.zerotxt = self.root + '_zero.txt'
| class Filenames(object):
"""standardize and handle all file names/types encountered by pipeline"""
def __init__(self, name):
"""do everything upon instantiation"""
self.root = name
self.root = self.root.replace('_c.fit', '')
self.root = self.root.replace('_sobj.fit', '')
self.root = self.root.replace('_cobj.fit', '')
self.root = self.root.replace('_cnew.fit', '')
self.root = self.root.replace('_cwcs.fit', '')
self.root = self.root.replace('_ctwp.fit', '')
self.root = self.root.replace('_cfwp.fit', '')
self.root = self.root.replace('_ctcv.fit', '')
self.root = self.root.replace('_cfcv.fit', '')
self.root = self.root.replace('_ctsb.fit', '')
self.root = self.root.replace('_cfsb.fit', '')
self.root = self.root.replace('_cph.fit', '')
self.root = self.root.replace('_ctph.fit', '')
self.root = self.root.replace('_sbph.fit', '')
self.root = self.root.replace('_cand.fit', '')
self.root = self.root.replace('_fwhm.txt', '')
self.root = self.root.replace('_obj.txt', '')
self.root = self.root.replace('_psfstar.txt', '')
self.root = self.root.replace('_apt.txt', '')
self.root = self.root.replace('_apt.dat', '')
self.root = self.root.replace('_psf.txt', '')
self.root = self.root.replace('_standrd.txt', '')
self.root = self.root.replace('_standxy.txt', '')
self.root = self.root.replace('_objectrd.txt', '')
self.root = self.root.replace('_objectxy.txt', '')
self.root = self.root.replace('_sky.txt', '')
self.root = self.root.replace('_apass.dat', '')
self.root = self.root.replace('_zero.txt', '')
self.root = self.root.replace('.fit', '')
self.root = self.root.replace('.fts', '')
self.cimg = self.root + '_c.fit'
self.sobj = self.root + '_sobj.fit'
self.cobj = self.root + '_cobj.fit'
self.cnew = self.root + '_cnew.fit'
self.cwcs = self.root + '_cwcs.fit'
self.ctwp = self.root + '_ctwp.fit'
self.cfwp = self.root + '_cfwp.fit'
self.ctcv = self.root + '_ctcv.fit'
self.cfcv = self.root + '_cfcv.fit'
self.ctsb = self.root + '_ctsb.fit'
self.cfsb = self.root + '_cfsb.fit'
self.cph = self.root + '_cph.fit'
self.ctph = self.root + '_ctph.fit'
self.sbph = self.root + '_sbph.fit'
self.cand = self.root + '_cand.fit'
self.fwhm_fl = self.root + '_fwhm.txt'
self.obj = self.root + '_obj.txt'
self.psfstar = self.root + '_psfstar.txt'
self.apt = self.root + '_apt.txt'
self.aptdat = self.root + '_apt.dat'
self.psf = self.root + '_psf.txt'
self.psfsub = self.root + '_psfsub.txt'
self.psffitarr = self.root + '_psffitarr.fit'
self.psfdat = self.root + '_psf.dat'
self.psfsubdat = self.root + '_psfsub.dat'
self.standrd = self.root + '_standrd.txt'
self.standxy = self.root + '_standxy.txt'
self.objectrd = self.root + '_objectrd.txt'
self.objectxy = self.root + '_objectxy.txt'
self.skytxt = self.root + '_sky.txt'
self.skyfit = self.root + '_sky.fit'
self.apass = self.root + '_apass.dat'
self.zerotxt = self.root + '_zero.txt' |
# -*- coding: utf-8 -*-
class Hero(object):
def __init__(self, forename, surname, hero):
self.forename = forename
self.surname = surname
self.heroname = hero
def __repr__(self):
return 'Hero({0}, {1}, {2})'.format(
self.forename, self.surname, self.heroname)
| class Hero(object):
def __init__(self, forename, surname, hero):
self.forename = forename
self.surname = surname
self.heroname = hero
def __repr__(self):
return 'Hero({0}, {1}, {2})'.format(self.forename, self.surname, self.heroname) |
result = []
with open(FILE, mode='r') as file:
reader = csv.reader(file, lineterminator='\n')
for *features, label in reader:
label = SPECIES[int(label)]
row = tuple(features) + (label,)
result.append(row)
| result = []
with open(FILE, mode='r') as file:
reader = csv.reader(file, lineterminator='\n')
for (*features, label) in reader:
label = SPECIES[int(label)]
row = tuple(features) + (label,)
result.append(row) |
def spec(x, y, color="run ID"):
def subfigure(params, x_kwargs, y_kwargs):
return {
"height": 400,
"width": 600,
"encoding": {
"x": {"type": "quantitative", "field": x, **x_kwargs},
"y": {"type": "quantitative", "field": y, **y_kwargs},
"color": {"type": "nominal", "field": color},
"opacity": {
"value": 0.1,
"condition": {
"test": {
"and": [
{"param": "legend_selection"},
{"param": "hover"},
]
},
"value": 1,
},
},
},
"layer": [
{
"mark": "line",
"params": params,
}
],
}
params = [
{
"bind": "legend",
"name": "legend_selection",
"select": {
"on": "mouseover",
"type": "point",
"fields": ["run ID"],
},
},
{
"bind": "legend",
"name": "hover",
"select": {
"on": "mouseover",
"type": "point",
"fields": ["run ID"],
},
},
]
return {
"$schema": "https://vega.github.io/schema/vega-lite/v5.json",
"data": {"name": "data"},
"hconcat": [
subfigure(
params=[*params, {"name": "selection", "select": "interval"}],
x_kwargs={},
y_kwargs={},
),
subfigure(
params=params,
x_kwargs={"scale": {"domain": {"param": "selection", "encoding": "x"}}},
y_kwargs={"scale": {"domain": {"param": "selection", "encoding": "y"}}},
),
],
}
| def spec(x, y, color='run ID'):
def subfigure(params, x_kwargs, y_kwargs):
return {'height': 400, 'width': 600, 'encoding': {'x': {'type': 'quantitative', 'field': x, **x_kwargs}, 'y': {'type': 'quantitative', 'field': y, **y_kwargs}, 'color': {'type': 'nominal', 'field': color}, 'opacity': {'value': 0.1, 'condition': {'test': {'and': [{'param': 'legend_selection'}, {'param': 'hover'}]}, 'value': 1}}}, 'layer': [{'mark': 'line', 'params': params}]}
params = [{'bind': 'legend', 'name': 'legend_selection', 'select': {'on': 'mouseover', 'type': 'point', 'fields': ['run ID']}}, {'bind': 'legend', 'name': 'hover', 'select': {'on': 'mouseover', 'type': 'point', 'fields': ['run ID']}}]
return {'$schema': 'https://vega.github.io/schema/vega-lite/v5.json', 'data': {'name': 'data'}, 'hconcat': [subfigure(params=[*params, {'name': 'selection', 'select': 'interval'}], x_kwargs={}, y_kwargs={}), subfigure(params=params, x_kwargs={'scale': {'domain': {'param': 'selection', 'encoding': 'x'}}}, y_kwargs={'scale': {'domain': {'param': 'selection', 'encoding': 'y'}}})]} |
# Option for variable 'simulation_type':
# 1: cylindrical roller bearing
# 2:
# 3: cylindrical roller thrust bearing
# 4: ball on disk (currently not fully supported)
# 5: pin on disk
# 6: 4 ball
# 7: ball on three plates
# 8: ring on ring
# global simulation setup
simulation_type = 8 # one of the above type numbers
simulation_name = 'RingOnRing'
auto_print = True # True or False
auto_plot = False
auto_report = False
# global test setup / bearing information
tribo_system_name = 'bla'
number_planets = 2
# Sun (CB1)
e_cb1 = 210000 # young's modulus in MPa
ny_cb1 = 0.3 # poisson number in MPa
diameter_cb1 = 37.5 # in mm
length_cb1 = 10 # in mm
type_profile_cb1 = 'ISO' # 'None', 'ISO', 'Circle', 'File'
path_profile_cb1 = 'tribology/p3can/BearingProfiles/NU206-RE-1.txt' # path to profile.txt file required if TypeProfile == 'File'
profile_radius_cb1 = 6.35 # input required if TypeProfile == 'Circle'
# Planet (CB2)
e_cb2 = 210000 # young's modulus in MPa
ny_cb2 = 0.3 # poisson number in MPa
diameter_cb2 = 9 # in mm
type_profile_cb2 = 'ISO' # 'None', 'File'
profile_radius_cb2 = 20
length_cb2 = 10
path_profile_cb2 = "tribology/p3can/BearingProfiles/NU206-IR-2.txt" # path to profile.txt file required if TypeProfile == 'File'
# Loads
global_force = 300 # in N
rot_velocity1 = 300 # in rpm
rot_velocity2 = 2 # in rpm
# Mesh
res_x = 33 # data points along roller length
res_y = 31 # data points along roller width
| simulation_type = 8
simulation_name = 'RingOnRing'
auto_print = True
auto_plot = False
auto_report = False
tribo_system_name = 'bla'
number_planets = 2
e_cb1 = 210000
ny_cb1 = 0.3
diameter_cb1 = 37.5
length_cb1 = 10
type_profile_cb1 = 'ISO'
path_profile_cb1 = 'tribology/p3can/BearingProfiles/NU206-RE-1.txt'
profile_radius_cb1 = 6.35
e_cb2 = 210000
ny_cb2 = 0.3
diameter_cb2 = 9
type_profile_cb2 = 'ISO'
profile_radius_cb2 = 20
length_cb2 = 10
path_profile_cb2 = 'tribology/p3can/BearingProfiles/NU206-IR-2.txt'
global_force = 300
rot_velocity1 = 300
rot_velocity2 = 2
res_x = 33
res_y = 31 |
e={'Eid':100120,'name':'vijay','age':21}
e1={'Eid':100121,'name':'vijay','age':21}
e3={'Eid':100122,'name':'vijay','age':21}
print(e)
print(e.get('name'))
e['age']=22;
for i in e.keys():
print(e[i])
for i,j in e.items():
print(i,j)
| e = {'Eid': 100120, 'name': 'vijay', 'age': 21}
e1 = {'Eid': 100121, 'name': 'vijay', 'age': 21}
e3 = {'Eid': 100122, 'name': 'vijay', 'age': 21}
print(e)
print(e.get('name'))
e['age'] = 22
for i in e.keys():
print(e[i])
for (i, j) in e.items():
print(i, j) |
def all_doe_stake_transactions():
data = {
'module': 'account',
'action': 'txlist',
'address':'0x60C6b5DC066E33801F2D9F2830595490A3086B4e',
'startblock':'13554136',
'endblock':'99999999',
# 'page': '1',
# 'offset': '5',
'sort': 'asc',
'apikey': hidden_details.etherscan_key,
}
return requests.get("https://api.etherscan.io/api", data=data).json()['result']
def dump_all_stakers():
addresses = []
dump = all_doe_stake_transactions()
for tx in dump:
addr = tx['from']
if addr not in addresses:
addresses.append(addr) | def all_doe_stake_transactions():
data = {'module': 'account', 'action': 'txlist', 'address': '0x60C6b5DC066E33801F2D9F2830595490A3086B4e', 'startblock': '13554136', 'endblock': '99999999', 'sort': 'asc', 'apikey': hidden_details.etherscan_key}
return requests.get('https://api.etherscan.io/api', data=data).json()['result']
def dump_all_stakers():
addresses = []
dump = all_doe_stake_transactions()
for tx in dump:
addr = tx['from']
if addr not in addresses:
addresses.append(addr) |
class Thinker:
def __init__(self):
self.velocity = 0
def viewDistance(self):
return 20
def step(self, deltaTime):
self.velocity = 30
def getVelocity(self):
return self.velocity | class Thinker:
def __init__(self):
self.velocity = 0
def view_distance(self):
return 20
def step(self, deltaTime):
self.velocity = 30
def get_velocity(self):
return self.velocity |
__author__ = 'fernando'
class BaseAuth(object):
def has_data(self):
raise NotImplementedError()
def get_username(self):
raise NotImplementedError()
def get_password(self):
raise NotImplementedError() | __author__ = 'fernando'
class Baseauth(object):
def has_data(self):
raise not_implemented_error()
def get_username(self):
raise not_implemented_error()
def get_password(self):
raise not_implemented_error() |
# -*- coding: utf-8 -*-
def test_readuntil(monkey):
pass
| def test_readuntil(monkey):
pass |
class dotRebarSpacing_t(object):
# no doc
EndOffset = None
EndOffsetIsAutomatic = None
EndOffsetIsFixed = None
NumberSpacingZones = None
StartOffset = None
StartOffsetIsAutomatic = None
StartOffsetIsFixed = None
Zones = None
| class Dotrebarspacing_T(object):
end_offset = None
end_offset_is_automatic = None
end_offset_is_fixed = None
number_spacing_zones = None
start_offset = None
start_offset_is_automatic = None
start_offset_is_fixed = None
zones = None |
# You can create a generator using a generator expression like a lambda function.
# This function does not need or use a yield keyword.
# Syntax : Y = ([ Expression ])
y = [1,2,3,4,5]
print([x**2 for x in y])
print("\nDoing this without using the generator expressions :")
length = len(y)
print((x**2 for x in y).__next__())
input("Press any key to exit ")
| y = [1, 2, 3, 4, 5]
print([x ** 2 for x in y])
print('\nDoing this without using the generator expressions :')
length = len(y)
print((x ** 2 for x in y).__next__())
input('Press any key to exit ') |
# Mock out starturls for ../spiders.py file
class MockGenerator(object):
def __init__(self, *args, **kwargs):
pass
def __call__(self, *args, **kwargs):
return []
class FeedGenerator(MockGenerator):
pass
class FragmentGenerator(MockGenerator):
pass
| class Mockgenerator(object):
def __init__(self, *args, **kwargs):
pass
def __call__(self, *args, **kwargs):
return []
class Feedgenerator(MockGenerator):
pass
class Fragmentgenerator(MockGenerator):
pass |
class Time:
def gettime(self):
self.hour=int(input("Enter hour: "))
self.minute=int(input("Enter minute: "))
self.second=int(input("Enter seconds: "))
def display(self):
print(f"Time is {self.hour}:{self.minute}:{self.second}\n")
def __add__(self,other):
sum=Time()
sum.hour=self.hour+other.hour
sum.minute=self.minute+other.minute
if sum.minute>=60:
sum.hour+=1
sum.minute-=60
sum.second=self.second+other.second
if sum.second>=60:
sum.minute+=1
sum.second-=60
return sum
a=Time()
a.gettime()
a.display()
b=Time()
b.gettime()
b.display()
c=a+b
c.display() | class Time:
def gettime(self):
self.hour = int(input('Enter hour: '))
self.minute = int(input('Enter minute: '))
self.second = int(input('Enter seconds: '))
def display(self):
print(f'Time is {self.hour}:{self.minute}:{self.second}\n')
def __add__(self, other):
sum = time()
sum.hour = self.hour + other.hour
sum.minute = self.minute + other.minute
if sum.minute >= 60:
sum.hour += 1
sum.minute -= 60
sum.second = self.second + other.second
if sum.second >= 60:
sum.minute += 1
sum.second -= 60
return sum
a = time()
a.gettime()
a.display()
b = time()
b.gettime()
b.display()
c = a + b
c.display() |
n = int(input())
for i in range(n):
a = input()
set1 = set(input().split())
b = input()
set2 = set(input().split())
print(set1.issubset(set2))
| n = int(input())
for i in range(n):
a = input()
set1 = set(input().split())
b = input()
set2 = set(input().split())
print(set1.issubset(set2)) |
def estimator(data):
reportedCases=data['reportedCases']
totalHospitalBeds=data['totalHospitalBeds']
output={"data": {},"impact": {},"severeImpact":{}}
output['impact']['currentlyInfected']=reportedCases * 10
output['severeImpact']['currentlyInfected']=reportedCases * 50
days=28
if days:
factor=int(days/3)
estimate_impact=output['impact']['currentlyInfected'] *pow(2,factor)
output['impact']['infectionsByRequestedTime']=estimate_impact
estimate_severeimpact=output['severeImpact']['currentlyInfected']* pow(2,factor)
output['severeImpact']['infectionsByRequestedTime']=estimate_severeimpact
impact_=output['impact']['infectionsByRequestedTime'] *0.15
severimpact_=output['severeImpact']['infectionsByRequestedTime']*0.15
output['impact']['severeCasesByRequestedTime']=impact_
output['severeImpact']['severeCasesByRequestedTime']=severimpact_
beds_available =round(totalHospitalBeds*0.35,0)
available_hospital_beds_impact=beds_available - output['impact']['severeCasesByRequestedTime']
available_hospital_beds_severeImpact= beds_available - output['severeImpact']['severeCasesByRequestedTime']
output['impact']['hospitalBedsByRequestedTime']=available_hospital_beds_impact
output['severeImpact']['hospitalBedsByRequestedTime']=available_hospital_beds_severeImpact
output['data']=data
impact_icu=output['impact']['infectionsByRequestedTime'] *0.05
severimpact_icu=output['severeImpact']['infectionsByRequestedTime']*0.05
output['impact']['casesForICUByRequestedTime']=impact_icu
output['severeImpact']['casesForICUByRequestedTime']=severimpact_icu
impact_vetilator=output['impact']['infectionsByRequestedTime'] *0.02
severimpact_vetilator=output['severeImpact']['infectionsByRequestedTime']*0.02
output['impact']['casesForVentilatorsByRequestedTime']=impact_vetilator
output['severeImpact']['casesForVentilatorsByRequestedTime']=severimpact_vetilator
dollarsInFlight_1=output['impact']['infectionsByRequestedTime']
dollarsInFlight_2=output['severeImpact']['infectionsByRequestedTime']
estimated_money=dollarsInFlight_1*0.85*5*30
estimated_money1=dollarsInFlight_2*0.85*5*30
output['impact']['dollarsInFlight']=estimated_money
output['severeImpact']['dollarsInFlight']=estimated_money1
final_output={"data":{}, "estimate":{}}
final_output['data']=data
final_output['estimate']["impact"]=output["impact"]
final_output['estimate']["severeImpact"]=output["severeImpact"]
return final_output
elif data['weeks']:
days=data['weeks']*7
factor=round(days/3,0)
estimate_impact=output['impact']['currentlyInfected'] *pow(2,factor)
output['impact']['infectionsByRequestedTime']=estimate_impact
estimate_severeimpact=output['severeImpact']['currentlyInfected']* pow(2,factor)
output['severeImpact']['infectionsByRequestedTime']=estimate_severeimpact
impact_=output['impact']['infectionsByRequestedTime'] *0.15
severimpact_=output['severeImpact']['infectionsByRequestedTime']*0.15
output['impact']['severeCasesByRequestedTime']=impact_
output['severeImpact']['severeCasesByRequestedTime']=severimpact_
beds_available =round(totalHospitalBeds*0.35,0)
available_hospital_beds_impact=beds_available - output['impact']['severeCasesByRequestedTime']
available_hospital_beds_severeImpact= beds_available - output['severeImpact']['severeCasesByRequestedTime']
output['impact']['hospitalBedsByRequestedTime']=available_hospital_beds_impact
output['severeImpact']['hospitalBedsByRequestedTime']=available_hospital_beds_severeImpact
output['data']=data
impact_icu=output['impact']['infectionsByRequestedTime'] *0.05
severimpact_icu=output['severeImpact']['infectionsByRequestedTime']*0.05
output['impact']['casesForICUByRequestedTime']=impact_icu
output['severeImpact']['casesForICUByRequestedTime']=severimpact_icu
impact_vetilator=output['impact']['infectionsByRequestedTime'] *0.02
severimpact_vetilator=output['severeImpact']['infectionsByRequestedTime']*0.02
output['impact']['casesForVentilatorsByRequestedTime']=impact_vetilator
output['severeImpact']['casesForVentilatorsByRequestedTime']=severimpact_vetilator
dollarsInFlight_1=output['impact']['infectionsByRequestedTime']
dollarsInFlight_2=output['severeImpact']['infectionsByRequestedTime']
estimated_money=dollarsInFlight_1*0.85*5*30
estimated_money1=dollarsInFlight_2*0.85*5*30
output['impact']['dollarsInFlight']=estimated_money
output['severeImpact']['dollarsInFlight']=estimated_money1
return output
elif data['months']:
days= data['months']*30
factor=round(days/3,0)
estimate_impact=output['impact']['currentlyInfected'] *pow(2,factor)
output['impact']['infectionsByRequestedTime']=estimate_impact
estimate_severeimpact=output['severeImpact']['currentlyInfected']* pow(2,factor)
output['severeImpact']['infectionsByRequestedTime']=estimate_severeimpact
impact_=output['impact']['infectionsByRequestedTime'] *0.15
severimpact_=output['severeImpact']['infectionsByRequestedTime']*0.15
output['impact']['severeCasesByRequestedTime']=impact_
output['severeImpact']['severeCasesByRequestedTime']=severimpact_
beds_available =round(totalHospitalBeds*0.35,0)
available_hospital_beds_impact=beds_available - output['impact']['severeCasesByRequestedTime']
available_hospital_beds_severeImpact= beds_available - output['severeImpact']['severeCasesByRequestedTime']
output['impact']['hospitalBedsByRequestedTime']=available_hospital_beds_impact
output['severeImpact']['hospitalBedsByRequestedTime']=available_hospital_beds_severeImpact
output['data']=data
impact_icu=output['impact']['infectionsByRequestedTime'] *0.05
severimpact_icu=output['severeImpact']['infectionsByRequestedTime']*0.05
output['impact']['casesForICUByRequestedTime']=impact_icu
output['severeImpact']['casesForICUByRequestedTime']=severimpact_icu
impact_vetilator=output['impact']['infectionsByRequestedTime'] *0.02
severimpact_vetilator=output['severeImpact']['infectionsByRequestedTime']*0.02
output['impact']['casesForVentilatorsByRequestedTime']=impact_vetilator
output['severeImpact']['casesForVentilatorsByRequestedTime']=severimpact_vetilator
dollarsInFlight_1=output['impact']['infectionsByRequestedTime']
dollarsInFlight_2=output['severeImpact']['infectionsByRequestedTime']
estimated_money=dollarsInFlight_1*0.85*5*30
estimated_money1=dollarsInFlight_2*0.85*5*30
output['impact']['dollarsInFlight']=estimated_money
output['severeImpact']['dollarsInFlight']=estimated_money1
return output
else:
return{'error':"no data "}
| def estimator(data):
reported_cases = data['reportedCases']
total_hospital_beds = data['totalHospitalBeds']
output = {'data': {}, 'impact': {}, 'severeImpact': {}}
output['impact']['currentlyInfected'] = reportedCases * 10
output['severeImpact']['currentlyInfected'] = reportedCases * 50
days = 28
if days:
factor = int(days / 3)
estimate_impact = output['impact']['currentlyInfected'] * pow(2, factor)
output['impact']['infectionsByRequestedTime'] = estimate_impact
estimate_severeimpact = output['severeImpact']['currentlyInfected'] * pow(2, factor)
output['severeImpact']['infectionsByRequestedTime'] = estimate_severeimpact
impact_ = output['impact']['infectionsByRequestedTime'] * 0.15
severimpact_ = output['severeImpact']['infectionsByRequestedTime'] * 0.15
output['impact']['severeCasesByRequestedTime'] = impact_
output['severeImpact']['severeCasesByRequestedTime'] = severimpact_
beds_available = round(totalHospitalBeds * 0.35, 0)
available_hospital_beds_impact = beds_available - output['impact']['severeCasesByRequestedTime']
available_hospital_beds_severe_impact = beds_available - output['severeImpact']['severeCasesByRequestedTime']
output['impact']['hospitalBedsByRequestedTime'] = available_hospital_beds_impact
output['severeImpact']['hospitalBedsByRequestedTime'] = available_hospital_beds_severeImpact
output['data'] = data
impact_icu = output['impact']['infectionsByRequestedTime'] * 0.05
severimpact_icu = output['severeImpact']['infectionsByRequestedTime'] * 0.05
output['impact']['casesForICUByRequestedTime'] = impact_icu
output['severeImpact']['casesForICUByRequestedTime'] = severimpact_icu
impact_vetilator = output['impact']['infectionsByRequestedTime'] * 0.02
severimpact_vetilator = output['severeImpact']['infectionsByRequestedTime'] * 0.02
output['impact']['casesForVentilatorsByRequestedTime'] = impact_vetilator
output['severeImpact']['casesForVentilatorsByRequestedTime'] = severimpact_vetilator
dollars_in_flight_1 = output['impact']['infectionsByRequestedTime']
dollars_in_flight_2 = output['severeImpact']['infectionsByRequestedTime']
estimated_money = dollarsInFlight_1 * 0.85 * 5 * 30
estimated_money1 = dollarsInFlight_2 * 0.85 * 5 * 30
output['impact']['dollarsInFlight'] = estimated_money
output['severeImpact']['dollarsInFlight'] = estimated_money1
final_output = {'data': {}, 'estimate': {}}
final_output['data'] = data
final_output['estimate']['impact'] = output['impact']
final_output['estimate']['severeImpact'] = output['severeImpact']
return final_output
elif data['weeks']:
days = data['weeks'] * 7
factor = round(days / 3, 0)
estimate_impact = output['impact']['currentlyInfected'] * pow(2, factor)
output['impact']['infectionsByRequestedTime'] = estimate_impact
estimate_severeimpact = output['severeImpact']['currentlyInfected'] * pow(2, factor)
output['severeImpact']['infectionsByRequestedTime'] = estimate_severeimpact
impact_ = output['impact']['infectionsByRequestedTime'] * 0.15
severimpact_ = output['severeImpact']['infectionsByRequestedTime'] * 0.15
output['impact']['severeCasesByRequestedTime'] = impact_
output['severeImpact']['severeCasesByRequestedTime'] = severimpact_
beds_available = round(totalHospitalBeds * 0.35, 0)
available_hospital_beds_impact = beds_available - output['impact']['severeCasesByRequestedTime']
available_hospital_beds_severe_impact = beds_available - output['severeImpact']['severeCasesByRequestedTime']
output['impact']['hospitalBedsByRequestedTime'] = available_hospital_beds_impact
output['severeImpact']['hospitalBedsByRequestedTime'] = available_hospital_beds_severeImpact
output['data'] = data
impact_icu = output['impact']['infectionsByRequestedTime'] * 0.05
severimpact_icu = output['severeImpact']['infectionsByRequestedTime'] * 0.05
output['impact']['casesForICUByRequestedTime'] = impact_icu
output['severeImpact']['casesForICUByRequestedTime'] = severimpact_icu
impact_vetilator = output['impact']['infectionsByRequestedTime'] * 0.02
severimpact_vetilator = output['severeImpact']['infectionsByRequestedTime'] * 0.02
output['impact']['casesForVentilatorsByRequestedTime'] = impact_vetilator
output['severeImpact']['casesForVentilatorsByRequestedTime'] = severimpact_vetilator
dollars_in_flight_1 = output['impact']['infectionsByRequestedTime']
dollars_in_flight_2 = output['severeImpact']['infectionsByRequestedTime']
estimated_money = dollarsInFlight_1 * 0.85 * 5 * 30
estimated_money1 = dollarsInFlight_2 * 0.85 * 5 * 30
output['impact']['dollarsInFlight'] = estimated_money
output['severeImpact']['dollarsInFlight'] = estimated_money1
return output
elif data['months']:
days = data['months'] * 30
factor = round(days / 3, 0)
estimate_impact = output['impact']['currentlyInfected'] * pow(2, factor)
output['impact']['infectionsByRequestedTime'] = estimate_impact
estimate_severeimpact = output['severeImpact']['currentlyInfected'] * pow(2, factor)
output['severeImpact']['infectionsByRequestedTime'] = estimate_severeimpact
impact_ = output['impact']['infectionsByRequestedTime'] * 0.15
severimpact_ = output['severeImpact']['infectionsByRequestedTime'] * 0.15
output['impact']['severeCasesByRequestedTime'] = impact_
output['severeImpact']['severeCasesByRequestedTime'] = severimpact_
beds_available = round(totalHospitalBeds * 0.35, 0)
available_hospital_beds_impact = beds_available - output['impact']['severeCasesByRequestedTime']
available_hospital_beds_severe_impact = beds_available - output['severeImpact']['severeCasesByRequestedTime']
output['impact']['hospitalBedsByRequestedTime'] = available_hospital_beds_impact
output['severeImpact']['hospitalBedsByRequestedTime'] = available_hospital_beds_severeImpact
output['data'] = data
impact_icu = output['impact']['infectionsByRequestedTime'] * 0.05
severimpact_icu = output['severeImpact']['infectionsByRequestedTime'] * 0.05
output['impact']['casesForICUByRequestedTime'] = impact_icu
output['severeImpact']['casesForICUByRequestedTime'] = severimpact_icu
impact_vetilator = output['impact']['infectionsByRequestedTime'] * 0.02
severimpact_vetilator = output['severeImpact']['infectionsByRequestedTime'] * 0.02
output['impact']['casesForVentilatorsByRequestedTime'] = impact_vetilator
output['severeImpact']['casesForVentilatorsByRequestedTime'] = severimpact_vetilator
dollars_in_flight_1 = output['impact']['infectionsByRequestedTime']
dollars_in_flight_2 = output['severeImpact']['infectionsByRequestedTime']
estimated_money = dollarsInFlight_1 * 0.85 * 5 * 30
estimated_money1 = dollarsInFlight_2 * 0.85 * 5 * 30
output['impact']['dollarsInFlight'] = estimated_money
output['severeImpact']['dollarsInFlight'] = estimated_money1
return output
else:
return {'error': 'no data '} |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.