content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
# author: brian dillmann # for rscs class State: def __init__(self, name): if not isinstance(name, basestring): raise TypeError('State name must be a string') if not len(name): raise ValueError('Cannot create State with empty name') self.name = name self.transitions = [] self.outputs = {} def addOutputVal(self, deviceName, val): self.outputs[deviceName] = bool(val) def addTransition(self, transition): self.transitions.push(transition)
class State: def __init__(self, name): if not isinstance(name, basestring): raise type_error('State name must be a string') if not len(name): raise value_error('Cannot create State with empty name') self.name = name self.transitions = [] self.outputs = {} def add_output_val(self, deviceName, val): self.outputs[deviceName] = bool(val) def add_transition(self, transition): self.transitions.push(transition)
ids = dict() for line in open('feature/fluidin.csv'): id=line.split(',')[1] ids[id] = ids.get(id, 0) + 1 print(ids)
ids = dict() for line in open('feature/fluidin.csv'): id = line.split(',')[1] ids[id] = ids.get(id, 0) + 1 print(ids)
# Written by Matheus Violaro Bellini ######################################## # This is a quick tool to visualize the values # that a half floating point can achieve # # To use this code, simply input the index # of the binary you want to change in the # list shown and it will update its value. ######################################## # half (16 bits) normalized expression: (-1)^s * (1.d1d2d3...dt) * 2^(e - 15) def interpret_float(num): result = 0 base = 0 is_negative = 0 if (num[0] == 1): is_negative = 1 # special values is_zero = (num[2] == num[3] == num[4] == num[5] == num[6] == 0) is_one = (num[2] == num[3] == num[4] == num[5] == num[6] == 1) if (is_zero): return 0 elif (is_one and is_negative): return "-Inf" elif (is_one and ~is_negative): return "inf" # mantissa j = 17 for i in range(-10, 0): result += num[j] * (2 ** i) j = j - 1 result += 1 # rest j = 6 for i in range(0, 5): base += num[j] * (2 ** i) j = j -1 result = result * (2 ** (base - 15)) if (is_negative): return -result return result my_half = [0, "|", 0, 0, 0, 0, 0, "|", 0, 0, 0, 0, 0, 0, 0, 0, 0, 0] while(1): print(str(my_half) + " = " + str(interpret_float(my_half))) index = int(input("index: ")) value = int(input("value: ")) if (my_half[index] != "|"): my_half[index] = value
def interpret_float(num): result = 0 base = 0 is_negative = 0 if num[0] == 1: is_negative = 1 is_zero = num[2] == num[3] == num[4] == num[5] == num[6] == 0 is_one = num[2] == num[3] == num[4] == num[5] == num[6] == 1 if is_zero: return 0 elif is_one and is_negative: return '-Inf' elif is_one and ~is_negative: return 'inf' j = 17 for i in range(-10, 0): result += num[j] * 2 ** i j = j - 1 result += 1 j = 6 for i in range(0, 5): base += num[j] * 2 ** i j = j - 1 result = result * 2 ** (base - 15) if is_negative: return -result return result my_half = [0, '|', 0, 0, 0, 0, 0, '|', 0, 0, 0, 0, 0, 0, 0, 0, 0, 0] while 1: print(str(my_half) + ' = ' + str(interpret_float(my_half))) index = int(input('index: ')) value = int(input('value: ')) if my_half[index] != '|': my_half[index] = value
def sum_fibs(n): fibo = [] a, b = 0, 1 even_sum = 0 for i in range(2, n+1): a, b = b, a+b fibo.append(b) for x in fibo: if x % 2 == 0: even_sum = even_sum + x return even_sum print(sum_fibs(9))
def sum_fibs(n): fibo = [] (a, b) = (0, 1) even_sum = 0 for i in range(2, n + 1): (a, b) = (b, a + b) fibo.append(b) for x in fibo: if x % 2 == 0: even_sum = even_sum + x return even_sum print(sum_fibs(9))
# Recursion needs two things: # 1: A base case (if x then y) # 2: A Recursive (inductive) case # a way to simplify the problem after simple ops. # 1: factorial def factorial(fact): if fact <= 1: # Base Case: x=1 return 1 else: return fact * factorial(fact-1) print(factorial(6)) def exponential(b, n): if n == 1: return b else: return b * exponential(b, n-1) print(exponential(2, 5)) def palindrome(strPalindrome): if len(strPalindrome) <= 1: return True else: return strPalindrome[0] == strPalindrome[-1] and palindrome(strPalindrome[1:-1]) print(palindrome('racecar')) def fibonacci(n): # Assumes input > 0 if n<=1: return 1 else: return fibonacci(n-1)+fibonacci(n-2) #rabbits model #1 pair of rabits start #sexual maturity and gestation period of 1 month #never die #always produces 1 pair
def factorial(fact): if fact <= 1: return 1 else: return fact * factorial(fact - 1) print(factorial(6)) def exponential(b, n): if n == 1: return b else: return b * exponential(b, n - 1) print(exponential(2, 5)) def palindrome(strPalindrome): if len(strPalindrome) <= 1: return True else: return strPalindrome[0] == strPalindrome[-1] and palindrome(strPalindrome[1:-1]) print(palindrome('racecar')) def fibonacci(n): if n <= 1: return 1 else: return fibonacci(n - 1) + fibonacci(n - 2)
# Subset rows from India, Hyderabad to Iraq, Baghdad print(temperatures_srt.loc[("India", "Hyderabad"):("Iraq", "Baghdad")]) # Subset columns from date to avg_temp_c print(temperatures_srt.loc[:, "date":"avg_temp_c"]) # Subset in both directions at once print(temperatures_srt.loc[("India", "Hyderabad"):("Iraq", "Baghdad"), "date":"avg_temp_c"])
print(temperatures_srt.loc[('India', 'Hyderabad'):('Iraq', 'Baghdad')]) print(temperatures_srt.loc[:, 'date':'avg_temp_c']) print(temperatures_srt.loc[('India', 'Hyderabad'):('Iraq', 'Baghdad'), 'date':'avg_temp_c'])
# 15/15 number_of_lines = int(input()) compressed_messages = [] for _ in range(number_of_lines): decompressed = input() compressed = "" symbol = "" count = 0 for character in decompressed: if not symbol: symbol = character count = 1 continue if character == symbol: count += 1 continue compressed += f"{count}{symbol}" symbol = character count = 1 compressed += f"{count}{symbol}" compressed_messages.append(compressed) for message in compressed_messages: print(message)
number_of_lines = int(input()) compressed_messages = [] for _ in range(number_of_lines): decompressed = input() compressed = '' symbol = '' count = 0 for character in decompressed: if not symbol: symbol = character count = 1 continue if character == symbol: count += 1 continue compressed += f'{count}{symbol}' symbol = character count = 1 compressed += f'{count}{symbol}' compressed_messages.append(compressed) for message in compressed_messages: print(message)
class Score: def __init__(self): self._score = 0 def get_score(self): return self._score def add_score(self, score): self._score += score
class Score: def __init__(self): self._score = 0 def get_score(self): return self._score def add_score(self, score): self._score += score
# coding: utf-8 password_livechan = 'annacookie' url = 'https://kotchan.org' kotch_url = 'http://0.0.0.0:8888'
password_livechan = 'annacookie' url = 'https://kotchan.org' kotch_url = 'http://0.0.0.0:8888'
a=input() k = -1 for i in range(len(a)): if a[i] == '(': k=i print(a[:k].count('@='),a[k+5:].count('=@'))
a = input() k = -1 for i in range(len(a)): if a[i] == '(': k = i print(a[:k].count('@='), a[k + 5:].count('=@'))
# -*- coding: utf-8 -*- def main(): s = input() k = int(input()) one_count = 0 for si in s: if si == '1': one_count += 1 else: break if s[0] == '1': if k == 1: print(s[0]) elif one_count >= k: print(1) elif one_count < k: print(s[one_count]) else: print(s[1]) else: print(s[0]) if __name__ == '__main__': main()
def main(): s = input() k = int(input()) one_count = 0 for si in s: if si == '1': one_count += 1 else: break if s[0] == '1': if k == 1: print(s[0]) elif one_count >= k: print(1) elif one_count < k: print(s[one_count]) else: print(s[1]) else: print(s[0]) if __name__ == '__main__': main()
# Huu Hung Nguyen # 09/19/2021 # windchill.py # The program prompts the user for the temperature in Celsius, # and the wind velocity in kilometers per hour. # It then calculates the wind chill temperature and prints the result. # Prompt user for temperature in Celsius temp = float(input('Enter temperature in degrees Celsius: ')) # Prompt user for wind velocity in kilometers per hour wind_velocity = float(input('Enter wind velocity in kilometers/hour: ')) # Calculate wind chill temperature wind_chill_temp = 13.12 + (0.6215 * temp) - (11.37 * wind_velocity**0.16) + (0.3965 * temp * wind_velocity**0.16) # Print result print(f'The wind chill temperature in degrees Celsius is {wind_chill_temp:.3f}.')
temp = float(input('Enter temperature in degrees Celsius: ')) wind_velocity = float(input('Enter wind velocity in kilometers/hour: ')) wind_chill_temp = 13.12 + 0.6215 * temp - 11.37 * wind_velocity ** 0.16 + 0.3965 * temp * wind_velocity ** 0.16 print(f'The wind chill temperature in degrees Celsius is {wind_chill_temp:.3f}.')
def read_next(*args, **kwargs): for arg in args: for elem in arg: yield elem for item in kwargs.keys(): yield item for item in read_next("string", (2,), {"d": 1, "I": 2, "c": 3, "t": 4}): print(item, end='') for i in read_next("Need", (2, 3), ["words", "."]): print(i)
def read_next(*args, **kwargs): for arg in args: for elem in arg: yield elem for item in kwargs.keys(): yield item for item in read_next('string', (2,), {'d': 1, 'I': 2, 'c': 3, 't': 4}): print(item, end='') for i in read_next('Need', (2, 3), ['words', '.']): print(i)
class Enrollment: def __init__(self, eid, s, c, g): self.enroll_id = eid self.course = c self.student = s self.grade = g
class Enrollment: def __init__(self, eid, s, c, g): self.enroll_id = eid self.course = c self.student = s self.grade = g
# Definition for singly-linked list. # class ListNode: # def __init__(self, x): # self.val = x # self.next = None class Solution: def getIntersectionNode(self, headA: ListNode, headB: ListNode) -> ListNode: cl = headA cr = headB cc = {} while cl != None: cc[cl] = 1 cl = cl.next while cr != None: if cr in cc: return cr else: cr = cr.next return None
class Solution: def get_intersection_node(self, headA: ListNode, headB: ListNode) -> ListNode: cl = headA cr = headB cc = {} while cl != None: cc[cl] = 1 cl = cl.next while cr != None: if cr in cc: return cr else: cr = cr.next return None
class Light: def __init__(self, always_on: bool, timeout: int): self.always_on = always_on self.timeout = timeout
class Light: def __init__(self, always_on: bool, timeout: int): self.always_on = always_on self.timeout = timeout
class PrimeNumbers: def getAllPrimes(self, n): sieves = [True] * (n + 1) for i in range(2, n + 1): if i * i > n: break if sieves[i]: for j in range(i + i, n + 1, i): sieves[j] = False for i in range(2, n + 1): if sieves[i]: print(i) pn = PrimeNumbers() pn.getAllPrimes(29)
class Primenumbers: def get_all_primes(self, n): sieves = [True] * (n + 1) for i in range(2, n + 1): if i * i > n: break if sieves[i]: for j in range(i + i, n + 1, i): sieves[j] = False for i in range(2, n + 1): if sieves[i]: print(i) pn = prime_numbers() pn.getAllPrimes(29)
for i in range(int(input())): s = input() prev = s[0] cnt = 1 for i in range(1,len(s)): if prev == s[i]: cnt+=1 else: print("{}{}".format(cnt,prev),end="") prev = s[i] cnt =1 print("{}{}".format(cnt,prev))
for i in range(int(input())): s = input() prev = s[0] cnt = 1 for i in range(1, len(s)): if prev == s[i]: cnt += 1 else: print('{}{}'.format(cnt, prev), end='') prev = s[i] cnt = 1 print('{}{}'.format(cnt, prev))
#!/usr/bin/python3 if __name__ == "__main__": # open text file to read file = open('write_file.txt', 'w') # read a line from the file file.write('I am excited to learn Python using Raspberry Pi Zero\n') file.close() file = open('write_file.txt', 'r') data = file.read() print(data) file.close()
if __name__ == '__main__': file = open('write_file.txt', 'w') file.write('I am excited to learn Python using Raspberry Pi Zero\n') file.close() file = open('write_file.txt', 'r') data = file.read() print(data) file.close()
#!/usr/bin/env python3 # -*- coding: utf-8 -*- class Frame: def __init__(self, control): self.control=control self.player=[] self.timer=self.control.timer self.weapons=self.control.rocket_types self.any_key=True def draw(self): self.player=self.control.world.gamers[self.control.worm_no] health=self.control.worm.health/0.008 x=700 y=700 if sum(self.control.alive_worms) > 1: text="PLAYER: "+ self.player +", HEALTH: %.2f" % health text2="TIME REMAINING: "+ str(self.control.timer.time_remaining) text3="WEAPON: " + str(self.weapons[self.control.worm.rocket_type]) te=[text3, text, text2] for t in te: self.write(t, x, y+40*te.index(t), 30) x2=x-500 te=["WEAPON CHANGE: SPACE","PLAYER CHANGE: TAB", "SHOOT: R", "MOVE: ARROWS"] for t in te: self.write(t, x2, y+40*te.index(t), 30) else: self.winner() self.control.game.over() if self.any_key: t="PRESS ANY KEY (OTHER THAN SPACE) TO START THE GAME" self.write(t, x-350, y-200, 30) def write(self, text, x, y, size): self.control.write(text, (0,255,0), x, y, size) def key(self): self.any_key=False def winner(self): x=400 y=600 a=self.control.alive_worms if sum(self.control.alive_worms) > 0: winner_number=[i for i, v in enumerate(a) if v==1] text="WINNER: "+ str(self.control.world.gamers[winner_number[0]]) else: text="WINNER: NONE" text2="GAME OVER" self.write(text2, x, y+50, 30) self.write(text, x, y, 30)
class Frame: def __init__(self, control): self.control = control self.player = [] self.timer = self.control.timer self.weapons = self.control.rocket_types self.any_key = True def draw(self): self.player = self.control.world.gamers[self.control.worm_no] health = self.control.worm.health / 0.008 x = 700 y = 700 if sum(self.control.alive_worms) > 1: text = 'PLAYER: ' + self.player + ', HEALTH: %.2f' % health text2 = 'TIME REMAINING: ' + str(self.control.timer.time_remaining) text3 = 'WEAPON: ' + str(self.weapons[self.control.worm.rocket_type]) te = [text3, text, text2] for t in te: self.write(t, x, y + 40 * te.index(t), 30) x2 = x - 500 te = ['WEAPON CHANGE: SPACE', 'PLAYER CHANGE: TAB', 'SHOOT: R', 'MOVE: ARROWS'] for t in te: self.write(t, x2, y + 40 * te.index(t), 30) else: self.winner() self.control.game.over() if self.any_key: t = 'PRESS ANY KEY (OTHER THAN SPACE) TO START THE GAME' self.write(t, x - 350, y - 200, 30) def write(self, text, x, y, size): self.control.write(text, (0, 255, 0), x, y, size) def key(self): self.any_key = False def winner(self): x = 400 y = 600 a = self.control.alive_worms if sum(self.control.alive_worms) > 0: winner_number = [i for (i, v) in enumerate(a) if v == 1] text = 'WINNER: ' + str(self.control.world.gamers[winner_number[0]]) else: text = 'WINNER: NONE' text2 = 'GAME OVER' self.write(text2, x, y + 50, 30) self.write(text, x, y, 30)
class UndergroundSystem: def __init__(self): self.inMap = {} self.outMap = {} def checkIn(self, id: int, stationName: str, t: int) -> None: self.inMap[id] = (stationName, t) def checkOut(self, id: int, stationName: str, t: int) -> None: start = self.inMap[id][1] route = self.inMap[id][0] + '-' + stationName if route in self.outMap: time, count = self.outMap[route] self.outMap[route] = (time + t - start, count + 1) else: self.outMap[route] = (t - start, 1) def getAverageTime(self, startStation: str, endStation: str) -> float: time, count = self.outMap[startStation + '-' + endStation] return time / count # Your UndergroundSystem object will be instantiated and called as such: # obj = UndergroundSystem() # obj.checkIn(id,stationName,t) # obj.checkOut(id,stationName,t) # param_3 = obj.getAverageTime(startStation,endStation)
class Undergroundsystem: def __init__(self): self.inMap = {} self.outMap = {} def check_in(self, id: int, stationName: str, t: int) -> None: self.inMap[id] = (stationName, t) def check_out(self, id: int, stationName: str, t: int) -> None: start = self.inMap[id][1] route = self.inMap[id][0] + '-' + stationName if route in self.outMap: (time, count) = self.outMap[route] self.outMap[route] = (time + t - start, count + 1) else: self.outMap[route] = (t - start, 1) def get_average_time(self, startStation: str, endStation: str) -> float: (time, count) = self.outMap[startStation + '-' + endStation] return time / count
class Hangman: text = [ '''\ ____ | | | o | /|\\ | | | / \\ _|_ | |______ | | |__________|\ ''', '''\ ____ | | | o | /|\\ | | | / _|_ | |______ | | |__________|\ ''', '''\ ____ | | | o | /|\\ | | | _|_ | |______ | | |__________|\ ''', '''\ ____ | | | o | /| | | | _|_ | |______ | | |__________|\ ''', '''\ ____ | | | o | | | | | _|_ | |______ | | |__________|\ ''', '''\ ____ | | | o | | | _|_ | |______ | | |__________|\ ''', '''\ ____ | | | | | | _|_ | |______ | | |__________|\ ''', ] def __init__(self): self.remainingLives = len(self.text) - 1 def decreaseLife(self): self.remainingLives -= 1 def currentShape(self): return self.text[self.remainingLives] def is_live(self): return True if self.remainingLives > 0 else False
class Hangman: text = [' ____\n | |\n | o\n | /|\\\n | |\n | / \\\n _|_\n| |______\n| |\n|__________|', ' ____\n | |\n | o\n | /|\\\n | |\n | /\n _|_\n| |______\n| |\n|__________|', ' ____\n | |\n | o\n | /|\\\n | |\n |\n _|_\n| |______\n| |\n|__________|', ' ____\n | |\n | o\n | /|\n | |\n |\n _|_\n| |______\n| |\n|__________|', ' ____\n | |\n | o\n | |\n | |\n |\n _|_\n| |______\n| |\n|__________|', ' ____\n | |\n | o\n |\n |\n |\n _|_\n| |______\n| |\n|__________|', ' ____\n | |\n |\n |\n |\n |\n _|_\n| |______\n| |\n|__________|'] def __init__(self): self.remainingLives = len(self.text) - 1 def decrease_life(self): self.remainingLives -= 1 def current_shape(self): return self.text[self.remainingLives] def is_live(self): return True if self.remainingLives > 0 else False
# Reverse bits of a given 32 bits unsigned integer. # For example, given input 43261596 (represented in binary as 00000010100101000001111010011100), # return 964176192 (represented in binary as 00111001011110000010100101000000). # # Follow up: # If this function is called many times, how would you optimize it? # https://www.programcreek.com/2014/03/leetcode-reverse-bits-java/ def reverse_bits(d, bits_to_fill=32): print("{0:b}".format(d)) # Get number of bits. n = d.bit_length() rev_d = 0 need_to_shift = 0 for shift in range(n): need_to_shift +=1 print("{0:b}".format(d >> shift)) if d & (1 << shift): rev_d = rev_d << need_to_shift | 1 need_to_shift = 0 # Fill to 32 bits. if d.bit_length() < bits_to_fill: for _ in range(bits_to_fill-d.bit_length()): rev_d = rev_d << 1 print("d : {0:b}".format(d)) print("Rev d: {0:b}".format(rev_d)) return rev_d if __name__ == "__main__": d = 43261596 print(reverse_bits(d,-1))
def reverse_bits(d, bits_to_fill=32): print('{0:b}'.format(d)) n = d.bit_length() rev_d = 0 need_to_shift = 0 for shift in range(n): need_to_shift += 1 print('{0:b}'.format(d >> shift)) if d & 1 << shift: rev_d = rev_d << need_to_shift | 1 need_to_shift = 0 if d.bit_length() < bits_to_fill: for _ in range(bits_to_fill - d.bit_length()): rev_d = rev_d << 1 print('d : {0:b}'.format(d)) print('Rev d: {0:b}'.format(rev_d)) return rev_d if __name__ == '__main__': d = 43261596 print(reverse_bits(d, -1))
print("Welcome to Civil War Predictor, which predicts whether your country will get in Civil War 100% Correctly.\nUnless It Doesn't.") country = input("What country would you like to predict Civil War for? ") if 'America' in country: #note that this does not include the middle east or literally any-fucking-where else, its a joke ok? print('Your country will have a civil war soon!') else: print('Your country will not have a civil war soon...')
print("Welcome to Civil War Predictor, which predicts whether your country will get in Civil War 100% Correctly.\nUnless It Doesn't.") country = input('What country would you like to predict Civil War for? ') if 'America' in country: print('Your country will have a civil war soon!') else: print('Your country will not have a civil war soon...')
class CUFS: START: str = "/{SYMBOL}/Account/LogOn?ReturnUrl=%2F{SYMBOL}%2FFS%2FLS%3Fwa%3Dwsignin1.0%26wtrealm%3D{REALM}" LOGOUT: str = "/{SYMBOL}/FS/LS?wa=wsignout1.0" class UONETPLUS: START: str = "/{SYMBOL}/LoginEndpoint.aspx" GETKIDSLUCKYNUMBERS: str = "/{SYMBOL}/Start.mvc/GetKidsLuckyNumbers" GETSTUDENTDIRECTORINFORMATIONS: str = ( "/{SYMBOL}/Start.mvc/GetStudentDirectorInformations" ) class UZYTKOWNIK: NOWAWIADOMOSC_GETJEDNOSTKIUZYTKOWNIKA: str = ( "/{SYMBOL}/NowaWiadomosc.mvc/GetJednostkiUzytkownika" ) class UCZEN: START: str = "/{SYMBOL}/{SCHOOLID}/Start" UCZENDZIENNIK_GET: str = "/{SYMBOL}/{SCHOOLID}/UczenDziennik.mvc/Get" OCENY_GET: str = "/{SYMBOL}/{SCHOOLID}/Oceny.mvc/Get" STATYSTYKI_GETOCENYCZASTKOWE: str = ( "/{SYMBOL}/{SCHOOLID}/Statystyki.mvc/GetOcenyCzastkowe" ) UWAGIIOSIAGNIECIA_GET: str = "/{SYMBOL}/{SCHOOLID}/UwagiIOsiagniecia.mvc/Get" ZEBRANIA_GET: str = "/{SYMBOL}/{SCHOOLID}/Zebrania.mvc/Get" SZKOLAINAUCZYCIELE_GET: str = "/{SYMBOL}/{SCHOOLID}/SzkolaINauczyciele.mvc/Get" ZAREJESTROWANEURZADZENIA_GET: str = "/{SYMBOL}/{SCHOOLID}/ZarejestrowaneUrzadzenia.mvc/Get" ZAREJESTROWANEURZADZENIA_DELETE: str = "/{SYMBOL}/{SCHOOLID}/ZarejestrowaneUrzadzenia.mvc/Delete" REJESTRACJAURZADZENIATOKEN_GET: str = "/{SYMBOL}/{SCHOOLID}/RejestracjaUrzadzeniaToken.mvc/Get"
class Cufs: start: str = '/{SYMBOL}/Account/LogOn?ReturnUrl=%2F{SYMBOL}%2FFS%2FLS%3Fwa%3Dwsignin1.0%26wtrealm%3D{REALM}' logout: str = '/{SYMBOL}/FS/LS?wa=wsignout1.0' class Uonetplus: start: str = '/{SYMBOL}/LoginEndpoint.aspx' getkidsluckynumbers: str = '/{SYMBOL}/Start.mvc/GetKidsLuckyNumbers' getstudentdirectorinformations: str = '/{SYMBOL}/Start.mvc/GetStudentDirectorInformations' class Uzytkownik: nowawiadomosc_getjednostkiuzytkownika: str = '/{SYMBOL}/NowaWiadomosc.mvc/GetJednostkiUzytkownika' class Uczen: start: str = '/{SYMBOL}/{SCHOOLID}/Start' uczendziennik_get: str = '/{SYMBOL}/{SCHOOLID}/UczenDziennik.mvc/Get' oceny_get: str = '/{SYMBOL}/{SCHOOLID}/Oceny.mvc/Get' statystyki_getocenyczastkowe: str = '/{SYMBOL}/{SCHOOLID}/Statystyki.mvc/GetOcenyCzastkowe' uwagiiosiagniecia_get: str = '/{SYMBOL}/{SCHOOLID}/UwagiIOsiagniecia.mvc/Get' zebrania_get: str = '/{SYMBOL}/{SCHOOLID}/Zebrania.mvc/Get' szkolainauczyciele_get: str = '/{SYMBOL}/{SCHOOLID}/SzkolaINauczyciele.mvc/Get' zarejestrowaneurzadzenia_get: str = '/{SYMBOL}/{SCHOOLID}/ZarejestrowaneUrzadzenia.mvc/Get' zarejestrowaneurzadzenia_delete: str = '/{SYMBOL}/{SCHOOLID}/ZarejestrowaneUrzadzenia.mvc/Delete' rejestracjaurzadzeniatoken_get: str = '/{SYMBOL}/{SCHOOLID}/RejestracjaUrzadzeniaToken.mvc/Get'
class Solution: def minimumDeletions(self, s: str) -> int: answer=sys.maxsize hasa=0 hasb=0 numa=[0]*len(s) numb=[0]*len(s) for i in range(len(s)): numb[i]=hasb if s[i]=='b': hasb+=1 for i in range(len(s)-1,-1,-1): numa[i]=hasa if s[i]=='a': hasa+=1 for i in range(len(s)): answer=min(answer,numa[i]+numb[i]) return answer
class Solution: def minimum_deletions(self, s: str) -> int: answer = sys.maxsize hasa = 0 hasb = 0 numa = [0] * len(s) numb = [0] * len(s) for i in range(len(s)): numb[i] = hasb if s[i] == 'b': hasb += 1 for i in range(len(s) - 1, -1, -1): numa[i] = hasa if s[i] == 'a': hasa += 1 for i in range(len(s)): answer = min(answer, numa[i] + numb[i]) return answer
def fibona(n): a = 0 b = 1 for _ in range(n): a, b = b, a + b yield a def main(): for i in fibona(10): print(i) if __name__ == "__main__": main()
def fibona(n): a = 0 b = 1 for _ in range(n): (a, b) = (b, a + b) yield a def main(): for i in fibona(10): print(i) if __name__ == '__main__': main()
def is_palindrome(s): for i in range(len(s)): if not (s[i] == s[::-1][i]): return False return True def longest_palindrome(s): candidates = [] for i in range(len(s)): st = s[i:] while st: if is_palindrome(st): candidates.append(st) break else: st = st[:-1] return sorted(candidates, key=lambda x: len(x), reverse=True)[0] def longestPalindrome(s): ans = "" while len(s) > len(ans): for i in range(len(s) - 1, -1, -1): if ( s[0] == s[i] and s[0 : i + 1] == s[i::-1] and len(s[0 : i + 1]) > len(ans) ): ans = s[0 : i + 1] s = s[1:] return ans if __name__ == "__main__": sample = "babad" r = longest_palindrome(sample) print(r) longestPalindrome(sample)
def is_palindrome(s): for i in range(len(s)): if not s[i] == s[::-1][i]: return False return True def longest_palindrome(s): candidates = [] for i in range(len(s)): st = s[i:] while st: if is_palindrome(st): candidates.append(st) break else: st = st[:-1] return sorted(candidates, key=lambda x: len(x), reverse=True)[0] def longest_palindrome(s): ans = '' while len(s) > len(ans): for i in range(len(s) - 1, -1, -1): if s[0] == s[i] and s[0:i + 1] == s[i::-1] and (len(s[0:i + 1]) > len(ans)): ans = s[0:i + 1] s = s[1:] return ans if __name__ == '__main__': sample = 'babad' r = longest_palindrome(sample) print(r) longest_palindrome(sample)
a = 23 b = 143 c = a + b d = 1000 e = d + c F = 300 print(a) print(b) print(d) print(e)
a = 23 b = 143 c = a + b d = 1000 e = d + c f = 300 print(a) print(b) print(d) print(e)
# Copyright 2017 Google Inc. All rights reserved. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. AIRPORTS = { u'ABQ': u'Albuquerque International Sunport Airport', u'ACA': u'General Juan N Alvarez International Airport', u'ADW': u'Andrews Air Force Base', u'AFW': u'Fort Worth Alliance Airport', u'AGS': u'Augusta Regional At Bush Field', u'AMA': u'Rick Husband Amarillo International Airport', u'ANC': u'Ted Stevens Anchorage International Airport', u'ATL': u'Hartsfield Jackson Atlanta International Airport', u'AUS': u'Austin Bergstrom International Airport', u'AVL': u'Asheville Regional Airport', u'BAB': u'Beale Air Force Base', u'BAD': u'Barksdale Air Force Base', u'BDL': u'Bradley International Airport', u'BFI': u'Boeing Field King County International Airport', u'BGR': u'Bangor International Airport', u'BHM': u'Birmingham-Shuttlesworth International Airport', u'BIL': u'Billings Logan International Airport', u'BLV': u'Scott AFB/Midamerica Airport', u'BMI': u'Central Illinois Regional Airport at Bloomington-Normal', u'BNA': u'Nashville International Airport', u'BOI': u'Boise Air Terminal/Gowen field', u'BOS': u'General Edward Lawrence Logan International Airport', u'BTR': u'Baton Rouge Metropolitan, Ryan Field', u'BUF': u'Buffalo Niagara International Airport', u'BWI': u'Baltimore/Washington International Thurgood Marshall Airport', u'CAE': u'Columbia Metropolitan Airport', u'CBM': u'Columbus Air Force Base', u'CHA': u'Lovell Field', u'CHS': u'Charleston Air Force Base-International Airport', u'CID': u'The Eastern Iowa Airport', u'CLE': u'Cleveland Hopkins International Airport', u'CLT': u'Charlotte Douglas International Airport', u'CMH': u'Port Columbus International Airport', u'COS': u'City of Colorado Springs Municipal Airport', u'CPR': u'Casper-Natrona County International Airport', u'CRP': u'Corpus Christi International Airport', u'CRW': u'Yeager Airport', u'CUN': u'Canc\xfan International Airport', u'CVG': u'Cincinnati Northern Kentucky International Airport', u'CVS': u'Cannon Air Force Base', u'DAB': u'Daytona Beach International Airport', u'DAL': u'Dallas Love Field', u'DAY': u'James M Cox Dayton International Airport', u'DBQ': u'Dubuque Regional Airport', u'DCA': u'Ronald Reagan Washington National Airport', u'DEN': u'Denver International Airport', u'DFW': u'Dallas Fort Worth International Airport', u'DLF': u'Laughlin Air Force Base', u'DLH': u'Duluth International Airport', u'DOV': u'Dover Air Force Base', u'DSM': u'Des Moines International Airport', u'DTW': u'Detroit Metropolitan Wayne County Airport', u'DYS': u'Dyess Air Force Base', u'EDW': u'Edwards Air Force Base', u'END': u'Vance Air Force Base', u'ERI': u'Erie International Tom Ridge Field', u'EWR': u'Newark Liberty International Airport', u'FAI': u'Fairbanks International Airport', u'FFO': u'Wright-Patterson Air Force Base', u'FLL': u'Fort Lauderdale Hollywood International Airport', u'FSM': u'Fort Smith Regional Airport', u'FTW': u'Fort Worth Meacham International Airport', u'FWA': u'Fort Wayne International Airport', u'GDL': u'Don Miguel Hidalgo Y Costilla International Airport', u'GEG': u'Spokane International Airport', u'GPT': u'Gulfport Biloxi International Airport', u'GRB': u'Austin Straubel International Airport', u'GSB': u'Seymour Johnson Air Force Base', u'GSO': u'Piedmont Triad International Airport', u'GSP': u'Greenville Spartanburg International Airport', u'GUS': u'Grissom Air Reserve Base', u'HIB': u'Range Regional Airport', u'HMN': u'Holloman Air Force Base', u'HMO': u'General Ignacio P. Garcia International Airport', u'HNL': u'Honolulu International Airport', u'HOU': u'William P Hobby Airport', u'HSV': u'Huntsville International Carl T Jones Field', u'HTS': u'Tri-State/Milton J. Ferguson Field', u'IAD': u'Washington Dulles International Airport', u'IAH': u'George Bush Intercontinental Houston Airport', u'ICT': u'Wichita Mid Continent Airport', u'IND': u'Indianapolis International Airport', u'JAN': u'Jackson-Medgar Wiley Evers International Airport', u'JAX': u'Jacksonville International Airport', u'JFK': u'John F Kennedy International Airport', u'JLN': u'Joplin Regional Airport', u'LAS': u'McCarran International Airport', u'LAX': u'Los Angeles International Airport', u'LBB': u'Lubbock Preston Smith International Airport', u'LCK': u'Rickenbacker International Airport', u'LEX': u'Blue Grass Airport', u'LFI': u'Langley Air Force Base', u'LFT': u'Lafayette Regional Airport', u'LGA': u'La Guardia Airport', u'LIT': u'Bill & Hillary Clinton National Airport/Adams Field', u'LTS': u'Altus Air Force Base', u'LUF': u'Luke Air Force Base', u'MBS': u'MBS International Airport', u'MCF': u'Mac Dill Air Force Base', u'MCI': u'Kansas City International Airport', u'MCO': u'Orlando International Airport', u'MDW': u'Chicago Midway International Airport', u'MEM': u'Memphis International Airport', u'MEX': u'Licenciado Benito Juarez International Airport', u'MGE': u'Dobbins Air Reserve Base', u'MGM': u'Montgomery Regional (Dannelly Field) Airport', u'MHT': u'Manchester Airport', u'MIA': u'Miami International Airport', u'MKE': u'General Mitchell International Airport', u'MLI': u'Quad City International Airport', u'MLU': u'Monroe Regional Airport', u'MOB': u'Mobile Regional Airport', u'MSN': u'Dane County Regional Truax Field', u'MSP': u'Minneapolis-St Paul International/Wold-Chamberlain Airport', u'MSY': u'Louis Armstrong New Orleans International Airport', u'MTY': u'General Mariano Escobedo International Airport', u'MUO': u'Mountain Home Air Force Base', u'OAK': u'Metropolitan Oakland International Airport', u'OKC': u'Will Rogers World Airport', u'ONT': u'Ontario International Airport', u'ORD': u"Chicago O'Hare International Airport", u'ORF': u'Norfolk International Airport', u'PAM': u'Tyndall Air Force Base', u'PBI': u'Palm Beach International Airport', u'PDX': u'Portland International Airport', u'PHF': u'Newport News Williamsburg International Airport', u'PHL': u'Philadelphia International Airport', u'PHX': u'Phoenix Sky Harbor International Airport', u'PIA': u'General Wayne A. Downing Peoria International Airport', u'PIT': u'Pittsburgh International Airport', u'PPE': u'Mar de Cort\xe9s International Airport', u'PVR': u'Licenciado Gustavo D\xedaz Ordaz International Airport', u'PWM': u'Portland International Jetport Airport', u'RDU': u'Raleigh Durham International Airport', u'RFD': u'Chicago Rockford International Airport', u'RIC': u'Richmond International Airport', u'RND': u'Randolph Air Force Base', u'RNO': u'Reno Tahoe International Airport', u'ROA': u'Roanoke\u2013Blacksburg Regional Airport', u'ROC': u'Greater Rochester International Airport', u'RST': u'Rochester International Airport', u'RSW': u'Southwest Florida International Airport', u'SAN': u'San Diego International Airport', u'SAT': u'San Antonio International Airport', u'SAV': u'Savannah Hilton Head International Airport', u'SBN': u'South Bend Regional Airport', u'SDF': u'Louisville International Standiford Field', u'SEA': u'Seattle Tacoma International Airport', u'SFB': u'Orlando Sanford International Airport', u'SFO': u'San Francisco International Airport', u'SGF': u'Springfield Branson National Airport', u'SHV': u'Shreveport Regional Airport', u'SJC': u'Norman Y. Mineta San Jose International Airport', u'SJD': u'Los Cabos International Airport', u'SKA': u'Fairchild Air Force Base', u'SLC': u'Salt Lake City International Airport', u'SMF': u'Sacramento International Airport', u'SNA': u'John Wayne Airport-Orange County Airport', u'SPI': u'Abraham Lincoln Capital Airport', u'SPS': u'Sheppard Air Force Base-Wichita Falls Municipal Airport', u'SRQ': u'Sarasota Bradenton International Airport', u'SSC': u'Shaw Air Force Base', u'STL': u'Lambert St Louis International Airport', u'SUS': u'Spirit of St Louis Airport', u'SUU': u'Travis Air Force Base', u'SUX': u'Sioux Gateway Col. Bud Day Field', u'SYR': u'Syracuse Hancock International Airport', u'SZL': u'Whiteman Air Force Base', u'TCM': u'McChord Air Force Base', u'TIJ': u'General Abelardo L. Rodr\xedguez International Airport', u'TIK': u'Tinker Air Force Base', u'TLH': u'Tallahassee Regional Airport', u'TOL': u'Toledo Express Airport', u'TPA': u'Tampa International Airport', u'TRI': u'Tri Cities Regional Tn Va Airport', u'TUL': u'Tulsa International Airport', u'TUS': u'Tucson International Airport', u'TYS': u'McGhee Tyson Airport', u'VBG': u'Vandenberg Air Force Base', u'VPS': u'Destin-Ft Walton Beach Airport', u'WRB': u'Robins Air Force Base', u'YEG': u'Edmonton International Airport', u'YHZ': u'Halifax / Stanfield International Airport', u'YOW': u'Ottawa Macdonald-Cartier International Airport', u'YUL': u'Montreal / Pierre Elliott Trudeau International Airport', u'YVR': u'Vancouver International Airport', u'YWG': u'Winnipeg / James Armstrong Richardson International Airport', u'YYC': u'Calgary International Airport', u'YYJ': u'Victoria International Airport', u'YYT': u"St. John's International Airport", u'YYZ': u'Lester B. Pearson International Airport' }
airports = {u'ABQ': u'Albuquerque International Sunport Airport', u'ACA': u'General Juan N Alvarez International Airport', u'ADW': u'Andrews Air Force Base', u'AFW': u'Fort Worth Alliance Airport', u'AGS': u'Augusta Regional At Bush Field', u'AMA': u'Rick Husband Amarillo International Airport', u'ANC': u'Ted Stevens Anchorage International Airport', u'ATL': u'Hartsfield Jackson Atlanta International Airport', u'AUS': u'Austin Bergstrom International Airport', u'AVL': u'Asheville Regional Airport', u'BAB': u'Beale Air Force Base', u'BAD': u'Barksdale Air Force Base', u'BDL': u'Bradley International Airport', u'BFI': u'Boeing Field King County International Airport', u'BGR': u'Bangor International Airport', u'BHM': u'Birmingham-Shuttlesworth International Airport', u'BIL': u'Billings Logan International Airport', u'BLV': u'Scott AFB/Midamerica Airport', u'BMI': u'Central Illinois Regional Airport at Bloomington-Normal', u'BNA': u'Nashville International Airport', u'BOI': u'Boise Air Terminal/Gowen field', u'BOS': u'General Edward Lawrence Logan International Airport', u'BTR': u'Baton Rouge Metropolitan, Ryan Field', u'BUF': u'Buffalo Niagara International Airport', u'BWI': u'Baltimore/Washington International Thurgood Marshall Airport', u'CAE': u'Columbia Metropolitan Airport', u'CBM': u'Columbus Air Force Base', u'CHA': u'Lovell Field', u'CHS': u'Charleston Air Force Base-International Airport', u'CID': u'The Eastern Iowa Airport', u'CLE': u'Cleveland Hopkins International Airport', u'CLT': u'Charlotte Douglas International Airport', u'CMH': u'Port Columbus International Airport', u'COS': u'City of Colorado Springs Municipal Airport', u'CPR': u'Casper-Natrona County International Airport', u'CRP': u'Corpus Christi International Airport', u'CRW': u'Yeager Airport', u'CUN': u'Cancún International Airport', u'CVG': u'Cincinnati Northern Kentucky International Airport', u'CVS': u'Cannon Air Force Base', u'DAB': u'Daytona Beach International Airport', u'DAL': u'Dallas Love Field', u'DAY': u'James M Cox Dayton International Airport', u'DBQ': u'Dubuque Regional Airport', u'DCA': u'Ronald Reagan Washington National Airport', u'DEN': u'Denver International Airport', u'DFW': u'Dallas Fort Worth International Airport', u'DLF': u'Laughlin Air Force Base', u'DLH': u'Duluth International Airport', u'DOV': u'Dover Air Force Base', u'DSM': u'Des Moines International Airport', u'DTW': u'Detroit Metropolitan Wayne County Airport', u'DYS': u'Dyess Air Force Base', u'EDW': u'Edwards Air Force Base', u'END': u'Vance Air Force Base', u'ERI': u'Erie International Tom Ridge Field', u'EWR': u'Newark Liberty International Airport', u'FAI': u'Fairbanks International Airport', u'FFO': u'Wright-Patterson Air Force Base', u'FLL': u'Fort Lauderdale Hollywood International Airport', u'FSM': u'Fort Smith Regional Airport', u'FTW': u'Fort Worth Meacham International Airport', u'FWA': u'Fort Wayne International Airport', u'GDL': u'Don Miguel Hidalgo Y Costilla International Airport', u'GEG': u'Spokane International Airport', u'GPT': u'Gulfport Biloxi International Airport', u'GRB': u'Austin Straubel International Airport', u'GSB': u'Seymour Johnson Air Force Base', u'GSO': u'Piedmont Triad International Airport', u'GSP': u'Greenville Spartanburg International Airport', u'GUS': u'Grissom Air Reserve Base', u'HIB': u'Range Regional Airport', u'HMN': u'Holloman Air Force Base', u'HMO': u'General Ignacio P. Garcia International Airport', u'HNL': u'Honolulu International Airport', u'HOU': u'William P Hobby Airport', u'HSV': u'Huntsville International Carl T Jones Field', u'HTS': u'Tri-State/Milton J. Ferguson Field', u'IAD': u'Washington Dulles International Airport', u'IAH': u'George Bush Intercontinental Houston Airport', u'ICT': u'Wichita Mid Continent Airport', u'IND': u'Indianapolis International Airport', u'JAN': u'Jackson-Medgar Wiley Evers International Airport', u'JAX': u'Jacksonville International Airport', u'JFK': u'John F Kennedy International Airport', u'JLN': u'Joplin Regional Airport', u'LAS': u'McCarran International Airport', u'LAX': u'Los Angeles International Airport', u'LBB': u'Lubbock Preston Smith International Airport', u'LCK': u'Rickenbacker International Airport', u'LEX': u'Blue Grass Airport', u'LFI': u'Langley Air Force Base', u'LFT': u'Lafayette Regional Airport', u'LGA': u'La Guardia Airport', u'LIT': u'Bill & Hillary Clinton National Airport/Adams Field', u'LTS': u'Altus Air Force Base', u'LUF': u'Luke Air Force Base', u'MBS': u'MBS International Airport', u'MCF': u'Mac Dill Air Force Base', u'MCI': u'Kansas City International Airport', u'MCO': u'Orlando International Airport', u'MDW': u'Chicago Midway International Airport', u'MEM': u'Memphis International Airport', u'MEX': u'Licenciado Benito Juarez International Airport', u'MGE': u'Dobbins Air Reserve Base', u'MGM': u'Montgomery Regional (Dannelly Field) Airport', u'MHT': u'Manchester Airport', u'MIA': u'Miami International Airport', u'MKE': u'General Mitchell International Airport', u'MLI': u'Quad City International Airport', u'MLU': u'Monroe Regional Airport', u'MOB': u'Mobile Regional Airport', u'MSN': u'Dane County Regional Truax Field', u'MSP': u'Minneapolis-St Paul International/Wold-Chamberlain Airport', u'MSY': u'Louis Armstrong New Orleans International Airport', u'MTY': u'General Mariano Escobedo International Airport', u'MUO': u'Mountain Home Air Force Base', u'OAK': u'Metropolitan Oakland International Airport', u'OKC': u'Will Rogers World Airport', u'ONT': u'Ontario International Airport', u'ORD': u"Chicago O'Hare International Airport", u'ORF': u'Norfolk International Airport', u'PAM': u'Tyndall Air Force Base', u'PBI': u'Palm Beach International Airport', u'PDX': u'Portland International Airport', u'PHF': u'Newport News Williamsburg International Airport', u'PHL': u'Philadelphia International Airport', u'PHX': u'Phoenix Sky Harbor International Airport', u'PIA': u'General Wayne A. Downing Peoria International Airport', u'PIT': u'Pittsburgh International Airport', u'PPE': u'Mar de Cortés International Airport', u'PVR': u'Licenciado Gustavo Díaz Ordaz International Airport', u'PWM': u'Portland International Jetport Airport', u'RDU': u'Raleigh Durham International Airport', u'RFD': u'Chicago Rockford International Airport', u'RIC': u'Richmond International Airport', u'RND': u'Randolph Air Force Base', u'RNO': u'Reno Tahoe International Airport', u'ROA': u'Roanoke–Blacksburg Regional Airport', u'ROC': u'Greater Rochester International Airport', u'RST': u'Rochester International Airport', u'RSW': u'Southwest Florida International Airport', u'SAN': u'San Diego International Airport', u'SAT': u'San Antonio International Airport', u'SAV': u'Savannah Hilton Head International Airport', u'SBN': u'South Bend Regional Airport', u'SDF': u'Louisville International Standiford Field', u'SEA': u'Seattle Tacoma International Airport', u'SFB': u'Orlando Sanford International Airport', u'SFO': u'San Francisco International Airport', u'SGF': u'Springfield Branson National Airport', u'SHV': u'Shreveport Regional Airport', u'SJC': u'Norman Y. Mineta San Jose International Airport', u'SJD': u'Los Cabos International Airport', u'SKA': u'Fairchild Air Force Base', u'SLC': u'Salt Lake City International Airport', u'SMF': u'Sacramento International Airport', u'SNA': u'John Wayne Airport-Orange County Airport', u'SPI': u'Abraham Lincoln Capital Airport', u'SPS': u'Sheppard Air Force Base-Wichita Falls Municipal Airport', u'SRQ': u'Sarasota Bradenton International Airport', u'SSC': u'Shaw Air Force Base', u'STL': u'Lambert St Louis International Airport', u'SUS': u'Spirit of St Louis Airport', u'SUU': u'Travis Air Force Base', u'SUX': u'Sioux Gateway Col. Bud Day Field', u'SYR': u'Syracuse Hancock International Airport', u'SZL': u'Whiteman Air Force Base', u'TCM': u'McChord Air Force Base', u'TIJ': u'General Abelardo L. Rodríguez International Airport', u'TIK': u'Tinker Air Force Base', u'TLH': u'Tallahassee Regional Airport', u'TOL': u'Toledo Express Airport', u'TPA': u'Tampa International Airport', u'TRI': u'Tri Cities Regional Tn Va Airport', u'TUL': u'Tulsa International Airport', u'TUS': u'Tucson International Airport', u'TYS': u'McGhee Tyson Airport', u'VBG': u'Vandenberg Air Force Base', u'VPS': u'Destin-Ft Walton Beach Airport', u'WRB': u'Robins Air Force Base', u'YEG': u'Edmonton International Airport', u'YHZ': u'Halifax / Stanfield International Airport', u'YOW': u'Ottawa Macdonald-Cartier International Airport', u'YUL': u'Montreal / Pierre Elliott Trudeau International Airport', u'YVR': u'Vancouver International Airport', u'YWG': u'Winnipeg / James Armstrong Richardson International Airport', u'YYC': u'Calgary International Airport', u'YYJ': u'Victoria International Airport', u'YYT': u"St. John's International Airport", u'YYZ': u'Lester B. Pearson International Airport'}
# The [Hu] system # The similar philosophy but different approach of GAN. # A revivable self-supervised Learning system # The theory contains two: # 1. The Hu system consists of two agents: the first agent try to provide a good initial solution for the second # to optimize until the solution meets the specified requirement. Meanwhile, the second agent uses this # optimized solution to train the first agent to help it provide a better initial solution for the next time. # In such an iterative system, Agent A and B helps each other to work better, and together they reach the # overall target as good and faster as possible. # 2. A revivable training manner: each time the model is trained to Nash Equilibrium, fixed those non-sparse connections # (for example, weighted kernels or filters), and reinitialize the sparse connections, and train again with new # iteration between the two agents. Thus the learnt parameters to curve the distribution of samples during each # equilibrium round will forward onto the next generation and keeps the learning process a spiral up, instead of # unordered and easily corrupted training of GANs. class Hu(object): def __init__(self): self.layers = []
class Hu(object): def __init__(self): self.layers = []
# 15/15 games = [input() for i in range(6)] wins = games.count("W") if wins >= 5: print(1) elif wins >= 3: print(2) elif wins >= 1: print(3) else: print(-1)
games = [input() for i in range(6)] wins = games.count('W') if wins >= 5: print(1) elif wins >= 3: print(2) elif wins >= 1: print(3) else: print(-1)
N = int(input()) qnt_copos = 0 for i in range(1, N + 1): L, C = map(int, input().split()) if L > C: qnt_copos += C print(qnt_copos)
n = int(input()) qnt_copos = 0 for i in range(1, N + 1): (l, c) = map(int, input().split()) if L > C: qnt_copos += C print(qnt_copos)
power = {'BUSES': {'Area': 1.33155, 'Bus/Area': 1.33155, 'Bus/Gate Leakage': 0.00662954, 'Bus/Peak Dynamic': 0.0, 'Bus/Runtime Dynamic': 0.0, 'Bus/Subthreshold Leakage': 0.0691322, 'Bus/Subthreshold Leakage with power gating': 0.0259246, 'Gate Leakage': 0.00662954, 'Peak Dynamic': 0.0, 'Runtime Dynamic': 0.0, 'Subthreshold Leakage': 0.0691322, 'Subthreshold Leakage with power gating': 0.0259246}, 'Core': [{'Area': 32.6082, 'Execution Unit/Area': 8.2042, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.134519, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.308346, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.869042, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.122718, 'Execution Unit/Instruction Scheduler/Area': 2.17927, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.328073, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.00115349, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.20978, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.749687, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.017004, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00962066, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00730101, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 1.00996, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00529112, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 2.07911, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 1.29819, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0800117, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0455351, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 4.84781, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.841232, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.000856399, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.55892, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.744547, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.0178624, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00897339, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 2.79242, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.114878, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.0641291, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.607799, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 7.56664, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.164181, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0271768, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.241086, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.200989, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.405267, 'Execution Unit/Register Files/Runtime Dynamic': 0.228165, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0442632, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00607074, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.619416, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 1.52498, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.0920413, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0345155, 'Execution Unit/Runtime Dynamic': 5.25929, 'Execution Unit/Subthreshold Leakage': 1.83518, 'Execution Unit/Subthreshold Leakage with power gating': 0.709678, 'Gate Leakage': 0.372997, 'Instruction Fetch Unit/Area': 5.86007, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.0037841, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.0037841, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00327615, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.00125742, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00288722, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.0137316, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0369892, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0590479, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.193216, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 6.43323, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.643972, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.656247, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 8.96874, 'Instruction Fetch Unit/Runtime Dynamic': 1.54416, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932587, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.408542, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0607968, 'L2/Runtime Dynamic': 0.0238427, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80969, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 5.70881, 'Load Store Unit/Data Cache/Runtime Dynamic': 2.18696, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0351387, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.14467, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.14467, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 6.39475, 'Load Store Unit/Runtime Dynamic': 3.0451, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.356731, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.713462, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591622, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283406, 'Memory Management Unit/Area': 0.434579, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.126605, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.127515, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00813591, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.399995, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.105578, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.777369, 'Memory Management Unit/Runtime Dynamic': 0.233093, 'Memory Management Unit/Subthreshold Leakage': 0.0769113, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0399462, 'Peak Dynamic': 28.33, 'Renaming Unit/Area': 0.369768, 'Renaming Unit/FP Front End RAT/Area': 0.168486, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00489731, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 3.33511, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.57279, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0437281, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.024925, 'Renaming Unit/Free List/Area': 0.0414755, 'Renaming Unit/Free List/Gate Leakage': 4.15911e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0401324, 'Renaming Unit/Free List/Runtime Dynamic': 0.0452274, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000670426, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000377987, 'Renaming Unit/Gate Leakage': 0.00863632, 'Renaming Unit/Int Front End RAT/Area': 0.114751, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.00038343, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.86945, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.38194, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00611897, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00348781, 'Renaming Unit/Peak Dynamic': 4.56169, 'Renaming Unit/Runtime Dynamic': 0.999957, 'Renaming Unit/Subthreshold Leakage': 0.070483, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0362779, 'Runtime Dynamic': 11.1054, 'Subthreshold Leakage': 6.21877, 'Subthreshold Leakage with power gating': 2.58311}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0622834, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.251609, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.400778, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.288425, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.465219, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.234827, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.988471, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.268429, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 5.0175, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0757156, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0120978, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.108181, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.089471, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.183896, 'Execution Unit/Register Files/Runtime Dynamic': 0.101569, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.243481, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.598191, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 2.34522, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00180264, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00180264, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00159215, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000628404, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00128526, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00648269, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0164959, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0860108, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 5.47103, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.285843, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.292131, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 7.95506, 'Instruction Fetch Unit/Runtime Dynamic': 0.686963, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0261081, 'L2/Runtime Dynamic': 0.0101799, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 3.21939, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.968564, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0641313, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0641312, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 3.52223, 'Load Store Unit/Runtime Dynamic': 1.34897, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.158137, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.316273, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0561232, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0565129, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.340168, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0468663, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.592687, 'Memory Management Unit/Runtime Dynamic': 0.103379, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 20.7031, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.199172, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.0154368, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.14394, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.358549, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 4.85326, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0516689, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.243272, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.329322, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.247959, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.399949, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.201881, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.849788, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.233105, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.83052, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.062216, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0104005, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0925082, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0769182, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.154724, 'Execution Unit/Register Files/Runtime Dynamic': 0.0873187, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.207809, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.511623, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 2.09738, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00159533, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00159533, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00140738, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000554586, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00110494, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00570297, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.014658, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0739434, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 4.70344, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.240721, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.251145, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 7.15022, 'Instruction Fetch Unit/Runtime Dynamic': 0.586171, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0367448, 'L2/Runtime Dynamic': 0.0148648, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 2.98404, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.875449, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0565171, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.056517, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 3.25093, 'Load Store Unit/Runtime Dynamic': 1.21069, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.139361, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.278723, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0494598, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0500101, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.292442, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0394669, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.533515, 'Memory Management Unit/Runtime Dynamic': 0.089477, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 19.3914, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.163661, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.013179, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.123901, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.300741, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 4.29932, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0449672, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.238008, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.285601, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.210254, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.339131, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.171182, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.720567, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.196682, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.68648, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0539561, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00881898, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0788684, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0652217, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.132824, 'Execution Unit/Register Files/Runtime Dynamic': 0.0740407, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.177398, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.43356, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 1.87155, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00134912, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00134912, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00119071, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000469492, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000936915, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00482587, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0123768, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0626993, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.98822, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.194691, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.212955, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 6.40029, 'Instruction Fetch Unit/Runtime Dynamic': 0.487548, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0482008, 'L2/Runtime Dynamic': 0.0193441, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 2.73966, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.777181, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0486109, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0486109, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 2.96921, 'Load Store Unit/Runtime Dynamic': 1.06552, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.119866, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.239732, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0425409, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0432634, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.247973, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0319208, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.477159, 'Memory Management Unit/Runtime Dynamic': 0.0751842, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 18.1708, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.141934, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.0112134, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.104957, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.258104, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 3.77726, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}], 'DRAM': {'Area': 0, 'Gate Leakage': 0, 'Peak Dynamic': 4.565347451194352, 'Runtime Dynamic': 4.565347451194352, 'Subthreshold Leakage': 4.252, 'Subthreshold Leakage with power gating': 4.252}, 'L3': [{'Area': 61.9075, 'Gate Leakage': 0.0484137, 'Peak Dynamic': 0.158312, 'Runtime Dynamic': 0.101947, 'Subthreshold Leakage': 6.80085, 'Subthreshold Leakage with power gating': 3.32364}], 'Processor': {'Area': 191.908, 'Gate Leakage': 1.53485, 'Peak Dynamic': 86.7536, 'Peak Power': 119.866, 'Runtime Dynamic': 24.1372, 'Subthreshold Leakage': 31.5774, 'Subthreshold Leakage with power gating': 13.9484, 'Total Cores/Area': 128.669, 'Total Cores/Gate Leakage': 1.4798, 'Total Cores/Peak Dynamic': 86.5953, 'Total Cores/Runtime Dynamic': 24.0353, 'Total Cores/Subthreshold Leakage': 24.7074, 'Total Cores/Subthreshold Leakage with power gating': 10.2429, 'Total L3s/Area': 61.9075, 'Total L3s/Gate Leakage': 0.0484137, 'Total L3s/Peak Dynamic': 0.158312, 'Total L3s/Runtime Dynamic': 0.101947, 'Total L3s/Subthreshold Leakage': 6.80085, 'Total L3s/Subthreshold Leakage with power gating': 3.32364, 'Total Leakage': 33.1122, 'Total NoCs/Area': 1.33155, 'Total NoCs/Gate Leakage': 0.00662954, 'Total NoCs/Peak Dynamic': 0.0, 'Total NoCs/Runtime Dynamic': 0.0, 'Total NoCs/Subthreshold Leakage': 0.0691322, 'Total NoCs/Subthreshold Leakage with power gating': 0.0259246}}
power = {'BUSES': {'Area': 1.33155, 'Bus/Area': 1.33155, 'Bus/Gate Leakage': 0.00662954, 'Bus/Peak Dynamic': 0.0, 'Bus/Runtime Dynamic': 0.0, 'Bus/Subthreshold Leakage': 0.0691322, 'Bus/Subthreshold Leakage with power gating': 0.0259246, 'Gate Leakage': 0.00662954, 'Peak Dynamic': 0.0, 'Runtime Dynamic': 0.0, 'Subthreshold Leakage': 0.0691322, 'Subthreshold Leakage with power gating': 0.0259246}, 'Core': [{'Area': 32.6082, 'Execution Unit/Area': 8.2042, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.134519, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.308346, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.869042, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.122718, 'Execution Unit/Instruction Scheduler/Area': 2.17927, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.328073, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.00115349, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.20978, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.749687, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.017004, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00962066, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00730101, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 1.00996, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00529112, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 2.07911, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 1.29819, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0800117, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0455351, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 4.84781, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.841232, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.000856399, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.55892, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.744547, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.0178624, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00897339, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 2.79242, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.114878, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.0641291, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.607799, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 7.56664, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.164181, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0271768, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.241086, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.200989, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.405267, 'Execution Unit/Register Files/Runtime Dynamic': 0.228165, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0442632, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00607074, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.619416, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 1.52498, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.0920413, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0345155, 'Execution Unit/Runtime Dynamic': 5.25929, 'Execution Unit/Subthreshold Leakage': 1.83518, 'Execution Unit/Subthreshold Leakage with power gating': 0.709678, 'Gate Leakage': 0.372997, 'Instruction Fetch Unit/Area': 5.86007, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.0037841, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.0037841, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00327615, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.00125742, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00288722, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.0137316, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0369892, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0590479, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.193216, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 6.43323, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.643972, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.656247, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 8.96874, 'Instruction Fetch Unit/Runtime Dynamic': 1.54416, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932587, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.408542, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0607968, 'L2/Runtime Dynamic': 0.0238427, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80969, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 5.70881, 'Load Store Unit/Data Cache/Runtime Dynamic': 2.18696, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0351387, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.14467, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.14467, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 6.39475, 'Load Store Unit/Runtime Dynamic': 3.0451, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.356731, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.713462, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591622, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283406, 'Memory Management Unit/Area': 0.434579, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.126605, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.127515, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00813591, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.399995, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.105578, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.777369, 'Memory Management Unit/Runtime Dynamic': 0.233093, 'Memory Management Unit/Subthreshold Leakage': 0.0769113, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0399462, 'Peak Dynamic': 28.33, 'Renaming Unit/Area': 0.369768, 'Renaming Unit/FP Front End RAT/Area': 0.168486, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00489731, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 3.33511, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.57279, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0437281, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.024925, 'Renaming Unit/Free List/Area': 0.0414755, 'Renaming Unit/Free List/Gate Leakage': 4.15911e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0401324, 'Renaming Unit/Free List/Runtime Dynamic': 0.0452274, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000670426, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000377987, 'Renaming Unit/Gate Leakage': 0.00863632, 'Renaming Unit/Int Front End RAT/Area': 0.114751, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.00038343, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.86945, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.38194, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00611897, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00348781, 'Renaming Unit/Peak Dynamic': 4.56169, 'Renaming Unit/Runtime Dynamic': 0.999957, 'Renaming Unit/Subthreshold Leakage': 0.070483, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0362779, 'Runtime Dynamic': 11.1054, 'Subthreshold Leakage': 6.21877, 'Subthreshold Leakage with power gating': 2.58311}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0622834, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.251609, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.400778, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.288425, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.465219, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.234827, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.988471, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.268429, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 5.0175, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0757156, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0120978, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.108181, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.089471, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.183896, 'Execution Unit/Register Files/Runtime Dynamic': 0.101569, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.243481, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.598191, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 2.34522, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00180264, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00180264, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00159215, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000628404, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00128526, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00648269, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0164959, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0860108, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 5.47103, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.285843, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.292131, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 7.95506, 'Instruction Fetch Unit/Runtime Dynamic': 0.686963, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0261081, 'L2/Runtime Dynamic': 0.0101799, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 3.21939, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.968564, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0641313, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0641312, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 3.52223, 'Load Store Unit/Runtime Dynamic': 1.34897, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.158137, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.316273, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0561232, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0565129, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.340168, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0468663, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.592687, 'Memory Management Unit/Runtime Dynamic': 0.103379, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 20.7031, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.199172, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.0154368, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.14394, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.358549, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 4.85326, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0516689, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.243272, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.329322, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.247959, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.399949, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.201881, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.849788, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.233105, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.83052, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.062216, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.0104005, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0925082, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0769182, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.154724, 'Execution Unit/Register Files/Runtime Dynamic': 0.0873187, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.207809, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.511623, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 2.09738, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00159533, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00159533, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00140738, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000554586, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.00110494, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00570297, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.014658, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0739434, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 4.70344, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.240721, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.251145, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 7.15022, 'Instruction Fetch Unit/Runtime Dynamic': 0.586171, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0367448, 'L2/Runtime Dynamic': 0.0148648, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 2.98404, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.875449, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0565171, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.056517, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 3.25093, 'Load Store Unit/Runtime Dynamic': 1.21069, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.139361, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.278723, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0494598, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0500101, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.292442, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0394669, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.533515, 'Memory Management Unit/Runtime Dynamic': 0.089477, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 19.3914, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.163661, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.013179, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.123901, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.300741, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 4.29932, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}, {'Area': 32.0201, 'Execution Unit/Area': 7.68434, 'Execution Unit/Complex ALUs/Area': 0.235435, 'Execution Unit/Complex ALUs/Gate Leakage': 0.0132646, 'Execution Unit/Complex ALUs/Peak Dynamic': 0.0449672, 'Execution Unit/Complex ALUs/Runtime Dynamic': 0.238008, 'Execution Unit/Complex ALUs/Subthreshold Leakage': 0.20111, 'Execution Unit/Complex ALUs/Subthreshold Leakage with power gating': 0.0754163, 'Execution Unit/Floating Point Units/Area': 4.6585, 'Execution Unit/Floating Point Units/Gate Leakage': 0.0656156, 'Execution Unit/Floating Point Units/Peak Dynamic': 0.285601, 'Execution Unit/Floating Point Units/Runtime Dynamic': 0.304033, 'Execution Unit/Floating Point Units/Subthreshold Leakage': 0.994829, 'Execution Unit/Floating Point Units/Subthreshold Leakage with power gating': 0.373061, 'Execution Unit/Gate Leakage': 0.120359, 'Execution Unit/Instruction Scheduler/Area': 1.66526, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Area': 0.275653, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Gate Leakage': 0.000977433, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Peak Dynamic': 1.04181, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Runtime Dynamic': 0.210254, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage': 0.0143453, 'Execution Unit/Instruction Scheduler/FP Instruction Window/Subthreshold Leakage with power gating': 0.00810519, 'Execution Unit/Instruction Scheduler/Gate Leakage': 0.00568913, 'Execution Unit/Instruction Scheduler/Instruction Window/Area': 0.805223, 'Execution Unit/Instruction Scheduler/Instruction Window/Gate Leakage': 0.00414562, 'Execution Unit/Instruction Scheduler/Instruction Window/Peak Dynamic': 1.6763, 'Execution Unit/Instruction Scheduler/Instruction Window/Runtime Dynamic': 0.339131, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage': 0.0625755, 'Execution Unit/Instruction Scheduler/Instruction Window/Subthreshold Leakage with power gating': 0.0355964, 'Execution Unit/Instruction Scheduler/Peak Dynamic': 3.82262, 'Execution Unit/Instruction Scheduler/ROB/Area': 0.584388, 'Execution Unit/Instruction Scheduler/ROB/Gate Leakage': 0.00056608, 'Execution Unit/Instruction Scheduler/ROB/Peak Dynamic': 1.10451, 'Execution Unit/Instruction Scheduler/ROB/Runtime Dynamic': 0.171182, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage': 0.00906853, 'Execution Unit/Instruction Scheduler/ROB/Subthreshold Leakage with power gating': 0.00364446, 'Execution Unit/Instruction Scheduler/Runtime Dynamic': 0.720567, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage': 0.0859892, 'Execution Unit/Instruction Scheduler/Subthreshold Leakage with power gating': 0.047346, 'Execution Unit/Integer ALUs/Area': 0.47087, 'Execution Unit/Integer ALUs/Gate Leakage': 0.0265291, 'Execution Unit/Integer ALUs/Peak Dynamic': 0.196682, 'Execution Unit/Integer ALUs/Runtime Dynamic': 0.101344, 'Execution Unit/Integer ALUs/Subthreshold Leakage': 0.40222, 'Execution Unit/Integer ALUs/Subthreshold Leakage with power gating': 0.150833, 'Execution Unit/Peak Dynamic': 4.68648, 'Execution Unit/Register Files/Area': 0.570804, 'Execution Unit/Register Files/Floating Point RF/Area': 0.208131, 'Execution Unit/Register Files/Floating Point RF/Gate Leakage': 0.000232788, 'Execution Unit/Register Files/Floating Point RF/Peak Dynamic': 0.0539561, 'Execution Unit/Register Files/Floating Point RF/Runtime Dynamic': 0.00881898, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage': 0.00399698, 'Execution Unit/Register Files/Floating Point RF/Subthreshold Leakage with power gating': 0.00176968, 'Execution Unit/Register Files/Gate Leakage': 0.000622708, 'Execution Unit/Register Files/Integer RF/Area': 0.362673, 'Execution Unit/Register Files/Integer RF/Gate Leakage': 0.00038992, 'Execution Unit/Register Files/Integer RF/Peak Dynamic': 0.0788684, 'Execution Unit/Register Files/Integer RF/Runtime Dynamic': 0.0652217, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage': 0.00614175, 'Execution Unit/Register Files/Integer RF/Subthreshold Leakage with power gating': 0.00246675, 'Execution Unit/Register Files/Peak Dynamic': 0.132824, 'Execution Unit/Register Files/Runtime Dynamic': 0.0740407, 'Execution Unit/Register Files/Subthreshold Leakage': 0.0101387, 'Execution Unit/Register Files/Subthreshold Leakage with power gating': 0.00423643, 'Execution Unit/Results Broadcast Bus/Area Overhead': 0.0390912, 'Execution Unit/Results Broadcast Bus/Gate Leakage': 0.00537402, 'Execution Unit/Results Broadcast Bus/Peak Dynamic': 0.177398, 'Execution Unit/Results Broadcast Bus/Runtime Dynamic': 0.43356, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage': 0.081478, 'Execution Unit/Results Broadcast Bus/Subthreshold Leakage with power gating': 0.0305543, 'Execution Unit/Runtime Dynamic': 1.87155, 'Execution Unit/Subthreshold Leakage': 1.79543, 'Execution Unit/Subthreshold Leakage with power gating': 0.688821, 'Gate Leakage': 0.368936, 'Instruction Fetch Unit/Area': 5.85939, 'Instruction Fetch Unit/Branch Predictor/Area': 0.138516, 'Instruction Fetch Unit/Branch Predictor/Chooser/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Chooser/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Chooser/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Chooser/Runtime Dynamic': 0.00134912, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Chooser/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/Gate Leakage': 0.000757657, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Area': 0.0435221, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Gate Leakage': 0.000278362, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Peak Dynamic': 0.0168831, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Runtime Dynamic': 0.00134912, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage': 0.00759719, 'Instruction Fetch Unit/Branch Predictor/Global Predictor/Subthreshold Leakage with power gating': 0.0039236, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Area': 0.0257064, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Gate Leakage': 0.000154548, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Peak Dynamic': 0.0142575, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Runtime Dynamic': 0.00119071, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage': 0.00384344, 'Instruction Fetch Unit/Branch Predictor/L1_Local Predictor/Subthreshold Leakage with power gating': 0.00198631, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Area': 0.0151917, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Gate Leakage': 8.00196e-05, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Peak Dynamic': 0.00527447, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Runtime Dynamic': 0.000469492, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage': 0.00181347, 'Instruction Fetch Unit/Branch Predictor/L2_Local Predictor/Subthreshold Leakage with power gating': 0.000957045, 'Instruction Fetch Unit/Branch Predictor/Peak Dynamic': 0.0597838, 'Instruction Fetch Unit/Branch Predictor/RAS/Area': 0.0105732, 'Instruction Fetch Unit/Branch Predictor/RAS/Gate Leakage': 4.63858e-05, 'Instruction Fetch Unit/Branch Predictor/RAS/Peak Dynamic': 0.0117602, 'Instruction Fetch Unit/Branch Predictor/RAS/Runtime Dynamic': 0.000936915, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage': 0.000932505, 'Instruction Fetch Unit/Branch Predictor/RAS/Subthreshold Leakage with power gating': 0.000494733, 'Instruction Fetch Unit/Branch Predictor/Runtime Dynamic': 0.00482587, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage': 0.0199703, 'Instruction Fetch Unit/Branch Predictor/Subthreshold Leakage with power gating': 0.0103282, 'Instruction Fetch Unit/Branch Target Buffer/Area': 0.64954, 'Instruction Fetch Unit/Branch Target Buffer/Gate Leakage': 0.00272758, 'Instruction Fetch Unit/Branch Target Buffer/Peak Dynamic': 0.177867, 'Instruction Fetch Unit/Branch Target Buffer/Runtime Dynamic': 0.0123768, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage': 0.0811682, 'Instruction Fetch Unit/Branch Target Buffer/Subthreshold Leakage with power gating': 0.0435357, 'Instruction Fetch Unit/Gate Leakage': 0.0589979, 'Instruction Fetch Unit/Instruction Buffer/Area': 0.0226323, 'Instruction Fetch Unit/Instruction Buffer/Gate Leakage': 6.83558e-05, 'Instruction Fetch Unit/Instruction Buffer/Peak Dynamic': 0.606827, 'Instruction Fetch Unit/Instruction Buffer/Runtime Dynamic': 0.0626993, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage': 0.00151885, 'Instruction Fetch Unit/Instruction Buffer/Subthreshold Leakage with power gating': 0.000701682, 'Instruction Fetch Unit/Instruction Cache/Area': 3.14635, 'Instruction Fetch Unit/Instruction Cache/Gate Leakage': 0.029931, 'Instruction Fetch Unit/Instruction Cache/Peak Dynamic': 3.98822, 'Instruction Fetch Unit/Instruction Cache/Runtime Dynamic': 0.194691, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage': 0.367022, 'Instruction Fetch Unit/Instruction Cache/Subthreshold Leakage with power gating': 0.180386, 'Instruction Fetch Unit/Instruction Decoder/Area': 1.85799, 'Instruction Fetch Unit/Instruction Decoder/Gate Leakage': 0.0222493, 'Instruction Fetch Unit/Instruction Decoder/Peak Dynamic': 1.37404, 'Instruction Fetch Unit/Instruction Decoder/Runtime Dynamic': 0.212955, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage': 0.442943, 'Instruction Fetch Unit/Instruction Decoder/Subthreshold Leakage with power gating': 0.166104, 'Instruction Fetch Unit/Peak Dynamic': 6.40029, 'Instruction Fetch Unit/Runtime Dynamic': 0.487548, 'Instruction Fetch Unit/Subthreshold Leakage': 0.932286, 'Instruction Fetch Unit/Subthreshold Leakage with power gating': 0.40843, 'L2/Area': 4.53318, 'L2/Gate Leakage': 0.015464, 'L2/Peak Dynamic': 0.0482008, 'L2/Runtime Dynamic': 0.0193441, 'L2/Subthreshold Leakage': 0.834142, 'L2/Subthreshold Leakage with power gating': 0.401066, 'Load Store Unit/Area': 8.80901, 'Load Store Unit/Data Cache/Area': 6.84535, 'Load Store Unit/Data Cache/Gate Leakage': 0.0279261, 'Load Store Unit/Data Cache/Peak Dynamic': 2.73966, 'Load Store Unit/Data Cache/Runtime Dynamic': 0.777181, 'Load Store Unit/Data Cache/Subthreshold Leakage': 0.527675, 'Load Store Unit/Data Cache/Subthreshold Leakage with power gating': 0.25085, 'Load Store Unit/Gate Leakage': 0.0350888, 'Load Store Unit/LoadQ/Area': 0.0836782, 'Load Store Unit/LoadQ/Gate Leakage': 0.00059896, 'Load Store Unit/LoadQ/Peak Dynamic': 0.0486109, 'Load Store Unit/LoadQ/Runtime Dynamic': 0.0486109, 'Load Store Unit/LoadQ/Subthreshold Leakage': 0.00941961, 'Load Store Unit/LoadQ/Subthreshold Leakage with power gating': 0.00536918, 'Load Store Unit/Peak Dynamic': 2.96921, 'Load Store Unit/Runtime Dynamic': 1.06552, 'Load Store Unit/StoreQ/Area': 0.322079, 'Load Store Unit/StoreQ/Gate Leakage': 0.00329971, 'Load Store Unit/StoreQ/Peak Dynamic': 0.119866, 'Load Store Unit/StoreQ/Runtime Dynamic': 0.239732, 'Load Store Unit/StoreQ/Subthreshold Leakage': 0.0345621, 'Load Store Unit/StoreQ/Subthreshold Leakage with power gating': 0.0197004, 'Load Store Unit/Subthreshold Leakage': 0.591321, 'Load Store Unit/Subthreshold Leakage with power gating': 0.283293, 'Memory Management Unit/Area': 0.4339, 'Memory Management Unit/Dtlb/Area': 0.0879726, 'Memory Management Unit/Dtlb/Gate Leakage': 0.00088729, 'Memory Management Unit/Dtlb/Peak Dynamic': 0.0425409, 'Memory Management Unit/Dtlb/Runtime Dynamic': 0.0432634, 'Memory Management Unit/Dtlb/Subthreshold Leakage': 0.0155699, 'Memory Management Unit/Dtlb/Subthreshold Leakage with power gating': 0.00887485, 'Memory Management Unit/Gate Leakage': 0.00808595, 'Memory Management Unit/Itlb/Area': 0.301552, 'Memory Management Unit/Itlb/Gate Leakage': 0.00393464, 'Memory Management Unit/Itlb/Peak Dynamic': 0.247973, 'Memory Management Unit/Itlb/Runtime Dynamic': 0.0319208, 'Memory Management Unit/Itlb/Subthreshold Leakage': 0.0413758, 'Memory Management Unit/Itlb/Subthreshold Leakage with power gating': 0.0235842, 'Memory Management Unit/Peak Dynamic': 0.477159, 'Memory Management Unit/Runtime Dynamic': 0.0751842, 'Memory Management Unit/Subthreshold Leakage': 0.0766103, 'Memory Management Unit/Subthreshold Leakage with power gating': 0.0398333, 'Peak Dynamic': 18.1708, 'Renaming Unit/Area': 0.303608, 'Renaming Unit/FP Front End RAT/Area': 0.131045, 'Renaming Unit/FP Front End RAT/Gate Leakage': 0.00351123, 'Renaming Unit/FP Front End RAT/Peak Dynamic': 2.51468, 'Renaming Unit/FP Front End RAT/Runtime Dynamic': 0.141934, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage': 0.0308571, 'Renaming Unit/FP Front End RAT/Subthreshold Leakage with power gating': 0.0175885, 'Renaming Unit/Free List/Area': 0.0340654, 'Renaming Unit/Free List/Gate Leakage': 2.5481e-05, 'Renaming Unit/Free List/Peak Dynamic': 0.0306032, 'Renaming Unit/Free List/Runtime Dynamic': 0.0112134, 'Renaming Unit/Free List/Subthreshold Leakage': 0.000370144, 'Renaming Unit/Free List/Subthreshold Leakage with power gating': 0.000201064, 'Renaming Unit/Gate Leakage': 0.00708398, 'Renaming Unit/Int Front End RAT/Area': 0.0941223, 'Renaming Unit/Int Front End RAT/Gate Leakage': 0.000283242, 'Renaming Unit/Int Front End RAT/Peak Dynamic': 0.731965, 'Renaming Unit/Int Front End RAT/Runtime Dynamic': 0.104957, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage': 0.00435488, 'Renaming Unit/Int Front End RAT/Subthreshold Leakage with power gating': 0.00248228, 'Renaming Unit/Peak Dynamic': 3.58947, 'Renaming Unit/Runtime Dynamic': 0.258104, 'Renaming Unit/Subthreshold Leakage': 0.0552466, 'Renaming Unit/Subthreshold Leakage with power gating': 0.0276461, 'Runtime Dynamic': 3.77726, 'Subthreshold Leakage': 6.16288, 'Subthreshold Leakage with power gating': 2.55328}], 'DRAM': {'Area': 0, 'Gate Leakage': 0, 'Peak Dynamic': 4.565347451194352, 'Runtime Dynamic': 4.565347451194352, 'Subthreshold Leakage': 4.252, 'Subthreshold Leakage with power gating': 4.252}, 'L3': [{'Area': 61.9075, 'Gate Leakage': 0.0484137, 'Peak Dynamic': 0.158312, 'Runtime Dynamic': 0.101947, 'Subthreshold Leakage': 6.80085, 'Subthreshold Leakage with power gating': 3.32364}], 'Processor': {'Area': 191.908, 'Gate Leakage': 1.53485, 'Peak Dynamic': 86.7536, 'Peak Power': 119.866, 'Runtime Dynamic': 24.1372, 'Subthreshold Leakage': 31.5774, 'Subthreshold Leakage with power gating': 13.9484, 'Total Cores/Area': 128.669, 'Total Cores/Gate Leakage': 1.4798, 'Total Cores/Peak Dynamic': 86.5953, 'Total Cores/Runtime Dynamic': 24.0353, 'Total Cores/Subthreshold Leakage': 24.7074, 'Total Cores/Subthreshold Leakage with power gating': 10.2429, 'Total L3s/Area': 61.9075, 'Total L3s/Gate Leakage': 0.0484137, 'Total L3s/Peak Dynamic': 0.158312, 'Total L3s/Runtime Dynamic': 0.101947, 'Total L3s/Subthreshold Leakage': 6.80085, 'Total L3s/Subthreshold Leakage with power gating': 3.32364, 'Total Leakage': 33.1122, 'Total NoCs/Area': 1.33155, 'Total NoCs/Gate Leakage': 0.00662954, 'Total NoCs/Peak Dynamic': 0.0, 'Total NoCs/Runtime Dynamic': 0.0, 'Total NoCs/Subthreshold Leakage': 0.0691322, 'Total NoCs/Subthreshold Leakage with power gating': 0.0259246}}
# coding=UTF-8 #------------------------------------------------------------------------------ # Copyright (c) 2007-2021, Acoular Development Team. #------------------------------------------------------------------------------ # separate file to find out about version without importing the acoular lib __author__ = "Acoular Development Team" __date__ = "5 May 2021" __version__ = "21.05"
__author__ = 'Acoular Development Team' __date__ = '5 May 2021' __version__ = '21.05'
# CHeck if running from inside jupyter # From https://stackoverflow.com/questions/47211324/check-if-module-is-running-in-jupyter-or-not def type_of_script(): try: ipy_str = str(type(get_ipython())) if 'zmqshell' in ipy_str: return 'jupyter' if 'terminal' in ipy_str: return 'ipython' except: return 'terminal'
def type_of_script(): try: ipy_str = str(type(get_ipython())) if 'zmqshell' in ipy_str: return 'jupyter' if 'terminal' in ipy_str: return 'ipython' except: return 'terminal'
# A Tuple is a collection which is ordered and unchangeable. Allows duplicate members. # Create tuple fruits = ('Apples', 'Oranges', 'Grapes') # Using a constructor # fruits2 = tuple(('Apples', 'Oranges', 'Grapes')) # Single value needs trailing comma fruits2 = ('Apples',) # Get value print(fruits[1]) # Can't change value fruits[0] = 'Pears' # Delete tuple del fruits2 # Get length print(len(fruits)) # A Set is a collection which is unordered and unindexed. No duplicate members. # Create set fruits_set = {'Apples', 'Oranges', 'Mango'} # Check if in set print('Apples' in fruits_set) # Add to set fruits_set.add('Grape') # Remove from set fruits_set.remove('Grape') # Add duplicate fruits_set.add('Apples') # Clear set fruits_set.clear() # Delete del fruits_set print(fruits_set)
fruits = ('Apples', 'Oranges', 'Grapes') fruits2 = ('Apples',) print(fruits[1]) fruits[0] = 'Pears' del fruits2 print(len(fruits)) fruits_set = {'Apples', 'Oranges', 'Mango'} print('Apples' in fruits_set) fruits_set.add('Grape') fruits_set.remove('Grape') fruits_set.add('Apples') fruits_set.clear() del fruits_set print(fruits_set)
n = int(__import__('sys').stdin.readline()) a = [int(_) for _ in __import__('sys').stdin.readline().split()] res = [-1] * n for i in range(n): for j in range(n): if a[j] > i: continue c = 0 for front in range(i): if res[front] > j: c += 1 if c == a[j]: res[i] = j+1 break print(' '.join(map(str, res)))
n = int(__import__('sys').stdin.readline()) a = [int(_) for _ in __import__('sys').stdin.readline().split()] res = [-1] * n for i in range(n): for j in range(n): if a[j] > i: continue c = 0 for front in range(i): if res[front] > j: c += 1 if c == a[j]: res[i] = j + 1 break print(' '.join(map(str, res)))
# coding=utf-8 region_name = "" access_key = "" access_secret = "" endpoint = None app_id = "" acl_ak = "" acl_access_secret = ""
region_name = '' access_key = '' access_secret = '' endpoint = None app_id = '' acl_ak = '' acl_access_secret = ''
{ "cells": [ { "cell_type": "markdown", "metadata": {}, "source": [ "## Script to calculate Basic Statistics" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "### Equation for the mean: $\\mu_x = \\sum_{i=1}^{N}\\frac{x_i}{N}$\n", "\n", "### Equation for the standard deviation: $\\sigma_x = \\sqrt{\\sum_{i=1}^{N}\\left(x_i - \\mu \\right)^2}\\frac{1}{N-1}$\n", "\n", "\n", "**Instructions:**\n", "\n", "**(1) Before you write code, write an algorithm that describes the sequence of steps you will take to compute the mean and standard deviation for your samples. The algorithm can be written in pseudocode or as an itemized list.***\n", "\n", "**(2) Use 'for' loops to help yourself compute the average and standard deviation.**\n", "\n", "**(3) Use for loops and conditional operators to count the number of samples within $1\\sigma$ of the mean.**\n", "\n", "**Note:** It is not acceptable to use the pre-programmed routines for mean and st. dev., e.g. numpy.mean()" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "### Edit this box to write an algorithm for computing the mean and std. deviation.\n", "\n", "~~~\n", "\n", "\n", "\n", "\n", "\n", "\n", "~~~" ] }, { "cell_type": "markdown", "metadata": {}, "source": [ "### Write your code using instructions in the cells below." ] }, { "cell_type": "code", "execution_count": 1, "metadata": {}, "outputs": [], "source": [ "# Put your Header information here. Name, creation date, version, etc.\n" ] }, { "cell_type": "code", "execution_count": 2, "metadata": {}, "outputs": [], "source": [ "# Import the matplotlib module here. No other modules should be used.\n" ] }, { "cell_type": "code", "execution_count": 3, "metadata": {}, "outputs": [], "source": [ "# Create a list variable that contains at least 25 elements. You can create this list any number of ways. \n", "# This will be your sample.\n" ] }, { "cell_type": "code", "execution_count": 4, "metadata": {}, "outputs": [], "source": [ "# Pretend you do not know how long x is; compute it's length, N, without using functions or modules.\n" ] }, { "cell_type": "code", "execution_count": 5, "metadata": {}, "outputs": [], "source": [ "# Compute the mean of the elements in list x.\n", "\n", "\n", "\n", "\n" ] }, { "cell_type": "code", "execution_count": 6, "metadata": {}, "outputs": [], "source": [ "# Compute the std deviation, using the mean and the elements in list x.\n", "\n", "\n", "\n" ] }, { "cell_type": "code", "execution_count": 7, "metadata": {}, "outputs": [], "source": [ "# Use the 'print' command to report the values of average (mu) and std. dev. (sigma).\n", "\n", "\n" ] }, { "cell_type": "code", "execution_count": 8, "metadata": {}, "outputs": [], "source": [ "# Count the number of values that are within +/- 1 std. deviation of the mean. \n", "# A normal distribution will have approx. 68% of the values within this range. \n", "# Based on this criteria is the list normally distributed?\n", "\n", "\n" ] }, { "cell_type": "code", "execution_count": 9, "metadata": {}, "outputs": [], "source": [ "# Use print() and if statements to report a message about whether the data is normally distributed.\n", "\n" ] }, { "cell_type": "code", "execution_count": 10, "metadata": {}, "outputs": [], "source": [ "### Use Matplotlb.pyplot to make a histogram of x.\n", "\n", "\n" ] }, { "cell_type": "markdown", "metadata": { "collapsed": true }, "source": [ "### OCG 593 students, look up an equation for Skewness and write code to compute the skewness. \n", "#### Compute the skewness and report whether the sample is normally distributed." ] }, { "cell_type": "code", "execution_count": null, "metadata": {}, "outputs": [], "source": [] } ], "metadata": { "kernelspec": { "display_name": "Python 3", "language": "python", "name": "python3" }, "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.7.3" } }, "nbformat": 4, "nbformat_minor": 1 }
{'cells': [{'cell_type': 'markdown', 'metadata': {}, 'source': ['## Script to calculate Basic Statistics']}, {'cell_type': 'markdown', 'metadata': {}, 'source': ['### Equation for the mean: $\\mu_x = \\sum_{i=1}^{N}\\frac{x_i}{N}$\n', '\n', '### Equation for the standard deviation: $\\sigma_x = \\sqrt{\\sum_{i=1}^{N}\\left(x_i - \\mu \\right)^2}\\frac{1}{N-1}$\n', '\n', '\n', '**Instructions:**\n', '\n', '**(1) Before you write code, write an algorithm that describes the sequence of steps you will take to compute the mean and standard deviation for your samples. The algorithm can be written in pseudocode or as an itemized list.***\n', '\n', "**(2) Use 'for' loops to help yourself compute the average and standard deviation.**\n", '\n', '**(3) Use for loops and conditional operators to count the number of samples within $1\\sigma$ of the mean.**\n', '\n', '**Note:** It is not acceptable to use the pre-programmed routines for mean and st. dev., e.g. numpy.mean()']}, {'cell_type': 'markdown', 'metadata': {}, 'source': ['### Edit this box to write an algorithm for computing the mean and std. deviation.\n', '\n', '~~~\n', '\n', '\n', '\n', '\n', '\n', '\n', '~~~']}, {'cell_type': 'markdown', 'metadata': {}, 'source': ['### Write your code using instructions in the cells below.']}, {'cell_type': 'code', 'execution_count': 1, 'metadata': {}, 'outputs': [], 'source': ['# Put your Header information here. Name, creation date, version, etc.\n']}, {'cell_type': 'code', 'execution_count': 2, 'metadata': {}, 'outputs': [], 'source': ['# Import the matplotlib module here. No other modules should be used.\n']}, {'cell_type': 'code', 'execution_count': 3, 'metadata': {}, 'outputs': [], 'source': ['# Create a list variable that contains at least 25 elements. You can create this list any number of ways. \n', '# This will be your sample.\n']}, {'cell_type': 'code', 'execution_count': 4, 'metadata': {}, 'outputs': [], 'source': ["# Pretend you do not know how long x is; compute it's length, N, without using functions or modules.\n"]}, {'cell_type': 'code', 'execution_count': 5, 'metadata': {}, 'outputs': [], 'source': ['# Compute the mean of the elements in list x.\n', '\n', '\n', '\n', '\n']}, {'cell_type': 'code', 'execution_count': 6, 'metadata': {}, 'outputs': [], 'source': ['# Compute the std deviation, using the mean and the elements in list x.\n', '\n', '\n', '\n']}, {'cell_type': 'code', 'execution_count': 7, 'metadata': {}, 'outputs': [], 'source': ["# Use the 'print' command to report the values of average (mu) and std. dev. (sigma).\n", '\n', '\n']}, {'cell_type': 'code', 'execution_count': 8, 'metadata': {}, 'outputs': [], 'source': ['# Count the number of values that are within +/- 1 std. deviation of the mean. \n', '# A normal distribution will have approx. 68% of the values within this range. \n', '# Based on this criteria is the list normally distributed?\n', '\n', '\n']}, {'cell_type': 'code', 'execution_count': 9, 'metadata': {}, 'outputs': [], 'source': ['# Use print() and if statements to report a message about whether the data is normally distributed.\n', '\n']}, {'cell_type': 'code', 'execution_count': 10, 'metadata': {}, 'outputs': [], 'source': ['### Use Matplotlb.pyplot to make a histogram of x.\n', '\n', '\n']}, {'cell_type': 'markdown', 'metadata': {'collapsed': true}, 'source': ['### OCG 593 students, look up an equation for Skewness and write code to compute the skewness. \n', '#### Compute the skewness and report whether the sample is normally distributed.']}, {'cell_type': 'code', 'execution_count': null, 'metadata': {}, 'outputs': [], 'source': []}], 'metadata': {'kernelspec': {'display_name': 'Python 3', 'language': 'python', 'name': 'python3'}, '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.7.3'}}, 'nbformat': 4, 'nbformat_minor': 1}
# # PySNMP MIB module ALVARION-TOOLS-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ALVARION-TOOLS-MIB # Produced by pysmi-0.3.4 at Wed May 1 11:22:25 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) # alvarionMgmtV2, = mibBuilder.importSymbols("ALVARION-SMI", "alvarionMgmtV2") AlvarionNotificationEnable, = mibBuilder.importSymbols("ALVARION-TC", "AlvarionNotificationEnable") OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsUnion, ValueRangeConstraint, ConstraintsIntersection, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "SingleValueConstraint") InterfaceIndex, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndex") NotificationGroup, ModuleCompliance, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance", "ObjectGroup") TimeTicks, Counter32, MibIdentifier, ModuleIdentity, IpAddress, Integer32, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, iso, Gauge32, Counter64, Bits, ObjectIdentity, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "TimeTicks", "Counter32", "MibIdentifier", "ModuleIdentity", "IpAddress", "Integer32", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "iso", "Gauge32", "Counter64", "Bits", "ObjectIdentity", "Unsigned32") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") alvarionToolsMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12)) if mibBuilder.loadTexts: alvarionToolsMIB.setLastUpdated('200710310000Z') if mibBuilder.loadTexts: alvarionToolsMIB.setOrganization('Alvarion Ltd.') if mibBuilder.loadTexts: alvarionToolsMIB.setContactInfo('Alvarion Ltd. Postal: 21a HaBarzel St. P.O. Box 13139 Tel-Aviv 69710 Israel Phone: +972 3 645 6262') if mibBuilder.loadTexts: alvarionToolsMIB.setDescription('Alvarion Tools MIB module.') alvarionToolsMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1)) traceToolConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1)) traceInterface = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 1), InterfaceIndex()).setMaxAccess("readwrite") if mibBuilder.loadTexts: traceInterface.setStatus('current') if mibBuilder.loadTexts: traceInterface.setDescription('Specifies the interface to apply the trace to.') traceCaptureDestination = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("local", 1), ("remote", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: traceCaptureDestination.setStatus('current') if mibBuilder.loadTexts: traceCaptureDestination.setDescription("Specifies if the traces shall be stored locally on the device or remotely on a distant system. 'local': Stores the traces locally on the device. 'remote': Stores the traces in a remote file specified by traceCaptureDestinationURL.") traceCaptureDestinationURL = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: traceCaptureDestinationURL.setStatus('current') if mibBuilder.loadTexts: traceCaptureDestinationURL.setDescription('Specifies the URL of the file that trace data will be sent to. If a valid URL is not defined, the trace data cannot be sent and will be discarded.') traceTimeout = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 99999)).clone(600)).setUnits('seconds').setMaxAccess("readwrite") if mibBuilder.loadTexts: traceTimeout.setStatus('current') if mibBuilder.loadTexts: traceTimeout.setDescription('Specifies the amount of time the trace will capture data. Once this limit is reached, the trace automatically stops.') traceNumberOfPackets = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 99999)).clone(100)).setUnits('packets').setMaxAccess("readwrite") if mibBuilder.loadTexts: traceNumberOfPackets.setStatus('current') if mibBuilder.loadTexts: traceNumberOfPackets.setDescription('Specifies the maximum number of packets (IP datagrams) the trace should capture. Once this limit is reached, the trace automatically stops.') tracePacketSize = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(68, 4096)).clone(128)).setUnits('bytes').setMaxAccess("readwrite") if mibBuilder.loadTexts: tracePacketSize.setStatus('current') if mibBuilder.loadTexts: tracePacketSize.setDescription('Specifies the maximum number of bytes to capture for each packet. The remaining data is discarded.') traceCaptureFilter = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 7), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: traceCaptureFilter.setStatus('current') if mibBuilder.loadTexts: traceCaptureFilter.setDescription('Specifies the packet filter to use to capture data. The filter expression has the same format and behavior as the expression parameter used by the well-known TCPDUMP command.') traceCaptureStatus = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("stop", 1), ("start", 2))).clone('stop')).setMaxAccess("readwrite") if mibBuilder.loadTexts: traceCaptureStatus.setStatus('current') if mibBuilder.loadTexts: traceCaptureStatus.setDescription("IP Trace tool action trigger. 'stop': Stops the trace tool from functioning. If any capture was previously started it will end up. if no capture was started, 'stop' has no effect. 'start': Starts to capture the packets following the critera specified in the management tool and in this MIB.") traceNotificationEnabled = MibScalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 9), AlvarionNotificationEnable().clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: traceNotificationEnabled.setStatus('current') if mibBuilder.loadTexts: traceNotificationEnabled.setDescription('Specifies if IP trace notifications are generated.') alvarionToolsMIBNotificationPrefix = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 2)) alvarionToolsMIBNotifications = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 2, 0)) traceStatusNotification = NotificationType((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 2, 0, 1)).setObjects(("ALVARION-TOOLS-MIB", "traceCaptureStatus")) if mibBuilder.loadTexts: traceStatusNotification.setStatus('current') if mibBuilder.loadTexts: traceStatusNotification.setDescription('Sent when the user triggers the IP Trace tool either by starting a new trace or stopping an existing session.') alvarionToolsMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3)) alvarionToolsMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 1)) alvarionToolsMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 2)) alvarionToolsMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 1, 1)).setObjects(("ALVARION-TOOLS-MIB", "alvarionToolsMIBGroup"), ("ALVARION-TOOLS-MIB", "alvarionToolsNotificationGroup")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alvarionToolsMIBCompliance = alvarionToolsMIBCompliance.setStatus('current') if mibBuilder.loadTexts: alvarionToolsMIBCompliance.setDescription('The compliance statement for entities which implement the Alvarion Tools MIB.') alvarionToolsMIBGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 2, 1)).setObjects(("ALVARION-TOOLS-MIB", "traceInterface"), ("ALVARION-TOOLS-MIB", "traceCaptureDestination"), ("ALVARION-TOOLS-MIB", "traceCaptureDestinationURL"), ("ALVARION-TOOLS-MIB", "traceTimeout"), ("ALVARION-TOOLS-MIB", "traceNumberOfPackets"), ("ALVARION-TOOLS-MIB", "tracePacketSize"), ("ALVARION-TOOLS-MIB", "traceCaptureFilter"), ("ALVARION-TOOLS-MIB", "traceCaptureStatus"), ("ALVARION-TOOLS-MIB", "traceNotificationEnabled")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alvarionToolsMIBGroup = alvarionToolsMIBGroup.setStatus('current') if mibBuilder.loadTexts: alvarionToolsMIBGroup.setDescription('A collection of objects providing the Tools MIB capability.') alvarionToolsNotificationGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 2, 2)).setObjects(("ALVARION-TOOLS-MIB", "traceStatusNotification")) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alvarionToolsNotificationGroup = alvarionToolsNotificationGroup.setStatus('current') if mibBuilder.loadTexts: alvarionToolsNotificationGroup.setDescription('A collection of supported notifications.') mibBuilder.exportSymbols("ALVARION-TOOLS-MIB", traceInterface=traceInterface, alvarionToolsMIBNotifications=alvarionToolsMIBNotifications, traceCaptureStatus=traceCaptureStatus, alvarionToolsMIB=alvarionToolsMIB, traceCaptureFilter=traceCaptureFilter, alvarionToolsMIBObjects=alvarionToolsMIBObjects, traceNotificationEnabled=traceNotificationEnabled, alvarionToolsMIBCompliance=alvarionToolsMIBCompliance, alvarionToolsMIBNotificationPrefix=alvarionToolsMIBNotificationPrefix, alvarionToolsMIBCompliances=alvarionToolsMIBCompliances, tracePacketSize=tracePacketSize, traceStatusNotification=traceStatusNotification, alvarionToolsNotificationGroup=alvarionToolsNotificationGroup, traceNumberOfPackets=traceNumberOfPackets, PYSNMP_MODULE_ID=alvarionToolsMIB, alvarionToolsMIBConformance=alvarionToolsMIBConformance, traceCaptureDestinationURL=traceCaptureDestinationURL, alvarionToolsMIBGroup=alvarionToolsMIBGroup, alvarionToolsMIBGroups=alvarionToolsMIBGroups, traceCaptureDestination=traceCaptureDestination, traceToolConfig=traceToolConfig, traceTimeout=traceTimeout)
(alvarion_mgmt_v2,) = mibBuilder.importSymbols('ALVARION-SMI', 'alvarionMgmtV2') (alvarion_notification_enable,) = mibBuilder.importSymbols('ALVARION-TC', 'AlvarionNotificationEnable') (octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_union, value_range_constraint, constraints_intersection, value_size_constraint, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'SingleValueConstraint') (interface_index,) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndex') (notification_group, module_compliance, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance', 'ObjectGroup') (time_ticks, counter32, mib_identifier, module_identity, ip_address, integer32, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, iso, gauge32, counter64, bits, object_identity, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'TimeTicks', 'Counter32', 'MibIdentifier', 'ModuleIdentity', 'IpAddress', 'Integer32', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'iso', 'Gauge32', 'Counter64', 'Bits', 'ObjectIdentity', 'Unsigned32') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') alvarion_tools_mib = module_identity((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12)) if mibBuilder.loadTexts: alvarionToolsMIB.setLastUpdated('200710310000Z') if mibBuilder.loadTexts: alvarionToolsMIB.setOrganization('Alvarion Ltd.') if mibBuilder.loadTexts: alvarionToolsMIB.setContactInfo('Alvarion Ltd. Postal: 21a HaBarzel St. P.O. Box 13139 Tel-Aviv 69710 Israel Phone: +972 3 645 6262') if mibBuilder.loadTexts: alvarionToolsMIB.setDescription('Alvarion Tools MIB module.') alvarion_tools_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1)) trace_tool_config = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1)) trace_interface = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 1), interface_index()).setMaxAccess('readwrite') if mibBuilder.loadTexts: traceInterface.setStatus('current') if mibBuilder.loadTexts: traceInterface.setDescription('Specifies the interface to apply the trace to.') trace_capture_destination = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('local', 1), ('remote', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: traceCaptureDestination.setStatus('current') if mibBuilder.loadTexts: traceCaptureDestination.setDescription("Specifies if the traces shall be stored locally on the device or remotely on a distant system. 'local': Stores the traces locally on the device. 'remote': Stores the traces in a remote file specified by traceCaptureDestinationURL.") trace_capture_destination_url = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 3), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: traceCaptureDestinationURL.setStatus('current') if mibBuilder.loadTexts: traceCaptureDestinationURL.setDescription('Specifies the URL of the file that trace data will be sent to. If a valid URL is not defined, the trace data cannot be sent and will be discarded.') trace_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 99999)).clone(600)).setUnits('seconds').setMaxAccess('readwrite') if mibBuilder.loadTexts: traceTimeout.setStatus('current') if mibBuilder.loadTexts: traceTimeout.setDescription('Specifies the amount of time the trace will capture data. Once this limit is reached, the trace automatically stops.') trace_number_of_packets = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 99999)).clone(100)).setUnits('packets').setMaxAccess('readwrite') if mibBuilder.loadTexts: traceNumberOfPackets.setStatus('current') if mibBuilder.loadTexts: traceNumberOfPackets.setDescription('Specifies the maximum number of packets (IP datagrams) the trace should capture. Once this limit is reached, the trace automatically stops.') trace_packet_size = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(68, 4096)).clone(128)).setUnits('bytes').setMaxAccess('readwrite') if mibBuilder.loadTexts: tracePacketSize.setStatus('current') if mibBuilder.loadTexts: tracePacketSize.setDescription('Specifies the maximum number of bytes to capture for each packet. The remaining data is discarded.') trace_capture_filter = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 7), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: traceCaptureFilter.setStatus('current') if mibBuilder.loadTexts: traceCaptureFilter.setDescription('Specifies the packet filter to use to capture data. The filter expression has the same format and behavior as the expression parameter used by the well-known TCPDUMP command.') trace_capture_status = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('stop', 1), ('start', 2))).clone('stop')).setMaxAccess('readwrite') if mibBuilder.loadTexts: traceCaptureStatus.setStatus('current') if mibBuilder.loadTexts: traceCaptureStatus.setDescription("IP Trace tool action trigger. 'stop': Stops the trace tool from functioning. If any capture was previously started it will end up. if no capture was started, 'stop' has no effect. 'start': Starts to capture the packets following the critera specified in the management tool and in this MIB.") trace_notification_enabled = mib_scalar((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 1, 1, 9), alvarion_notification_enable().clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: traceNotificationEnabled.setStatus('current') if mibBuilder.loadTexts: traceNotificationEnabled.setDescription('Specifies if IP trace notifications are generated.') alvarion_tools_mib_notification_prefix = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 2)) alvarion_tools_mib_notifications = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 2, 0)) trace_status_notification = notification_type((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 2, 0, 1)).setObjects(('ALVARION-TOOLS-MIB', 'traceCaptureStatus')) if mibBuilder.loadTexts: traceStatusNotification.setStatus('current') if mibBuilder.loadTexts: traceStatusNotification.setDescription('Sent when the user triggers the IP Trace tool either by starting a new trace or stopping an existing session.') alvarion_tools_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3)) alvarion_tools_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 1)) alvarion_tools_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 2)) alvarion_tools_mib_compliance = module_compliance((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 1, 1)).setObjects(('ALVARION-TOOLS-MIB', 'alvarionToolsMIBGroup'), ('ALVARION-TOOLS-MIB', 'alvarionToolsNotificationGroup')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alvarion_tools_mib_compliance = alvarionToolsMIBCompliance.setStatus('current') if mibBuilder.loadTexts: alvarionToolsMIBCompliance.setDescription('The compliance statement for entities which implement the Alvarion Tools MIB.') alvarion_tools_mib_group = object_group((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 2, 1)).setObjects(('ALVARION-TOOLS-MIB', 'traceInterface'), ('ALVARION-TOOLS-MIB', 'traceCaptureDestination'), ('ALVARION-TOOLS-MIB', 'traceCaptureDestinationURL'), ('ALVARION-TOOLS-MIB', 'traceTimeout'), ('ALVARION-TOOLS-MIB', 'traceNumberOfPackets'), ('ALVARION-TOOLS-MIB', 'tracePacketSize'), ('ALVARION-TOOLS-MIB', 'traceCaptureFilter'), ('ALVARION-TOOLS-MIB', 'traceCaptureStatus'), ('ALVARION-TOOLS-MIB', 'traceNotificationEnabled')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alvarion_tools_mib_group = alvarionToolsMIBGroup.setStatus('current') if mibBuilder.loadTexts: alvarionToolsMIBGroup.setDescription('A collection of objects providing the Tools MIB capability.') alvarion_tools_notification_group = notification_group((1, 3, 6, 1, 4, 1, 12394, 1, 10, 5, 12, 3, 2, 2)).setObjects(('ALVARION-TOOLS-MIB', 'traceStatusNotification')) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): alvarion_tools_notification_group = alvarionToolsNotificationGroup.setStatus('current') if mibBuilder.loadTexts: alvarionToolsNotificationGroup.setDescription('A collection of supported notifications.') mibBuilder.exportSymbols('ALVARION-TOOLS-MIB', traceInterface=traceInterface, alvarionToolsMIBNotifications=alvarionToolsMIBNotifications, traceCaptureStatus=traceCaptureStatus, alvarionToolsMIB=alvarionToolsMIB, traceCaptureFilter=traceCaptureFilter, alvarionToolsMIBObjects=alvarionToolsMIBObjects, traceNotificationEnabled=traceNotificationEnabled, alvarionToolsMIBCompliance=alvarionToolsMIBCompliance, alvarionToolsMIBNotificationPrefix=alvarionToolsMIBNotificationPrefix, alvarionToolsMIBCompliances=alvarionToolsMIBCompliances, tracePacketSize=tracePacketSize, traceStatusNotification=traceStatusNotification, alvarionToolsNotificationGroup=alvarionToolsNotificationGroup, traceNumberOfPackets=traceNumberOfPackets, PYSNMP_MODULE_ID=alvarionToolsMIB, alvarionToolsMIBConformance=alvarionToolsMIBConformance, traceCaptureDestinationURL=traceCaptureDestinationURL, alvarionToolsMIBGroup=alvarionToolsMIBGroup, alvarionToolsMIBGroups=alvarionToolsMIBGroups, traceCaptureDestination=traceCaptureDestination, traceToolConfig=traceToolConfig, traceTimeout=traceTimeout)
# TODO - Update THINGS value with your things. These are the SNAP MACs for your devices, ex: "abc123" # Addresses should not have any separators (no "." Or ":", etc.). The hexadecimal digits a-f must be entered in lower case. THINGS = ["XXXXXX"] PROFILE_NAME = "default" CERTIFICATE_CERT = "certs/certificate_cert.pem" CERTIFICATE_KEY = "certs/certificate_key.pem" CAFILE = "certs/demo.pem"
things = ['XXXXXX'] profile_name = 'default' certificate_cert = 'certs/certificate_cert.pem' certificate_key = 'certs/certificate_key.pem' cafile = 'certs/demo.pem'
RUN_TEST = False TEST_SOLUTION = 739785 TEST_INPUT_FILE = "test_input_day_21.txt" INPUT_FILE = "input_day_21.txt" ARGS = [] def game_over(scores): return scores[0] >= 1000 or scores[1] >= 1000 def losing_player_score(scores): return scores[0] if scores[0] < scores[1] else scores[1] def main_part1( input_file, ): with open(input_file) as file: lines = list(map(lambda line: line.rstrip(), file.readlines())) # Day 21 Part 1 - Dirac Dice. The submarine computer challenges you to a # nice game of Dirac Dice. This game consists of a single die, two pawns, # and a game board with a circular track containing ten spaces marked 1 # through 10 clockwise. Each player's starting space is chosen randomly # (your puzzle input). Player 1 goes first. # # Players take turns moving. On each player's turn, the player rolls the # die three times and adds up the results. Then, the player moves their # pawn that many times forward around the track (that is, moving clockwise # on spaces in order of increasing value, wrapping back around to 1 after # 10). So, if a player is on space 7 and they roll 2, 2, and 1, they would # move forward 5 times, to spaces 8, 9, 10, 1, and finally stopping on 2. # # After each player moves, they increase their score by the value of the # space their pawn stopped on. Players' scores start at 0. So, if the first # player starts on space 7 and rolls a total of 5, they would stop on space # 2 and add 2 to their score (for a total score of 2). The game immediately # ends as a win for any player whose score reaches at least 1000. # # Since the first game is a practice game, the submarine opens a # compartment labeled deterministic dice and a 100-sided die falls out. # This die always rolls 1 first, then 2, then 3, and so on up to 100, after # which it starts over at 1 again. Play using this die. # # Play a practice game using the deterministic 100-sided die. The moment # either player wins, what do you get if you multiply the score of the # losing player by the number of times the die was rolled during the game? # Read starting positions. player1_start = int(lines[0][-1]) player2_start = int(lines[1][-1]) scores = [0, 0] position = [player1_start, player2_start] dice_side = 0 # 1-100 dice_rolls = 0 # Play game. player = 0 # 0 = player1, 1 = player2 while not game_over(scores): sum_rolls = 0 for _ in range(3): # new_roll = (i - 1) % n + 1, i-1 would then be the previous roll. dice_side = (dice_side) % 100 + 1 sum_rolls += dice_side dice_rolls += 3 # Same logic as for rolls. position[player] = ((position[player] + sum_rolls) - 1) % 10 + 1 scores[player] += position[player] player = (player + 1) % 2 solution = losing_player_score(scores) * dice_rolls return solution if __name__ == "__main__": if RUN_TEST: solution = main_part1(TEST_INPUT_FILE, *ARGS) print(solution) assert TEST_SOLUTION == solution else: solution = main_part1(INPUT_FILE, *ARGS) print(solution)
run_test = False test_solution = 739785 test_input_file = 'test_input_day_21.txt' input_file = 'input_day_21.txt' args = [] def game_over(scores): return scores[0] >= 1000 or scores[1] >= 1000 def losing_player_score(scores): return scores[0] if scores[0] < scores[1] else scores[1] def main_part1(input_file): with open(input_file) as file: lines = list(map(lambda line: line.rstrip(), file.readlines())) player1_start = int(lines[0][-1]) player2_start = int(lines[1][-1]) scores = [0, 0] position = [player1_start, player2_start] dice_side = 0 dice_rolls = 0 player = 0 while not game_over(scores): sum_rolls = 0 for _ in range(3): dice_side = dice_side % 100 + 1 sum_rolls += dice_side dice_rolls += 3 position[player] = (position[player] + sum_rolls - 1) % 10 + 1 scores[player] += position[player] player = (player + 1) % 2 solution = losing_player_score(scores) * dice_rolls return solution if __name__ == '__main__': if RUN_TEST: solution = main_part1(TEST_INPUT_FILE, *ARGS) print(solution) assert TEST_SOLUTION == solution else: solution = main_part1(INPUT_FILE, *ARGS) print(solution)
class dotRebarEndDetailStrip_t(object): # no doc RebarHookData=None RebarStrip=None RebarThreading=None
class Dotrebarenddetailstrip_T(object): rebar_hook_data = None rebar_strip = None rebar_threading = None
x = 1 if x == 1: print("x is 1") else: print("x is not 1")
x = 1 if x == 1: print('x is 1') else: print('x is not 1')
# lextab.py. This file automatically created by PLY (version 3.4). Don't edit! _tabversion = "3.4" _lextokens = { "SHORT": 1, "BOOLCONSTANT": 1, "USHORT": 1, "UBYTE": 1, "DUBCONSTANT": 1, "FILE_IDENTIFIER": 1, "ULONG": 1, "FILE_EXTENSION": 1, "LONG": 1, "UNION": 1, "TABLE": 1, "IDENTIFIER": 1, "STRING": 1, "INTCONSTANT": 1, "ENUM": 1, "NAMESPACE": 1, "LITERAL": 1, "UINT": 1, "BYTE": 1, "INCLUDE": 1, "STRUCT": 1, "ROOT_TYPE": 1, "INT": 1, "ATTRIBUTE": 1, "FLOAT": 1, "BOOL": 1, "DOUBLE": 1, } _lexreflags = 0 _lexliterals = ":;,=*{}()<>[]" _lexstateinfo = {"INITIAL": "inclusive"} _lexstatere = { "INITIAL": [ ( "(?P<t_newline>\\n+)|(?P<t_ignore_SILLYCOMM>\\/\\*\\**\\*\\/)|(?P<t_ignore_MULTICOMM>\\/\\*[^*]\\/*([^*/]|[^*]\\/|\\*[^/])*\\**\\*\\/)|(?P<t_ignore_DOCTEXT>\\/\\*\\*([^*/]|[^*]\\/|\\*[^/])*\\**\\*\\/)|(?P<t_BOOLCONSTANT>\\btrue\\b|\\bfalse\\b)|(?P<t_DUBCONSTANT>-?\\d+\\.\\d*(e-?\\d+)?)|(?P<t_HEXCONSTANT>0x[0-9A-Fa-f]+)|(?P<t_INTCONSTANT>[+-]?[0-9]+)|(?P<t_LITERAL>(\\\"([^\\\\\\n]|(\\\\.))*?\\\")|\\'([^\\\\\\n]|(\\\\.))*?\\')|(?P<t_IDENTIFIER>[a-zA-Z_](\\.[a-zA-Z_0-9]|[a-zA-Z_0-9])*)|(?P<t_ignore_COMMENT>\\/\\/[^\\n]*)|(?P<t_ignore_UNIXCOMMENT>\\#[^\\n]*)", [ None, ("t_newline", "newline"), ("t_ignore_SILLYCOMM", "ignore_SILLYCOMM"), ("t_ignore_MULTICOMM", "ignore_MULTICOMM"), None, ("t_ignore_DOCTEXT", "ignore_DOCTEXT"), None, ("t_BOOLCONSTANT", "BOOLCONSTANT"), ("t_DUBCONSTANT", "DUBCONSTANT"), None, ("t_HEXCONSTANT", "HEXCONSTANT"), ("t_INTCONSTANT", "INTCONSTANT"), ("t_LITERAL", "LITERAL"), None, None, None, None, None, ("t_IDENTIFIER", "IDENTIFIER"), None, (None, None), (None, None), ], ) ] } _lexstateignore = {"INITIAL": " \t\r"} _lexstateerrorf = {"INITIAL": "t_error"}
_tabversion = '3.4' _lextokens = {'SHORT': 1, 'BOOLCONSTANT': 1, 'USHORT': 1, 'UBYTE': 1, 'DUBCONSTANT': 1, 'FILE_IDENTIFIER': 1, 'ULONG': 1, 'FILE_EXTENSION': 1, 'LONG': 1, 'UNION': 1, 'TABLE': 1, 'IDENTIFIER': 1, 'STRING': 1, 'INTCONSTANT': 1, 'ENUM': 1, 'NAMESPACE': 1, 'LITERAL': 1, 'UINT': 1, 'BYTE': 1, 'INCLUDE': 1, 'STRUCT': 1, 'ROOT_TYPE': 1, 'INT': 1, 'ATTRIBUTE': 1, 'FLOAT': 1, 'BOOL': 1, 'DOUBLE': 1} _lexreflags = 0 _lexliterals = ':;,=*{}()<>[]' _lexstateinfo = {'INITIAL': 'inclusive'} _lexstatere = {'INITIAL': [('(?P<t_newline>\\n+)|(?P<t_ignore_SILLYCOMM>\\/\\*\\**\\*\\/)|(?P<t_ignore_MULTICOMM>\\/\\*[^*]\\/*([^*/]|[^*]\\/|\\*[^/])*\\**\\*\\/)|(?P<t_ignore_DOCTEXT>\\/\\*\\*([^*/]|[^*]\\/|\\*[^/])*\\**\\*\\/)|(?P<t_BOOLCONSTANT>\\btrue\\b|\\bfalse\\b)|(?P<t_DUBCONSTANT>-?\\d+\\.\\d*(e-?\\d+)?)|(?P<t_HEXCONSTANT>0x[0-9A-Fa-f]+)|(?P<t_INTCONSTANT>[+-]?[0-9]+)|(?P<t_LITERAL>(\\"([^\\\\\\n]|(\\\\.))*?\\")|\\\'([^\\\\\\n]|(\\\\.))*?\\\')|(?P<t_IDENTIFIER>[a-zA-Z_](\\.[a-zA-Z_0-9]|[a-zA-Z_0-9])*)|(?P<t_ignore_COMMENT>\\/\\/[^\\n]*)|(?P<t_ignore_UNIXCOMMENT>\\#[^\\n]*)', [None, ('t_newline', 'newline'), ('t_ignore_SILLYCOMM', 'ignore_SILLYCOMM'), ('t_ignore_MULTICOMM', 'ignore_MULTICOMM'), None, ('t_ignore_DOCTEXT', 'ignore_DOCTEXT'), None, ('t_BOOLCONSTANT', 'BOOLCONSTANT'), ('t_DUBCONSTANT', 'DUBCONSTANT'), None, ('t_HEXCONSTANT', 'HEXCONSTANT'), ('t_INTCONSTANT', 'INTCONSTANT'), ('t_LITERAL', 'LITERAL'), None, None, None, None, None, ('t_IDENTIFIER', 'IDENTIFIER'), None, (None, None), (None, None)])]} _lexstateignore = {'INITIAL': ' \t\r'} _lexstateerrorf = {'INITIAL': 't_error'}
# # Copyright (c) 2017 Amit Green. All rights reserved. # @gem('Gem.Core') def gem(): @export def execute(f): f() return execute # # intern_arrange # @built_in def intern_arrange(format, *arguments): return intern_string(format % arguments) # # line # flush_standard_output = PythonSystem.stdout.flush write_standard_output = PythonSystem.stdout.write @built_in def line(format = none, *arguments): if format is none: assert length(arguments) is 0 write_standard_output('\n') else: write_standard_output((format % arguments if arguments else format) + '\n') flush_standard_output() # # privileged_2 # if is_python_2: export( 'privileged_2', rename_function('privileged_2', privileged) ) else: @export def privileged_2(f): return f built_in( # # Types # 'Boolean', PythonBuiltIn.bool, 'Bytes', PythonBuiltIn.bytes, 'Integer', PythonBuiltIn.int, 'FrozenSet', PythonBuiltIn.frozenset, 'List', PythonBuiltIn.list, 'Map', PythonBuiltIn.dict, 'Object', PythonBuiltIn.object, 'Tuple', PythonBuiltIn.tuple, # # Functions # 'character', PythonBuiltIn.chr, 'enumerate', PythonBuiltIn.enumerate, 'globals', PythonBuiltIn.globals, 'introspection', PythonBuiltIn.dir, 'iterate', PythonBuiltIn.iter, 'iterate_range', PythonBuiltIn.range, 'maximum', PythonBuiltIn.max, 'ordinal', PythonBuiltIn.ord, 'portray', PythonBuiltIn.repr, 'property', PythonBuiltIn.property, 'sorted_list', PythonBuiltIn.sorted, 'static_method', PythonBuiltIn.staticmethod, 'type', PythonBuiltIn.type, # # Values # '__debug__', PythonBuiltIn.__debug__, ) if __debug__: built_in(PythonException.AssertionError)
@gem('Gem.Core') def gem(): @export def execute(f): f() return execute @built_in def intern_arrange(format, *arguments): return intern_string(format % arguments) flush_standard_output = PythonSystem.stdout.flush write_standard_output = PythonSystem.stdout.write @built_in def line(format=none, *arguments): if format is none: assert length(arguments) is 0 write_standard_output('\n') else: write_standard_output((format % arguments if arguments else format) + '\n') flush_standard_output() if is_python_2: export('privileged_2', rename_function('privileged_2', privileged)) else: @export def privileged_2(f): return f built_in('Boolean', PythonBuiltIn.bool, 'Bytes', PythonBuiltIn.bytes, 'Integer', PythonBuiltIn.int, 'FrozenSet', PythonBuiltIn.frozenset, 'List', PythonBuiltIn.list, 'Map', PythonBuiltIn.dict, 'Object', PythonBuiltIn.object, 'Tuple', PythonBuiltIn.tuple, 'character', PythonBuiltIn.chr, 'enumerate', PythonBuiltIn.enumerate, 'globals', PythonBuiltIn.globals, 'introspection', PythonBuiltIn.dir, 'iterate', PythonBuiltIn.iter, 'iterate_range', PythonBuiltIn.range, 'maximum', PythonBuiltIn.max, 'ordinal', PythonBuiltIn.ord, 'portray', PythonBuiltIn.repr, 'property', PythonBuiltIn.property, 'sorted_list', PythonBuiltIn.sorted, 'static_method', PythonBuiltIn.staticmethod, 'type', PythonBuiltIn.type, '__debug__', PythonBuiltIn.__debug__) if __debug__: built_in(PythonException.AssertionError)
set_name(0x8013923C, "PreGameOnlyTestRoutine__Fv", SN_NOWARN) set_name(0x8013B300, "DRLG_PlaceDoor__Fii", SN_NOWARN) set_name(0x8013B7D4, "DRLG_L1Shadows__Fv", SN_NOWARN) set_name(0x8013BBEC, "DRLG_PlaceMiniSet__FPCUciiiiiii", SN_NOWARN) set_name(0x8013C058, "DRLG_L1Floor__Fv", SN_NOWARN) set_name(0x8013C144, "StoreBlock__FPiii", SN_NOWARN) set_name(0x8013C1F0, "DRLG_L1Pass3__Fv", SN_NOWARN) set_name(0x8013C3A4, "DRLG_LoadL1SP__Fv", SN_NOWARN) set_name(0x8013C480, "DRLG_FreeL1SP__Fv", SN_NOWARN) set_name(0x8013C4B0, "DRLG_Init_Globals__Fv", SN_NOWARN) set_name(0x8013C554, "set_restore_lighting__Fv", SN_NOWARN) set_name(0x8013C5E4, "DRLG_InitL1Vals__Fv", SN_NOWARN) set_name(0x8013C5EC, "LoadL1Dungeon__FPcii", SN_NOWARN) set_name(0x8013C7B8, "LoadPreL1Dungeon__FPcii", SN_NOWARN) set_name(0x8013C970, "InitL5Dungeon__Fv", SN_NOWARN) set_name(0x8013C9D0, "L5ClearFlags__Fv", SN_NOWARN) set_name(0x8013CA1C, "L5drawRoom__Fiiii", SN_NOWARN) set_name(0x8013CA88, "L5checkRoom__Fiiii", SN_NOWARN) set_name(0x8013CB1C, "L5roomGen__Fiiiii", SN_NOWARN) set_name(0x8013CE18, "L5firstRoom__Fv", SN_NOWARN) set_name(0x8013D1D4, "L5GetArea__Fv", SN_NOWARN) set_name(0x8013D234, "L5makeDungeon__Fv", SN_NOWARN) set_name(0x8013D2C0, "L5makeDmt__Fv", SN_NOWARN) set_name(0x8013D3A8, "L5HWallOk__Fii", SN_NOWARN) set_name(0x8013D4E4, "L5VWallOk__Fii", SN_NOWARN) set_name(0x8013D630, "L5HorizWall__Fiici", SN_NOWARN) set_name(0x8013D870, "L5VertWall__Fiici", SN_NOWARN) set_name(0x8013DAA4, "L5AddWall__Fv", SN_NOWARN) set_name(0x8013DD14, "DRLG_L5GChamber__Fiiiiii", SN_NOWARN) set_name(0x8013DFD4, "DRLG_L5GHall__Fiiii", SN_NOWARN) set_name(0x8013E088, "L5tileFix__Fv", SN_NOWARN) set_name(0x8013E94C, "DRLG_L5Subs__Fv", SN_NOWARN) set_name(0x8013EB44, "DRLG_L5SetRoom__Fii", SN_NOWARN) set_name(0x8013EC44, "L5FillChambers__Fv", SN_NOWARN) set_name(0x8013F330, "DRLG_L5FTVR__Fiiiii", SN_NOWARN) set_name(0x8013F878, "DRLG_L5FloodTVal__Fv", SN_NOWARN) set_name(0x8013F97C, "DRLG_L5TransFix__Fv", SN_NOWARN) set_name(0x8013FB8C, "DRLG_L5DirtFix__Fv", SN_NOWARN) set_name(0x8013FCE8, "DRLG_L5CornerFix__Fv", SN_NOWARN) set_name(0x8013FDF8, "DRLG_L5__Fi", SN_NOWARN) set_name(0x80140318, "CreateL5Dungeon__FUii", SN_NOWARN) set_name(0x801428F0, "DRLG_L2PlaceMiniSet__FPUciiiiii", SN_NOWARN) set_name(0x80142CE4, "DRLG_L2PlaceRndSet__FPUci", SN_NOWARN) set_name(0x80142FE4, "DRLG_L2Subs__Fv", SN_NOWARN) set_name(0x801431D8, "DRLG_L2Shadows__Fv", SN_NOWARN) set_name(0x8014339C, "InitDungeon__Fv", SN_NOWARN) set_name(0x801433FC, "DRLG_LoadL2SP__Fv", SN_NOWARN) set_name(0x801434BC, "DRLG_FreeL2SP__Fv", SN_NOWARN) set_name(0x801434EC, "DRLG_L2SetRoom__Fii", SN_NOWARN) set_name(0x801435EC, "DefineRoom__Fiiiii", SN_NOWARN) set_name(0x801437F8, "CreateDoorType__Fii", SN_NOWARN) set_name(0x801438DC, "PlaceHallExt__Fii", SN_NOWARN) set_name(0x80143914, "AddHall__Fiiiii", SN_NOWARN) set_name(0x801439EC, "CreateRoom__Fiiiiiiiii", SN_NOWARN) set_name(0x80144074, "GetHall__FPiN40", SN_NOWARN) set_name(0x8014410C, "ConnectHall__Fiiiii", SN_NOWARN) set_name(0x80144774, "DoPatternCheck__Fii", SN_NOWARN) set_name(0x80144A2C, "L2TileFix__Fv", SN_NOWARN) set_name(0x80144B50, "DL2_Cont__FUcUcUcUc", SN_NOWARN) set_name(0x80144BD0, "DL2_NumNoChar__Fv", SN_NOWARN) set_name(0x80144C2C, "DL2_DrawRoom__Fiiii", SN_NOWARN) set_name(0x80144D30, "DL2_KnockWalls__Fiiii", SN_NOWARN) set_name(0x80144F00, "DL2_FillVoids__Fv", SN_NOWARN) set_name(0x80145884, "CreateDungeon__Fv", SN_NOWARN) set_name(0x80145B90, "DRLG_L2Pass3__Fv", SN_NOWARN) set_name(0x80145D28, "DRLG_L2FTVR__Fiiiii", SN_NOWARN) set_name(0x80146270, "DRLG_L2FloodTVal__Fv", SN_NOWARN) set_name(0x80146374, "DRLG_L2TransFix__Fv", SN_NOWARN) set_name(0x80146584, "L2DirtFix__Fv", SN_NOWARN) set_name(0x801466E4, "L2LockoutFix__Fv", SN_NOWARN) set_name(0x80146A70, "L2DoorFix__Fv", SN_NOWARN) set_name(0x80146B20, "DRLG_L2__Fi", SN_NOWARN) set_name(0x8014756C, "DRLG_InitL2Vals__Fv", SN_NOWARN) set_name(0x80147574, "LoadL2Dungeon__FPcii", SN_NOWARN) set_name(0x80147764, "LoadPreL2Dungeon__FPcii", SN_NOWARN) set_name(0x80147950, "CreateL2Dungeon__FUii", SN_NOWARN) set_name(0x80148308, "InitL3Dungeon__Fv", SN_NOWARN) set_name(0x80148390, "DRLG_L3FillRoom__Fiiii", SN_NOWARN) set_name(0x801485EC, "DRLG_L3CreateBlock__Fiiii", SN_NOWARN) set_name(0x80148888, "DRLG_L3FloorArea__Fiiii", SN_NOWARN) set_name(0x801488F0, "DRLG_L3FillDiags__Fv", SN_NOWARN) set_name(0x80148A20, "DRLG_L3FillSingles__Fv", SN_NOWARN) set_name(0x80148AEC, "DRLG_L3FillStraights__Fv", SN_NOWARN) set_name(0x80148EB0, "DRLG_L3Edges__Fv", SN_NOWARN) set_name(0x80148EF0, "DRLG_L3GetFloorArea__Fv", SN_NOWARN) set_name(0x80148F40, "DRLG_L3MakeMegas__Fv", SN_NOWARN) set_name(0x80149084, "DRLG_L3River__Fv", SN_NOWARN) set_name(0x80149AC4, "DRLG_L3SpawnEdge__FiiPi", SN_NOWARN) set_name(0x80149D50, "DRLG_L3Spawn__FiiPi", SN_NOWARN) set_name(0x80149F64, "DRLG_L3Pool__Fv", SN_NOWARN) set_name(0x8014A1B8, "DRLG_L3PoolFix__Fv", SN_NOWARN) set_name(0x8014A2EC, "DRLG_L3PlaceMiniSet__FPCUciiiiii", SN_NOWARN) set_name(0x8014A66C, "DRLG_L3PlaceRndSet__FPCUci", SN_NOWARN) set_name(0x8014A9B4, "WoodVertU__Fii", SN_NOWARN) set_name(0x8014AA60, "WoodVertD__Fii", SN_NOWARN) set_name(0x8014AAFC, "WoodHorizL__Fii", SN_NOWARN) set_name(0x8014AB90, "WoodHorizR__Fii", SN_NOWARN) set_name(0x8014AC14, "AddFenceDoors__Fv", SN_NOWARN) set_name(0x8014ACF8, "FenceDoorFix__Fv", SN_NOWARN) set_name(0x8014AEEC, "DRLG_L3Wood__Fv", SN_NOWARN) set_name(0x8014B6DC, "DRLG_L3Anvil__Fv", SN_NOWARN) set_name(0x8014B938, "FixL3Warp__Fv", SN_NOWARN) set_name(0x8014BA20, "FixL3HallofHeroes__Fv", SN_NOWARN) set_name(0x8014BB74, "DRLG_L3LockRec__Fii", SN_NOWARN) set_name(0x8014BC10, "DRLG_L3Lockout__Fv", SN_NOWARN) set_name(0x8014BCD0, "DRLG_L3__Fi", SN_NOWARN) set_name(0x8014C3F0, "DRLG_L3Pass3__Fv", SN_NOWARN) set_name(0x8014C594, "CreateL3Dungeon__FUii", SN_NOWARN) set_name(0x8014C6A8, "LoadL3Dungeon__FPcii", SN_NOWARN) set_name(0x8014C8CC, "LoadPreL3Dungeon__FPcii", SN_NOWARN) set_name(0x8014E718, "DRLG_L4Shadows__Fv", SN_NOWARN) set_name(0x8014E7DC, "InitL4Dungeon__Fv", SN_NOWARN) set_name(0x8014E878, "DRLG_LoadL4SP__Fv", SN_NOWARN) set_name(0x8014E91C, "DRLG_FreeL4SP__Fv", SN_NOWARN) set_name(0x8014E944, "DRLG_L4SetSPRoom__Fii", SN_NOWARN) set_name(0x8014EA44, "L4makeDmt__Fv", SN_NOWARN) set_name(0x8014EAE8, "L4HWallOk__Fii", SN_NOWARN) set_name(0x8014EC38, "L4VWallOk__Fii", SN_NOWARN) set_name(0x8014EDB4, "L4HorizWall__Fiii", SN_NOWARN) set_name(0x8014EF84, "L4VertWall__Fiii", SN_NOWARN) set_name(0x8014F14C, "L4AddWall__Fv", SN_NOWARN) set_name(0x8014F62C, "L4tileFix__Fv", SN_NOWARN) set_name(0x80151814, "DRLG_L4Subs__Fv", SN_NOWARN) set_name(0x801519EC, "L4makeDungeon__Fv", SN_NOWARN) set_name(0x80151C24, "uShape__Fv", SN_NOWARN) set_name(0x80151EC8, "GetArea__Fv", SN_NOWARN) set_name(0x80151F24, "L4drawRoom__Fiiii", SN_NOWARN) set_name(0x80151F8C, "L4checkRoom__Fiiii", SN_NOWARN) set_name(0x80152028, "L4roomGen__Fiiiii", SN_NOWARN) set_name(0x80152324, "L4firstRoom__Fv", SN_NOWARN) set_name(0x80152540, "L4SaveQuads__Fv", SN_NOWARN) set_name(0x801525E0, "DRLG_L4SetRoom__FPUcii", SN_NOWARN) set_name(0x801526B4, "DRLG_LoadDiabQuads__FUc", SN_NOWARN) set_name(0x80152838, "DRLG_L4PlaceMiniSet__FPCUciiiiii", SN_NOWARN) set_name(0x80152C50, "DRLG_L4FTVR__Fiiiii", SN_NOWARN) set_name(0x80153198, "DRLG_L4FloodTVal__Fv", SN_NOWARN) set_name(0x8015329C, "IsDURWall__Fc", SN_NOWARN) set_name(0x801532CC, "IsDLLWall__Fc", SN_NOWARN) set_name(0x801532FC, "DRLG_L4TransFix__Fv", SN_NOWARN) set_name(0x80153654, "DRLG_L4Corners__Fv", SN_NOWARN) set_name(0x801536E8, "L4FixRim__Fv", SN_NOWARN) set_name(0x80153724, "DRLG_L4GeneralFix__Fv", SN_NOWARN) set_name(0x801537C8, "DRLG_L4__Fi", SN_NOWARN) set_name(0x801540C4, "DRLG_L4Pass3__Fv", SN_NOWARN) set_name(0x80154268, "CreateL4Dungeon__FUii", SN_NOWARN) set_name(0x80154348, "ObjIndex__Fii", SN_NOWARN) set_name(0x801543FC, "AddSKingObjs__Fv", SN_NOWARN) set_name(0x8015452C, "AddSChamObjs__Fv", SN_NOWARN) set_name(0x801545A8, "AddVileObjs__Fv", SN_NOWARN) set_name(0x80154654, "DRLG_SetMapTrans__FPc", SN_NOWARN) set_name(0x80154718, "LoadSetMap__Fv", SN_NOWARN) set_name(0x80154A40, "CM_QuestToBitPattern__Fi", SN_NOWARN) set_name(0x80154B18, "CM_ShowMonsterList__Fii", SN_NOWARN) set_name(0x80154B90, "CM_ChooseMonsterList__FiUl", SN_NOWARN) set_name(0x80154C30, "NoUiListChoose__FiUl", SN_NOWARN) set_name(0x80154C38, "ChooseTask__FP4TASK", SN_NOWARN) set_name(0x8015514C, "ShowTask__FP4TASK", SN_NOWARN) set_name(0x8015537C, "GetListsAvailable__FiUlPUc", SN_NOWARN) set_name(0x801554A0, "GetDown__C4CPad", SN_NOWARN) set_name(0x801554C8, "FillSolidBlockTbls__Fv", SN_NOWARN) set_name(0x80155674, "SetDungeonMicros__Fv", SN_NOWARN) set_name(0x8015567C, "DRLG_InitTrans__Fv", SN_NOWARN) set_name(0x801556F0, "DRLG_RectTrans__Fiiii", SN_NOWARN) set_name(0x80155770, "DRLG_CopyTrans__Fiiii", SN_NOWARN) set_name(0x801557D8, "DRLG_ListTrans__FiPUc", SN_NOWARN) set_name(0x8015584C, "DRLG_AreaTrans__FiPUc", SN_NOWARN) set_name(0x801558DC, "DRLG_InitSetPC__Fv", SN_NOWARN) set_name(0x801558F4, "DRLG_SetPC__Fv", SN_NOWARN) set_name(0x801559A4, "Make_SetPC__Fiiii", SN_NOWARN) set_name(0x80155A44, "DRLG_WillThemeRoomFit__FiiiiiPiT5", SN_NOWARN) set_name(0x80155D0C, "DRLG_CreateThemeRoom__Fi", SN_NOWARN) set_name(0x80156D14, "DRLG_PlaceThemeRooms__FiiiiUc", SN_NOWARN) set_name(0x80156FBC, "DRLG_HoldThemeRooms__Fv", SN_NOWARN) set_name(0x80157170, "SkipThemeRoom__Fii", SN_NOWARN) set_name(0x8015723C, "InitLevels__Fv", SN_NOWARN) set_name(0x80157340, "TFit_Shrine__Fi", SN_NOWARN) set_name(0x801575B0, "TFit_Obj5__Fi", SN_NOWARN) set_name(0x80157784, "TFit_SkelRoom__Fi", SN_NOWARN) set_name(0x80157834, "TFit_GoatShrine__Fi", SN_NOWARN) set_name(0x801578CC, "CheckThemeObj3__Fiiii", SN_NOWARN) set_name(0x80157A1C, "TFit_Obj3__Fi", SN_NOWARN) set_name(0x80157ADC, "CheckThemeReqs__Fi", SN_NOWARN) set_name(0x80157BA8, "SpecialThemeFit__Fii", SN_NOWARN) set_name(0x80157D84, "CheckThemeRoom__Fi", SN_NOWARN) set_name(0x80158030, "InitThemes__Fv", SN_NOWARN) set_name(0x8015837C, "HoldThemeRooms__Fv", SN_NOWARN) set_name(0x80158464, "PlaceThemeMonsts__Fii", SN_NOWARN) set_name(0x80158608, "Theme_Barrel__Fi", SN_NOWARN) set_name(0x80158780, "Theme_Shrine__Fi", SN_NOWARN) set_name(0x80158868, "Theme_MonstPit__Fi", SN_NOWARN) set_name(0x8015898C, "Theme_SkelRoom__Fi", SN_NOWARN) set_name(0x80158C90, "Theme_Treasure__Fi", SN_NOWARN) set_name(0x80158EF4, "Theme_Library__Fi", SN_NOWARN) set_name(0x80159164, "Theme_Torture__Fi", SN_NOWARN) set_name(0x801592D4, "Theme_BloodFountain__Fi", SN_NOWARN) set_name(0x80159348, "Theme_Decap__Fi", SN_NOWARN) set_name(0x801594B8, "Theme_PurifyingFountain__Fi", SN_NOWARN) set_name(0x8015952C, "Theme_ArmorStand__Fi", SN_NOWARN) set_name(0x801596C4, "Theme_GoatShrine__Fi", SN_NOWARN) set_name(0x80159814, "Theme_Cauldron__Fi", SN_NOWARN) set_name(0x80159888, "Theme_MurkyFountain__Fi", SN_NOWARN) set_name(0x801598FC, "Theme_TearFountain__Fi", SN_NOWARN) set_name(0x80159970, "Theme_BrnCross__Fi", SN_NOWARN) set_name(0x80159AE8, "Theme_WeaponRack__Fi", SN_NOWARN) set_name(0x80159C80, "UpdateL4Trans__Fv", SN_NOWARN) set_name(0x80159CE0, "CreateThemeRooms__Fv", SN_NOWARN) set_name(0x80159EC4, "InitPortals__Fv", SN_NOWARN) set_name(0x80159F24, "InitQuests__Fv", SN_NOWARN) set_name(0x8015A328, "DrawButcher__Fv", SN_NOWARN) set_name(0x8015A36C, "DrawSkelKing__Fiii", SN_NOWARN) set_name(0x8015A3A8, "DrawWarLord__Fii", SN_NOWARN) set_name(0x8015A4A4, "DrawSChamber__Fiii", SN_NOWARN) set_name(0x8015A5E0, "DrawLTBanner__Fii", SN_NOWARN) set_name(0x8015A6BC, "DrawBlind__Fii", SN_NOWARN) set_name(0x8015A798, "DrawBlood__Fii", SN_NOWARN) set_name(0x8015A878, "DRLG_CheckQuests__Fii", SN_NOWARN) set_name(0x8015A9B4, "InitInv__Fv", SN_NOWARN) set_name(0x8015AA08, "InitAutomap__Fv", SN_NOWARN) set_name(0x8015ABDC, "InitAutomapOnce__Fv", SN_NOWARN) set_name(0x8015ABEC, "MonstPlace__Fii", SN_NOWARN) set_name(0x8015ACA8, "InitMonsterGFX__Fi", SN_NOWARN) set_name(0x8015AD80, "PlaceMonster__Fiiii", SN_NOWARN) set_name(0x8015AE20, "AddMonsterType__Fii", SN_NOWARN) set_name(0x8015AF1C, "GetMonsterTypes__FUl", SN_NOWARN) set_name(0x8015AFCC, "ClrAllMonsters__Fv", SN_NOWARN) set_name(0x8015B10C, "InitLevelMonsters__Fv", SN_NOWARN) set_name(0x8015B190, "GetLevelMTypes__Fv", SN_NOWARN) set_name(0x8015B61C, "PlaceQuestMonsters__Fv", SN_NOWARN) set_name(0x8015B9E0, "LoadDiabMonsts__Fv", SN_NOWARN) set_name(0x8015BAF0, "PlaceGroup__FiiUci", SN_NOWARN) set_name(0x8015C090, "SetMapMonsters__FPUcii", SN_NOWARN) set_name(0x8015C2B4, "InitMonsters__Fv", SN_NOWARN) set_name(0x8015C664, "PlaceUniqueMonst__Fiii", SN_NOWARN) set_name(0x8015CF30, "PlaceUniques__Fv", SN_NOWARN) set_name(0x8015D0C0, "PreSpawnSkeleton__Fv", SN_NOWARN) set_name(0x8015D200, "encode_enemy__Fi", SN_NOWARN) set_name(0x8015D258, "decode_enemy__Fii", SN_NOWARN) set_name(0x8015D370, "IsGoat__Fi", SN_NOWARN) set_name(0x8015D39C, "InitMissiles__Fv", SN_NOWARN) set_name(0x8015D574, "InitNoTriggers__Fv", SN_NOWARN) set_name(0x8015D598, "InitTownTriggers__Fv", SN_NOWARN) set_name(0x8015D8F8, "InitL1Triggers__Fv", SN_NOWARN) set_name(0x8015DA0C, "InitL2Triggers__Fv", SN_NOWARN) set_name(0x8015DB9C, "InitL3Triggers__Fv", SN_NOWARN) set_name(0x8015DCF8, "InitL4Triggers__Fv", SN_NOWARN) set_name(0x8015DF0C, "InitSKingTriggers__Fv", SN_NOWARN) set_name(0x8015DF58, "InitSChambTriggers__Fv", SN_NOWARN) set_name(0x8015DFA4, "InitPWaterTriggers__Fv", SN_NOWARN) set_name(0x8015DFF0, "InitStores__Fv", SN_NOWARN) set_name(0x8015E070, "SetupTownStores__Fv", SN_NOWARN) set_name(0x8015E220, "DeltaLoadLevel__Fv", SN_NOWARN) set_name(0x8015EAF8, "AddL1Door__Fiiii", SN_NOWARN) set_name(0x8015EC30, "AddSCambBook__Fi", SN_NOWARN) set_name(0x8015ECD0, "AddChest__Fii", SN_NOWARN) set_name(0x8015EEB0, "AddL2Door__Fiiii", SN_NOWARN) set_name(0x8015EFFC, "AddL3Door__Fiiii", SN_NOWARN) set_name(0x8015F090, "AddSarc__Fi", SN_NOWARN) set_name(0x8015F16C, "AddFlameTrap__Fi", SN_NOWARN) set_name(0x8015F1C8, "AddTrap__Fii", SN_NOWARN) set_name(0x8015F2C0, "AddArmorStand__Fi", SN_NOWARN) set_name(0x8015F348, "AddObjLight__Fii", SN_NOWARN) set_name(0x8015F3F0, "AddBarrel__Fii", SN_NOWARN) set_name(0x8015F4A0, "AddShrine__Fi", SN_NOWARN) set_name(0x8015F5F0, "AddBookcase__Fi", SN_NOWARN) set_name(0x8015F648, "AddBookstand__Fi", SN_NOWARN) set_name(0x8015F690, "AddBloodFtn__Fi", SN_NOWARN) set_name(0x8015F6D8, "AddPurifyingFountain__Fi", SN_NOWARN) set_name(0x8015F7B4, "AddGoatShrine__Fi", SN_NOWARN) set_name(0x8015F7FC, "AddCauldron__Fi", SN_NOWARN) set_name(0x8015F844, "AddMurkyFountain__Fi", SN_NOWARN) set_name(0x8015F920, "AddTearFountain__Fi", SN_NOWARN) set_name(0x8015F968, "AddDecap__Fi", SN_NOWARN) set_name(0x8015F9E0, "AddVilebook__Fi", SN_NOWARN) set_name(0x8015FA30, "AddMagicCircle__Fi", SN_NOWARN) set_name(0x8015FAB8, "AddBrnCross__Fi", SN_NOWARN) set_name(0x8015FB00, "AddPedistal__Fi", SN_NOWARN) set_name(0x8015FB74, "AddStoryBook__Fi", SN_NOWARN) set_name(0x8015FD40, "AddWeaponRack__Fi", SN_NOWARN) set_name(0x8015FDC8, "AddTorturedBody__Fi", SN_NOWARN) set_name(0x8015FE44, "AddFlameLvr__Fi", SN_NOWARN) set_name(0x8015FE84, "GetRndObjLoc__FiRiT1", SN_NOWARN) set_name(0x8015FF90, "AddMushPatch__Fv", SN_NOWARN) set_name(0x801600B4, "AddSlainHero__Fv", SN_NOWARN) set_name(0x801600F4, "RndLocOk__Fii", SN_NOWARN) set_name(0x801601D8, "TrapLocOk__Fii", SN_NOWARN) set_name(0x80160240, "RoomLocOk__Fii", SN_NOWARN) set_name(0x801602D8, "InitRndLocObj__Fiii", SN_NOWARN) set_name(0x80160484, "InitRndLocBigObj__Fiii", SN_NOWARN) set_name(0x8016067C, "InitRndLocObj5x5__Fiii", SN_NOWARN) set_name(0x801607A4, "SetMapObjects__FPUcii", SN_NOWARN) set_name(0x80160A44, "ClrAllObjects__Fv", SN_NOWARN) set_name(0x80160B34, "AddTortures__Fv", SN_NOWARN) set_name(0x80160CC0, "AddCandles__Fv", SN_NOWARN) set_name(0x80160D48, "AddTrapLine__Fiiii", SN_NOWARN) set_name(0x801610E4, "AddLeverObj__Fiiiiiiii", SN_NOWARN) set_name(0x801610EC, "AddBookLever__Fiiiiiiiii", SN_NOWARN) set_name(0x80161300, "InitRndBarrels__Fv", SN_NOWARN) set_name(0x8016149C, "AddL1Objs__Fiiii", SN_NOWARN) set_name(0x801615D4, "AddL2Objs__Fiiii", SN_NOWARN) set_name(0x801616E8, "AddL3Objs__Fiiii", SN_NOWARN) set_name(0x801617E8, "WallTrapLocOk__Fii", SN_NOWARN) set_name(0x80161850, "TorchLocOK__Fii", SN_NOWARN) set_name(0x80161890, "AddL2Torches__Fv", SN_NOWARN) set_name(0x80161A44, "AddObjTraps__Fv", SN_NOWARN) set_name(0x80161DBC, "AddChestTraps__Fv", SN_NOWARN) set_name(0x80161F0C, "LoadMapObjects__FPUciiiiiii", SN_NOWARN) set_name(0x80162078, "AddDiabObjs__Fv", SN_NOWARN) set_name(0x801621CC, "AddStoryBooks__Fv", SN_NOWARN) set_name(0x8016231C, "AddHookedBodies__Fi", SN_NOWARN) set_name(0x80162514, "AddL4Goodies__Fv", SN_NOWARN) set_name(0x801625C4, "AddLazStand__Fv", SN_NOWARN) set_name(0x80162764, "InitObjects__Fv", SN_NOWARN) set_name(0x80162DC8, "PreObjObjAddSwitch__Fiiii", SN_NOWARN) set_name(0x801630D0, "SmithItemOk__Fi", SN_NOWARN) set_name(0x80163134, "RndSmithItem__Fi", SN_NOWARN) set_name(0x80163240, "WitchItemOk__Fi", SN_NOWARN) set_name(0x80163380, "RndWitchItem__Fi", SN_NOWARN) set_name(0x80163480, "BubbleSwapItem__FP10ItemStructT0", SN_NOWARN) set_name(0x80163570, "SortWitch__Fv", SN_NOWARN) set_name(0x80163690, "RndBoyItem__Fi", SN_NOWARN) set_name(0x801637B4, "HealerItemOk__Fi", SN_NOWARN) set_name(0x80163968, "RndHealerItem__Fi", SN_NOWARN) set_name(0x80163A68, "RecreatePremiumItem__Fiiii", SN_NOWARN) set_name(0x80163B30, "RecreateWitchItem__Fiiii", SN_NOWARN) set_name(0x80163C88, "RecreateSmithItem__Fiiii", SN_NOWARN) set_name(0x80163D24, "RecreateHealerItem__Fiiii", SN_NOWARN) set_name(0x80163DE4, "RecreateBoyItem__Fiiii", SN_NOWARN) set_name(0x80163EA8, "RecreateTownItem__FiiUsii", SN_NOWARN) set_name(0x80163F34, "SpawnSmith__Fi", SN_NOWARN) set_name(0x801640D4, "SpawnWitch__Fi", SN_NOWARN) set_name(0x80164450, "SpawnHealer__Fi", SN_NOWARN) set_name(0x8016477C, "SpawnBoy__Fi", SN_NOWARN) set_name(0x801648D4, "SortSmith__Fv", SN_NOWARN) set_name(0x801649E8, "SortHealer__Fv", SN_NOWARN) set_name(0x80164B08, "RecreateItem__FiiUsii", SN_NOWARN) set_name(0x801392A8, "themeLoc", SN_NOWARN) set_name(0x801399F0, "OldBlock", SN_NOWARN) set_name(0x80139A00, "L5dungeon", SN_NOWARN) set_name(0x80139690, "SPATS", SN_NOWARN) set_name(0x80139794, "BSTYPES", SN_NOWARN) set_name(0x80139864, "L5BTYPES", SN_NOWARN) set_name(0x80139934, "STAIRSUP", SN_NOWARN) set_name(0x80139958, "L5STAIRSUP", SN_NOWARN) set_name(0x8013997C, "STAIRSDOWN", SN_NOWARN) set_name(0x80139998, "LAMPS", SN_NOWARN) set_name(0x801399A4, "PWATERIN", SN_NOWARN) set_name(0x80139298, "L5ConvTbl", SN_NOWARN) set_name(0x80141C5C, "RoomList", SN_NOWARN) set_name(0x801422B0, "predungeon", SN_NOWARN) set_name(0x801403B8, "Dir_Xadd", SN_NOWARN) set_name(0x801403CC, "Dir_Yadd", SN_NOWARN) set_name(0x801403E0, "SPATSL2", SN_NOWARN) set_name(0x801403F0, "BTYPESL2", SN_NOWARN) set_name(0x80140494, "BSTYPESL2", SN_NOWARN) set_name(0x80140538, "VARCH1", SN_NOWARN) set_name(0x8014054C, "VARCH2", SN_NOWARN) set_name(0x80140560, "VARCH3", SN_NOWARN) set_name(0x80140574, "VARCH4", SN_NOWARN) set_name(0x80140588, "VARCH5", SN_NOWARN) set_name(0x8014059C, "VARCH6", SN_NOWARN) set_name(0x801405B0, "VARCH7", SN_NOWARN) set_name(0x801405C4, "VARCH8", SN_NOWARN) set_name(0x801405D8, "VARCH9", SN_NOWARN) set_name(0x801405EC, "VARCH10", SN_NOWARN) set_name(0x80140600, "VARCH11", SN_NOWARN) set_name(0x80140614, "VARCH12", SN_NOWARN) set_name(0x80140628, "VARCH13", SN_NOWARN) set_name(0x8014063C, "VARCH14", SN_NOWARN) set_name(0x80140650, "VARCH15", SN_NOWARN) set_name(0x80140664, "VARCH16", SN_NOWARN) set_name(0x80140678, "VARCH17", SN_NOWARN) set_name(0x80140688, "VARCH18", SN_NOWARN) set_name(0x80140698, "VARCH19", SN_NOWARN) set_name(0x801406A8, "VARCH20", SN_NOWARN) set_name(0x801406B8, "VARCH21", SN_NOWARN) set_name(0x801406C8, "VARCH22", SN_NOWARN) set_name(0x801406D8, "VARCH23", SN_NOWARN) set_name(0x801406E8, "VARCH24", SN_NOWARN) set_name(0x801406F8, "VARCH25", SN_NOWARN) set_name(0x8014070C, "VARCH26", SN_NOWARN) set_name(0x80140720, "VARCH27", SN_NOWARN) set_name(0x80140734, "VARCH28", SN_NOWARN) set_name(0x80140748, "VARCH29", SN_NOWARN) set_name(0x8014075C, "VARCH30", SN_NOWARN) set_name(0x80140770, "VARCH31", SN_NOWARN) set_name(0x80140784, "VARCH32", SN_NOWARN) set_name(0x80140798, "VARCH33", SN_NOWARN) set_name(0x801407AC, "VARCH34", SN_NOWARN) set_name(0x801407C0, "VARCH35", SN_NOWARN) set_name(0x801407D4, "VARCH36", SN_NOWARN) set_name(0x801407E8, "VARCH37", SN_NOWARN) set_name(0x801407FC, "VARCH38", SN_NOWARN) set_name(0x80140810, "VARCH39", SN_NOWARN) set_name(0x80140824, "VARCH40", SN_NOWARN) set_name(0x80140838, "HARCH1", SN_NOWARN) set_name(0x80140848, "HARCH2", SN_NOWARN) set_name(0x80140858, "HARCH3", SN_NOWARN) set_name(0x80140868, "HARCH4", SN_NOWARN) set_name(0x80140878, "HARCH5", SN_NOWARN) set_name(0x80140888, "HARCH6", SN_NOWARN) set_name(0x80140898, "HARCH7", SN_NOWARN) set_name(0x801408A8, "HARCH8", SN_NOWARN) set_name(0x801408B8, "HARCH9", SN_NOWARN) set_name(0x801408C8, "HARCH10", SN_NOWARN) set_name(0x801408D8, "HARCH11", SN_NOWARN) set_name(0x801408E8, "HARCH12", SN_NOWARN) set_name(0x801408F8, "HARCH13", SN_NOWARN) set_name(0x80140908, "HARCH14", SN_NOWARN) set_name(0x80140918, "HARCH15", SN_NOWARN) set_name(0x80140928, "HARCH16", SN_NOWARN) set_name(0x80140938, "HARCH17", SN_NOWARN) set_name(0x80140948, "HARCH18", SN_NOWARN) set_name(0x80140958, "HARCH19", SN_NOWARN) set_name(0x80140968, "HARCH20", SN_NOWARN) set_name(0x80140978, "HARCH21", SN_NOWARN) set_name(0x80140988, "HARCH22", SN_NOWARN) set_name(0x80140998, "HARCH23", SN_NOWARN) set_name(0x801409A8, "HARCH24", SN_NOWARN) set_name(0x801409B8, "HARCH25", SN_NOWARN) set_name(0x801409C8, "HARCH26", SN_NOWARN) set_name(0x801409D8, "HARCH27", SN_NOWARN) set_name(0x801409E8, "HARCH28", SN_NOWARN) set_name(0x801409F8, "HARCH29", SN_NOWARN) set_name(0x80140A08, "HARCH30", SN_NOWARN) set_name(0x80140A18, "HARCH31", SN_NOWARN) set_name(0x80140A28, "HARCH32", SN_NOWARN) set_name(0x80140A38, "HARCH33", SN_NOWARN) set_name(0x80140A48, "HARCH34", SN_NOWARN) set_name(0x80140A58, "HARCH35", SN_NOWARN) set_name(0x80140A68, "HARCH36", SN_NOWARN) set_name(0x80140A78, "HARCH37", SN_NOWARN) set_name(0x80140A88, "HARCH38", SN_NOWARN) set_name(0x80140A98, "HARCH39", SN_NOWARN) set_name(0x80140AA8, "HARCH40", SN_NOWARN) set_name(0x80140AB8, "USTAIRS", SN_NOWARN) set_name(0x80140ADC, "DSTAIRS", SN_NOWARN) set_name(0x80140B00, "WARPSTAIRS", SN_NOWARN) set_name(0x80140B24, "CRUSHCOL", SN_NOWARN) set_name(0x80140B38, "BIG1", SN_NOWARN) set_name(0x80140B44, "BIG2", SN_NOWARN) set_name(0x80140B50, "BIG5", SN_NOWARN) set_name(0x80140B5C, "BIG8", SN_NOWARN) set_name(0x80140B68, "BIG9", SN_NOWARN) set_name(0x80140B74, "BIG10", SN_NOWARN) set_name(0x80140B80, "PANCREAS1", SN_NOWARN) set_name(0x80140BA0, "PANCREAS2", SN_NOWARN) set_name(0x80140BC0, "CTRDOOR1", SN_NOWARN) set_name(0x80140BD4, "CTRDOOR2", SN_NOWARN) set_name(0x80140BE8, "CTRDOOR3", SN_NOWARN) set_name(0x80140BFC, "CTRDOOR4", SN_NOWARN) set_name(0x80140C10, "CTRDOOR5", SN_NOWARN) set_name(0x80140C24, "CTRDOOR6", SN_NOWARN) set_name(0x80140C38, "CTRDOOR7", SN_NOWARN) set_name(0x80140C4C, "CTRDOOR8", SN_NOWARN) set_name(0x80140C60, "Patterns", SN_NOWARN) set_name(0x80147CC8, "lockout", SN_NOWARN) set_name(0x80147A28, "L3ConvTbl", SN_NOWARN) set_name(0x80147A38, "L3UP", SN_NOWARN) set_name(0x80147A4C, "L3DOWN", SN_NOWARN) set_name(0x80147A60, "L3HOLDWARP", SN_NOWARN) set_name(0x80147A74, "L3TITE1", SN_NOWARN) set_name(0x80147A98, "L3TITE2", SN_NOWARN) set_name(0x80147ABC, "L3TITE3", SN_NOWARN) set_name(0x80147AE0, "L3TITE6", SN_NOWARN) set_name(0x80147B0C, "L3TITE7", SN_NOWARN) set_name(0x80147B38, "L3TITE8", SN_NOWARN) set_name(0x80147B4C, "L3TITE9", SN_NOWARN) set_name(0x80147B60, "L3TITE10", SN_NOWARN) set_name(0x80147B74, "L3TITE11", SN_NOWARN) set_name(0x80147B88, "L3ISLE1", SN_NOWARN) set_name(0x80147B98, "L3ISLE2", SN_NOWARN) set_name(0x80147BA8, "L3ISLE3", SN_NOWARN) set_name(0x80147BB8, "L3ISLE4", SN_NOWARN) set_name(0x80147BC8, "L3ISLE5", SN_NOWARN) set_name(0x80147BD4, "L3ANVIL", SN_NOWARN) set_name(0x8014CAE4, "dung", SN_NOWARN) set_name(0x8014CC74, "hallok", SN_NOWARN) set_name(0x8014CC88, "L4dungeon", SN_NOWARN) set_name(0x8014E588, "L4ConvTbl", SN_NOWARN) set_name(0x8014E598, "L4USTAIRS", SN_NOWARN) set_name(0x8014E5C4, "L4TWARP", SN_NOWARN) set_name(0x8014E5F0, "L4DSTAIRS", SN_NOWARN) set_name(0x8014E624, "L4PENTA", SN_NOWARN) set_name(0x8014E658, "L4PENTA2", SN_NOWARN) set_name(0x8014E68C, "L4BTYPES", SN_NOWARN)
set_name(2148766268, 'PreGameOnlyTestRoutine__Fv', SN_NOWARN) set_name(2148774656, 'DRLG_PlaceDoor__Fii', SN_NOWARN) set_name(2148775892, 'DRLG_L1Shadows__Fv', SN_NOWARN) set_name(2148776940, 'DRLG_PlaceMiniSet__FPCUciiiiiii', SN_NOWARN) set_name(2148778072, 'DRLG_L1Floor__Fv', SN_NOWARN) set_name(2148778308, 'StoreBlock__FPiii', SN_NOWARN) set_name(2148778480, 'DRLG_L1Pass3__Fv', SN_NOWARN) set_name(2148778916, 'DRLG_LoadL1SP__Fv', SN_NOWARN) set_name(2148779136, 'DRLG_FreeL1SP__Fv', SN_NOWARN) set_name(2148779184, 'DRLG_Init_Globals__Fv', SN_NOWARN) set_name(2148779348, 'set_restore_lighting__Fv', SN_NOWARN) set_name(2148779492, 'DRLG_InitL1Vals__Fv', SN_NOWARN) set_name(2148779500, 'LoadL1Dungeon__FPcii', SN_NOWARN) set_name(2148779960, 'LoadPreL1Dungeon__FPcii', SN_NOWARN) set_name(2148780400, 'InitL5Dungeon__Fv', SN_NOWARN) set_name(2148780496, 'L5ClearFlags__Fv', SN_NOWARN) set_name(2148780572, 'L5drawRoom__Fiiii', SN_NOWARN) set_name(2148780680, 'L5checkRoom__Fiiii', SN_NOWARN) set_name(2148780828, 'L5roomGen__Fiiiii', SN_NOWARN) set_name(2148781592, 'L5firstRoom__Fv', SN_NOWARN) set_name(2148782548, 'L5GetArea__Fv', SN_NOWARN) set_name(2148782644, 'L5makeDungeon__Fv', SN_NOWARN) set_name(2148782784, 'L5makeDmt__Fv', SN_NOWARN) set_name(2148783016, 'L5HWallOk__Fii', SN_NOWARN) set_name(2148783332, 'L5VWallOk__Fii', SN_NOWARN) set_name(2148783664, 'L5HorizWall__Fiici', SN_NOWARN) set_name(2148784240, 'L5VertWall__Fiici', SN_NOWARN) set_name(2148784804, 'L5AddWall__Fv', SN_NOWARN) set_name(2148785428, 'DRLG_L5GChamber__Fiiiiii', SN_NOWARN) set_name(2148786132, 'DRLG_L5GHall__Fiiii', SN_NOWARN) set_name(2148786312, 'L5tileFix__Fv', SN_NOWARN) set_name(2148788556, 'DRLG_L5Subs__Fv', SN_NOWARN) set_name(2148789060, 'DRLG_L5SetRoom__Fii', SN_NOWARN) set_name(2148789316, 'L5FillChambers__Fv', SN_NOWARN) set_name(2148791088, 'DRLG_L5FTVR__Fiiiii', SN_NOWARN) set_name(2148792440, 'DRLG_L5FloodTVal__Fv', SN_NOWARN) set_name(2148792700, 'DRLG_L5TransFix__Fv', SN_NOWARN) set_name(2148793228, 'DRLG_L5DirtFix__Fv', SN_NOWARN) set_name(2148793576, 'DRLG_L5CornerFix__Fv', SN_NOWARN) set_name(2148793848, 'DRLG_L5__Fi', SN_NOWARN) set_name(2148795160, 'CreateL5Dungeon__FUii', SN_NOWARN) set_name(2148804848, 'DRLG_L2PlaceMiniSet__FPUciiiiii', SN_NOWARN) set_name(2148805860, 'DRLG_L2PlaceRndSet__FPUci', SN_NOWARN) set_name(2148806628, 'DRLG_L2Subs__Fv', SN_NOWARN) set_name(2148807128, 'DRLG_L2Shadows__Fv', SN_NOWARN) set_name(2148807580, 'InitDungeon__Fv', SN_NOWARN) set_name(2148807676, 'DRLG_LoadL2SP__Fv', SN_NOWARN) set_name(2148807868, 'DRLG_FreeL2SP__Fv', SN_NOWARN) set_name(2148807916, 'DRLG_L2SetRoom__Fii', SN_NOWARN) set_name(2148808172, 'DefineRoom__Fiiiii', SN_NOWARN) set_name(2148808696, 'CreateDoorType__Fii', SN_NOWARN) set_name(2148808924, 'PlaceHallExt__Fii', SN_NOWARN) set_name(2148808980, 'AddHall__Fiiiii', SN_NOWARN) set_name(2148809196, 'CreateRoom__Fiiiiiiiii', SN_NOWARN) set_name(2148810868, 'GetHall__FPiN40', SN_NOWARN) set_name(2148811020, 'ConnectHall__Fiiiii', SN_NOWARN) set_name(2148812660, 'DoPatternCheck__Fii', SN_NOWARN) set_name(2148813356, 'L2TileFix__Fv', SN_NOWARN) set_name(2148813648, 'DL2_Cont__FUcUcUcUc', SN_NOWARN) set_name(2148813776, 'DL2_NumNoChar__Fv', SN_NOWARN) set_name(2148813868, 'DL2_DrawRoom__Fiiii', SN_NOWARN) set_name(2148814128, 'DL2_KnockWalls__Fiiii', SN_NOWARN) set_name(2148814592, 'DL2_FillVoids__Fv', SN_NOWARN) set_name(2148817028, 'CreateDungeon__Fv', SN_NOWARN) set_name(2148817808, 'DRLG_L2Pass3__Fv', SN_NOWARN) set_name(2148818216, 'DRLG_L2FTVR__Fiiiii', SN_NOWARN) set_name(2148819568, 'DRLG_L2FloodTVal__Fv', SN_NOWARN) set_name(2148819828, 'DRLG_L2TransFix__Fv', SN_NOWARN) set_name(2148820356, 'L2DirtFix__Fv', SN_NOWARN) set_name(2148820708, 'L2LockoutFix__Fv', SN_NOWARN) set_name(2148821616, 'L2DoorFix__Fv', SN_NOWARN) set_name(2148821792, 'DRLG_L2__Fi', SN_NOWARN) set_name(2148824428, 'DRLG_InitL2Vals__Fv', SN_NOWARN) set_name(2148824436, 'LoadL2Dungeon__FPcii', SN_NOWARN) set_name(2148824932, 'LoadPreL2Dungeon__FPcii', SN_NOWARN) set_name(2148825424, 'CreateL2Dungeon__FUii', SN_NOWARN) set_name(2148827912, 'InitL3Dungeon__Fv', SN_NOWARN) set_name(2148828048, 'DRLG_L3FillRoom__Fiiii', SN_NOWARN) set_name(2148828652, 'DRLG_L3CreateBlock__Fiiii', SN_NOWARN) set_name(2148829320, 'DRLG_L3FloorArea__Fiiii', SN_NOWARN) set_name(2148829424, 'DRLG_L3FillDiags__Fv', SN_NOWARN) set_name(2148829728, 'DRLG_L3FillSingles__Fv', SN_NOWARN) set_name(2148829932, 'DRLG_L3FillStraights__Fv', SN_NOWARN) set_name(2148830896, 'DRLG_L3Edges__Fv', SN_NOWARN) set_name(2148830960, 'DRLG_L3GetFloorArea__Fv', SN_NOWARN) set_name(2148831040, 'DRLG_L3MakeMegas__Fv', SN_NOWARN) set_name(2148831364, 'DRLG_L3River__Fv', SN_NOWARN) set_name(2148833988, 'DRLG_L3SpawnEdge__FiiPi', SN_NOWARN) set_name(2148834640, 'DRLG_L3Spawn__FiiPi', SN_NOWARN) set_name(2148835172, 'DRLG_L3Pool__Fv', SN_NOWARN) set_name(2148835768, 'DRLG_L3PoolFix__Fv', SN_NOWARN) set_name(2148836076, 'DRLG_L3PlaceMiniSet__FPCUciiiiii', SN_NOWARN) set_name(2148836972, 'DRLG_L3PlaceRndSet__FPCUci', SN_NOWARN) set_name(2148837812, 'WoodVertU__Fii', SN_NOWARN) set_name(2148837984, 'WoodVertD__Fii', SN_NOWARN) set_name(2148838140, 'WoodHorizL__Fii', SN_NOWARN) set_name(2148838288, 'WoodHorizR__Fii', SN_NOWARN) set_name(2148838420, 'AddFenceDoors__Fv', SN_NOWARN) set_name(2148838648, 'FenceDoorFix__Fv', SN_NOWARN) set_name(2148839148, 'DRLG_L3Wood__Fv', SN_NOWARN) set_name(2148841180, 'DRLG_L3Anvil__Fv', SN_NOWARN) set_name(2148841784, 'FixL3Warp__Fv', SN_NOWARN) set_name(2148842016, 'FixL3HallofHeroes__Fv', SN_NOWARN) set_name(2148842356, 'DRLG_L3LockRec__Fii', SN_NOWARN) set_name(2148842512, 'DRLG_L3Lockout__Fv', SN_NOWARN) set_name(2148842704, 'DRLG_L3__Fi', SN_NOWARN) set_name(2148844528, 'DRLG_L3Pass3__Fv', SN_NOWARN) set_name(2148844948, 'CreateL3Dungeon__FUii', SN_NOWARN) set_name(2148845224, 'LoadL3Dungeon__FPcii', SN_NOWARN) set_name(2148845772, 'LoadPreL3Dungeon__FPcii', SN_NOWARN) set_name(2148853528, 'DRLG_L4Shadows__Fv', SN_NOWARN) set_name(2148853724, 'InitL4Dungeon__Fv', SN_NOWARN) set_name(2148853880, 'DRLG_LoadL4SP__Fv', SN_NOWARN) set_name(2148854044, 'DRLG_FreeL4SP__Fv', SN_NOWARN) set_name(2148854084, 'DRLG_L4SetSPRoom__Fii', SN_NOWARN) set_name(2148854340, 'L4makeDmt__Fv', SN_NOWARN) set_name(2148854504, 'L4HWallOk__Fii', SN_NOWARN) set_name(2148854840, 'L4VWallOk__Fii', SN_NOWARN) set_name(2148855220, 'L4HorizWall__Fiii', SN_NOWARN) set_name(2148855684, 'L4VertWall__Fiii', SN_NOWARN) set_name(2148856140, 'L4AddWall__Fv', SN_NOWARN) set_name(2148857388, 'L4tileFix__Fv', SN_NOWARN) set_name(2148866068, 'DRLG_L4Subs__Fv', SN_NOWARN) set_name(2148866540, 'L4makeDungeon__Fv', SN_NOWARN) set_name(2148867108, 'uShape__Fv', SN_NOWARN) set_name(2148867784, 'GetArea__Fv', SN_NOWARN) set_name(2148867876, 'L4drawRoom__Fiiii', SN_NOWARN) set_name(2148867980, 'L4checkRoom__Fiiii', SN_NOWARN) set_name(2148868136, 'L4roomGen__Fiiiii', SN_NOWARN) set_name(2148868900, 'L4firstRoom__Fv', SN_NOWARN) set_name(2148869440, 'L4SaveQuads__Fv', SN_NOWARN) set_name(2148869600, 'DRLG_L4SetRoom__FPUcii', SN_NOWARN) set_name(2148869812, 'DRLG_LoadDiabQuads__FUc', SN_NOWARN) set_name(2148870200, 'DRLG_L4PlaceMiniSet__FPCUciiiiii', SN_NOWARN) set_name(2148871248, 'DRLG_L4FTVR__Fiiiii', SN_NOWARN) set_name(2148872600, 'DRLG_L4FloodTVal__Fv', SN_NOWARN) set_name(2148872860, 'IsDURWall__Fc', SN_NOWARN) set_name(2148872908, 'IsDLLWall__Fc', SN_NOWARN) set_name(2148872956, 'DRLG_L4TransFix__Fv', SN_NOWARN) set_name(2148873812, 'DRLG_L4Corners__Fv', SN_NOWARN) set_name(2148873960, 'L4FixRim__Fv', SN_NOWARN) set_name(2148874020, 'DRLG_L4GeneralFix__Fv', SN_NOWARN) set_name(2148874184, 'DRLG_L4__Fi', SN_NOWARN) set_name(2148876484, 'DRLG_L4Pass3__Fv', SN_NOWARN) set_name(2148876904, 'CreateL4Dungeon__FUii', SN_NOWARN) set_name(2148877128, 'ObjIndex__Fii', SN_NOWARN) set_name(2148877308, 'AddSKingObjs__Fv', SN_NOWARN) set_name(2148877612, 'AddSChamObjs__Fv', SN_NOWARN) set_name(2148877736, 'AddVileObjs__Fv', SN_NOWARN) set_name(2148877908, 'DRLG_SetMapTrans__FPc', SN_NOWARN) set_name(2148878104, 'LoadSetMap__Fv', SN_NOWARN) set_name(2148878912, 'CM_QuestToBitPattern__Fi', SN_NOWARN) set_name(2148879128, 'CM_ShowMonsterList__Fii', SN_NOWARN) set_name(2148879248, 'CM_ChooseMonsterList__FiUl', SN_NOWARN) set_name(2148879408, 'NoUiListChoose__FiUl', SN_NOWARN) set_name(2148879416, 'ChooseTask__FP4TASK', SN_NOWARN) set_name(2148880716, 'ShowTask__FP4TASK', SN_NOWARN) set_name(2148881276, 'GetListsAvailable__FiUlPUc', SN_NOWARN) set_name(2148881568, 'GetDown__C4CPad', SN_NOWARN) set_name(2148881608, 'FillSolidBlockTbls__Fv', SN_NOWARN) set_name(2148882036, 'SetDungeonMicros__Fv', SN_NOWARN) set_name(2148882044, 'DRLG_InitTrans__Fv', SN_NOWARN) set_name(2148882160, 'DRLG_RectTrans__Fiiii', SN_NOWARN) set_name(2148882288, 'DRLG_CopyTrans__Fiiii', SN_NOWARN) set_name(2148882392, 'DRLG_ListTrans__FiPUc', SN_NOWARN) set_name(2148882508, 'DRLG_AreaTrans__FiPUc', SN_NOWARN) set_name(2148882652, 'DRLG_InitSetPC__Fv', SN_NOWARN) set_name(2148882676, 'DRLG_SetPC__Fv', SN_NOWARN) set_name(2148882852, 'Make_SetPC__Fiiii', SN_NOWARN) set_name(2148883012, 'DRLG_WillThemeRoomFit__FiiiiiPiT5', SN_NOWARN) set_name(2148883724, 'DRLG_CreateThemeRoom__Fi', SN_NOWARN) set_name(2148887828, 'DRLG_PlaceThemeRooms__FiiiiUc', SN_NOWARN) set_name(2148888508, 'DRLG_HoldThemeRooms__Fv', SN_NOWARN) set_name(2148888944, 'SkipThemeRoom__Fii', SN_NOWARN) set_name(2148889148, 'InitLevels__Fv', SN_NOWARN) set_name(2148889408, 'TFit_Shrine__Fi', SN_NOWARN) set_name(2148890032, 'TFit_Obj5__Fi', SN_NOWARN) set_name(2148890500, 'TFit_SkelRoom__Fi', SN_NOWARN) set_name(2148890676, 'TFit_GoatShrine__Fi', SN_NOWARN) set_name(2148890828, 'CheckThemeObj3__Fiiii', SN_NOWARN) set_name(2148891164, 'TFit_Obj3__Fi', SN_NOWARN) set_name(2148891356, 'CheckThemeReqs__Fi', SN_NOWARN) set_name(2148891560, 'SpecialThemeFit__Fii', SN_NOWARN) set_name(2148892036, 'CheckThemeRoom__Fi', SN_NOWARN) set_name(2148892720, 'InitThemes__Fv', SN_NOWARN) set_name(2148893564, 'HoldThemeRooms__Fv', SN_NOWARN) set_name(2148893796, 'PlaceThemeMonsts__Fii', SN_NOWARN) set_name(2148894216, 'Theme_Barrel__Fi', SN_NOWARN) set_name(2148894592, 'Theme_Shrine__Fi', SN_NOWARN) set_name(2148894824, 'Theme_MonstPit__Fi', SN_NOWARN) set_name(2148895116, 'Theme_SkelRoom__Fi', SN_NOWARN) set_name(2148895888, 'Theme_Treasure__Fi', SN_NOWARN) set_name(2148896500, 'Theme_Library__Fi', SN_NOWARN) set_name(2148897124, 'Theme_Torture__Fi', SN_NOWARN) set_name(2148897492, 'Theme_BloodFountain__Fi', SN_NOWARN) set_name(2148897608, 'Theme_Decap__Fi', SN_NOWARN) set_name(2148897976, 'Theme_PurifyingFountain__Fi', SN_NOWARN) set_name(2148898092, 'Theme_ArmorStand__Fi', SN_NOWARN) set_name(2148898500, 'Theme_GoatShrine__Fi', SN_NOWARN) set_name(2148898836, 'Theme_Cauldron__Fi', SN_NOWARN) set_name(2148898952, 'Theme_MurkyFountain__Fi', SN_NOWARN) set_name(2148899068, 'Theme_TearFountain__Fi', SN_NOWARN) set_name(2148899184, 'Theme_BrnCross__Fi', SN_NOWARN) set_name(2148899560, 'Theme_WeaponRack__Fi', SN_NOWARN) set_name(2148899968, 'UpdateL4Trans__Fv', SN_NOWARN) set_name(2148900064, 'CreateThemeRooms__Fv', SN_NOWARN) set_name(2148900548, 'InitPortals__Fv', SN_NOWARN) set_name(2148900644, 'InitQuests__Fv', SN_NOWARN) set_name(2148901672, 'DrawButcher__Fv', SN_NOWARN) set_name(2148901740, 'DrawSkelKing__Fiii', SN_NOWARN) set_name(2148901800, 'DrawWarLord__Fii', SN_NOWARN) set_name(2148902052, 'DrawSChamber__Fiii', SN_NOWARN) set_name(2148902368, 'DrawLTBanner__Fii', SN_NOWARN) set_name(2148902588, 'DrawBlind__Fii', SN_NOWARN) set_name(2148902808, 'DrawBlood__Fii', SN_NOWARN) set_name(2148903032, 'DRLG_CheckQuests__Fii', SN_NOWARN) set_name(2148903348, 'InitInv__Fv', SN_NOWARN) set_name(2148903432, 'InitAutomap__Fv', SN_NOWARN) set_name(2148903900, 'InitAutomapOnce__Fv', SN_NOWARN) set_name(2148903916, 'MonstPlace__Fii', SN_NOWARN) set_name(2148904104, 'InitMonsterGFX__Fi', SN_NOWARN) set_name(2148904320, 'PlaceMonster__Fiiii', SN_NOWARN) set_name(2148904480, 'AddMonsterType__Fii', SN_NOWARN) set_name(2148904732, 'GetMonsterTypes__FUl', SN_NOWARN) set_name(2148904908, 'ClrAllMonsters__Fv', SN_NOWARN) set_name(2148905228, 'InitLevelMonsters__Fv', SN_NOWARN) set_name(2148905360, 'GetLevelMTypes__Fv', SN_NOWARN) set_name(2148906524, 'PlaceQuestMonsters__Fv', SN_NOWARN) set_name(2148907488, 'LoadDiabMonsts__Fv', SN_NOWARN) set_name(2148907760, 'PlaceGroup__FiiUci', SN_NOWARN) set_name(2148909200, 'SetMapMonsters__FPUcii', SN_NOWARN) set_name(2148909748, 'InitMonsters__Fv', SN_NOWARN) set_name(2148910692, 'PlaceUniqueMonst__Fiii', SN_NOWARN) set_name(2148912944, 'PlaceUniques__Fv', SN_NOWARN) set_name(2148913344, 'PreSpawnSkeleton__Fv', SN_NOWARN) set_name(2148913664, 'encode_enemy__Fi', SN_NOWARN) set_name(2148913752, 'decode_enemy__Fii', SN_NOWARN) set_name(2148914032, 'IsGoat__Fi', SN_NOWARN) set_name(2148914076, 'InitMissiles__Fv', SN_NOWARN) set_name(2148914548, 'InitNoTriggers__Fv', SN_NOWARN) set_name(2148914584, 'InitTownTriggers__Fv', SN_NOWARN) set_name(2148915448, 'InitL1Triggers__Fv', SN_NOWARN) set_name(2148915724, 'InitL2Triggers__Fv', SN_NOWARN) set_name(2148916124, 'InitL3Triggers__Fv', SN_NOWARN) set_name(2148916472, 'InitL4Triggers__Fv', SN_NOWARN) set_name(2148917004, 'InitSKingTriggers__Fv', SN_NOWARN) set_name(2148917080, 'InitSChambTriggers__Fv', SN_NOWARN) set_name(2148917156, 'InitPWaterTriggers__Fv', SN_NOWARN) set_name(2148917232, 'InitStores__Fv', SN_NOWARN) set_name(2148917360, 'SetupTownStores__Fv', SN_NOWARN) set_name(2148917792, 'DeltaLoadLevel__Fv', SN_NOWARN) set_name(2148920056, 'AddL1Door__Fiiii', SN_NOWARN) set_name(2148920368, 'AddSCambBook__Fi', SN_NOWARN) set_name(2148920528, 'AddChest__Fii', SN_NOWARN) set_name(2148921008, 'AddL2Door__Fiiii', SN_NOWARN) set_name(2148921340, 'AddL3Door__Fiiii', SN_NOWARN) set_name(2148921488, 'AddSarc__Fi', SN_NOWARN) set_name(2148921708, 'AddFlameTrap__Fi', SN_NOWARN) set_name(2148921800, 'AddTrap__Fii', SN_NOWARN) set_name(2148922048, 'AddArmorStand__Fi', SN_NOWARN) set_name(2148922184, 'AddObjLight__Fii', SN_NOWARN) set_name(2148922352, 'AddBarrel__Fii', SN_NOWARN) set_name(2148922528, 'AddShrine__Fi', SN_NOWARN) set_name(2148922864, 'AddBookcase__Fi', SN_NOWARN) set_name(2148922952, 'AddBookstand__Fi', SN_NOWARN) set_name(2148923024, 'AddBloodFtn__Fi', SN_NOWARN) set_name(2148923096, 'AddPurifyingFountain__Fi', SN_NOWARN) set_name(2148923316, 'AddGoatShrine__Fi', SN_NOWARN) set_name(2148923388, 'AddCauldron__Fi', SN_NOWARN) set_name(2148923460, 'AddMurkyFountain__Fi', SN_NOWARN) set_name(2148923680, 'AddTearFountain__Fi', SN_NOWARN) set_name(2148923752, 'AddDecap__Fi', SN_NOWARN) set_name(2148923872, 'AddVilebook__Fi', SN_NOWARN) set_name(2148923952, 'AddMagicCircle__Fi', SN_NOWARN) set_name(2148924088, 'AddBrnCross__Fi', SN_NOWARN) set_name(2148924160, 'AddPedistal__Fi', SN_NOWARN) set_name(2148924276, 'AddStoryBook__Fi', SN_NOWARN) set_name(2148924736, 'AddWeaponRack__Fi', SN_NOWARN) set_name(2148924872, 'AddTorturedBody__Fi', SN_NOWARN) set_name(2148924996, 'AddFlameLvr__Fi', SN_NOWARN) set_name(2148925060, 'GetRndObjLoc__FiRiT1', SN_NOWARN) set_name(2148925328, 'AddMushPatch__Fv', SN_NOWARN) set_name(2148925620, 'AddSlainHero__Fv', SN_NOWARN) set_name(2148925684, 'RndLocOk__Fii', SN_NOWARN) set_name(2148925912, 'TrapLocOk__Fii', SN_NOWARN) set_name(2148926016, 'RoomLocOk__Fii', SN_NOWARN) set_name(2148926168, 'InitRndLocObj__Fiii', SN_NOWARN) set_name(2148926596, 'InitRndLocBigObj__Fiii', SN_NOWARN) set_name(2148927100, 'InitRndLocObj5x5__Fiii', SN_NOWARN) set_name(2148927396, 'SetMapObjects__FPUcii', SN_NOWARN) set_name(2148928068, 'ClrAllObjects__Fv', SN_NOWARN) set_name(2148928308, 'AddTortures__Fv', SN_NOWARN) set_name(2148928704, 'AddCandles__Fv', SN_NOWARN) set_name(2148928840, 'AddTrapLine__Fiiii', SN_NOWARN) set_name(2148929764, 'AddLeverObj__Fiiiiiiii', SN_NOWARN) set_name(2148929772, 'AddBookLever__Fiiiiiiiii', SN_NOWARN) set_name(2148930304, 'InitRndBarrels__Fv', SN_NOWARN) set_name(2148930716, 'AddL1Objs__Fiiii', SN_NOWARN) set_name(2148931028, 'AddL2Objs__Fiiii', SN_NOWARN) set_name(2148931304, 'AddL3Objs__Fiiii', SN_NOWARN) set_name(2148931560, 'WallTrapLocOk__Fii', SN_NOWARN) set_name(2148931664, 'TorchLocOK__Fii', SN_NOWARN) set_name(2148931728, 'AddL2Torches__Fv', SN_NOWARN) set_name(2148932164, 'AddObjTraps__Fv', SN_NOWARN) set_name(2148933052, 'AddChestTraps__Fv', SN_NOWARN) set_name(2148933388, 'LoadMapObjects__FPUciiiiiii', SN_NOWARN) set_name(2148933752, 'AddDiabObjs__Fv', SN_NOWARN) set_name(2148934092, 'AddStoryBooks__Fv', SN_NOWARN) set_name(2148934428, 'AddHookedBodies__Fi', SN_NOWARN) set_name(2148934932, 'AddL4Goodies__Fv', SN_NOWARN) set_name(2148935108, 'AddLazStand__Fv', SN_NOWARN) set_name(2148935524, 'InitObjects__Fv', SN_NOWARN) set_name(2148937160, 'PreObjObjAddSwitch__Fiiii', SN_NOWARN) set_name(2148937936, 'SmithItemOk__Fi', SN_NOWARN) set_name(2148938036, 'RndSmithItem__Fi', SN_NOWARN) set_name(2148938304, 'WitchItemOk__Fi', SN_NOWARN) set_name(2148938624, 'RndWitchItem__Fi', SN_NOWARN) set_name(2148938880, 'BubbleSwapItem__FP10ItemStructT0', SN_NOWARN) set_name(2148939120, 'SortWitch__Fv', SN_NOWARN) set_name(2148939408, 'RndBoyItem__Fi', SN_NOWARN) set_name(2148939700, 'HealerItemOk__Fi', SN_NOWARN) set_name(2148940136, 'RndHealerItem__Fi', SN_NOWARN) set_name(2148940392, 'RecreatePremiumItem__Fiiii', SN_NOWARN) set_name(2148940592, 'RecreateWitchItem__Fiiii', SN_NOWARN) set_name(2148940936, 'RecreateSmithItem__Fiiii', SN_NOWARN) set_name(2148941092, 'RecreateHealerItem__Fiiii', SN_NOWARN) set_name(2148941284, 'RecreateBoyItem__Fiiii', SN_NOWARN) set_name(2148941480, 'RecreateTownItem__FiiUsii', SN_NOWARN) set_name(2148941620, 'SpawnSmith__Fi', SN_NOWARN) set_name(2148942036, 'SpawnWitch__Fi', SN_NOWARN) set_name(2148942928, 'SpawnHealer__Fi', SN_NOWARN) set_name(2148943740, 'SpawnBoy__Fi', SN_NOWARN) set_name(2148944084, 'SortSmith__Fv', SN_NOWARN) set_name(2148944360, 'SortHealer__Fv', SN_NOWARN) set_name(2148944648, 'RecreateItem__FiiUsii', SN_NOWARN) set_name(2148766376, 'themeLoc', SN_NOWARN) set_name(2148768240, 'OldBlock', SN_NOWARN) set_name(2148768256, 'L5dungeon', SN_NOWARN) set_name(2148767376, 'SPATS', SN_NOWARN) set_name(2148767636, 'BSTYPES', SN_NOWARN) set_name(2148767844, 'L5BTYPES', SN_NOWARN) set_name(2148768052, 'STAIRSUP', SN_NOWARN) set_name(2148768088, 'L5STAIRSUP', SN_NOWARN) set_name(2148768124, 'STAIRSDOWN', SN_NOWARN) set_name(2148768152, 'LAMPS', SN_NOWARN) set_name(2148768164, 'PWATERIN', SN_NOWARN) set_name(2148766360, 'L5ConvTbl', SN_NOWARN) set_name(2148801628, 'RoomList', SN_NOWARN) set_name(2148803248, 'predungeon', SN_NOWARN) set_name(2148795320, 'Dir_Xadd', SN_NOWARN) set_name(2148795340, 'Dir_Yadd', SN_NOWARN) set_name(2148795360, 'SPATSL2', SN_NOWARN) set_name(2148795376, 'BTYPESL2', SN_NOWARN) set_name(2148795540, 'BSTYPESL2', SN_NOWARN) set_name(2148795704, 'VARCH1', SN_NOWARN) set_name(2148795724, 'VARCH2', SN_NOWARN) set_name(2148795744, 'VARCH3', SN_NOWARN) set_name(2148795764, 'VARCH4', SN_NOWARN) set_name(2148795784, 'VARCH5', SN_NOWARN) set_name(2148795804, 'VARCH6', SN_NOWARN) set_name(2148795824, 'VARCH7', SN_NOWARN) set_name(2148795844, 'VARCH8', SN_NOWARN) set_name(2148795864, 'VARCH9', SN_NOWARN) set_name(2148795884, 'VARCH10', SN_NOWARN) set_name(2148795904, 'VARCH11', SN_NOWARN) set_name(2148795924, 'VARCH12', SN_NOWARN) set_name(2148795944, 'VARCH13', SN_NOWARN) set_name(2148795964, 'VARCH14', SN_NOWARN) set_name(2148795984, 'VARCH15', SN_NOWARN) set_name(2148796004, 'VARCH16', SN_NOWARN) set_name(2148796024, 'VARCH17', SN_NOWARN) set_name(2148796040, 'VARCH18', SN_NOWARN) set_name(2148796056, 'VARCH19', SN_NOWARN) set_name(2148796072, 'VARCH20', SN_NOWARN) set_name(2148796088, 'VARCH21', SN_NOWARN) set_name(2148796104, 'VARCH22', SN_NOWARN) set_name(2148796120, 'VARCH23', SN_NOWARN) set_name(2148796136, 'VARCH24', SN_NOWARN) set_name(2148796152, 'VARCH25', SN_NOWARN) set_name(2148796172, 'VARCH26', SN_NOWARN) set_name(2148796192, 'VARCH27', SN_NOWARN) set_name(2148796212, 'VARCH28', SN_NOWARN) set_name(2148796232, 'VARCH29', SN_NOWARN) set_name(2148796252, 'VARCH30', SN_NOWARN) set_name(2148796272, 'VARCH31', SN_NOWARN) set_name(2148796292, 'VARCH32', SN_NOWARN) set_name(2148796312, 'VARCH33', SN_NOWARN) set_name(2148796332, 'VARCH34', SN_NOWARN) set_name(2148796352, 'VARCH35', SN_NOWARN) set_name(2148796372, 'VARCH36', SN_NOWARN) set_name(2148796392, 'VARCH37', SN_NOWARN) set_name(2148796412, 'VARCH38', SN_NOWARN) set_name(2148796432, 'VARCH39', SN_NOWARN) set_name(2148796452, 'VARCH40', SN_NOWARN) set_name(2148796472, 'HARCH1', SN_NOWARN) set_name(2148796488, 'HARCH2', SN_NOWARN) set_name(2148796504, 'HARCH3', SN_NOWARN) set_name(2148796520, 'HARCH4', SN_NOWARN) set_name(2148796536, 'HARCH5', SN_NOWARN) set_name(2148796552, 'HARCH6', SN_NOWARN) set_name(2148796568, 'HARCH7', SN_NOWARN) set_name(2148796584, 'HARCH8', SN_NOWARN) set_name(2148796600, 'HARCH9', SN_NOWARN) set_name(2148796616, 'HARCH10', SN_NOWARN) set_name(2148796632, 'HARCH11', SN_NOWARN) set_name(2148796648, 'HARCH12', SN_NOWARN) set_name(2148796664, 'HARCH13', SN_NOWARN) set_name(2148796680, 'HARCH14', SN_NOWARN) set_name(2148796696, 'HARCH15', SN_NOWARN) set_name(2148796712, 'HARCH16', SN_NOWARN) set_name(2148796728, 'HARCH17', SN_NOWARN) set_name(2148796744, 'HARCH18', SN_NOWARN) set_name(2148796760, 'HARCH19', SN_NOWARN) set_name(2148796776, 'HARCH20', SN_NOWARN) set_name(2148796792, 'HARCH21', SN_NOWARN) set_name(2148796808, 'HARCH22', SN_NOWARN) set_name(2148796824, 'HARCH23', SN_NOWARN) set_name(2148796840, 'HARCH24', SN_NOWARN) set_name(2148796856, 'HARCH25', SN_NOWARN) set_name(2148796872, 'HARCH26', SN_NOWARN) set_name(2148796888, 'HARCH27', SN_NOWARN) set_name(2148796904, 'HARCH28', SN_NOWARN) set_name(2148796920, 'HARCH29', SN_NOWARN) set_name(2148796936, 'HARCH30', SN_NOWARN) set_name(2148796952, 'HARCH31', SN_NOWARN) set_name(2148796968, 'HARCH32', SN_NOWARN) set_name(2148796984, 'HARCH33', SN_NOWARN) set_name(2148797000, 'HARCH34', SN_NOWARN) set_name(2148797016, 'HARCH35', SN_NOWARN) set_name(2148797032, 'HARCH36', SN_NOWARN) set_name(2148797048, 'HARCH37', SN_NOWARN) set_name(2148797064, 'HARCH38', SN_NOWARN) set_name(2148797080, 'HARCH39', SN_NOWARN) set_name(2148797096, 'HARCH40', SN_NOWARN) set_name(2148797112, 'USTAIRS', SN_NOWARN) set_name(2148797148, 'DSTAIRS', SN_NOWARN) set_name(2148797184, 'WARPSTAIRS', SN_NOWARN) set_name(2148797220, 'CRUSHCOL', SN_NOWARN) set_name(2148797240, 'BIG1', SN_NOWARN) set_name(2148797252, 'BIG2', SN_NOWARN) set_name(2148797264, 'BIG5', SN_NOWARN) set_name(2148797276, 'BIG8', SN_NOWARN) set_name(2148797288, 'BIG9', SN_NOWARN) set_name(2148797300, 'BIG10', SN_NOWARN) set_name(2148797312, 'PANCREAS1', SN_NOWARN) set_name(2148797344, 'PANCREAS2', SN_NOWARN) set_name(2148797376, 'CTRDOOR1', SN_NOWARN) set_name(2148797396, 'CTRDOOR2', SN_NOWARN) set_name(2148797416, 'CTRDOOR3', SN_NOWARN) set_name(2148797436, 'CTRDOOR4', SN_NOWARN) set_name(2148797456, 'CTRDOOR5', SN_NOWARN) set_name(2148797476, 'CTRDOOR6', SN_NOWARN) set_name(2148797496, 'CTRDOOR7', SN_NOWARN) set_name(2148797516, 'CTRDOOR8', SN_NOWARN) set_name(2148797536, 'Patterns', SN_NOWARN) set_name(2148826312, 'lockout', SN_NOWARN) set_name(2148825640, 'L3ConvTbl', SN_NOWARN) set_name(2148825656, 'L3UP', SN_NOWARN) set_name(2148825676, 'L3DOWN', SN_NOWARN) set_name(2148825696, 'L3HOLDWARP', SN_NOWARN) set_name(2148825716, 'L3TITE1', SN_NOWARN) set_name(2148825752, 'L3TITE2', SN_NOWARN) set_name(2148825788, 'L3TITE3', SN_NOWARN) set_name(2148825824, 'L3TITE6', SN_NOWARN) set_name(2148825868, 'L3TITE7', SN_NOWARN) set_name(2148825912, 'L3TITE8', SN_NOWARN) set_name(2148825932, 'L3TITE9', SN_NOWARN) set_name(2148825952, 'L3TITE10', SN_NOWARN) set_name(2148825972, 'L3TITE11', SN_NOWARN) set_name(2148825992, 'L3ISLE1', SN_NOWARN) set_name(2148826008, 'L3ISLE2', SN_NOWARN) set_name(2148826024, 'L3ISLE3', SN_NOWARN) set_name(2148826040, 'L3ISLE4', SN_NOWARN) set_name(2148826056, 'L3ISLE5', SN_NOWARN) set_name(2148826068, 'L3ANVIL', SN_NOWARN) set_name(2148846308, 'dung', SN_NOWARN) set_name(2148846708, 'hallok', SN_NOWARN) set_name(2148846728, 'L4dungeon', SN_NOWARN) set_name(2148853128, 'L4ConvTbl', SN_NOWARN) set_name(2148853144, 'L4USTAIRS', SN_NOWARN) set_name(2148853188, 'L4TWARP', SN_NOWARN) set_name(2148853232, 'L4DSTAIRS', SN_NOWARN) set_name(2148853284, 'L4PENTA', SN_NOWARN) set_name(2148853336, 'L4PENTA2', SN_NOWARN) set_name(2148853388, 'L4BTYPES', SN_NOWARN)
#!/usr/bin/env python3 ############################################################################# # # # Program purpose: Test whether a number is within 100 of 1000 or # # 2000. # # Program Author : Happi Yvan <[email protected]> # # Creation Date : July 14, 2019 # # # ############################################################################# # URL: https://www.w3resource.com/python-exercises/python-basic-exercises.phps def check_num(some_num): return (abs(1000 - some_num) <= 100) or (abs(2000 - some_num) <= 100) if __name__ == "__main__": user_int = int(input("Enter a number near a {}: ".format(1000))) if check_num(user_int): print("TRUE") else: print("False")
def check_num(some_num): return abs(1000 - some_num) <= 100 or abs(2000 - some_num) <= 100 if __name__ == '__main__': user_int = int(input('Enter a number near a {}: '.format(1000))) if check_num(user_int): print('TRUE') else: print('False')
STATS = [ { "num_node_expansions": 5758, "plan_cost": 130, "plan_length": 130, "search_time": 10.8434, "total_time": 11.515 }, { "num_node_expansions": 9619, "plan_cost": 127, "plan_length": 127, "search_time": 21.8034, "total_time": 22.4716 }, { "num_node_expansions": 5995, "plan_cost": 107, "plan_length": 107, "search_time": 15.4883, "total_time": 16.7822 }, { "num_node_expansions": 4250, "plan_cost": 138, "plan_length": 138, "search_time": 9.91472, "total_time": 11.0187 }, { "num_node_expansions": 7025, "plan_cost": 154, "plan_length": 154, "search_time": 14.2754, "total_time": 15.2304 }, { "num_node_expansions": 9499, "plan_cost": 136, "plan_length": 136, "search_time": 5.40852, "total_time": 5.66166 }, { "num_node_expansions": 4413, "plan_cost": 124, "plan_length": 124, "search_time": 2.6829, "total_time": 2.93994 }, { "num_node_expansions": 7223, "plan_cost": 104, "plan_length": 104, "search_time": 6.34531, "total_time": 6.75622 }, { "num_node_expansions": 5351, "plan_cost": 119, "plan_length": 119, "search_time": 5.21776, "total_time": 5.6221 }, { "num_node_expansions": 5783, "plan_cost": 139, "plan_length": 139, "search_time": 10.8373, "total_time": 11.5253 }, { "num_node_expansions": 6921, "plan_cost": 134, "plan_length": 134, "search_time": 12.6077, "total_time": 13.2465 }, { "num_node_expansions": 1124, "plan_cost": 103, "plan_length": 103, "search_time": 1.4895, "total_time": 1.91364 }, { "num_node_expansions": 5336, "plan_cost": 105, "plan_length": 105, "search_time": 5.9019, "total_time": 6.30916 }, { "num_node_expansions": 6466, "plan_cost": 123, "plan_length": 123, "search_time": 18.8333, "total_time": 20.0491 }, { "num_node_expansions": 5308, "plan_cost": 131, "plan_length": 131, "search_time": 12.4524, "total_time": 13.7597 }, { "num_node_expansions": 5772, "plan_cost": 128, "plan_length": 128, "search_time": 5.61291, "total_time": 5.99336 }, { "num_node_expansions": 2658, "plan_cost": 119, "plan_length": 119, "search_time": 2.69796, "total_time": 3.051 }, { "num_node_expansions": 7691, "plan_cost": 143, "plan_length": 143, "search_time": 16.4768, "total_time": 17.5258 }, { "num_node_expansions": 5450, "plan_cost": 139, "plan_length": 139, "search_time": 13.5545, "total_time": 14.607 }, { "num_node_expansions": 3208, "plan_cost": 117, "plan_length": 117, "search_time": 5.16281, "total_time": 5.69218 }, { "num_node_expansions": 6628, "plan_cost": 118, "plan_length": 118, "search_time": 9.69561, "total_time": 10.2467 }, { "num_node_expansions": 3506, "plan_cost": 121, "plan_length": 121, "search_time": 16.0794, "total_time": 17.9941 }, { "num_node_expansions": 4849, "plan_cost": 115, "plan_length": 115, "search_time": 13.5551, "total_time": 14.6982 }, { "num_node_expansions": 8918, "plan_cost": 142, "plan_length": 142, "search_time": 17.9301, "total_time": 18.3847 }, { "num_node_expansions": 5427, "plan_cost": 115, "plan_length": 115, "search_time": 21.4625, "total_time": 23.484 }, { "num_node_expansions": 5029, "plan_cost": 165, "plan_length": 165, "search_time": 22.8943, "total_time": 24.3382 }, { "num_node_expansions": 7674, "plan_cost": 121, "plan_length": 121, "search_time": 17.326, "total_time": 18.5734 }, { "num_node_expansions": 5814, "plan_cost": 133, "plan_length": 133, "search_time": 15.0541, "total_time": 16.3254 }, { "num_node_expansions": 9359, "plan_cost": 103, "plan_length": 103, "search_time": 14.0409, "total_time": 14.8021 }, { "num_node_expansions": 11400, "plan_cost": 119, "plan_length": 119, "search_time": 18.3298, "total_time": 19.153 } ] num_timeouts = 142 num_timeouts = 0 num_problems = 172
stats = [{'num_node_expansions': 5758, 'plan_cost': 130, 'plan_length': 130, 'search_time': 10.8434, 'total_time': 11.515}, {'num_node_expansions': 9619, 'plan_cost': 127, 'plan_length': 127, 'search_time': 21.8034, 'total_time': 22.4716}, {'num_node_expansions': 5995, 'plan_cost': 107, 'plan_length': 107, 'search_time': 15.4883, 'total_time': 16.7822}, {'num_node_expansions': 4250, 'plan_cost': 138, 'plan_length': 138, 'search_time': 9.91472, 'total_time': 11.0187}, {'num_node_expansions': 7025, 'plan_cost': 154, 'plan_length': 154, 'search_time': 14.2754, 'total_time': 15.2304}, {'num_node_expansions': 9499, 'plan_cost': 136, 'plan_length': 136, 'search_time': 5.40852, 'total_time': 5.66166}, {'num_node_expansions': 4413, 'plan_cost': 124, 'plan_length': 124, 'search_time': 2.6829, 'total_time': 2.93994}, {'num_node_expansions': 7223, 'plan_cost': 104, 'plan_length': 104, 'search_time': 6.34531, 'total_time': 6.75622}, {'num_node_expansions': 5351, 'plan_cost': 119, 'plan_length': 119, 'search_time': 5.21776, 'total_time': 5.6221}, {'num_node_expansions': 5783, 'plan_cost': 139, 'plan_length': 139, 'search_time': 10.8373, 'total_time': 11.5253}, {'num_node_expansions': 6921, 'plan_cost': 134, 'plan_length': 134, 'search_time': 12.6077, 'total_time': 13.2465}, {'num_node_expansions': 1124, 'plan_cost': 103, 'plan_length': 103, 'search_time': 1.4895, 'total_time': 1.91364}, {'num_node_expansions': 5336, 'plan_cost': 105, 'plan_length': 105, 'search_time': 5.9019, 'total_time': 6.30916}, {'num_node_expansions': 6466, 'plan_cost': 123, 'plan_length': 123, 'search_time': 18.8333, 'total_time': 20.0491}, {'num_node_expansions': 5308, 'plan_cost': 131, 'plan_length': 131, 'search_time': 12.4524, 'total_time': 13.7597}, {'num_node_expansions': 5772, 'plan_cost': 128, 'plan_length': 128, 'search_time': 5.61291, 'total_time': 5.99336}, {'num_node_expansions': 2658, 'plan_cost': 119, 'plan_length': 119, 'search_time': 2.69796, 'total_time': 3.051}, {'num_node_expansions': 7691, 'plan_cost': 143, 'plan_length': 143, 'search_time': 16.4768, 'total_time': 17.5258}, {'num_node_expansions': 5450, 'plan_cost': 139, 'plan_length': 139, 'search_time': 13.5545, 'total_time': 14.607}, {'num_node_expansions': 3208, 'plan_cost': 117, 'plan_length': 117, 'search_time': 5.16281, 'total_time': 5.69218}, {'num_node_expansions': 6628, 'plan_cost': 118, 'plan_length': 118, 'search_time': 9.69561, 'total_time': 10.2467}, {'num_node_expansions': 3506, 'plan_cost': 121, 'plan_length': 121, 'search_time': 16.0794, 'total_time': 17.9941}, {'num_node_expansions': 4849, 'plan_cost': 115, 'plan_length': 115, 'search_time': 13.5551, 'total_time': 14.6982}, {'num_node_expansions': 8918, 'plan_cost': 142, 'plan_length': 142, 'search_time': 17.9301, 'total_time': 18.3847}, {'num_node_expansions': 5427, 'plan_cost': 115, 'plan_length': 115, 'search_time': 21.4625, 'total_time': 23.484}, {'num_node_expansions': 5029, 'plan_cost': 165, 'plan_length': 165, 'search_time': 22.8943, 'total_time': 24.3382}, {'num_node_expansions': 7674, 'plan_cost': 121, 'plan_length': 121, 'search_time': 17.326, 'total_time': 18.5734}, {'num_node_expansions': 5814, 'plan_cost': 133, 'plan_length': 133, 'search_time': 15.0541, 'total_time': 16.3254}, {'num_node_expansions': 9359, 'plan_cost': 103, 'plan_length': 103, 'search_time': 14.0409, 'total_time': 14.8021}, {'num_node_expansions': 11400, 'plan_cost': 119, 'plan_length': 119, 'search_time': 18.3298, 'total_time': 19.153}] num_timeouts = 142 num_timeouts = 0 num_problems = 172
''' This program will do the following: 1. Ask for input of the amount of organisms 2. Ask for input of the daily population increase in percent 3. Ask for input of the maximum days the organism multiplies 4. Calculate the total population per day 5. Print the results for each day ''' # ===Begin Loop while True: ORGANISMS = int(input("How many organisms do you want to start with?: ")) if ORGANISMS == 0: print("You must have atleast 1 organism") quit() else: # ===Input INCREASE = float(input("At what percent (10% = 0.10) should they increase at?: ")) DAYS = int(input("How many days should the be left to multiply?: ")) population = ORGANISMS print() print('Days\tPopulation') print('------------------') break # ===Process for currentDay in range(1, DAYS + 1): print(currentDay, "\t", format(population, ',.3f')) population = population + (INCREASE * population)
""" This program will do the following: 1. Ask for input of the amount of organisms 2. Ask for input of the daily population increase in percent 3. Ask for input of the maximum days the organism multiplies 4. Calculate the total population per day 5. Print the results for each day """ while True: organisms = int(input('How many organisms do you want to start with?: ')) if ORGANISMS == 0: print('You must have atleast 1 organism') quit() else: increase = float(input('At what percent (10% = 0.10) should they increase at?: ')) days = int(input('How many days should the be left to multiply?: ')) population = ORGANISMS print() print('Days\tPopulation') print('------------------') break for current_day in range(1, DAYS + 1): print(currentDay, '\t', format(population, ',.3f')) population = population + INCREASE * population
def bool_strings(): bools = [] for b in ['T', 'true', 'True', 'TRUE', 'F', 'false', 'False', 'FALSE']: bools.append((b.lower().startswith('t'), b)) return bools def test_bool_scalars(tmp_path, helpers): helpers.do_test_scalar(tmp_path, bool_strings()) def test_bool_one_d_arrays(tmp_path, helpers): helpers.do_test_one_d_array(tmp_path, bool_strings()) def test_bool_two_d_arrays(tmp_path, helpers): helpers.do_test_two_d_array(tmp_path, bool_strings(), use_fortran=False)
def bool_strings(): bools = [] for b in ['T', 'true', 'True', 'TRUE', 'F', 'false', 'False', 'FALSE']: bools.append((b.lower().startswith('t'), b)) return bools def test_bool_scalars(tmp_path, helpers): helpers.do_test_scalar(tmp_path, bool_strings()) def test_bool_one_d_arrays(tmp_path, helpers): helpers.do_test_one_d_array(tmp_path, bool_strings()) def test_bool_two_d_arrays(tmp_path, helpers): helpers.do_test_two_d_array(tmp_path, bool_strings(), use_fortran=False)
class Solution: def containsCycle(self, grid: List[List[str]]) -> bool: rows, cols, visited, directions = len(grid), len(grid[0]), set(), [(0, 1), (1, 0), (0, -1), (-1, 0)] def dfs(row, col, parentX, parentY, length): visited.add((row, col)) for dirX, dirY in directions: newRow, newCol = row + dirX, col + dirY if newRow < 0 or newCol < 0 or newRow >= rows or newCol >= cols or (parentX == newRow and parentY == newCol): continue if (newRow, newCol) in visited and length >= 4 and grid[row][col] == grid[newRow][newCol]: return True elif grid[row][col] == grid[newRow][newCol]: if dfs(newRow, newCol, row, col, length + 1): return True return False for row in range(rows): for col in range(cols): if (row, col) in visited: continue if dfs(row, col, None, None, 1): return True return False
class Solution: def contains_cycle(self, grid: List[List[str]]) -> bool: (rows, cols, visited, directions) = (len(grid), len(grid[0]), set(), [(0, 1), (1, 0), (0, -1), (-1, 0)]) def dfs(row, col, parentX, parentY, length): visited.add((row, col)) for (dir_x, dir_y) in directions: (new_row, new_col) = (row + dirX, col + dirY) if newRow < 0 or newCol < 0 or newRow >= rows or (newCol >= cols) or (parentX == newRow and parentY == newCol): continue if (newRow, newCol) in visited and length >= 4 and (grid[row][col] == grid[newRow][newCol]): return True elif grid[row][col] == grid[newRow][newCol]: if dfs(newRow, newCol, row, col, length + 1): return True return False for row in range(rows): for col in range(cols): if (row, col) in visited: continue if dfs(row, col, None, None, 1): return True return False
print( min( filter( lambda x: x % 2 != 0, map( int, input().split() ) ) ) )
print(min(filter(lambda x: x % 2 != 0, map(int, input().split()))))
X = 1 def nester(): X = 2 print(X) class C: X = 3 print(X) def method1(self): print(X) print(self.X) def method2(self): X = 4 print(X) self.X = 5 print(self.X) I = C() I.method1() I.method2() print(X) nester() print('-'*40)
x = 1 def nester(): x = 2 print(X) class C: x = 3 print(X) def method1(self): print(X) print(self.X) def method2(self): x = 4 print(X) self.X = 5 print(self.X) i = c() I.method1() I.method2() print(X) nester() print('-' * 40)
#from django import http # adapted from http://djangosnippets.org/snippets/2472/ class CloudMiddleware(object): def process_request(self, request): if 'HTTP_X_FORWARDED_PROTO' in request.META: if request.META['HTTP_X_FORWARDED_PROTO'] == 'https': request.is_secure = lambda: True return None
class Cloudmiddleware(object): def process_request(self, request): if 'HTTP_X_FORWARDED_PROTO' in request.META: if request.META['HTTP_X_FORWARDED_PROTO'] == 'https': request.is_secure = lambda : True return None
''' A simple script for printing numbers ''' def func1(): ''' func1 is simple methdo which shows the number which are entered inside. ''' first_num = 1 second_num = 2 print(first_num) print(second_num) func1() # When we run this program using pylint then we can get our code evaluted. # It will be used when we'll be working with big projects to generate reports # For execution: pylint filename.py
""" A simple script for printing numbers """ def func1(): """ func1 is simple methdo which shows the number which are entered inside. """ first_num = 1 second_num = 2 print(first_num) print(second_num) func1()
class Solution: def dfs(self, image: List[List[int]], sr: int, sc: int, newColor: int, DIR: List[List[int]], startColor: int) -> List[List[int]]: image[sr][sc] = newColor visited = set() visited.add((sr,sc)) for direction in DIR: newRow, newCol = sr + direction[0], sc + direction[1] if not self.checkSize(newRow, newCol, len(image), len(image[0])) or (newRow, newCol) in visited or image[newRow][newCol] != startColor: continue self.dfs(image, newRow, newCol, newColor, DIR, startColor) return image def checkSize(self, row: int, col: int, rowSize: int, colSize: int) -> bool: return True if 0 <= row < rowSize and 0 <= col < colSize else False def floodFill(self, image: List[List[int]], sr: int, sc: int, newColor: int) -> List[List[int]]: if image[sr][sc] == newColor: return image startColor = image[sr][sc] image[sr][sc] = newColor DIR = [[0,1], [1,0], [0,-1], [-1,0]] image = self.dfs(image, sr, sc, newColor, DIR, startColor) return image
class Solution: def dfs(self, image: List[List[int]], sr: int, sc: int, newColor: int, DIR: List[List[int]], startColor: int) -> List[List[int]]: image[sr][sc] = newColor visited = set() visited.add((sr, sc)) for direction in DIR: (new_row, new_col) = (sr + direction[0], sc + direction[1]) if not self.checkSize(newRow, newCol, len(image), len(image[0])) or (newRow, newCol) in visited or image[newRow][newCol] != startColor: continue self.dfs(image, newRow, newCol, newColor, DIR, startColor) return image def check_size(self, row: int, col: int, rowSize: int, colSize: int) -> bool: return True if 0 <= row < rowSize and 0 <= col < colSize else False def flood_fill(self, image: List[List[int]], sr: int, sc: int, newColor: int) -> List[List[int]]: if image[sr][sc] == newColor: return image start_color = image[sr][sc] image[sr][sc] = newColor dir = [[0, 1], [1, 0], [0, -1], [-1, 0]] image = self.dfs(image, sr, sc, newColor, DIR, startColor) return image
# Author : Babu Baskaran # Date : 05/04/2019 Time : 17:00 pm # Solution for problem number 1 # taking user input user1=int (input("Please Enter a Positive Integer : ")) # assigning user input into a variable start = user1 # set i start value into 1 i = 1 # set value of variable ans to zero ans = 0 # check the i value is equal or less than variable start while i<= start: # increase the value of variable ans by 1 ans = ans+i # increase the value of i by 1 i = i + 1 # print the output sum of integer to the user print(ans)
user1 = int(input('Please Enter a Positive Integer : ')) start = user1 i = 1 ans = 0 while i <= start: ans = ans + i i = i + 1 print(ans)
units = { "DecimalDegrees": "degrees", "WGS_1984": "WGS84", "Meters": "meters", "": "", "Unknown": "Unknown", }
units = {'DecimalDegrees': 'degrees', 'WGS_1984': 'WGS84', 'Meters': 'meters', '': '', 'Unknown': 'Unknown'}
class CommandResponse(object): def __init__(self): self.messages = [] self.named = {} self.errors = [] def __getitem__(self, name): return self.get_named_data(name) @property def active_user(self): return self.get_named_data('active_user') @property def log_key(self): return self.get_named_data('log_key') def add(self, messages): if not isinstance(messages, (list, tuple)): messages = [messages] for message in messages: self.messages.append(message) if message.name: self.named[message.name] = message if message.is_error(): self.errors.append(message) @property def aborted(self): return len(self.errors) > 0 @property def error(self): return self.aborted def error_message(self): messages = [] for message in self.errors: messages.append(message.format()) return "\n\n".join(messages) def get_named_data(self, name): message = self.named.get(name, None) if message: try: return message.data except AttributeError: return message.message return None
class Commandresponse(object): def __init__(self): self.messages = [] self.named = {} self.errors = [] def __getitem__(self, name): return self.get_named_data(name) @property def active_user(self): return self.get_named_data('active_user') @property def log_key(self): return self.get_named_data('log_key') def add(self, messages): if not isinstance(messages, (list, tuple)): messages = [messages] for message in messages: self.messages.append(message) if message.name: self.named[message.name] = message if message.is_error(): self.errors.append(message) @property def aborted(self): return len(self.errors) > 0 @property def error(self): return self.aborted def error_message(self): messages = [] for message in self.errors: messages.append(message.format()) return '\n\n'.join(messages) def get_named_data(self, name): message = self.named.get(name, None) if message: try: return message.data except AttributeError: return message.message return None
# Definition for a binary tree node. # class TreeNode: # def __init__(self, x): # self.val = x # self.left = None # self.right = None class Solution: def findTilt(self, root: TreeNode) -> int: sum_tree, tilt_tree = self.sum_and_tilt(root) return tilt_tree def sum_and_tilt(self, root): if not root: return 0, 0 sum_left, tilt_left = self.sum_and_tilt(root.left) sum_right, tilt_right = self.sum_and_tilt(root.right) return sum_left + sum_right + root.val, abs(sum_left - sum_right) + tilt_left + tilt_right
class Solution: def find_tilt(self, root: TreeNode) -> int: (sum_tree, tilt_tree) = self.sum_and_tilt(root) return tilt_tree def sum_and_tilt(self, root): if not root: return (0, 0) (sum_left, tilt_left) = self.sum_and_tilt(root.left) (sum_right, tilt_right) = self.sum_and_tilt(root.right) return (sum_left + sum_right + root.val, abs(sum_left - sum_right) + tilt_left + tilt_right)
''' Comparison data as seen here, http://www.nand2tetris.org/ ''' '''------------------------- Arithmetic gates -------------------------''' k_halfAdder = [ # [ a, b, ( sum, carry ) ] [ 0, 0, ( 0, 0 ) ], [ 0, 1, ( 1, 0 ) ], [ 1, 0, ( 1, 0 ) ], [ 1, 1, ( 0, 1 ) ], ] k_fullAdder = [ # [ a, b, c, ( sum, carry ) ] [ 0, 0, 0, ( 0, 0 ) ], [ 0, 0, 1, ( 1, 0 ) ], [ 0, 1, 0, ( 1, 0 ) ], [ 0, 1, 1, ( 0, 1 ) ], [ 1, 0, 0, ( 1, 0 ) ], [ 1, 0, 1, ( 0, 1 ) ], [ 1, 1, 0, ( 0, 1 ) ], [ 1, 1, 1, ( 1, 1 ) ], ] k_add16 = [ # [ a, b, out ] [ '0000000000000000', '0000000000000000', '0000000000000000' ], [ '0000000000000000', '1111111111111111', '1111111111111111' ], [ '1111111111111111', '1111111111111111', '1111111111111110' ], [ '1010101010101010', '0101010101010101', '1111111111111111' ], [ '0011110011000011', '0000111111110000', '0100110010110011' ], [ '0001001000110100', '1001100001110110', '1010101010101010' ], ] k_subtract16 = [ # [ a, b, out ] [ '0000000000000111', '0000000000001001', '1111111111111110' ], [ '0000000000011000', '0000000000110111', '1111111111100001' ], [ '0000000000001111', '0000000000000111', '0000000000001000' ], [ '0000000000111000', '0000000000000001', '0000000000110111' ], [ '1000000000000000', '0000000000000010', '0111111111111110' ], ] k_increment16 = [ # [ in, out ] [ '0000000000000000', '0000000000000001' ], [ '1111111111111111', '0000000000000000' ], [ '0000000000000101', '0000000000000110' ], [ '1111111111111011', '1111111111111100' ], ] k_shiftLeft16 = [ [ '0110011111001010', '0000000000001010', '0010100000000000' ], [ '0001010000101011', '0000000000000011', '1010000101011000' ], [ '0011010100011101', '0000000000000100', '0101000111010000' ], [ '1100111001000011', '0000000000000001', '1001110010000110' ], [ '1111101111111000', '0000000000000110', '1111111000000000' ], ] k_shiftRight16 = [ [ '0011100000111110', '0000000000000100', '0000001110000011' ], [ '0011010001101111', '0000000000000011', '0000011010001101' ], [ '1000010011010110', '0000000000001100', '0000000000001000' ], [ '1110100101100001', '0000000000001000', '0000000011101001' ], [ '0010101000011110', '0000000000000001', '0001010100001111' ], ] k_ALU16 = [ # [ x, y, fsel, zx|nx|zy|ny|no, out, zr, ng ] [ '0000000000000000', '1111111111111111', '0000', '10100', '0000000000000000', 1, 0 ], [ '0000000000000000', '1111111111111111', '0000', '11111', '0000000000000001', 0, 0 ], [ '0000000000000000', '1111111111111111', '0000', '11100', '1111111111111111', 0, 1 ], [ '0000000000000000', '1111111111111111', '0001', '00110', '0000000000000000', 1, 0 ], [ '0000000000000000', '1111111111111111', '0001', '11000', '1111111111111111', 0, 1 ], [ '0000000000000000', '1111111111111111', '0001', '00111', '1111111111111111', 0, 1 ], [ '0000000000000000', '1111111111111111', '0001', '11001', '0000000000000000', 1, 0 ], [ '0000000000000000', '1111111111111111', '0000', '00111', '0000000000000000', 1, 0 ], [ '0000000000000000', '1111111111111111', '0000', '11001', '0000000000000001', 0, 0 ], [ '0000000000000000', '1111111111111111', '0000', '01111', '0000000000000001', 0, 0 ], [ '0000000000000000', '1111111111111111', '0000', '11011', '0000000000000000', 1, 0 ], [ '0000000000000000', '1111111111111111', '0000', '00110', '1111111111111111', 0, 1 ], [ '0000000000000000', '1111111111111111', '0000', '11000', '1111111111111110', 0, 1 ], [ '0000000000000000', '1111111111111111', '0000', '00000', '1111111111111111', 0, 1 ], [ '0000000000000000', '1111111111111111', '0000', '01001', '0000000000000001', 0, 0 ], [ '0000000000000000', '1111111111111111', '0000', '00011', '1111111111111111', 0, 1 ], [ '0000000000000000', '1111111111111111', '0001', '00000', '0000000000000000', 1, 0 ], [ '0000000000000000', '1111111111111111', '0001', '01011', '1111111111111111', 0, 1 ], [ '0000000000010001', '0000000000000011', '0000', '10100', '0000000000000000', 1, 0 ], [ '0000000000010001', '0000000000000011', '0000', '11111', '0000000000000001', 0, 0 ], [ '0000000000010001', '0000000000000011', '0000', '11100', '1111111111111111', 0, 1 ], [ '0000000000010001', '0000000000000011', '0001', '00110', '0000000000010001', 0, 0 ], [ '0000000000010001', '0000000000000011', '0001', '11000', '0000000000000011', 0, 0 ], [ '0000000000010001', '0000000000000011', '0001', '00111', '1111111111101110', 0, 1 ], [ '0000000000010001', '0000000000000011', '0001', '11001', '1111111111111100', 0, 1 ], [ '0000000000010001', '0000000000000011', '0000', '00111', '1111111111101111', 0, 1 ], [ '0000000000010001', '0000000000000011', '0000', '11001', '1111111111111101', 0, 1 ], [ '0000000000010001', '0000000000000011', '0000', '01111', '0000000000010010', 0, 0 ], [ '0000000000010001', '0000000000000011', '0000', '11011', '0000000000000100', 0, 0 ], [ '0000000000010001', '0000000000000011', '0000', '00110', '0000000000010000', 0, 0 ], [ '0000000000010001', '0000000000000011', '0000', '11000', '0000000000000010', 0, 0 ], [ '0000000000010001', '0000000000000011', '0000', '00000', '0000000000010100', 0, 0 ], [ '0000000000010001', '0000000000000011', '0000', '01001', '0000000000001110', 0, 0 ], [ '0000000000010001', '0000000000000011', '0000', '00011', '1111111111110010', 0, 1 ], [ '0000000000010001', '0000000000000011', '0001', '00000', '0000000000000001', 0, 0 ], [ '0000000000010001', '0000000000000011', '0001', '01011', '0000000000010011', 0, 0 ], [ '0001000010100010', '1110110111010001', '0010', '00000', '1111110101110011', 0, 1 ], [ '0000001001110011', '0000001010010101', '0010', '00000', '0000000011100110', 0, 0 ], [ '1001001101110110', '0110100010001100', '0010', '00000', '1111101111111010', 0, 1 ], [ '1111100011101101', '0000001010111011', '0010', '00000', '1111101001010110', 0, 1 ], [ '0010111100101110', '1010111011111101', '0010', '00000', '1000000111010011', 0, 1 ], [ '0011100000111110', '0000000000000100', '0011', '00000', '0000001110000011', 0, 0 ], [ '0011010001101111', '0000000000000011', '0011', '00000', '0000011010001101', 0, 0 ], [ '1000010011010110', '0000000000001100', '0011', '00000', '0000000000001000', 0, 0 ], [ '1110100101100001', '0000000000001000', '0011', '00000', '0000000011101001', 0, 0 ], [ '0010101000011110', '0000000000000001', '0011', '00000', '0001010100001111', 0, 0 ], [ '0110011111001010', '0000000000001010', '0100', '00000', '0010100000000000', 0, 0 ], [ '0001010000101011', '0000000000000011', '0100', '00000', '1010000101011000', 0, 1 ], [ '0011010100011101', '0000000000000100', '0100', '00000', '0101000111010000', 0, 0 ], [ '1100111001000011', '0000000000000001', '0100', '00000', '1001110010000110', 0, 1 ], [ '1111101111111000', '0000000000000110', '0100', '00000', '1111111000000000', 0, 1 ], ]
""" Comparison data as seen here, http://www.nand2tetris.org/ """ '------------------------- Arithmetic gates -------------------------' k_half_adder = [[0, 0, (0, 0)], [0, 1, (1, 0)], [1, 0, (1, 0)], [1, 1, (0, 1)]] k_full_adder = [[0, 0, 0, (0, 0)], [0, 0, 1, (1, 0)], [0, 1, 0, (1, 0)], [0, 1, 1, (0, 1)], [1, 0, 0, (1, 0)], [1, 0, 1, (0, 1)], [1, 1, 0, (0, 1)], [1, 1, 1, (1, 1)]] k_add16 = [['0000000000000000', '0000000000000000', '0000000000000000'], ['0000000000000000', '1111111111111111', '1111111111111111'], ['1111111111111111', '1111111111111111', '1111111111111110'], ['1010101010101010', '0101010101010101', '1111111111111111'], ['0011110011000011', '0000111111110000', '0100110010110011'], ['0001001000110100', '1001100001110110', '1010101010101010']] k_subtract16 = [['0000000000000111', '0000000000001001', '1111111111111110'], ['0000000000011000', '0000000000110111', '1111111111100001'], ['0000000000001111', '0000000000000111', '0000000000001000'], ['0000000000111000', '0000000000000001', '0000000000110111'], ['1000000000000000', '0000000000000010', '0111111111111110']] k_increment16 = [['0000000000000000', '0000000000000001'], ['1111111111111111', '0000000000000000'], ['0000000000000101', '0000000000000110'], ['1111111111111011', '1111111111111100']] k_shift_left16 = [['0110011111001010', '0000000000001010', '0010100000000000'], ['0001010000101011', '0000000000000011', '1010000101011000'], ['0011010100011101', '0000000000000100', '0101000111010000'], ['1100111001000011', '0000000000000001', '1001110010000110'], ['1111101111111000', '0000000000000110', '1111111000000000']] k_shift_right16 = [['0011100000111110', '0000000000000100', '0000001110000011'], ['0011010001101111', '0000000000000011', '0000011010001101'], ['1000010011010110', '0000000000001100', '0000000000001000'], ['1110100101100001', '0000000000001000', '0000000011101001'], ['0010101000011110', '0000000000000001', '0001010100001111']] k_alu16 = [['0000000000000000', '1111111111111111', '0000', '10100', '0000000000000000', 1, 0], ['0000000000000000', '1111111111111111', '0000', '11111', '0000000000000001', 0, 0], ['0000000000000000', '1111111111111111', '0000', '11100', '1111111111111111', 0, 1], ['0000000000000000', '1111111111111111', '0001', '00110', '0000000000000000', 1, 0], ['0000000000000000', '1111111111111111', '0001', '11000', '1111111111111111', 0, 1], ['0000000000000000', '1111111111111111', '0001', '00111', '1111111111111111', 0, 1], ['0000000000000000', '1111111111111111', '0001', '11001', '0000000000000000', 1, 0], ['0000000000000000', '1111111111111111', '0000', '00111', '0000000000000000', 1, 0], ['0000000000000000', '1111111111111111', '0000', '11001', '0000000000000001', 0, 0], ['0000000000000000', '1111111111111111', '0000', '01111', '0000000000000001', 0, 0], ['0000000000000000', '1111111111111111', '0000', '11011', '0000000000000000', 1, 0], ['0000000000000000', '1111111111111111', '0000', '00110', '1111111111111111', 0, 1], ['0000000000000000', '1111111111111111', '0000', '11000', '1111111111111110', 0, 1], ['0000000000000000', '1111111111111111', '0000', '00000', '1111111111111111', 0, 1], ['0000000000000000', '1111111111111111', '0000', '01001', '0000000000000001', 0, 0], ['0000000000000000', '1111111111111111', '0000', '00011', '1111111111111111', 0, 1], ['0000000000000000', '1111111111111111', '0001', '00000', '0000000000000000', 1, 0], ['0000000000000000', '1111111111111111', '0001', '01011', '1111111111111111', 0, 1], ['0000000000010001', '0000000000000011', '0000', '10100', '0000000000000000', 1, 0], ['0000000000010001', '0000000000000011', '0000', '11111', '0000000000000001', 0, 0], ['0000000000010001', '0000000000000011', '0000', '11100', '1111111111111111', 0, 1], ['0000000000010001', '0000000000000011', '0001', '00110', '0000000000010001', 0, 0], ['0000000000010001', '0000000000000011', '0001', '11000', '0000000000000011', 0, 0], ['0000000000010001', '0000000000000011', '0001', '00111', '1111111111101110', 0, 1], ['0000000000010001', '0000000000000011', '0001', '11001', '1111111111111100', 0, 1], ['0000000000010001', '0000000000000011', '0000', '00111', '1111111111101111', 0, 1], ['0000000000010001', '0000000000000011', '0000', '11001', '1111111111111101', 0, 1], ['0000000000010001', '0000000000000011', '0000', '01111', '0000000000010010', 0, 0], ['0000000000010001', '0000000000000011', '0000', '11011', '0000000000000100', 0, 0], ['0000000000010001', '0000000000000011', '0000', '00110', '0000000000010000', 0, 0], ['0000000000010001', '0000000000000011', '0000', '11000', '0000000000000010', 0, 0], ['0000000000010001', '0000000000000011', '0000', '00000', '0000000000010100', 0, 0], ['0000000000010001', '0000000000000011', '0000', '01001', '0000000000001110', 0, 0], ['0000000000010001', '0000000000000011', '0000', '00011', '1111111111110010', 0, 1], ['0000000000010001', '0000000000000011', '0001', '00000', '0000000000000001', 0, 0], ['0000000000010001', '0000000000000011', '0001', '01011', '0000000000010011', 0, 0], ['0001000010100010', '1110110111010001', '0010', '00000', '1111110101110011', 0, 1], ['0000001001110011', '0000001010010101', '0010', '00000', '0000000011100110', 0, 0], ['1001001101110110', '0110100010001100', '0010', '00000', '1111101111111010', 0, 1], ['1111100011101101', '0000001010111011', '0010', '00000', '1111101001010110', 0, 1], ['0010111100101110', '1010111011111101', '0010', '00000', '1000000111010011', 0, 1], ['0011100000111110', '0000000000000100', '0011', '00000', '0000001110000011', 0, 0], ['0011010001101111', '0000000000000011', '0011', '00000', '0000011010001101', 0, 0], ['1000010011010110', '0000000000001100', '0011', '00000', '0000000000001000', 0, 0], ['1110100101100001', '0000000000001000', '0011', '00000', '0000000011101001', 0, 0], ['0010101000011110', '0000000000000001', '0011', '00000', '0001010100001111', 0, 0], ['0110011111001010', '0000000000001010', '0100', '00000', '0010100000000000', 0, 0], ['0001010000101011', '0000000000000011', '0100', '00000', '1010000101011000', 0, 1], ['0011010100011101', '0000000000000100', '0100', '00000', '0101000111010000', 0, 0], ['1100111001000011', '0000000000000001', '0100', '00000', '1001110010000110', 0, 1], ['1111101111111000', '0000000000000110', '0100', '00000', '1111111000000000', 0, 1]]
class QuizBrain: def __init__(self,question_list): self.question_number = 0 self.score = 0 self.question_list = question_list def next_question(self): self.guess = input(f"Q{self.question_number + 1}: {self.question_list[self.question_number].question} True or False: ") self.check_answer(self.guess, self.question_list[self.question_number].answer) self.question_number += 1 def still_has_questions(self): return self.question_number < len(self.question_list) def check_answer(self, guess, answer): if guess.lower() == answer.lower(): self.score += 1 print(f"Your score is {self.score}/{self.question_number+1}") print("\n") # def play_game(): # print("Let's play the game!") # correct = 0 # for i in range(len(Self.question_list)): # guess = input(f"{self.question_list[i].question} True or False: ") # if guess == question_bank[i].answer: # correct += 1 # print(f"You have guessed {correct} correct out of {i+1} questions. {100*correct/(i+1)}%\n")
class Quizbrain: def __init__(self, question_list): self.question_number = 0 self.score = 0 self.question_list = question_list def next_question(self): self.guess = input(f'Q{self.question_number + 1}: {self.question_list[self.question_number].question} True or False: ') self.check_answer(self.guess, self.question_list[self.question_number].answer) self.question_number += 1 def still_has_questions(self): return self.question_number < len(self.question_list) def check_answer(self, guess, answer): if guess.lower() == answer.lower(): self.score += 1 print(f'Your score is {self.score}/{self.question_number + 1}') print('\n')
mooniswap_abi = [ { "inputs": [ {"internalType": "contract IERC20", "name": "_token0", "type": "address"}, {"internalType": "contract IERC20", "name": "_token1", "type": "address"}, {"internalType": "string", "name": "name", "type": "string"}, {"internalType": "string", "name": "symbol", "type": "string"}, { "internalType": "contract IMooniswapFactoryGovernance", "name": "_mooniswapFactoryGovernance", "type": "address", }, ], "stateMutability": "nonpayable", "type": "constructor", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "owner", "type": "address", }, { "indexed": True, "internalType": "address", "name": "spender", "type": "address", }, { "indexed": False, "internalType": "uint256", "name": "value", "type": "uint256", }, ], "name": "Approval", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "user", "type": "address", }, { "indexed": False, "internalType": "uint256", "name": "decayPeriod", "type": "uint256", }, { "indexed": False, "internalType": "bool", "name": "isDefault", "type": "bool", }, { "indexed": False, "internalType": "uint256", "name": "amount", "type": "uint256", }, ], "name": "DecayPeriodVoteUpdate", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "sender", "type": "address", }, { "indexed": True, "internalType": "address", "name": "receiver", "type": "address", }, { "indexed": False, "internalType": "uint256", "name": "share", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "token0Amount", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "token1Amount", "type": "uint256", }, ], "name": "Deposited", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": False, "internalType": "string", "name": "reason", "type": "string", } ], "name": "Error", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "user", "type": "address", }, { "indexed": False, "internalType": "uint256", "name": "fee", "type": "uint256", }, { "indexed": False, "internalType": "bool", "name": "isDefault", "type": "bool", }, { "indexed": False, "internalType": "uint256", "name": "amount", "type": "uint256", }, ], "name": "FeeVoteUpdate", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "previousOwner", "type": "address", }, { "indexed": True, "internalType": "address", "name": "newOwner", "type": "address", }, ], "name": "OwnershipTransferred", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "user", "type": "address", }, { "indexed": False, "internalType": "uint256", "name": "slippageFee", "type": "uint256", }, { "indexed": False, "internalType": "bool", "name": "isDefault", "type": "bool", }, { "indexed": False, "internalType": "uint256", "name": "amount", "type": "uint256", }, ], "name": "SlippageFeeVoteUpdate", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "sender", "type": "address", }, { "indexed": True, "internalType": "address", "name": "receiver", "type": "address", }, { "indexed": True, "internalType": "address", "name": "srcToken", "type": "address", }, { "indexed": False, "internalType": "address", "name": "dstToken", "type": "address", }, { "indexed": False, "internalType": "uint256", "name": "amount", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "result", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "srcAdditionBalance", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "dstRemovalBalance", "type": "uint256", }, { "indexed": False, "internalType": "address", "name": "referral", "type": "address", }, ], "name": "Swapped", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": False, "internalType": "uint256", "name": "srcBalance", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "dstBalance", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "fee", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "slippageFee", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "referralShare", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "governanceShare", "type": "uint256", }, ], "name": "Sync", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "from", "type": "address", }, { "indexed": True, "internalType": "address", "name": "to", "type": "address", }, { "indexed": False, "internalType": "uint256", "name": "value", "type": "uint256", }, ], "name": "Transfer", "type": "event", }, { "anonymous": False, "inputs": [ { "indexed": True, "internalType": "address", "name": "sender", "type": "address", }, { "indexed": True, "internalType": "address", "name": "receiver", "type": "address", }, { "indexed": False, "internalType": "uint256", "name": "share", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "token0Amount", "type": "uint256", }, { "indexed": False, "internalType": "uint256", "name": "token1Amount", "type": "uint256", }, ], "name": "Withdrawn", "type": "event", }, { "inputs": [ {"internalType": "address", "name": "owner", "type": "address"}, {"internalType": "address", "name": "spender", "type": "address"}, ], "name": "allowance", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "address", "name": "spender", "type": "address"}, {"internalType": "uint256", "name": "amount", "type": "uint256"}, ], "name": "approve", "outputs": [{"internalType": "bool", "name": "", "type": "bool"}], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [{"internalType": "address", "name": "account", "type": "address"}], "name": "balanceOf", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "decayPeriod", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [{"internalType": "uint256", "name": "vote", "type": "uint256"}], "name": "decayPeriodVote", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [{"internalType": "address", "name": "user", "type": "address"}], "name": "decayPeriodVotes", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "decimals", "outputs": [{"internalType": "uint8", "name": "", "type": "uint8"}], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "address", "name": "spender", "type": "address"}, {"internalType": "uint256", "name": "subtractedValue", "type": "uint256"}, ], "name": "decreaseAllowance", "outputs": [{"internalType": "bool", "name": "", "type": "bool"}], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [ {"internalType": "uint256[2]", "name": "maxAmounts", "type": "uint256[2]"}, {"internalType": "uint256[2]", "name": "minAmounts", "type": "uint256[2]"}, ], "name": "deposit", "outputs": [ {"internalType": "uint256", "name": "fairSupply", "type": "uint256"}, { "internalType": "uint256[2]", "name": "receivedAmounts", "type": "uint256[2]", }, ], "stateMutability": "payable", "type": "function", }, { "inputs": [ {"internalType": "uint256[2]", "name": "maxAmounts", "type": "uint256[2]"}, {"internalType": "uint256[2]", "name": "minAmounts", "type": "uint256[2]"}, {"internalType": "address", "name": "target", "type": "address"}, ], "name": "depositFor", "outputs": [ {"internalType": "uint256", "name": "fairSupply", "type": "uint256"}, { "internalType": "uint256[2]", "name": "receivedAmounts", "type": "uint256[2]", }, ], "stateMutability": "payable", "type": "function", }, { "inputs": [], "name": "discardDecayPeriodVote", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [], "name": "discardFeeVote", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [], "name": "discardSlippageFeeVote", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [], "name": "fee", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [{"internalType": "uint256", "name": "vote", "type": "uint256"}], "name": "feeVote", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [{"internalType": "address", "name": "user", "type": "address"}], "name": "feeVotes", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "contract IERC20", "name": "token", "type": "address"} ], "name": "getBalanceForAddition", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "contract IERC20", "name": "token", "type": "address"} ], "name": "getBalanceForRemoval", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "contract IERC20", "name": "src", "type": "address"}, {"internalType": "contract IERC20", "name": "dst", "type": "address"}, {"internalType": "uint256", "name": "amount", "type": "uint256"}, ], "name": "getReturn", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "getTokens", "outputs": [ {"internalType": "contract IERC20[]", "name": "tokens", "type": "address[]"} ], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "address", "name": "spender", "type": "address"}, {"internalType": "uint256", "name": "addedValue", "type": "uint256"}, ], "name": "increaseAllowance", "outputs": [{"internalType": "bool", "name": "", "type": "bool"}], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [], "name": "mooniswapFactoryGovernance", "outputs": [ { "internalType": "contract IMooniswapFactoryGovernance", "name": "", "type": "address", } ], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "name", "outputs": [{"internalType": "string", "name": "", "type": "string"}], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "owner", "outputs": [{"internalType": "address", "name": "", "type": "address"}], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "renounceOwnership", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [ {"internalType": "contract IERC20", "name": "token", "type": "address"}, {"internalType": "uint256", "name": "amount", "type": "uint256"}, ], "name": "rescueFunds", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [ { "internalType": "contract IMooniswapFactoryGovernance", "name": "newMooniswapFactoryGovernance", "type": "address", } ], "name": "setMooniswapFactoryGovernance", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [], "name": "slippageFee", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [{"internalType": "uint256", "name": "vote", "type": "uint256"}], "name": "slippageFeeVote", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [{"internalType": "address", "name": "user", "type": "address"}], "name": "slippageFeeVotes", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "contract IERC20", "name": "src", "type": "address"}, {"internalType": "contract IERC20", "name": "dst", "type": "address"}, {"internalType": "uint256", "name": "amount", "type": "uint256"}, {"internalType": "uint256", "name": "minReturn", "type": "uint256"}, {"internalType": "address", "name": "referral", "type": "address"}, ], "name": "swap", "outputs": [{"internalType": "uint256", "name": "result", "type": "uint256"}], "stateMutability": "payable", "type": "function", }, { "inputs": [ {"internalType": "contract IERC20", "name": "src", "type": "address"}, {"internalType": "contract IERC20", "name": "dst", "type": "address"}, {"internalType": "uint256", "name": "amount", "type": "uint256"}, {"internalType": "uint256", "name": "minReturn", "type": "uint256"}, {"internalType": "address", "name": "referral", "type": "address"}, {"internalType": "address payable", "name": "receiver", "type": "address"}, ], "name": "swapFor", "outputs": [{"internalType": "uint256", "name": "result", "type": "uint256"}], "stateMutability": "payable", "type": "function", }, { "inputs": [], "name": "symbol", "outputs": [{"internalType": "string", "name": "", "type": "string"}], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "token0", "outputs": [{"internalType": "contract IERC20", "name": "", "type": "address"}], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "token1", "outputs": [{"internalType": "contract IERC20", "name": "", "type": "address"}], "stateMutability": "view", "type": "function", }, { "inputs": [{"internalType": "uint256", "name": "i", "type": "uint256"}], "name": "tokens", "outputs": [{"internalType": "contract IERC20", "name": "", "type": "address"}], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "totalSupply", "outputs": [{"internalType": "uint256", "name": "", "type": "uint256"}], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "address", "name": "recipient", "type": "address"}, {"internalType": "uint256", "name": "amount", "type": "uint256"}, ], "name": "transfer", "outputs": [{"internalType": "bool", "name": "", "type": "bool"}], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [ {"internalType": "address", "name": "sender", "type": "address"}, {"internalType": "address", "name": "recipient", "type": "address"}, {"internalType": "uint256", "name": "amount", "type": "uint256"}, ], "name": "transferFrom", "outputs": [{"internalType": "bool", "name": "", "type": "bool"}], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [{"internalType": "address", "name": "newOwner", "type": "address"}], "name": "transferOwnership", "outputs": [], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [{"internalType": "contract IERC20", "name": "", "type": "address"}], "name": "virtualBalancesForAddition", "outputs": [ {"internalType": "uint216", "name": "balance", "type": "uint216"}, {"internalType": "uint40", "name": "time", "type": "uint40"}, ], "stateMutability": "view", "type": "function", }, { "inputs": [{"internalType": "contract IERC20", "name": "", "type": "address"}], "name": "virtualBalancesForRemoval", "outputs": [ {"internalType": "uint216", "name": "balance", "type": "uint216"}, {"internalType": "uint40", "name": "time", "type": "uint40"}, ], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "virtualDecayPeriod", "outputs": [ {"internalType": "uint104", "name": "", "type": "uint104"}, {"internalType": "uint104", "name": "", "type": "uint104"}, {"internalType": "uint48", "name": "", "type": "uint48"}, ], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "virtualFee", "outputs": [ {"internalType": "uint104", "name": "", "type": "uint104"}, {"internalType": "uint104", "name": "", "type": "uint104"}, {"internalType": "uint48", "name": "", "type": "uint48"}, ], "stateMutability": "view", "type": "function", }, { "inputs": [], "name": "virtualSlippageFee", "outputs": [ {"internalType": "uint104", "name": "", "type": "uint104"}, {"internalType": "uint104", "name": "", "type": "uint104"}, {"internalType": "uint48", "name": "", "type": "uint48"}, ], "stateMutability": "view", "type": "function", }, { "inputs": [{"internalType": "contract IERC20", "name": "", "type": "address"}], "name": "volumes", "outputs": [ {"internalType": "uint128", "name": "confirmed", "type": "uint128"}, {"internalType": "uint128", "name": "result", "type": "uint128"}, ], "stateMutability": "view", "type": "function", }, { "inputs": [ {"internalType": "uint256", "name": "amount", "type": "uint256"}, {"internalType": "uint256[]", "name": "minReturns", "type": "uint256[]"}, ], "name": "withdraw", "outputs": [ { "internalType": "uint256[2]", "name": "withdrawnAmounts", "type": "uint256[2]", } ], "stateMutability": "nonpayable", "type": "function", }, { "inputs": [ {"internalType": "uint256", "name": "amount", "type": "uint256"}, {"internalType": "uint256[]", "name": "minReturns", "type": "uint256[]"}, {"internalType": "address payable", "name": "target", "type": "address"}, ], "name": "withdrawFor", "outputs": [ { "internalType": "uint256[2]", "name": "withdrawnAmounts", "type": "uint256[2]", } ], "stateMutability": "nonpayable", "type": "function", }, ]
mooniswap_abi = [{'inputs': [{'internalType': 'contract IERC20', 'name': '_token0', 'type': 'address'}, {'internalType': 'contract IERC20', 'name': '_token1', 'type': 'address'}, {'internalType': 'string', 'name': 'name', 'type': 'string'}, {'internalType': 'string', 'name': 'symbol', 'type': 'string'}, {'internalType': 'contract IMooniswapFactoryGovernance', 'name': '_mooniswapFactoryGovernance', 'type': 'address'}], 'stateMutability': 'nonpayable', 'type': 'constructor'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'owner', 'type': 'address'}, {'indexed': True, 'internalType': 'address', 'name': 'spender', 'type': 'address'}, {'indexed': False, 'internalType': 'uint256', 'name': 'value', 'type': 'uint256'}], 'name': 'Approval', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'user', 'type': 'address'}, {'indexed': False, 'internalType': 'uint256', 'name': 'decayPeriod', 'type': 'uint256'}, {'indexed': False, 'internalType': 'bool', 'name': 'isDefault', 'type': 'bool'}, {'indexed': False, 'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}], 'name': 'DecayPeriodVoteUpdate', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'sender', 'type': 'address'}, {'indexed': True, 'internalType': 'address', 'name': 'receiver', 'type': 'address'}, {'indexed': False, 'internalType': 'uint256', 'name': 'share', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'token0Amount', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'token1Amount', 'type': 'uint256'}], 'name': 'Deposited', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': False, 'internalType': 'string', 'name': 'reason', 'type': 'string'}], 'name': 'Error', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'user', 'type': 'address'}, {'indexed': False, 'internalType': 'uint256', 'name': 'fee', 'type': 'uint256'}, {'indexed': False, 'internalType': 'bool', 'name': 'isDefault', 'type': 'bool'}, {'indexed': False, 'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}], 'name': 'FeeVoteUpdate', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'previousOwner', 'type': 'address'}, {'indexed': True, 'internalType': 'address', 'name': 'newOwner', 'type': 'address'}], 'name': 'OwnershipTransferred', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'user', 'type': 'address'}, {'indexed': False, 'internalType': 'uint256', 'name': 'slippageFee', 'type': 'uint256'}, {'indexed': False, 'internalType': 'bool', 'name': 'isDefault', 'type': 'bool'}, {'indexed': False, 'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}], 'name': 'SlippageFeeVoteUpdate', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'sender', 'type': 'address'}, {'indexed': True, 'internalType': 'address', 'name': 'receiver', 'type': 'address'}, {'indexed': True, 'internalType': 'address', 'name': 'srcToken', 'type': 'address'}, {'indexed': False, 'internalType': 'address', 'name': 'dstToken', 'type': 'address'}, {'indexed': False, 'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'result', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'srcAdditionBalance', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'dstRemovalBalance', 'type': 'uint256'}, {'indexed': False, 'internalType': 'address', 'name': 'referral', 'type': 'address'}], 'name': 'Swapped', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': False, 'internalType': 'uint256', 'name': 'srcBalance', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'dstBalance', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'fee', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'slippageFee', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'referralShare', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'governanceShare', 'type': 'uint256'}], 'name': 'Sync', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'from', 'type': 'address'}, {'indexed': True, 'internalType': 'address', 'name': 'to', 'type': 'address'}, {'indexed': False, 'internalType': 'uint256', 'name': 'value', 'type': 'uint256'}], 'name': 'Transfer', 'type': 'event'}, {'anonymous': False, 'inputs': [{'indexed': True, 'internalType': 'address', 'name': 'sender', 'type': 'address'}, {'indexed': True, 'internalType': 'address', 'name': 'receiver', 'type': 'address'}, {'indexed': False, 'internalType': 'uint256', 'name': 'share', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'token0Amount', 'type': 'uint256'}, {'indexed': False, 'internalType': 'uint256', 'name': 'token1Amount', 'type': 'uint256'}], 'name': 'Withdrawn', 'type': 'event'}, {'inputs': [{'internalType': 'address', 'name': 'owner', 'type': 'address'}, {'internalType': 'address', 'name': 'spender', 'type': 'address'}], 'name': 'allowance', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'spender', 'type': 'address'}, {'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}], 'name': 'approve', 'outputs': [{'internalType': 'bool', 'name': '', 'type': 'bool'}], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'account', 'type': 'address'}], 'name': 'balanceOf', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'decayPeriod', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'uint256', 'name': 'vote', 'type': 'uint256'}], 'name': 'decayPeriodVote', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'user', 'type': 'address'}], 'name': 'decayPeriodVotes', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'decimals', 'outputs': [{'internalType': 'uint8', 'name': '', 'type': 'uint8'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'spender', 'type': 'address'}, {'internalType': 'uint256', 'name': 'subtractedValue', 'type': 'uint256'}], 'name': 'decreaseAllowance', 'outputs': [{'internalType': 'bool', 'name': '', 'type': 'bool'}], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'uint256[2]', 'name': 'maxAmounts', 'type': 'uint256[2]'}, {'internalType': 'uint256[2]', 'name': 'minAmounts', 'type': 'uint256[2]'}], 'name': 'deposit', 'outputs': [{'internalType': 'uint256', 'name': 'fairSupply', 'type': 'uint256'}, {'internalType': 'uint256[2]', 'name': 'receivedAmounts', 'type': 'uint256[2]'}], 'stateMutability': 'payable', 'type': 'function'}, {'inputs': [{'internalType': 'uint256[2]', 'name': 'maxAmounts', 'type': 'uint256[2]'}, {'internalType': 'uint256[2]', 'name': 'minAmounts', 'type': 'uint256[2]'}, {'internalType': 'address', 'name': 'target', 'type': 'address'}], 'name': 'depositFor', 'outputs': [{'internalType': 'uint256', 'name': 'fairSupply', 'type': 'uint256'}, {'internalType': 'uint256[2]', 'name': 'receivedAmounts', 'type': 'uint256[2]'}], 'stateMutability': 'payable', 'type': 'function'}, {'inputs': [], 'name': 'discardDecayPeriodVote', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [], 'name': 'discardFeeVote', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [], 'name': 'discardSlippageFeeVote', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [], 'name': 'fee', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'uint256', 'name': 'vote', 'type': 'uint256'}], 'name': 'feeVote', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'user', 'type': 'address'}], 'name': 'feeVotes', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': 'token', 'type': 'address'}], 'name': 'getBalanceForAddition', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': 'token', 'type': 'address'}], 'name': 'getBalanceForRemoval', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': 'src', 'type': 'address'}, {'internalType': 'contract IERC20', 'name': 'dst', 'type': 'address'}, {'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}], 'name': 'getReturn', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'getTokens', 'outputs': [{'internalType': 'contract IERC20[]', 'name': 'tokens', 'type': 'address[]'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'spender', 'type': 'address'}, {'internalType': 'uint256', 'name': 'addedValue', 'type': 'uint256'}], 'name': 'increaseAllowance', 'outputs': [{'internalType': 'bool', 'name': '', 'type': 'bool'}], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [], 'name': 'mooniswapFactoryGovernance', 'outputs': [{'internalType': 'contract IMooniswapFactoryGovernance', 'name': '', 'type': 'address'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'name', 'outputs': [{'internalType': 'string', 'name': '', 'type': 'string'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'owner', 'outputs': [{'internalType': 'address', 'name': '', 'type': 'address'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'renounceOwnership', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': 'token', 'type': 'address'}, {'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}], 'name': 'rescueFunds', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'contract IMooniswapFactoryGovernance', 'name': 'newMooniswapFactoryGovernance', 'type': 'address'}], 'name': 'setMooniswapFactoryGovernance', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [], 'name': 'slippageFee', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'uint256', 'name': 'vote', 'type': 'uint256'}], 'name': 'slippageFeeVote', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'user', 'type': 'address'}], 'name': 'slippageFeeVotes', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': 'src', 'type': 'address'}, {'internalType': 'contract IERC20', 'name': 'dst', 'type': 'address'}, {'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}, {'internalType': 'uint256', 'name': 'minReturn', 'type': 'uint256'}, {'internalType': 'address', 'name': 'referral', 'type': 'address'}], 'name': 'swap', 'outputs': [{'internalType': 'uint256', 'name': 'result', 'type': 'uint256'}], 'stateMutability': 'payable', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': 'src', 'type': 'address'}, {'internalType': 'contract IERC20', 'name': 'dst', 'type': 'address'}, {'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}, {'internalType': 'uint256', 'name': 'minReturn', 'type': 'uint256'}, {'internalType': 'address', 'name': 'referral', 'type': 'address'}, {'internalType': 'address payable', 'name': 'receiver', 'type': 'address'}], 'name': 'swapFor', 'outputs': [{'internalType': 'uint256', 'name': 'result', 'type': 'uint256'}], 'stateMutability': 'payable', 'type': 'function'}, {'inputs': [], 'name': 'symbol', 'outputs': [{'internalType': 'string', 'name': '', 'type': 'string'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'token0', 'outputs': [{'internalType': 'contract IERC20', 'name': '', 'type': 'address'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'token1', 'outputs': [{'internalType': 'contract IERC20', 'name': '', 'type': 'address'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'uint256', 'name': 'i', 'type': 'uint256'}], 'name': 'tokens', 'outputs': [{'internalType': 'contract IERC20', 'name': '', 'type': 'address'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'totalSupply', 'outputs': [{'internalType': 'uint256', 'name': '', 'type': 'uint256'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'recipient', 'type': 'address'}, {'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}], 'name': 'transfer', 'outputs': [{'internalType': 'bool', 'name': '', 'type': 'bool'}], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'sender', 'type': 'address'}, {'internalType': 'address', 'name': 'recipient', 'type': 'address'}, {'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}], 'name': 'transferFrom', 'outputs': [{'internalType': 'bool', 'name': '', 'type': 'bool'}], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'address', 'name': 'newOwner', 'type': 'address'}], 'name': 'transferOwnership', 'outputs': [], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': '', 'type': 'address'}], 'name': 'virtualBalancesForAddition', 'outputs': [{'internalType': 'uint216', 'name': 'balance', 'type': 'uint216'}, {'internalType': 'uint40', 'name': 'time', 'type': 'uint40'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': '', 'type': 'address'}], 'name': 'virtualBalancesForRemoval', 'outputs': [{'internalType': 'uint216', 'name': 'balance', 'type': 'uint216'}, {'internalType': 'uint40', 'name': 'time', 'type': 'uint40'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'virtualDecayPeriod', 'outputs': [{'internalType': 'uint104', 'name': '', 'type': 'uint104'}, {'internalType': 'uint104', 'name': '', 'type': 'uint104'}, {'internalType': 'uint48', 'name': '', 'type': 'uint48'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'virtualFee', 'outputs': [{'internalType': 'uint104', 'name': '', 'type': 'uint104'}, {'internalType': 'uint104', 'name': '', 'type': 'uint104'}, {'internalType': 'uint48', 'name': '', 'type': 'uint48'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [], 'name': 'virtualSlippageFee', 'outputs': [{'internalType': 'uint104', 'name': '', 'type': 'uint104'}, {'internalType': 'uint104', 'name': '', 'type': 'uint104'}, {'internalType': 'uint48', 'name': '', 'type': 'uint48'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'contract IERC20', 'name': '', 'type': 'address'}], 'name': 'volumes', 'outputs': [{'internalType': 'uint128', 'name': 'confirmed', 'type': 'uint128'}, {'internalType': 'uint128', 'name': 'result', 'type': 'uint128'}], 'stateMutability': 'view', 'type': 'function'}, {'inputs': [{'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}, {'internalType': 'uint256[]', 'name': 'minReturns', 'type': 'uint256[]'}], 'name': 'withdraw', 'outputs': [{'internalType': 'uint256[2]', 'name': 'withdrawnAmounts', 'type': 'uint256[2]'}], 'stateMutability': 'nonpayable', 'type': 'function'}, {'inputs': [{'internalType': 'uint256', 'name': 'amount', 'type': 'uint256'}, {'internalType': 'uint256[]', 'name': 'minReturns', 'type': 'uint256[]'}, {'internalType': 'address payable', 'name': 'target', 'type': 'address'}], 'name': 'withdrawFor', 'outputs': [{'internalType': 'uint256[2]', 'name': 'withdrawnAmounts', 'type': 'uint256[2]'}], 'stateMutability': 'nonpayable', 'type': 'function'}]
msg = None if msg: print(msg)
msg = None if msg: print(msg)
def counter(c_var): while True: try: c_var = c_var + 1 except KeyboardInterrupt: print('Counter now at: ' + str(c_var)) def counter_p(c_var): while True: c_var = c_var + 1 print(c_var)
def counter(c_var): while True: try: c_var = c_var + 1 except KeyboardInterrupt: print('Counter now at: ' + str(c_var)) def counter_p(c_var): while True: c_var = c_var + 1 print(c_var)
# Type definiton for (type, data) tuples representing a value # See http://androidxref.com/9.0.0_r3/xref/frameworks/base/libs/androidfw/include/androidfw/ResourceTypes.h#262 # The 'data' is either 0 or 1, specifying this resource is either # undefined or empty, respectively. TYPE_NULL = 0x00 # The 'data' holds a ResTable_ref, a reference to another resource # table entry. TYPE_REFERENCE = 0x01 # The 'data' holds an attribute resource identifier. TYPE_ATTRIBUTE = 0x02 # The 'data' holds an index into the containing resource table's # global value string pool. TYPE_STRING = 0x03 # The 'data' holds a single-precision floating point number. TYPE_FLOAT = 0x04 # The 'data' holds a complex number encoding a dimension value # such as "100in". TYPE_DIMENSION = 0x05 # The 'data' holds a complex number encoding a fraction of a # container. TYPE_FRACTION = 0x06 # The 'data' holds a dynamic ResTable_ref, which needs to be # resolved before it can be used like a TYPE_REFERENCE. TYPE_DYNAMIC_REFERENCE = 0x07 # The 'data' holds an attribute resource identifier, which needs to be resolved # before it can be used like a TYPE_ATTRIBUTE. TYPE_DYNAMIC_ATTRIBUTE = 0x08 # Beginning of integer flavors... TYPE_FIRST_INT = 0x10 # The 'data' is a raw integer value of the form n..n. TYPE_INT_DEC = 0x10 # The 'data' is a raw integer value of the form 0xn..n. TYPE_INT_HEX = 0x11 # The 'data' is either 0 or 1, for input "false" or "true" respectively. TYPE_INT_BOOLEAN = 0x12 # Beginning of color integer flavors... TYPE_FIRST_COLOR_INT = 0x1c # The 'data' is a raw integer value of the form #aarrggbb. TYPE_INT_COLOR_ARGB8 = 0x1c # The 'data' is a raw integer value of the form #rrggbb. TYPE_INT_COLOR_RGB8 = 0x1d # The 'data' is a raw integer value of the form #argb. TYPE_INT_COLOR_ARGB4 = 0x1e # The 'data' is a raw integer value of the form #rgb. TYPE_INT_COLOR_RGB4 = 0x1f # ...end of integer flavors. TYPE_LAST_COLOR_INT = 0x1f # ...end of integer flavors. TYPE_LAST_INT = 0x1f
type_null = 0 type_reference = 1 type_attribute = 2 type_string = 3 type_float = 4 type_dimension = 5 type_fraction = 6 type_dynamic_reference = 7 type_dynamic_attribute = 8 type_first_int = 16 type_int_dec = 16 type_int_hex = 17 type_int_boolean = 18 type_first_color_int = 28 type_int_color_argb8 = 28 type_int_color_rgb8 = 29 type_int_color_argb4 = 30 type_int_color_rgb4 = 31 type_last_color_int = 31 type_last_int = 31
words=['Aaron', 'Ab', 'Abba', 'Abbe', 'Abbey', 'Abbie', 'Abbot', 'Abbott', 'Abby', 'Abdel', 'Abdul', 'Abe', 'Abel', 'Abelard', 'Abeu', 'Abey', 'Abie', 'Abner', 'Abraham', 'Abrahan', 'Abram', 'Abramo', 'Abran', 'Ad', 'Adair', 'Adam', 'Adamo', 'Adams', 'Adan', 'Addie', 'Addison', 'Addy', 'Ade', 'Adelbert', 'Adham', 'Adlai', 'Adler', 'Ado', 'Adolf', 'Adolph', 'Adolphe', 'Adolpho', 'Adolphus', 'Adrian', 'Adriano', 'Adrien', 'Agosto', 'Aguie', 'Aguistin', 'Aguste', 'Agustin', 'Aharon', 'Ahmad', 'Ahmed', 'Ailbert', 'Akim', 'Aksel', 'Al', 'Alain', 'Alair', 'Alan', 'Aland', 'Alano', 'Alanson', 'Alard', 'Alaric', 'Alasdair', 'Alastair', 'Alasteir', 'Alaster', 'Alberik', 'Albert', 'Alberto', 'Albie', 'Albrecht', 'Alden', 'Aldin', 'Aldis', 'Aldo', 'Aldon', 'Aldous', 'Aldric', 'Aldrich', 'Aldridge', 'Aldus', 'Aldwin', 'Alec', 'Alejandro', 'Alejoa', 'Aleksandr', 'Alessandro', 'Alex', 'Alexander', 'Alexandr', 'Alexandre', 'Alexandro', 'Alexandros', 'Alexei', 'Alexio', 'Alexis', 'Alf', 'Alfie', 'Alfons', 'Alfonse', 'Alfonso', 'Alford', 'Alfred', 'Alfredo', 'Alfy', 'Algernon', 'Ali', 'Alic', 'Alick', 'Alisander', 'Alistair', 'Alister', 'Alix', 'Allan', 'Allard', 'Allayne', 'Allen', 'Alley', 'Alleyn', 'Allie', 'Allin', 'Allister', 'Allistir', 'Allyn', 'Aloin', 'Alon', 'Alonso', 'Alonzo', 'Aloysius', 'Alphard', 'Alphonse', 'Alphonso', 'Alric', 'Aluin', 'Aluino', 'Alva', 'Alvan', 'Alvie', 'Alvin', 'Alvis', 'Alvy', 'Alwin', 'Alwyn', 'Alyosha', 'Amble', 'Ambros', 'Ambrose', 'Ambrosi', 'Ambrosio', 'Ambrosius', 'Amby', 'Amerigo', 'Amery', 'Amory', 'Amos', 'Anatol', 'Anatole', 'Anatollo', 'Ancell', 'Anders', 'Anderson', 'Andie', 'Andonis', 'Andras', 'Andre', 'Andrea', 'Andreas', 'Andrej', 'Andres', 'Andrew', 'Andrey', 'Andris', 'Andros', 'Andrus', 'Andy', 'Ange', 'Angel', 'Angeli', 'Angelico', 'Angelo', 'Angie', 'Angus', 'Ansel', 'Ansell', 'Anselm', 'Anson', 'Anthony', 'Antin', 'Antoine', 'Anton', 'Antone', 'Antoni', 'Antonin', 'Antonino', 'Antonio', 'Antonius', 'Antons', 'Antony', 'Any', 'Ara', 'Araldo', 'Arch', 'Archaimbaud', 'Archambault', 'Archer', 'Archibald', 'Archibaldo', 'Archibold', 'Archie', 'Archy', 'Arel', 'Ari', 'Arie', 'Ariel', 'Arin', 'Ario', 'Aristotle', 'Arlan', 'Arlen', 'Arley', 'Arlin', 'Arman', 'Armand', 'Armando', 'Armin', 'Armstrong', 'Arnaldo', 'Arne', 'Arney', 'Arni', 'Arnie', 'Arnold', 'Arnoldo', 'Arnuad', 'Arny', 'Aron', 'Arri', 'Arron', 'Art', 'Artair', 'Arte', 'Artemas', 'Artemis', 'Artemus', 'Arther', 'Arthur', 'Artie', 'Artur', 'Arturo', 'Artus', 'Arty', 'Arv', 'Arvie', 'Arvin', 'Arvy', 'Asa', 'Ase', 'Ash', 'Ashbey', 'Ashby', 'Asher', 'Ashley', 'Ashlin', 'Ashton', 'Aube', 'Auberon', 'Aubert', 'Aubrey', 'Augie', 'August', 'Augustin', 'Augustine', 'Augusto', 'Augustus', 'Augy', 'Aurthur', 'Austen', 'Austin', 'Ave', 'Averell', 'Averil', 'Averill', 'Avery', 'Avictor', 'Avigdor', 'Avram', 'Avrom', 'Ax', 'Axe', 'Axel', 'Aylmar', 'Aylmer', 'Aymer', 'Bail', 'Bailey', 'Bailie', 'Baillie', 'Baily', 'Baird', 'Bald', 'Balduin', 'Baldwin', 'Bale', 'Ban', 'Bancroft', 'Bank', 'Banky', 'Bar', 'Barbabas', 'Barclay', 'Bard', 'Barde', 'Barn', 'Barnabas', 'Barnabe', 'Barnaby', 'Barnard', 'Barnebas', 'Barnett', 'Barney', 'Barnie', 'Barny', 'Baron', 'Barr', 'Barret', 'Barrett', 'Barri', 'Barrie', 'Barris', 'Barron', 'Barry', 'Bart', 'Bartel', 'Barth', 'Barthel', 'Bartholemy', 'Bartholomeo', 'Bartholomeus', 'Bartholomew', 'Bartie', 'Bartlet', 'Bartlett', 'Bartolemo', 'Bartolomeo', 'Barton', 'Bartram', 'Barty', 'Bary', 'Baryram', 'Base', 'Basil', 'Basile', 'Basilio', 'Basilius', 'Bastian', 'Bastien', 'Bat', 'Batholomew', 'Baudoin', 'Bax', 'Baxie', 'Baxter', 'Baxy', 'Bay', 'Bayard', 'Beale', 'Bealle', 'Bear', 'Bearnard', 'Beau', 'Beaufort', 'Beauregard', 'Beck', 'Beltran', 'Ben', 'Bendick', 'Bendicty', 'Bendix', 'Benedetto', 'Benedick', 'Benedict', 'Benedicto', 'Benedikt', 'Bengt', 'Beniamino', 'Benito', 'Benjamen', 'Benjamin', 'Benji', 'Benjie', 'Benjy', 'Benn', 'Bennett', 'Bennie', 'Benny', 'Benoit', 'Benson', 'Bent', 'Bentlee', 'Bentley', 'Benton', 'Benyamin', 'Ber', 'Berk', 'Berke', 'Berkeley', 'Berkie', 'Berkley', 'Berkly', 'Berky', 'Bern', 'Bernard', 'Bernardo', 'Bernarr', 'Berne', 'Bernhard', 'Bernie', 'Berny', 'Bert', 'Berti', 'Bertie', 'Berton', 'Bertram', 'Bertrand', 'Bertrando', 'Berty', 'Bev', 'Bevan', 'Bevin', 'Bevon', 'Bil', 'Bill', 'Billie', 'Billy', 'Bing', 'Bink', 'Binky', 'Birch', 'Birk', 'Biron', 'Bjorn', 'Blaine', 'Blair', 'Blake', 'Blane', 'Blayne', 'Bo', 'Bob', 'Bobbie', 'Bobby', 'Bogart', 'Bogey', 'Boigie', 'Bond', 'Bondie', 'Bondon', 'Bondy', 'Bone', 'Boniface', 'Boone', 'Boonie', 'Boony', 'Boot', 'Boote', 'Booth', 'Boothe', 'Bord', 'Borden', 'Bordie', 'Bordy', 'Borg', 'Boris', 'Bourke', 'Bowie', 'Boy', 'Boyce', 'Boycey', 'Boycie', 'Boyd', 'Brad', 'Bradan', 'Brade', 'Braden', 'Bradford', 'Bradley', 'Bradly', 'Bradney', 'Brady', 'Bram', 'Bran', 'Brand', 'Branden', 'Brander', 'Brandon', 'Brandtr', 'Brandy', 'Brandyn', 'Brannon', 'Brant', 'Brantley', 'Bren', 'Brendan', 'Brenden', 'Brendin', 'Brendis', 'Brendon', 'Brennan', 'Brennen', 'Brent', 'Bret', 'Brett', 'Brew', 'Brewer', 'Brewster', 'Brian', 'Briano', 'Briant', 'Brice', 'Brien', 'Brig', 'Brigg', 'Briggs', 'Brigham', 'Brion', 'Brit', 'Britt', 'Brnaba', 'Brnaby', 'Brock', 'Brockie', 'Brocky', 'Brod', 'Broddie', 'Broddy', 'Broderic', 'Broderick', 'Brodie', 'Brody', 'Brok', 'Bron', 'Bronnie', 'Bronny', 'Bronson', 'Brook', 'Brooke', 'Brooks', 'Brose', 'Bruce', 'Brucie', 'Bruis', 'Bruno', 'Bryan', 'Bryant', 'Bryanty', 'Bryce', 'Bryn', 'Bryon', 'Buck', 'Buckie', 'Bucky', 'Bud', 'Budd', 'Buddie', 'Buddy', 'Buiron', 'Burch', 'Burg', 'Burgess', 'Burk', 'Burke', 'Burl', 'Burlie', 'Burnaby', 'Burnard', 'Burr', 'Burt', 'Burtie', 'Burton', 'Burty', 'Butch', 'Byram', 'Byran', 'Byrann', 'Byrle', 'Byrom', 'Byron', 'Cad', 'Caddric', 'Caesar', 'Cal', 'Caldwell', 'Cale', 'Caleb', 'Calhoun', 'Callean', 'Calv', 'Calvin', 'Cam', 'Cameron', 'Camey', 'Cammy', 'Car', 'Carce', 'Care', 'Carey', 'Carl', 'Carleton', 'Carlie', 'Carlin', 'Carling', 'Carlo', 'Carlos', 'Carly', 'Carlyle', 'Carmine', 'Carney', 'Carny', 'Carolus', 'Carr', 'Carrol', 'Carroll', 'Carson', 'Cart', 'Carter', 'Carver', 'Cary', 'Caryl', 'Casar', 'Case', 'Casey', 'Cash', 'Caspar', 'Casper', 'Cass', 'Cassie', 'Cassius', 'Caz', 'Cazzie', 'Cchaddie', 'Cece', 'Cecil', 'Cecilio', 'Cecilius', 'Ced', 'Cedric', 'Cello', 'Cesar', 'Cesare', 'Cesaro', 'Chad', 'Chadd', 'Chaddie', 'Chaddy', 'Chadwick', 'Chaim', 'Chalmers', 'Chan', 'Chance', 'Chancey', 'Chandler', 'Chane', 'Chariot', 'Charles', 'Charley', 'Charlie', 'Charlton', 'Chas', 'Chase', 'Chaunce', 'Chauncey', 'Che', 'Chen', 'Ches', 'Chester', 'Cheston', 'Chet', 'Chev', 'Chevalier', 'Chevy', 'Chic', 'Chick', 'Chickie', 'Chicky', 'Chico', 'Chilton', 'Chip', 'Chris', 'Chrisse', 'Chrissie', 'Chrissy', 'Christian', 'Christiano', 'Christie', 'Christoffer', 'Christoforo', 'Christoper', 'Christoph', 'Christophe', 'Christopher', 'Christophorus', 'Christos', 'Christy', 'Chrisy', 'Chrotoem', 'Chucho', 'Chuck', 'Cirillo', 'Cirilo', 'Ciro', 'Claiborn', 'Claiborne', 'Clair', 'Claire', 'Clarance', 'Clare', 'Clarence', 'Clark', 'Clarke', 'Claudell', 'Claudian', 'Claudianus', 'Claudio', 'Claudius', 'Claus', 'Clay', 'Clayborn', 'Clayborne', 'Claybourne', 'Clayson', 'Clayton', 'Cleavland', 'Clem', 'Clemens', 'Clement', 'Clemente', 'Clementius', 'Clemmie', 'Clemmy', 'Cleon', 'Clerc', 'Cletis', 'Cletus', 'Cleve', 'Cleveland', 'Clevey', 'Clevie', 'Cliff', 'Clifford', 'Clim', 'Clint', 'Clive', 'Cly', 'Clyde', 'Clyve', 'Clywd', 'Cob', 'Cobb', 'Cobbie', 'Cobby', 'Codi', 'Codie', 'Cody', 'Cointon', 'Colan', 'Colas', 'Colby', 'Cole', 'Coleman', 'Colet', 'Colin', 'Collin', 'Colman', 'Colver', 'Con', 'Conan', 'Conant', 'Conn', 'Conney', 'Connie', 'Connor', 'Conny', 'Conrad', 'Conrade', 'Conrado', 'Conroy', 'Consalve', 'Constantin', 'Constantine', 'Constantino', 'Conway', 'Coop', 'Cooper', 'Corbet', 'Corbett', 'Corbie', 'Corbin', 'Corby', 'Cord', 'Cordell', 'Cordie', 'Cordy', 'Corey', 'Cori', 'Cornall', 'Cornelius', 'Cornell', 'Corney', 'Cornie', 'Corny', 'Correy', 'Corrie', 'Cort', 'Cortie', 'Corty', 'Cory', 'Cos', 'Cosimo', 'Cosme', 'Cosmo', 'Costa', 'Court', 'Courtnay', 'Courtney', 'Cozmo', 'Craggie', 'Craggy', 'Craig', 'Crawford', 'Creigh', 'Creight', 'Creighton', 'Crichton', 'Cris', 'Cristian', 'Cristiano', 'Cristobal', 'Crosby', 'Cross', 'Cull', 'Cullan', 'Cullen', 'Culley', 'Cullie', 'Cullin', 'Cully', 'Culver', 'Curcio', 'Curr', 'Curran', 'Currey', 'Currie', 'Curry', 'Curt', 'Curtice', 'Curtis', 'Cy', 'Cyril', 'Cyrill', 'Cyrille', 'Cyrillus', 'Cyrus', "D'Arcy", 'Dael', 'Dag', 'Dagny', 'Dal', 'Dale', 'Dalis', 'Dall', 'Dallas', 'Dalli', 'Dallis', 'Dallon', 'Dalston', 'Dalt', 'Dalton', 'Dame', 'Damian', 'Damiano', 'Damien', 'Damon', 'Dan', 'Dana', 'Dane', 'Dani', 'Danie', 'Daniel', 'Dannel', 'Dannie', 'Danny', 'Dante', 'Danya', 'Dar', 'Darb', 'Darbee', 'Darby', 'Darcy', 'Dare', 'Daren', 'Darill', 'Darin', 'Dario', 'Darius', 'Darn', 'Darnall', 'Darnell', 'Daron', 'Darrel', 'Darrell', 'Darren', 'Darrick', 'Darrin', 'Darryl', 'Darwin', 'Daryl', 'Daryle', 'Dav', 'Dave', 'Daven', 'Davey', 'David', 'Davidde', 'Davide', 'Davidson', 'Davie', 'Davin', 'Davis', 'Davon', 'Davy', 'De Witt', 'Dean', 'Deane', 'Decca', 'Deck', 'Del', 'Delainey', 'Delaney', 'Delano', 'Delbert', 'Dell', 'Delmar', 'Delmer', 'Delmor', 'Delmore', 'Demetre', 'Demetri', 'Demetris', 'Demetrius', 'Demott', 'Den', 'Dene', 'Denis', 'Dennet', 'Denney', 'Dennie', 'Dennis', 'Dennison', 'Denny', 'Denver', 'Denys', 'Der', 'Derby', 'Derek', 'Derick', 'Derk', 'Dermot', 'Derrek', 'Derrick', 'Derrik', 'Derril', 'Derron', 'Derry', 'Derward', 'Derwin', 'Des', 'Desi', 'Desmond', 'Desmund', 'Dev', 'Devin', 'Devland', 'Devlen', 'Devlin', 'Devy', 'Dew', 'Dewain', 'Dewey', 'Dewie', 'Dewitt', 'Dex', 'Dexter', 'Diarmid', 'Dick', 'Dickie', 'Dicky', 'Diego', 'Dieter', 'Dietrich', 'Dilan', 'Dill', 'Dillie', 'Dillon', 'Dilly', 'Dimitri', 'Dimitry', 'Dino', 'Dion', 'Dionisio', 'Dionysus', 'Dirk', 'Dmitri', 'Dolf', 'Dolph', 'Dom', 'Domenic', 'Domenico', 'Domingo', 'Dominic', 'Dominick', 'Dominik', 'Dominique', 'Don', 'Donal', 'Donall', 'Donalt', 'Donaugh', 'Donavon', 'Donn', 'Donnell', 'Donnie', 'Donny', 'Donovan', 'Dore', 'Dorey', 'Dorian', 'Dorie', 'Dory', 'Doug', 'Dougie', 'Douglas', 'Douglass', 'Dougy', 'Dov', 'Doy', 'Doyle', 'Drake', 'Drew', 'Dru', 'Drud', 'Drugi', 'Duane', 'Dud', 'Dudley', 'Duff', 'Duffie', 'Duffy', 'Dugald', 'Duke', 'Dukey', 'Dukie', 'Duky', 'Dun', 'Dunc', 'Duncan', 'Dunn', 'Dunstan', 'Dur', 'Durand', 'Durant', 'Durante', 'Durward', 'Dwain', 'Dwayne', 'Dwight', 'Dylan', 'Eadmund', 'Eal', 'Eamon', 'Earl', 'Earle', 'Earlie', 'Early', 'Earvin', 'Eb', 'Eben', 'Ebeneser', 'Ebenezer', 'Eberhard', 'Eberto', 'Ed', 'Edan', 'Edd', 'Eddie', 'Eddy', 'Edgar', 'Edgard', 'Edgardo', 'Edik', 'Edlin', 'Edmon', 'Edmund', 'Edouard', 'Edsel', 'Eduard', 'Eduardo', 'Eduino', 'Edvard', 'Edward', 'Edwin', 'Efrem', 'Efren', 'Egan', 'Egbert', 'Egon', 'Egor', 'El', 'Elbert', 'Elden', 'Eldin', 'Eldon', 'Eldredge', 'Eldridge', 'Eli', 'Elia', 'Elias', 'Elihu', 'Elijah', 'Eliot', 'Elisha', 'Ellary', 'Ellerey', 'Ellery', 'Elliot', 'Elliott', 'Ellis', 'Ellswerth', 'Ellsworth', 'Ellwood', 'Elmer', 'Elmo', 'Elmore', 'Elnar', 'Elroy', 'Elston', 'Elsworth', 'Elton', 'Elvin', 'Elvis', 'Elvyn', 'Elwin', 'Elwood', 'Elwyn', 'Ely', 'Em', 'Emanuel', 'Emanuele', 'Emelen', 'Emerson', 'Emery', 'Emile', 'Emilio', 'Emlen', 'Emlyn', 'Emmanuel', 'Emmerich', 'Emmery', 'Emmet', 'Emmett', 'Emmit', 'Emmott', 'Emmy', 'Emory', 'Engelbert', 'Englebert', 'Ennis', 'Enoch', 'Enos', 'Enrico', 'Enrique', 'Ephraim', 'Ephrayim', 'Ephrem', 'Erasmus', 'Erastus', 'Erek', 'Erhard', 'Erhart', 'Eric', 'Erich', 'Erick', 'Erie', 'Erik', 'Erin', 'Erl', 'Ermanno', 'Ermin', 'Ernest', 'Ernesto', 'Ernestus', 'Ernie', 'Ernst', 'Erny', 'Errick', 'Errol', 'Erroll', 'Erskine', 'Erv', 'ErvIn', 'Erwin', 'Esdras', 'Esme', 'Esra', 'Esteban', 'Estevan', 'Etan', 'Ethan', 'Ethe', 'Ethelbert', 'Ethelred', 'Etienne', 'Ettore', 'Euell', 'Eugen', 'Eugene', 'Eugenio', 'Eugenius', 'Eustace', 'Ev', 'Evan', 'Evelin', 'Evelyn', 'Even', 'Everard', 'Evered', 'Everett', 'Evin', 'Evyn', 'Ewan', 'Eward', 'Ewart', 'Ewell', 'Ewen', 'Ezechiel', 'Ezekiel', 'Ezequiel', 'Eziechiele', 'Ezra', 'Ezri', 'Fabe', 'Faber', 'Fabian', 'Fabiano', 'Fabien', 'Fabio', 'Fair', 'Fairfax', 'Fairleigh', 'Fairlie', 'Falito', 'Falkner', 'Far', 'Farlay', 'Farlee', 'Farleigh', 'Farley', 'Farlie', 'Farly', 'Farr', 'Farrel', 'Farrell', 'Farris', 'Faulkner', 'Fax', 'Federico', 'Fee', 'Felic', 'Felice', 'Felicio', 'Felike', 'Feliks', 'Felipe', 'Felix', 'Felizio', 'Feodor', 'Ferd', 'Ferdie', 'Ferdinand', 'Ferdy', 'Fergus', 'Ferguson', 'Fernando', 'Ferrel', 'Ferrell', 'Ferris', 'Fidel', 'Fidelio', 'Fidole', 'Field', 'Fielding', 'Fields', 'Filbert', 'Filberte', 'Filberto', 'Filip', 'Filippo', 'Filmer', 'Filmore', 'Fin', 'Findlay', 'Findley', 'Finlay', 'Finley', 'Finn', 'Fitz', 'Fitzgerald', 'Flem', 'Fleming', 'Flemming', 'Fletch', 'Fletcher', 'Flin', 'Flinn', 'Flint', 'Florian', 'Flory', 'Floyd', 'Flynn', 'Fons', 'Fonsie', 'Fonz', 'Fonzie', 'Forbes', 'Ford', 'Forest', 'Forester', 'Forrest', 'Forrester', 'Forster', 'Foss', 'Foster', 'Fowler', 'Fran', 'Francesco', 'Franchot', 'Francis', 'Francisco', 'Franciskus', 'Francklin', 'Francklyn', 'Francois', 'Frank', 'Frankie', 'Franklin', 'Franklyn', 'Franky', 'Frannie', 'Franny', 'Frans', 'Fransisco', 'Frants', 'Franz', 'Franzen', 'Frasco', 'Fraser', 'Frasier', 'Frasquito', 'Fraze', 'Frazer', 'Frazier', 'Fred', 'Freddie', 'Freddy', 'Fredek', 'Frederic', 'Frederich', 'Frederick', 'Frederico', 'Frederigo', 'Frederik', 'Fredric', 'Fredrick', 'Free', 'Freedman', 'Freeland', 'Freeman', 'Freemon', 'Fremont', 'Friedrich', 'Friedrick', 'Fritz', 'Fulton', 'Gabbie', 'Gabby', 'Gabe', 'Gabi', 'Gabie', 'Gabriel', 'Gabriele', 'Gabriello', 'Gaby', 'Gael', 'Gaelan', 'Gage', 'Gail', 'Gaile', 'Gal', 'Gale', 'Galen', 'Gallagher', 'Gallard', 'Galvan', 'Galven', 'Galvin', 'Gamaliel', 'Gan', 'Gannie', 'Gannon', 'Ganny', 'Gar', 'Garald', 'Gard', 'Gardener', 'Gardie', 'Gardiner', 'Gardner', 'Gardy', 'Gare', 'Garek', 'Gareth', 'Garey', 'Garfield', 'Garik', 'Garner', 'Garold', 'Garrard', 'Garrek', 'Garret', 'Garreth', 'Garrett', 'Garrick', 'Garrik', 'Garrot', 'Garrott', 'Garry', 'Garth', 'Garv', 'Garvey', 'Garvin', 'Garvy', 'Garwin', 'Garwood', 'Gary', 'Gaspar', 'Gaspard', 'Gasparo', 'Gasper', 'Gaston', 'Gaultiero', 'Gauthier', 'Gav', 'Gavan', 'Gaven', 'Gavin', 'Gawain', 'Gawen', 'Gay', 'Gayelord', 'Gayle', 'Gayler', 'Gaylor', 'Gaylord', 'Gearalt', 'Gearard', 'Gene', 'Geno', 'Geoff', 'Geoffrey', 'Geoffry', 'Georas', 'Geordie', 'Georg', 'George', 'Georges', 'Georgi', 'Georgie', 'Georgy', 'Gerald', 'Gerard', 'Gerardo', 'Gerek', 'Gerhard', 'Gerhardt', 'Geri', 'Gerick', 'Gerik', 'Germain', 'Germaine', 'Germayne', 'Gerome', 'Gerrard', 'Gerri', 'Gerrie', 'Gerry', 'Gery', 'Gherardo', 'Giacobo', 'Giacomo', 'Giacopo', 'Gian', 'Gianni', 'Giavani', 'Gib', 'Gibb', 'Gibbie', 'Gibby', 'Gideon', 'Giff', 'Giffard', 'Giffer', 'Giffie', 'Gifford', 'Giffy', 'Gil', 'Gilbert', 'Gilberto', 'Gilburt', 'Giles', 'Gill', 'Gilles', 'Ginger', 'Gino', 'Giordano', 'Giorgi', 'Giorgio', 'Giovanni', 'Giraldo', 'Giraud', 'Giselbert', 'Giulio', 'Giuseppe', 'Giustino', 'Giusto', 'Glen', 'Glenden', 'Glendon', 'Glenn', 'Glyn', 'Glynn', 'Godard', 'Godart', 'Goddard', 'Goddart', 'Godfree', 'Godfrey', 'Godfry', 'Godwin', 'Gonzales', 'Gonzalo', 'Goober', 'Goran', 'Goraud', 'Gordan', 'Gorden', 'Gordie', 'Gordon', 'Gordy', 'Gothart', 'Gottfried', 'Grace', 'Gradeigh', 'Gradey', 'Grady', 'Graehme', 'Graeme', 'Graham', 'Graig', 'Gram', 'Gran', 'Grange', 'Granger', 'Grannie', 'Granny', 'Grant', 'Grantham', 'Granthem', 'Grantley', 'Granville', 'Gray', 'Greg', 'Gregg', 'Greggory', 'Gregoire', 'Gregoor', 'Gregor', 'Gregorio', 'Gregorius', 'Gregory', 'Grenville', 'Griff', 'Griffie', 'Griffin', 'Griffith', 'Griffy', 'Gris', 'Griswold', 'Griz', 'Grove', 'Grover', 'Gualterio', 'Guglielmo', 'Guido', 'Guilbert', 'Guillaume', 'Guillermo', 'Gun', 'Gunar', 'Gunner', 'Guntar', 'Gunter', 'Gunther', 'Gus', 'Guss', 'Gustaf', 'Gustav', 'Gustave', 'Gustavo', 'Gustavus', 'Guthrey', 'Guthrie', 'Guthry', 'Guy', 'Had', 'Hadlee', 'Hadleigh', 'Hadley', 'Hadrian', 'Hagan', 'Hagen', 'Hailey', 'Haily', 'Hakeem', 'Hakim', 'Hal', 'Hale', 'Haleigh', 'Haley', 'Hall', 'Hallsy', 'Halsey', 'Halsy', 'Ham', 'Hamel', 'Hamid', 'Hamil', 'Hamilton', 'Hamish', 'Hamlen', 'Hamlin', 'Hammad', 'Hamnet', 'Hanan', 'Hank', 'Hans', 'Hansiain', 'Hanson', 'Harald', 'Harbert', 'Harcourt', 'Hardy', 'Harlan', 'Harland', 'Harlen', 'Harley', 'Harlin', 'Harman', 'Harmon', 'Harold', 'Haroun', 'Harp', 'Harper', 'Harris', 'Harrison', 'Harry', 'Hart', 'Hartley', 'Hartwell', 'Harv', 'Harvey', 'Harwell', 'Harwilll', 'Hasheem', 'Hashim', 'Haskel', 'Haskell', 'Haslett', 'Hastie', 'Hastings', 'Hasty', 'Haven', 'Hayden', 'Haydon', 'Hayes', 'Hayward', 'Haywood', 'Hayyim', 'Haze', 'Hazel', 'Hazlett', 'Heall', 'Heath', 'Hebert', 'Hector', 'Heindrick', 'Heinrick', 'Heinrik', 'Henderson', 'Hendrick', 'Hendrik', 'Henri', 'Henrik', 'Henry', 'Herb', 'Herbert', 'Herbie', 'Herby', 'Herc', 'Hercule', 'Hercules', 'Herculie', 'Heriberto', 'Herman', 'Hermann', 'Hermie', 'Hermon', 'Hermy', 'Hernando', 'Herold', 'Herrick', 'Hersch', 'Herschel', 'Hersh', 'Hershel', 'Herve', 'Hervey', 'Hew', 'Hewe', 'Hewet', 'Hewett', 'Hewie', 'Hewitt', 'Heywood', 'Hi', 'Hieronymus', 'Hilario', 'Hilarius', 'Hilary', 'Hill', 'Hillard', 'Hillary', 'Hillel', 'Hillery', 'Hilliard', 'Hillie', 'Hillier', 'Hilly', 'Hillyer', 'Hilton', 'Hinze', 'Hiram', 'Hirsch', 'Hobard', 'Hobart', 'Hobey', 'Hobie', 'Hodge', 'Hoebart', 'Hogan', 'Holden', 'Hollis', 'Holly', 'Holmes', 'Holt', 'Homer', 'Homere', 'Homerus', 'Horace', 'Horacio', 'Horatio', 'Horatius', 'Horst', 'Hort', 'Horten', 'Horton', 'Howard', 'Howey', 'Howie', 'Hoyt', 'Hube', 'Hubert', 'Huberto', 'Hubey', 'Hubie', 'Huey', 'Hugh', 'Hughie', 'Hugibert', 'Hugo', 'Hugues', 'Humbert', 'Humberto', 'Humfrey', 'Humfrid', 'Humfried', 'Humphrey', 'Hunfredo', 'Hunt', 'Hunter', 'Huntington', 'Huntlee', 'Huntley', 'Hurlee', 'Hurleigh', 'Hurley', 'Husain', 'Husein', 'Hussein', 'Hy', 'Hyatt', 'Hyman', 'Hymie', 'Iago', 'Iain', 'Ian', 'Ibrahim', 'Ichabod', 'Iggie', 'Iggy', 'Ignace', 'Ignacio', 'Ignacius', 'Ignatius', 'Ignaz', 'Ignazio', 'Igor', 'Ike', 'Ikey', 'Ilaire', 'Ilario', 'Immanuel', 'Ingamar', 'Ingar', 'Ingelbert', 'Ingemar', 'Inger', 'Inglebert', 'Inglis', 'Ingmar', 'Ingra', 'Ingram', 'Ingrim', 'Inigo', 'Inness', 'Innis', 'Iorgo', 'Iorgos', 'Iosep', 'Ira', 'Irv', 'Irvin', 'Irvine', 'Irving', 'Irwin', 'Irwinn', 'Isa', 'Isaac', 'Isaak', 'Isac', 'Isacco', 'Isador', 'Isadore', 'Isaiah', 'Isak', 'Isiahi', 'Isidor', 'Isidore', 'Isidoro', 'Isidro', 'Israel', 'Issiah', 'Itch', 'Ivan', 'Ivar', 'Ive', 'Iver', 'Ives', 'Ivor', 'Izaak', 'Izak', 'Izzy', 'Jabez', 'Jack', 'Jackie', 'Jackson', 'Jacky', 'Jacob', 'Jacobo', 'Jacques', 'Jae', 'Jaime', 'Jaimie', 'Jake', 'Jakie', 'Jakob', 'Jamaal', 'Jamal', 'James', 'Jameson', 'Jamesy', 'Jamey', 'Jamie', 'Jamil', 'Jamill', 'Jamison', 'Jammal', 'Jan', 'Janek', 'Janos', 'Jarad', 'Jard', 'Jareb', 'Jared', 'Jarib', 'Jarid', 'Jarrad', 'Jarred', 'Jarret', 'Jarrett', 'Jarrid', 'Jarrod', 'Jarvis', 'Jase', 'Jasen', 'Jason', 'Jasper', 'Jasun', 'Javier', 'Jay', 'Jaye', 'Jayme', 'Jaymie', 'Jayson', 'Jdavie', 'Jean', 'Jecho', 'Jed', 'Jedd', 'Jeddy', 'Jedediah', 'Jedidiah', 'Jeff', 'Jefferey', 'Jefferson', 'Jeffie', 'Jeffrey', 'Jeffry', 'Jeffy', 'Jehu', 'Jeno', 'Jens', 'Jephthah', 'Jerad', 'Jerald', 'Jeramey', 'Jeramie', 'Jere', 'Jereme', 'Jeremiah', 'Jeremias', 'Jeremie', 'Jeremy', 'Jermain', 'Jermaine', 'Jermayne', 'Jerome', 'Jeromy', 'Jerri', 'Jerrie', 'Jerrold', 'Jerrome', 'Jerry', 'Jervis', 'Jess', 'Jesse', 'Jessee', 'Jessey', 'Jessie', 'Jesus', 'Jeth', 'Jethro', 'Jim', 'Jimmie', 'Jimmy', 'Jo', 'Joachim', 'Joaquin', 'Job', 'Jock', 'Jocko', 'Jodi', 'Jodie', 'Jody', 'Joe', 'Joel', 'Joey', 'Johan', 'Johann', 'Johannes', 'John', 'Johnathan', 'Johnathon', 'Johnnie', 'Johnny', 'Johny', 'Jon', 'Jonah', 'Jonas', 'Jonathan', 'Jonathon', 'Jone', 'Jordan', 'Jordon', 'Jorgan', 'Jorge', 'Jory', 'Jose', 'Joseito', 'Joseph', 'Josh', 'Joshia', 'Joshua', 'Joshuah', 'Josiah', 'Josias', 'Jourdain', 'Jozef', 'Juan', 'Jud', 'Judah', 'Judas', 'Judd', 'Jude', 'Judon', 'Jule', 'Jules', 'Julian', 'Julie', 'Julio', 'Julius', 'Justen', 'Justin', 'Justinian', 'Justino', 'Justis', 'Justus', 'Kahaleel', 'Kahlil', 'Kain', 'Kaine', 'Kaiser', 'Kale', 'Kaleb', 'Kalil', 'Kalle', 'Kalvin', 'Kane', 'Kareem', 'Karel', 'Karim', 'Karl', 'Karlan', 'Karlens', 'Karlik', 'Karlis', 'Karney', 'Karoly', 'Kaspar', 'Kasper', 'Kayne', 'Kean', 'Keane', 'Kearney', 'Keary', 'Keefe', 'Keefer', 'Keelby', 'Keen', 'Keenan', 'Keene', 'Keir', 'Keith', 'Kelbee', 'Kelby', 'Kele', 'Kellby', 'Kellen', 'Kelley', 'Kelly', 'Kelsey', 'Kelvin', 'Kelwin', 'Ken', 'Kendal', 'Kendall', 'Kendell', 'Kendrick', 'Kendricks', 'Kenn', 'Kennan', 'Kennedy', 'Kenneth', 'Kennett', 'Kennie', 'Kennith', 'Kenny', 'Kenon', 'Kent', 'Kenton', 'Kenyon', 'Ker', 'Kerby', 'Kerk', 'Kermie', 'Kermit', 'Kermy', 'Kerr', 'Kerry', 'Kerwin', 'Kerwinn', 'Kev', 'Kevan', 'Keven', 'Kevin', 'Kevon', 'Khalil', 'Kiel', 'Kienan', 'Kile', 'Kiley', 'Kilian', 'Killian', 'Killie', 'Killy', 'Kim', 'Kimball', 'Kimbell', 'Kimble', 'Kin', 'Kincaid', 'King', 'Kingsley', 'Kingsly', 'Kingston', 'Kinnie', 'Kinny', 'Kinsley', 'Kip', 'Kipp', 'Kippar', 'Kipper', 'Kippie', 'Kippy', 'Kirby', 'Kirk', 'Kit', 'Klaus', 'Klemens', 'Klement', 'Kleon', 'Kliment', 'Knox', 'Koenraad', 'Konrad', 'Konstantin', 'Konstantine', 'Korey', 'Kort', 'Kory', 'Kris', 'Krisha', 'Krishna', 'Krishnah', 'Krispin', 'Kristian', 'Kristo', 'Kristofer', 'Kristoffer', 'Kristofor', 'Kristoforo', 'Kristopher', 'Kristos', 'Kurt', 'Kurtis', 'Ky', 'Kyle', 'Kylie', 'Laird', 'Lalo', 'Lamar', 'Lambert', 'Lammond', 'Lamond', 'Lamont', 'Lance', 'Lancelot', 'Land', 'Lane', 'Laney', 'Langsdon', 'Langston', 'Lanie', 'Lannie', 'Lanny', 'Larry', 'Lars', 'Laughton', 'Launce', 'Lauren', 'Laurence', 'Laurens', 'Laurent', 'Laurie', 'Lauritz', 'Law', 'Lawrence', 'Lawry', 'Lawton', 'Lay', 'Layton', 'Lazar', 'Lazare', 'Lazaro', 'Lazarus', 'Lee', 'Leeland', 'Lefty', 'Leicester', 'Leif', 'Leigh', 'Leighton', 'Lek', 'Leland', 'Lem', 'Lemar', 'Lemmie', 'Lemmy', 'Lemuel', 'Lenard', 'Lenci', 'Lennard', 'Lennie', 'Leo', 'Leon', 'Leonard', 'Leonardo', 'Leonerd', 'Leonhard', 'Leonid', 'Leonidas', 'Leopold', 'Leroi', 'Leroy', 'Les', 'Lesley', 'Leslie', 'Lester', 'Leupold', 'Lev', 'Levey', 'Levi', 'Levin', 'Levon', 'Levy', 'Lew', 'Lewes', 'Lewie', 'Lewiss', 'Lezley', 'Liam', 'Lief', 'Lin', 'Linc', 'Lincoln', 'Lind', 'Lindon', 'Lindsay', 'Lindsey', 'Lindy', 'Link', 'Linn', 'Linoel', 'Linus', 'Lion', 'Lionel', 'Lionello', 'Lisle', 'Llewellyn', 'Lloyd', 'Llywellyn', 'Lock', 'Locke', 'Lockwood', 'Lodovico', 'Logan', 'Lombard', 'Lon', 'Lonnard', 'Lonnie', 'Lonny', 'Lorant', 'Loren', 'Lorens', 'Lorenzo', 'Lorin', 'Lorne', 'Lorrie', 'Lorry', 'Lothaire', 'Lothario', 'Lou', 'Louie', 'Louis', 'Lovell', 'Lowe', 'Lowell', 'Lowrance', 'Loy', 'Loydie', 'Luca', 'Lucais', 'Lucas', 'Luce', 'Lucho', 'Lucian', 'Luciano', 'Lucias', 'Lucien', 'Lucio', 'Lucius', 'Ludovico', 'Ludvig', 'Ludwig', 'Luigi', 'Luis', 'Lukas', 'Luke', 'Lutero', 'Luther', 'Ly', 'Lydon', 'Lyell', 'Lyle', 'Lyman', 'Lyn', 'Lynn', 'Lyon', 'Mac', 'Mace', 'Mack', 'Mackenzie', 'Maddie', 'Maddy', 'Madison', 'Magnum', 'Mahmoud', 'Mahmud', 'Maison', 'Maje', 'Major', 'Mal', 'Malachi', 'Malchy', 'Malcolm', 'Mallory', 'Malvin', 'Man', 'Mandel', 'Manfred', 'Mannie', 'Manny', 'Mano', 'Manolo', 'Manuel', 'Mar', 'Marc', 'Marcel', 'Marcello', 'Marcellus', 'Marcelo', 'Marchall', 'Marco', 'Marcos', 'Marcus', 'Marijn', 'Mario', 'Marion', 'Marius', 'Mark', 'Markos', 'Markus', 'Marlin', 'Marlo', 'Marlon', 'Marlow', 'Marlowe', 'Marmaduke', 'Marsh', 'Marshal', 'Marshall', 'Mart', 'Martainn', 'Marten', 'Martie', 'Martin', 'Martino', 'Marty', 'Martyn', 'Marv', 'Marve', 'Marven', 'Marvin', 'Marwin', 'Mason', 'Massimiliano', 'Massimo', 'Mata', 'Mateo', 'Mathe', 'Mathew', 'Mathian', 'Mathias', 'Matias', 'Matt', 'Matteo', 'Matthaeus', 'Mattheus', 'Matthew', 'Matthias', 'Matthieu', 'Matthiew', 'Matthus', 'Mattias', 'Mattie', 'Matty', 'Maurice', 'Mauricio', 'Maurie', 'Maurise', 'Maurits', 'Maurizio', 'Maury', 'Max', 'Maxie', 'Maxim', 'Maximilian', 'Maximilianus', 'Maximilien', 'Maximo', 'Maxwell', 'Maxy', 'Mayer', 'Maynard', 'Mayne', 'Maynord', 'Mayor', 'Mead', 'Meade', 'Meier', 'Meir', 'Mel', 'Melvin', 'Melvyn', 'Menard', 'Mendel', 'Mendie', 'Mendy', 'Meredeth', 'Meredith', 'Merell', 'Merill', 'Merle', 'Merrel', 'Merrick', 'Merrill', 'Merry', 'Merv', 'Mervin', 'Merwin', 'Merwyn', 'Meryl', 'Meyer', 'Mic', 'Micah', 'Michael', 'Michail', 'Michal', 'Michale', 'Micheal', 'Micheil', 'Michel', 'Michele', 'Mick', 'Mickey', 'Mickie', 'Micky', 'Miguel', 'Mikael', 'Mike', 'Mikel', 'Mikey', 'Mikkel', 'Mikol', 'Mile', 'Miles', 'Mill', 'Millard', 'Miller', 'Milo', 'Milt', 'Miltie', 'Milton', 'Milty', 'Miner', 'Minor', 'Mischa', 'Mitch', 'Mitchael', 'Mitchel', 'Mitchell', 'Moe', 'Mohammed', 'Mohandas', 'Mohandis', 'Moise', 'Moises', 'Moishe', 'Monro', 'Monroe', 'Montague', 'Monte', 'Montgomery', 'Monti', 'Monty', 'Moore', 'Mord', 'Mordecai', 'Mordy', 'Morey', 'Morgan', 'Morgen', 'Morgun', 'Morie', 'Moritz', 'Morlee', 'Morley', 'Morly', 'Morrie', 'Morris', 'Morry', 'Morse', 'Mort', 'Morten', 'Mortie', 'Mortimer', 'Morton', 'Morty', 'Mose', 'Moses', 'Moshe', 'Moss', 'Mozes', 'Muffin', 'Muhammad', 'Munmro', 'Munroe', 'Murdoch', 'Murdock', 'Murray', 'Murry', 'Murvyn', 'My', 'Myca', 'Mycah', 'Mychal', 'Myer', 'Myles', 'Mylo', 'Myron', 'Myrvyn', 'Myrwyn', 'Nahum', 'Nap', 'Napoleon', 'Nappie', 'Nappy', 'Nat', 'Natal', 'Natale', 'Nataniel', 'Nate', 'Nathan', 'Nathanael', 'Nathanial', 'Nathaniel', 'Nathanil', 'Natty', 'Neal', 'Neale', 'Neall', 'Nealon', 'Nealson', 'Nealy', 'Ned', 'Neddie', 'Neddy', 'Neel', 'Nefen', 'Nehemiah', 'Neil', 'Neill', 'Neils', 'Nels', 'Nelson', 'Nero', 'Neron', 'Nester', 'Nestor', 'Nev', 'Nevil', 'Nevile', 'Neville', 'Nevin', 'Nevins', 'Newton', 'Nial', 'Niall', 'Niccolo', 'Nicholas', 'Nichole', 'Nichols', 'Nick', 'Nickey', 'Nickie', 'Nicko', 'Nickola', 'Nickolai', 'Nickolas', 'Nickolaus', 'Nicky', 'Nico', 'Nicol', 'Nicola', 'Nicolai', 'Nicolais', 'Nicolas', 'Nicolis', 'Niel', 'Niels', 'Nigel', 'Niki', 'Nikita', 'Nikki', 'Niko', 'Nikola', 'Nikolai', 'Nikolaos', 'Nikolas', 'Nikolaus', 'Nikolos', 'Nikos', 'Nil', 'Niles', 'Nils', 'Nilson', 'Niven', 'Noach', 'Noah', 'Noak', 'Noam', 'Nobe', 'Nobie', 'Noble', 'Noby', 'Noe', 'Noel', 'Nolan', 'Noland', 'Noll', 'Nollie', 'Nolly', 'Norbert', 'Norbie', 'Norby', 'Norman', 'Normand', 'Normie', 'Normy', 'Norrie', 'Norris', 'Norry', 'North', 'Northrop', 'Northrup', 'Norton', 'Nowell', 'Nye', 'Oates', 'Obadiah', 'Obadias', 'Obed', 'Obediah', 'Oberon', 'Obidiah', 'Obie', 'Oby', 'Octavius', 'Ode', 'Odell', 'Odey', 'Odie', 'Odo', 'Ody', 'Ogdan', 'Ogden', 'Ogdon', 'Olag', 'Olav', 'Ole', 'Olenolin', 'Olin', 'Oliver', 'Olivero', 'Olivier', 'Oliviero', 'Ollie', 'Olly', 'Olvan', 'Omar', 'Omero', 'Onfre', 'Onfroi', 'Onofredo', 'Oran', 'Orazio', 'Orbadiah', 'Oren', 'Orin', 'Orion', 'Orlan', 'Orland', 'Orlando', 'Orran', 'Orren', 'Orrin', 'Orson', 'Orton', 'Orv', 'Orville', 'Osbert', 'Osborn', 'Osborne', 'Osbourn', 'Osbourne', 'Osgood', 'Osmond', 'Osmund', 'Ossie', 'Oswald', 'Oswell', 'Otes', 'Othello', 'Otho', 'Otis', 'Otto', 'Owen', 'Ozzie', 'Ozzy', 'Pablo', 'Pace', 'Packston', 'Paco', 'Pacorro', 'Paddie', 'Paddy', 'Padget', 'Padgett', 'Padraic', 'Padraig', 'Padriac', 'Page', 'Paige', 'Pail', 'Pall', 'Palm', 'Palmer', 'Panchito', 'Pancho', 'Paolo', 'Papageno', 'Paquito', 'Park', 'Parke', 'Parker', 'Parnell', 'Parrnell', 'Parry', 'Parsifal', 'Pascal', 'Pascale', 'Pasquale', 'Pat', 'Pate', 'Paten', 'Patin', 'Paton', 'Patric', 'Patrice', 'Patricio', 'Patrick', 'Patrizio', 'Patrizius', 'Patsy', 'Patten', 'Pattie', 'Pattin', 'Patton', 'Patty', 'Paul', 'Paulie', 'Paulo', 'Pauly', 'Pavel', 'Pavlov', 'Paxon', 'Paxton', 'Payton', 'Peadar', 'Pearce', 'Pebrook', 'Peder', 'Pedro', 'Peirce', 'Pembroke', 'Pen', 'Penn', 'Pennie', 'Penny', 'Penrod', 'Pepe', 'Pepillo', 'Pepito', 'Perceval', 'Percival', 'Percy', 'Perice', 'Perkin', 'Pernell', 'Perren', 'Perry', 'Pete', 'Peter', 'Peterus', 'Petey', 'Petr', 'Peyter', 'Peyton', 'Phil', 'Philbert', 'Philip', 'Phillip', 'Phillipe', 'Phillipp', 'Phineas', 'Phip', 'Pierce', 'Pierre', 'Pierson', 'Pieter', 'Pietrek', 'Pietro', 'Piggy', 'Pincas', 'Pinchas', 'Pincus', 'Piotr', 'Pip', 'Pippo', 'Pooh', 'Port', 'Porter', 'Portie', 'Porty', 'Poul', 'Powell', 'Pren', 'Prent', 'Prentice', 'Prentiss', 'Prescott', 'Preston', 'Price', 'Prince', 'Prinz', 'Pryce', 'Puff', 'Purcell', 'Putnam', 'Putnem', 'Pyotr', 'Quent', 'Quentin', 'Quill', 'Quillan', 'Quincey', 'Quincy', 'Quinlan', 'Quinn', 'Quint', 'Quintin', 'Quinton', 'Quintus', 'Rab', 'Rabbi', 'Rabi', 'Rad', 'Radcliffe', 'Raddie', 'Raddy', 'Rafael', 'Rafaellle', 'Rafaello', 'Rafe', 'Raff', 'Raffaello', 'Raffarty', 'Rafferty', 'Rafi', 'Ragnar', 'Raimondo', 'Raimund', 'Raimundo', 'Rainer', 'Raleigh', 'Ralf', 'Ralph', 'Ram', 'Ramon', 'Ramsay', 'Ramsey', 'Rance', 'Rancell', 'Rand', 'Randal', 'Randall', 'Randell', 'Randi', 'Randie', 'Randolf', 'Randolph', 'Randy', 'Ransell', 'Ransom', 'Raoul', 'Raphael', 'Raul', 'Ravi', 'Ravid', 'Raviv', 'Rawley', 'Ray', 'Raymond', 'Raymund', 'Raynard', 'Rayner', 'Raynor', 'Read', 'Reade', 'Reagan', 'Reagen', 'Reamonn', 'Red', 'Redd', 'Redford', 'Reece', 'Reed', 'Rees', 'Reese', 'Reg', 'Regan', 'Regen', 'Reggie', 'Reggis', 'Reggy', 'Reginald', 'Reginauld', 'Reid', 'Reidar', 'Reider', 'Reilly', 'Reinald', 'Reinaldo', 'Reinaldos', 'Reinhard', 'Reinhold', 'Reinold', 'Reinwald', 'Rem', 'Remington', 'Remus', 'Renado', 'Renaldo', 'Renard', 'Renato', 'Renaud', 'Renault', 'Rene', 'Reube', 'Reuben', 'Reuven', 'Rex', 'Rey', 'Reynard', 'Reynold', 'Reynolds', 'Rhett', 'Rhys', 'Ric', 'Ricard', 'Ricardo', 'Riccardo', 'Rice', 'Rich', 'Richard', 'Richardo', 'Richart', 'Richie', 'Richmond', 'Richmound', 'Richy', 'Rick', 'Rickard', 'Rickert', 'Rickey', 'Ricki', 'Rickie', 'Ricky', 'Ricoriki', 'Rik', 'Rikki', 'Riley', 'Rinaldo', 'Ring', 'Ringo', 'Riobard', 'Riordan', 'Rip', 'Ripley', 'Ritchie', 'Roarke', 'Rob', 'Robb', 'Robbert', 'Robbie', 'Robby', 'Robers', 'Robert', 'Roberto', 'Robin', 'Robinet', 'Robinson', 'Rochester', 'Rock', 'Rockey', 'Rockie', 'Rockwell', 'Rocky', 'Rod', 'Rodd', 'Roddie', 'Roddy', 'Roderic', 'Roderich', 'Roderick', 'Roderigo', 'Rodge', 'Rodger', 'Rodney', 'Rodolfo', 'Rodolph', 'Rodolphe', 'Rodrick', 'Rodrigo', 'Rodrique', 'Rog', 'Roger', 'Rogerio', 'Rogers', 'Roi', 'Roland', 'Rolando', 'Roldan', 'Roley', 'Rolf', 'Rolfe', 'Rolland', 'Rollie', 'Rollin', 'Rollins', 'Rollo', 'Rolph', 'Roma', 'Romain', 'Roman', 'Romeo', 'Ron', 'Ronald', 'Ronnie', 'Ronny', 'Rooney', 'Roosevelt', 'Rorke', 'Rory', 'Rosco', 'Roscoe', 'Ross', 'Rossie', 'Rossy', 'Roth', 'Rourke', 'Rouvin', 'Rowan', 'Rowen', 'Rowland', 'Rowney', 'Roy', 'Royal', 'Royall', 'Royce', 'Rriocard', 'Rube', 'Ruben', 'Rubin', 'Ruby', 'Rudd', 'Ruddie', 'Ruddy', 'Rudie', 'Rudiger', 'Rudolf', 'Rudolfo', 'Rudolph', 'Rudy', 'Rudyard', 'Rufe', 'Rufus', 'Ruggiero', 'Rupert', 'Ruperto', 'Ruprecht', 'Rurik', 'Russ', 'Russell', 'Rustie', 'Rustin', 'Rusty', 'Rutger', 'Rutherford', 'Rutledge', 'Rutter', 'Ruttger', 'Ruy', 'Ryan', 'Ryley', 'Ryon', 'Ryun', 'Sal', 'Saleem', 'Salem', 'Salim', 'Salmon', 'Salomo', 'Salomon', 'Salomone', 'Salvador', 'Salvatore', 'Salvidor', 'Sam', 'Sammie', 'Sammy', 'Sampson', 'Samson', 'Samuel', 'Samuele', 'Sancho', 'Sander', 'Sanders', 'Sanderson', 'Sandor', 'Sandro', 'Sandy', 'Sanford', 'Sanson', 'Sansone', 'Sarge', 'Sargent', 'Sascha', 'Sasha', 'Saul', 'Sauncho', 'Saunder', 'Saunders', 'Saunderson', 'Saundra', 'Sauveur', 'Saw', 'Sawyer', 'Sawyere', 'Sax', 'Saxe', 'Saxon', 'Say', 'Sayer', 'Sayers', 'Sayre', 'Sayres', 'Scarface', 'Schuyler', 'Scot', 'Scott', 'Scotti', 'Scottie', 'Scotty', 'Seamus', 'Sean', 'Sebastian', 'Sebastiano', 'Sebastien', 'See', 'Selby', 'Selig', 'Serge', 'Sergeant', 'Sergei', 'Sergent', 'Sergio', 'Seth', 'Seumas', 'Seward', 'Seymour', 'Shadow', 'Shae', 'Shaine', 'Shalom', 'Shamus', 'Shanan', 'Shane', 'Shannan', 'Shannon', 'Shaughn', 'Shaun', 'Shaw', 'Shawn', 'Shay', 'Shayne', 'Shea', 'Sheff', 'Sheffie', 'Sheffield', 'Sheffy', 'Shelby', 'Shelden', 'Shell', 'Shelley', 'Shelton', 'Shem', 'Shep', 'Shepard', 'Shepherd', 'Sheppard', 'Shepperd', 'Sheridan', 'Sherlock', 'Sherlocke', 'Sherm', 'Sherman', 'Shermie', 'Shermy', 'Sherwin', 'Sherwood', 'Sherwynd', 'Sholom', 'Shurlock', 'Shurlocke', 'Shurwood', 'Si', 'Sibyl', 'Sid', 'Sidnee', 'Sidney', 'Siegfried', 'Siffre', 'Sig', 'Sigfrid', 'Sigfried', 'Sigismond', 'Sigismondo', 'Sigismund', 'Sigismundo', 'Sigmund', 'Sigvard', 'Silas', 'Silvain', 'Silvan', 'Silvano', 'Silvanus', 'Silvester', 'Silvio', 'Sim', 'Simeon', 'Simmonds', 'Simon', 'Simone', 'Sinclair', 'Sinclare', 'Siward', 'Skell', 'Skelly', 'Skip', 'Skipp', 'Skipper', 'Skippie', 'Skippy', 'Skipton', 'Sky', 'Skye', 'Skylar', 'Skyler', 'Slade', 'Sloan', 'Sloane', 'Sly', 'Smith', 'Smitty', 'Sol', 'Sollie', 'Solly', 'Solomon', 'Somerset', 'Son', 'Sonnie', 'Sonny', 'Spence', 'Spencer', 'Spense', 'Spenser', 'Spike', 'Stacee', 'Stacy', 'Staffard', 'Stafford', 'Staford', 'Stan', 'Standford', 'Stanfield', 'Stanford', 'Stanislas', 'Stanislaus', 'Stanislaw', 'Stanleigh', 'Stanley', 'Stanly', 'Stanton', 'Stanwood', 'Stavro', 'Stavros', 'Stearn', 'Stearne', 'Stefan', 'Stefano', 'Steffen', 'Stephan', 'Stephanus', 'Stephen', 'Sterling', 'Stern', 'Sterne', 'Steve', 'Steven', 'Stevie', 'Stevy', 'Steward', 'Stewart', 'Stillman', 'Stillmann', 'Stinky', 'Stirling', 'Stu', 'Stuart', 'Sullivan', 'Sully', 'Sumner', 'Sunny', 'Sutherlan', 'Sutherland', 'Sutton', 'Sven', 'Svend', 'Swen', 'Syd', 'Sydney', 'Sylas', 'Sylvan', 'Sylvester', 'Syman', 'Symon', 'Tab', 'Tabb', 'Tabbie', 'Tabby', 'Taber', 'Tabor', 'Tad', 'Tadd', 'Taddeo', 'Taddeusz', 'Tadeas', 'Tadeo', 'Tades', 'Tadio', 'Tailor', 'Tait', 'Taite', 'Talbert', 'Talbot', 'Tallie', 'Tally', 'Tam', 'Tamas', 'Tammie', 'Tammy', 'Tan', 'Tann', 'Tanner', 'Tanney', 'Tannie', 'Tanny', 'Tarrance', 'Tate', 'Taylor', 'Teador', 'Ted', 'Tedd', 'Teddie', 'Teddy', 'Tedie', 'Tedman', 'Tedmund', 'Temp', 'Temple', 'Templeton', 'Teodoor', 'Teodor', 'Teodorico', 'Teodoro', 'Terence', 'Terencio', 'Terrance', 'Terrel', 'Terrell', 'Terrence', 'Terri', 'Terrill', 'Terry', 'Thacher', 'Thaddeus', 'Thaddus', 'Thadeus', 'Thain', 'Thaine', 'Thane', 'Thatch', 'Thatcher', 'Thaxter', 'Thayne', 'Thebault', 'Thedric', 'Thedrick', 'Theo', 'Theobald', 'Theodor', 'Theodore', 'Theodoric', 'Thibaud', 'Thibaut', 'Thom', 'Thoma', 'Thomas', 'Thor', 'Thorin', 'Thorn', 'Thorndike', 'Thornie', 'Thornton', 'Thorny', 'Thorpe', 'Thorstein', 'Thorsten', 'Thorvald', 'Thurstan', 'Thurston', 'Tibold', 'Tiebold', 'Tiebout', 'Tiler', 'Tim', 'Timmie', 'Timmy', 'Timofei', 'Timoteo', 'Timothee', 'Timotheus', 'Timothy', 'Tirrell', 'Tito', 'Titos', 'Titus', 'Tobe', 'Tobiah', 'Tobias', 'Tobie', 'Tobin', 'Tobit', 'Toby', 'Tod', 'Todd', 'Toddie', 'Toddy', 'Toiboid', 'Tom', 'Tomas', 'Tomaso', 'Tome', 'Tomkin', 'Tomlin', 'Tommie', 'Tommy', 'Tonnie', 'Tony', 'Tore', 'Torey', 'Torin', 'Torr', 'Torrance', 'Torre', 'Torrence', 'Torrey', 'Torrin', 'Torry', 'Town', 'Towney', 'Townie', 'Townsend', 'Towny', 'Trace', 'Tracey', 'Tracie', 'Tracy', 'Traver', 'Travers', 'Travis', 'Travus', 'Trefor', 'Tremain', 'Tremaine', 'Tremayne', 'Trent', 'Trenton', 'Trev', 'Trevar', 'Trever', 'Trevor', 'Trey', 'Trip', 'Tripp', 'Tris', 'Tristam', 'Tristan', 'Troy', 'Trstram', 'Trueman', 'Trumaine', 'Truman', 'Trumann', 'Tuck', 'Tucker', 'Tuckie', 'Tucky', 'Tudor', 'Tull', 'Tulley', 'Tully', 'Turner', 'Ty', 'Tybalt', 'Tye', 'Tyler', 'Tymon', 'Tymothy', 'Tynan', 'Tyrone', 'Tyrus', 'Tyson', 'Udale', 'Udall', 'Udell', 'Ugo', 'Ulberto', 'Ulick', 'Ulises', 'Ulric', 'Ulrich', 'Ulrick', 'Ulysses', 'Umberto', 'Upton', 'Urbain', 'Urban', 'Urbano', 'Urbanus', 'Uri', 'Uriah', 'Uriel', 'Urson', 'Vachel', 'Vaclav', 'Vail', 'Val', 'Valdemar', 'Vale', 'Valentijn', 'Valentin', 'Valentine', 'Valentino', 'Valle', 'Van', 'Vance', 'Vanya', 'Vasili', 'Vasilis', 'Vasily', 'Vassili', 'Vassily', 'Vaughan', 'Vaughn', 'Verge', 'Vergil', 'Vern', 'Verne', 'Vernen', 'Verney', 'Vernon', 'Vernor', 'Vic', 'Vick', 'Victoir', 'Victor', 'Vidovic', 'Vidovik', 'Vin', 'Vince', 'Vincent', 'Vincents', 'Vincenty', 'Vincenz', 'Vinnie', 'Vinny', 'Vinson', 'Virge', 'Virgie', 'Virgil', 'Virgilio', 'Vite', 'Vito', 'Vittorio', 'Vlad', 'Vladamir', 'Vladimir', 'Von', 'Wade', 'Wadsworth', 'Wain', 'Wainwright', 'Wait', 'Waite', 'Waiter', 'Wake', 'Wakefield', 'Wald', 'Waldemar', 'Walden', 'Waldo', 'Waldon', 'Walker', 'Wallace', 'Wallache', 'Wallas', 'Wallie', 'Wallis', 'Wally', 'Walsh', 'Walt', 'Walther', 'Walton', 'Wang', 'Ward', 'Warde', 'Warden', 'Ware', 'Waring', 'Warner', 'Warren', 'Wash', 'Washington', 'Wat', 'Waverley', 'Waverly', 'Way', 'Waylan', 'Wayland', 'Waylen', 'Waylin', 'Waylon', 'Wayne', 'Web', 'Webb', 'Weber', 'Webster', 'Weidar', 'Weider', 'Welbie', 'Welby', 'Welch', 'Wells', 'Welsh', 'Wendall', 'Wendel', 'Wendell', 'Werner', 'Wernher', 'Wes', 'Wesley', 'West', 'Westbrook', 'Westbrooke', 'Westleigh', 'Westley', 'Weston', 'Weylin', 'Wheeler', 'Whit', 'Whitaker', 'Whitby', 'Whitman', 'Whitney', 'Whittaker', 'Wiatt', 'Wilbert', 'Wilbur', 'Wilburt', 'Wilden', 'Wildon', 'Wilek', 'Wiley', 'Wilfred', 'Wilfrid', 'Wilhelm', 'Will', 'Willard', 'Willdon', 'Willem', 'Willey', 'Willi', 'William', 'Willie', 'Willis', 'Willy', 'Wilmar', 'Wilmer', 'Wilt', 'Wilton', 'Win', 'Windham', 'Winfield', 'Winfred', 'Winifield', 'Winn', 'Winnie', 'Winny', 'Winslow', 'Winston', 'Winthrop', 'Wit', 'Wittie', 'Witty', 'Wolf', 'Wolfgang', 'Wolfie', 'Wolfy', 'Wood', 'Woodie', 'Woodman', 'Woodrow', 'Woody', 'Worden', 'Worth', 'Worthington', 'Worthy', 'Wright', 'Wyatan', 'Wyatt', 'Wye', 'Wylie', 'Wyn', 'Wyndham', 'Wynn', 'Xavier', 'Xenos', 'Xerxes', 'Xever', 'Ximenes', 'Ximenez', 'Xymenes', 'Yale', 'Yanaton', 'Yance', 'Yancey', 'Yancy', 'Yank', 'Yankee', 'Yard', 'Yardley', 'Yehudi', 'Yehudit', 'Yorgo', 'Yorgos', 'York', 'Yorke', 'Yorker', 'Yul', 'Yule', 'Yulma', 'Yuma', 'Yuri', 'Yurik', 'Yves', 'Yvon', 'Yvor', 'Zaccaria', 'Zach', 'Zacharia', 'Zachariah', 'Zacharias', 'Zacharie', 'Zachary', 'Zacherie', 'Zachery', 'Zack', 'Zackariah', 'Zak', 'Zane', 'Zared', 'Zeb', 'Zebadiah', 'Zebedee', 'Zebulen', 'Zebulon', 'Zechariah', 'Zed', 'Zedekiah', 'Zeke', 'Zelig', 'Zerk', 'Zollie', 'Zolly']
words = ['Aaron', 'Ab', 'Abba', 'Abbe', 'Abbey', 'Abbie', 'Abbot', 'Abbott', 'Abby', 'Abdel', 'Abdul', 'Abe', 'Abel', 'Abelard', 'Abeu', 'Abey', 'Abie', 'Abner', 'Abraham', 'Abrahan', 'Abram', 'Abramo', 'Abran', 'Ad', 'Adair', 'Adam', 'Adamo', 'Adams', 'Adan', 'Addie', 'Addison', 'Addy', 'Ade', 'Adelbert', 'Adham', 'Adlai', 'Adler', 'Ado', 'Adolf', 'Adolph', 'Adolphe', 'Adolpho', 'Adolphus', 'Adrian', 'Adriano', 'Adrien', 'Agosto', 'Aguie', 'Aguistin', 'Aguste', 'Agustin', 'Aharon', 'Ahmad', 'Ahmed', 'Ailbert', 'Akim', 'Aksel', 'Al', 'Alain', 'Alair', 'Alan', 'Aland', 'Alano', 'Alanson', 'Alard', 'Alaric', 'Alasdair', 'Alastair', 'Alasteir', 'Alaster', 'Alberik', 'Albert', 'Alberto', 'Albie', 'Albrecht', 'Alden', 'Aldin', 'Aldis', 'Aldo', 'Aldon', 'Aldous', 'Aldric', 'Aldrich', 'Aldridge', 'Aldus', 'Aldwin', 'Alec', 'Alejandro', 'Alejoa', 'Aleksandr', 'Alessandro', 'Alex', 'Alexander', 'Alexandr', 'Alexandre', 'Alexandro', 'Alexandros', 'Alexei', 'Alexio', 'Alexis', 'Alf', 'Alfie', 'Alfons', 'Alfonse', 'Alfonso', 'Alford', 'Alfred', 'Alfredo', 'Alfy', 'Algernon', 'Ali', 'Alic', 'Alick', 'Alisander', 'Alistair', 'Alister', 'Alix', 'Allan', 'Allard', 'Allayne', 'Allen', 'Alley', 'Alleyn', 'Allie', 'Allin', 'Allister', 'Allistir', 'Allyn', 'Aloin', 'Alon', 'Alonso', 'Alonzo', 'Aloysius', 'Alphard', 'Alphonse', 'Alphonso', 'Alric', 'Aluin', 'Aluino', 'Alva', 'Alvan', 'Alvie', 'Alvin', 'Alvis', 'Alvy', 'Alwin', 'Alwyn', 'Alyosha', 'Amble', 'Ambros', 'Ambrose', 'Ambrosi', 'Ambrosio', 'Ambrosius', 'Amby', 'Amerigo', 'Amery', 'Amory', 'Amos', 'Anatol', 'Anatole', 'Anatollo', 'Ancell', 'Anders', 'Anderson', 'Andie', 'Andonis', 'Andras', 'Andre', 'Andrea', 'Andreas', 'Andrej', 'Andres', 'Andrew', 'Andrey', 'Andris', 'Andros', 'Andrus', 'Andy', 'Ange', 'Angel', 'Angeli', 'Angelico', 'Angelo', 'Angie', 'Angus', 'Ansel', 'Ansell', 'Anselm', 'Anson', 'Anthony', 'Antin', 'Antoine', 'Anton', 'Antone', 'Antoni', 'Antonin', 'Antonino', 'Antonio', 'Antonius', 'Antons', 'Antony', 'Any', 'Ara', 'Araldo', 'Arch', 'Archaimbaud', 'Archambault', 'Archer', 'Archibald', 'Archibaldo', 'Archibold', 'Archie', 'Archy', 'Arel', 'Ari', 'Arie', 'Ariel', 'Arin', 'Ario', 'Aristotle', 'Arlan', 'Arlen', 'Arley', 'Arlin', 'Arman', 'Armand', 'Armando', 'Armin', 'Armstrong', 'Arnaldo', 'Arne', 'Arney', 'Arni', 'Arnie', 'Arnold', 'Arnoldo', 'Arnuad', 'Arny', 'Aron', 'Arri', 'Arron', 'Art', 'Artair', 'Arte', 'Artemas', 'Artemis', 'Artemus', 'Arther', 'Arthur', 'Artie', 'Artur', 'Arturo', 'Artus', 'Arty', 'Arv', 'Arvie', 'Arvin', 'Arvy', 'Asa', 'Ase', 'Ash', 'Ashbey', 'Ashby', 'Asher', 'Ashley', 'Ashlin', 'Ashton', 'Aube', 'Auberon', 'Aubert', 'Aubrey', 'Augie', 'August', 'Augustin', 'Augustine', 'Augusto', 'Augustus', 'Augy', 'Aurthur', 'Austen', 'Austin', 'Ave', 'Averell', 'Averil', 'Averill', 'Avery', 'Avictor', 'Avigdor', 'Avram', 'Avrom', 'Ax', 'Axe', 'Axel', 'Aylmar', 'Aylmer', 'Aymer', 'Bail', 'Bailey', 'Bailie', 'Baillie', 'Baily', 'Baird', 'Bald', 'Balduin', 'Baldwin', 'Bale', 'Ban', 'Bancroft', 'Bank', 'Banky', 'Bar', 'Barbabas', 'Barclay', 'Bard', 'Barde', 'Barn', 'Barnabas', 'Barnabe', 'Barnaby', 'Barnard', 'Barnebas', 'Barnett', 'Barney', 'Barnie', 'Barny', 'Baron', 'Barr', 'Barret', 'Barrett', 'Barri', 'Barrie', 'Barris', 'Barron', 'Barry', 'Bart', 'Bartel', 'Barth', 'Barthel', 'Bartholemy', 'Bartholomeo', 'Bartholomeus', 'Bartholomew', 'Bartie', 'Bartlet', 'Bartlett', 'Bartolemo', 'Bartolomeo', 'Barton', 'Bartram', 'Barty', 'Bary', 'Baryram', 'Base', 'Basil', 'Basile', 'Basilio', 'Basilius', 'Bastian', 'Bastien', 'Bat', 'Batholomew', 'Baudoin', 'Bax', 'Baxie', 'Baxter', 'Baxy', 'Bay', 'Bayard', 'Beale', 'Bealle', 'Bear', 'Bearnard', 'Beau', 'Beaufort', 'Beauregard', 'Beck', 'Beltran', 'Ben', 'Bendick', 'Bendicty', 'Bendix', 'Benedetto', 'Benedick', 'Benedict', 'Benedicto', 'Benedikt', 'Bengt', 'Beniamino', 'Benito', 'Benjamen', 'Benjamin', 'Benji', 'Benjie', 'Benjy', 'Benn', 'Bennett', 'Bennie', 'Benny', 'Benoit', 'Benson', 'Bent', 'Bentlee', 'Bentley', 'Benton', 'Benyamin', 'Ber', 'Berk', 'Berke', 'Berkeley', 'Berkie', 'Berkley', 'Berkly', 'Berky', 'Bern', 'Bernard', 'Bernardo', 'Bernarr', 'Berne', 'Bernhard', 'Bernie', 'Berny', 'Bert', 'Berti', 'Bertie', 'Berton', 'Bertram', 'Bertrand', 'Bertrando', 'Berty', 'Bev', 'Bevan', 'Bevin', 'Bevon', 'Bil', 'Bill', 'Billie', 'Billy', 'Bing', 'Bink', 'Binky', 'Birch', 'Birk', 'Biron', 'Bjorn', 'Blaine', 'Blair', 'Blake', 'Blane', 'Blayne', 'Bo', 'Bob', 'Bobbie', 'Bobby', 'Bogart', 'Bogey', 'Boigie', 'Bond', 'Bondie', 'Bondon', 'Bondy', 'Bone', 'Boniface', 'Boone', 'Boonie', 'Boony', 'Boot', 'Boote', 'Booth', 'Boothe', 'Bord', 'Borden', 'Bordie', 'Bordy', 'Borg', 'Boris', 'Bourke', 'Bowie', 'Boy', 'Boyce', 'Boycey', 'Boycie', 'Boyd', 'Brad', 'Bradan', 'Brade', 'Braden', 'Bradford', 'Bradley', 'Bradly', 'Bradney', 'Brady', 'Bram', 'Bran', 'Brand', 'Branden', 'Brander', 'Brandon', 'Brandtr', 'Brandy', 'Brandyn', 'Brannon', 'Brant', 'Brantley', 'Bren', 'Brendan', 'Brenden', 'Brendin', 'Brendis', 'Brendon', 'Brennan', 'Brennen', 'Brent', 'Bret', 'Brett', 'Brew', 'Brewer', 'Brewster', 'Brian', 'Briano', 'Briant', 'Brice', 'Brien', 'Brig', 'Brigg', 'Briggs', 'Brigham', 'Brion', 'Brit', 'Britt', 'Brnaba', 'Brnaby', 'Brock', 'Brockie', 'Brocky', 'Brod', 'Broddie', 'Broddy', 'Broderic', 'Broderick', 'Brodie', 'Brody', 'Brok', 'Bron', 'Bronnie', 'Bronny', 'Bronson', 'Brook', 'Brooke', 'Brooks', 'Brose', 'Bruce', 'Brucie', 'Bruis', 'Bruno', 'Bryan', 'Bryant', 'Bryanty', 'Bryce', 'Bryn', 'Bryon', 'Buck', 'Buckie', 'Bucky', 'Bud', 'Budd', 'Buddie', 'Buddy', 'Buiron', 'Burch', 'Burg', 'Burgess', 'Burk', 'Burke', 'Burl', 'Burlie', 'Burnaby', 'Burnard', 'Burr', 'Burt', 'Burtie', 'Burton', 'Burty', 'Butch', 'Byram', 'Byran', 'Byrann', 'Byrle', 'Byrom', 'Byron', 'Cad', 'Caddric', 'Caesar', 'Cal', 'Caldwell', 'Cale', 'Caleb', 'Calhoun', 'Callean', 'Calv', 'Calvin', 'Cam', 'Cameron', 'Camey', 'Cammy', 'Car', 'Carce', 'Care', 'Carey', 'Carl', 'Carleton', 'Carlie', 'Carlin', 'Carling', 'Carlo', 'Carlos', 'Carly', 'Carlyle', 'Carmine', 'Carney', 'Carny', 'Carolus', 'Carr', 'Carrol', 'Carroll', 'Carson', 'Cart', 'Carter', 'Carver', 'Cary', 'Caryl', 'Casar', 'Case', 'Casey', 'Cash', 'Caspar', 'Casper', 'Cass', 'Cassie', 'Cassius', 'Caz', 'Cazzie', 'Cchaddie', 'Cece', 'Cecil', 'Cecilio', 'Cecilius', 'Ced', 'Cedric', 'Cello', 'Cesar', 'Cesare', 'Cesaro', 'Chad', 'Chadd', 'Chaddie', 'Chaddy', 'Chadwick', 'Chaim', 'Chalmers', 'Chan', 'Chance', 'Chancey', 'Chandler', 'Chane', 'Chariot', 'Charles', 'Charley', 'Charlie', 'Charlton', 'Chas', 'Chase', 'Chaunce', 'Chauncey', 'Che', 'Chen', 'Ches', 'Chester', 'Cheston', 'Chet', 'Chev', 'Chevalier', 'Chevy', 'Chic', 'Chick', 'Chickie', 'Chicky', 'Chico', 'Chilton', 'Chip', 'Chris', 'Chrisse', 'Chrissie', 'Chrissy', 'Christian', 'Christiano', 'Christie', 'Christoffer', 'Christoforo', 'Christoper', 'Christoph', 'Christophe', 'Christopher', 'Christophorus', 'Christos', 'Christy', 'Chrisy', 'Chrotoem', 'Chucho', 'Chuck', 'Cirillo', 'Cirilo', 'Ciro', 'Claiborn', 'Claiborne', 'Clair', 'Claire', 'Clarance', 'Clare', 'Clarence', 'Clark', 'Clarke', 'Claudell', 'Claudian', 'Claudianus', 'Claudio', 'Claudius', 'Claus', 'Clay', 'Clayborn', 'Clayborne', 'Claybourne', 'Clayson', 'Clayton', 'Cleavland', 'Clem', 'Clemens', 'Clement', 'Clemente', 'Clementius', 'Clemmie', 'Clemmy', 'Cleon', 'Clerc', 'Cletis', 'Cletus', 'Cleve', 'Cleveland', 'Clevey', 'Clevie', 'Cliff', 'Clifford', 'Clim', 'Clint', 'Clive', 'Cly', 'Clyde', 'Clyve', 'Clywd', 'Cob', 'Cobb', 'Cobbie', 'Cobby', 'Codi', 'Codie', 'Cody', 'Cointon', 'Colan', 'Colas', 'Colby', 'Cole', 'Coleman', 'Colet', 'Colin', 'Collin', 'Colman', 'Colver', 'Con', 'Conan', 'Conant', 'Conn', 'Conney', 'Connie', 'Connor', 'Conny', 'Conrad', 'Conrade', 'Conrado', 'Conroy', 'Consalve', 'Constantin', 'Constantine', 'Constantino', 'Conway', 'Coop', 'Cooper', 'Corbet', 'Corbett', 'Corbie', 'Corbin', 'Corby', 'Cord', 'Cordell', 'Cordie', 'Cordy', 'Corey', 'Cori', 'Cornall', 'Cornelius', 'Cornell', 'Corney', 'Cornie', 'Corny', 'Correy', 'Corrie', 'Cort', 'Cortie', 'Corty', 'Cory', 'Cos', 'Cosimo', 'Cosme', 'Cosmo', 'Costa', 'Court', 'Courtnay', 'Courtney', 'Cozmo', 'Craggie', 'Craggy', 'Craig', 'Crawford', 'Creigh', 'Creight', 'Creighton', 'Crichton', 'Cris', 'Cristian', 'Cristiano', 'Cristobal', 'Crosby', 'Cross', 'Cull', 'Cullan', 'Cullen', 'Culley', 'Cullie', 'Cullin', 'Cully', 'Culver', 'Curcio', 'Curr', 'Curran', 'Currey', 'Currie', 'Curry', 'Curt', 'Curtice', 'Curtis', 'Cy', 'Cyril', 'Cyrill', 'Cyrille', 'Cyrillus', 'Cyrus', "D'Arcy", 'Dael', 'Dag', 'Dagny', 'Dal', 'Dale', 'Dalis', 'Dall', 'Dallas', 'Dalli', 'Dallis', 'Dallon', 'Dalston', 'Dalt', 'Dalton', 'Dame', 'Damian', 'Damiano', 'Damien', 'Damon', 'Dan', 'Dana', 'Dane', 'Dani', 'Danie', 'Daniel', 'Dannel', 'Dannie', 'Danny', 'Dante', 'Danya', 'Dar', 'Darb', 'Darbee', 'Darby', 'Darcy', 'Dare', 'Daren', 'Darill', 'Darin', 'Dario', 'Darius', 'Darn', 'Darnall', 'Darnell', 'Daron', 'Darrel', 'Darrell', 'Darren', 'Darrick', 'Darrin', 'Darryl', 'Darwin', 'Daryl', 'Daryle', 'Dav', 'Dave', 'Daven', 'Davey', 'David', 'Davidde', 'Davide', 'Davidson', 'Davie', 'Davin', 'Davis', 'Davon', 'Davy', 'De Witt', 'Dean', 'Deane', 'Decca', 'Deck', 'Del', 'Delainey', 'Delaney', 'Delano', 'Delbert', 'Dell', 'Delmar', 'Delmer', 'Delmor', 'Delmore', 'Demetre', 'Demetri', 'Demetris', 'Demetrius', 'Demott', 'Den', 'Dene', 'Denis', 'Dennet', 'Denney', 'Dennie', 'Dennis', 'Dennison', 'Denny', 'Denver', 'Denys', 'Der', 'Derby', 'Derek', 'Derick', 'Derk', 'Dermot', 'Derrek', 'Derrick', 'Derrik', 'Derril', 'Derron', 'Derry', 'Derward', 'Derwin', 'Des', 'Desi', 'Desmond', 'Desmund', 'Dev', 'Devin', 'Devland', 'Devlen', 'Devlin', 'Devy', 'Dew', 'Dewain', 'Dewey', 'Dewie', 'Dewitt', 'Dex', 'Dexter', 'Diarmid', 'Dick', 'Dickie', 'Dicky', 'Diego', 'Dieter', 'Dietrich', 'Dilan', 'Dill', 'Dillie', 'Dillon', 'Dilly', 'Dimitri', 'Dimitry', 'Dino', 'Dion', 'Dionisio', 'Dionysus', 'Dirk', 'Dmitri', 'Dolf', 'Dolph', 'Dom', 'Domenic', 'Domenico', 'Domingo', 'Dominic', 'Dominick', 'Dominik', 'Dominique', 'Don', 'Donal', 'Donall', 'Donalt', 'Donaugh', 'Donavon', 'Donn', 'Donnell', 'Donnie', 'Donny', 'Donovan', 'Dore', 'Dorey', 'Dorian', 'Dorie', 'Dory', 'Doug', 'Dougie', 'Douglas', 'Douglass', 'Dougy', 'Dov', 'Doy', 'Doyle', 'Drake', 'Drew', 'Dru', 'Drud', 'Drugi', 'Duane', 'Dud', 'Dudley', 'Duff', 'Duffie', 'Duffy', 'Dugald', 'Duke', 'Dukey', 'Dukie', 'Duky', 'Dun', 'Dunc', 'Duncan', 'Dunn', 'Dunstan', 'Dur', 'Durand', 'Durant', 'Durante', 'Durward', 'Dwain', 'Dwayne', 'Dwight', 'Dylan', 'Eadmund', 'Eal', 'Eamon', 'Earl', 'Earle', 'Earlie', 'Early', 'Earvin', 'Eb', 'Eben', 'Ebeneser', 'Ebenezer', 'Eberhard', 'Eberto', 'Ed', 'Edan', 'Edd', 'Eddie', 'Eddy', 'Edgar', 'Edgard', 'Edgardo', 'Edik', 'Edlin', 'Edmon', 'Edmund', 'Edouard', 'Edsel', 'Eduard', 'Eduardo', 'Eduino', 'Edvard', 'Edward', 'Edwin', 'Efrem', 'Efren', 'Egan', 'Egbert', 'Egon', 'Egor', 'El', 'Elbert', 'Elden', 'Eldin', 'Eldon', 'Eldredge', 'Eldridge', 'Eli', 'Elia', 'Elias', 'Elihu', 'Elijah', 'Eliot', 'Elisha', 'Ellary', 'Ellerey', 'Ellery', 'Elliot', 'Elliott', 'Ellis', 'Ellswerth', 'Ellsworth', 'Ellwood', 'Elmer', 'Elmo', 'Elmore', 'Elnar', 'Elroy', 'Elston', 'Elsworth', 'Elton', 'Elvin', 'Elvis', 'Elvyn', 'Elwin', 'Elwood', 'Elwyn', 'Ely', 'Em', 'Emanuel', 'Emanuele', 'Emelen', 'Emerson', 'Emery', 'Emile', 'Emilio', 'Emlen', 'Emlyn', 'Emmanuel', 'Emmerich', 'Emmery', 'Emmet', 'Emmett', 'Emmit', 'Emmott', 'Emmy', 'Emory', 'Engelbert', 'Englebert', 'Ennis', 'Enoch', 'Enos', 'Enrico', 'Enrique', 'Ephraim', 'Ephrayim', 'Ephrem', 'Erasmus', 'Erastus', 'Erek', 'Erhard', 'Erhart', 'Eric', 'Erich', 'Erick', 'Erie', 'Erik', 'Erin', 'Erl', 'Ermanno', 'Ermin', 'Ernest', 'Ernesto', 'Ernestus', 'Ernie', 'Ernst', 'Erny', 'Errick', 'Errol', 'Erroll', 'Erskine', 'Erv', 'ErvIn', 'Erwin', 'Esdras', 'Esme', 'Esra', 'Esteban', 'Estevan', 'Etan', 'Ethan', 'Ethe', 'Ethelbert', 'Ethelred', 'Etienne', 'Ettore', 'Euell', 'Eugen', 'Eugene', 'Eugenio', 'Eugenius', 'Eustace', 'Ev', 'Evan', 'Evelin', 'Evelyn', 'Even', 'Everard', 'Evered', 'Everett', 'Evin', 'Evyn', 'Ewan', 'Eward', 'Ewart', 'Ewell', 'Ewen', 'Ezechiel', 'Ezekiel', 'Ezequiel', 'Eziechiele', 'Ezra', 'Ezri', 'Fabe', 'Faber', 'Fabian', 'Fabiano', 'Fabien', 'Fabio', 'Fair', 'Fairfax', 'Fairleigh', 'Fairlie', 'Falito', 'Falkner', 'Far', 'Farlay', 'Farlee', 'Farleigh', 'Farley', 'Farlie', 'Farly', 'Farr', 'Farrel', 'Farrell', 'Farris', 'Faulkner', 'Fax', 'Federico', 'Fee', 'Felic', 'Felice', 'Felicio', 'Felike', 'Feliks', 'Felipe', 'Felix', 'Felizio', 'Feodor', 'Ferd', 'Ferdie', 'Ferdinand', 'Ferdy', 'Fergus', 'Ferguson', 'Fernando', 'Ferrel', 'Ferrell', 'Ferris', 'Fidel', 'Fidelio', 'Fidole', 'Field', 'Fielding', 'Fields', 'Filbert', 'Filberte', 'Filberto', 'Filip', 'Filippo', 'Filmer', 'Filmore', 'Fin', 'Findlay', 'Findley', 'Finlay', 'Finley', 'Finn', 'Fitz', 'Fitzgerald', 'Flem', 'Fleming', 'Flemming', 'Fletch', 'Fletcher', 'Flin', 'Flinn', 'Flint', 'Florian', 'Flory', 'Floyd', 'Flynn', 'Fons', 'Fonsie', 'Fonz', 'Fonzie', 'Forbes', 'Ford', 'Forest', 'Forester', 'Forrest', 'Forrester', 'Forster', 'Foss', 'Foster', 'Fowler', 'Fran', 'Francesco', 'Franchot', 'Francis', 'Francisco', 'Franciskus', 'Francklin', 'Francklyn', 'Francois', 'Frank', 'Frankie', 'Franklin', 'Franklyn', 'Franky', 'Frannie', 'Franny', 'Frans', 'Fransisco', 'Frants', 'Franz', 'Franzen', 'Frasco', 'Fraser', 'Frasier', 'Frasquito', 'Fraze', 'Frazer', 'Frazier', 'Fred', 'Freddie', 'Freddy', 'Fredek', 'Frederic', 'Frederich', 'Frederick', 'Frederico', 'Frederigo', 'Frederik', 'Fredric', 'Fredrick', 'Free', 'Freedman', 'Freeland', 'Freeman', 'Freemon', 'Fremont', 'Friedrich', 'Friedrick', 'Fritz', 'Fulton', 'Gabbie', 'Gabby', 'Gabe', 'Gabi', 'Gabie', 'Gabriel', 'Gabriele', 'Gabriello', 'Gaby', 'Gael', 'Gaelan', 'Gage', 'Gail', 'Gaile', 'Gal', 'Gale', 'Galen', 'Gallagher', 'Gallard', 'Galvan', 'Galven', 'Galvin', 'Gamaliel', 'Gan', 'Gannie', 'Gannon', 'Ganny', 'Gar', 'Garald', 'Gard', 'Gardener', 'Gardie', 'Gardiner', 'Gardner', 'Gardy', 'Gare', 'Garek', 'Gareth', 'Garey', 'Garfield', 'Garik', 'Garner', 'Garold', 'Garrard', 'Garrek', 'Garret', 'Garreth', 'Garrett', 'Garrick', 'Garrik', 'Garrot', 'Garrott', 'Garry', 'Garth', 'Garv', 'Garvey', 'Garvin', 'Garvy', 'Garwin', 'Garwood', 'Gary', 'Gaspar', 'Gaspard', 'Gasparo', 'Gasper', 'Gaston', 'Gaultiero', 'Gauthier', 'Gav', 'Gavan', 'Gaven', 'Gavin', 'Gawain', 'Gawen', 'Gay', 'Gayelord', 'Gayle', 'Gayler', 'Gaylor', 'Gaylord', 'Gearalt', 'Gearard', 'Gene', 'Geno', 'Geoff', 'Geoffrey', 'Geoffry', 'Georas', 'Geordie', 'Georg', 'George', 'Georges', 'Georgi', 'Georgie', 'Georgy', 'Gerald', 'Gerard', 'Gerardo', 'Gerek', 'Gerhard', 'Gerhardt', 'Geri', 'Gerick', 'Gerik', 'Germain', 'Germaine', 'Germayne', 'Gerome', 'Gerrard', 'Gerri', 'Gerrie', 'Gerry', 'Gery', 'Gherardo', 'Giacobo', 'Giacomo', 'Giacopo', 'Gian', 'Gianni', 'Giavani', 'Gib', 'Gibb', 'Gibbie', 'Gibby', 'Gideon', 'Giff', 'Giffard', 'Giffer', 'Giffie', 'Gifford', 'Giffy', 'Gil', 'Gilbert', 'Gilberto', 'Gilburt', 'Giles', 'Gill', 'Gilles', 'Ginger', 'Gino', 'Giordano', 'Giorgi', 'Giorgio', 'Giovanni', 'Giraldo', 'Giraud', 'Giselbert', 'Giulio', 'Giuseppe', 'Giustino', 'Giusto', 'Glen', 'Glenden', 'Glendon', 'Glenn', 'Glyn', 'Glynn', 'Godard', 'Godart', 'Goddard', 'Goddart', 'Godfree', 'Godfrey', 'Godfry', 'Godwin', 'Gonzales', 'Gonzalo', 'Goober', 'Goran', 'Goraud', 'Gordan', 'Gorden', 'Gordie', 'Gordon', 'Gordy', 'Gothart', 'Gottfried', 'Grace', 'Gradeigh', 'Gradey', 'Grady', 'Graehme', 'Graeme', 'Graham', 'Graig', 'Gram', 'Gran', 'Grange', 'Granger', 'Grannie', 'Granny', 'Grant', 'Grantham', 'Granthem', 'Grantley', 'Granville', 'Gray', 'Greg', 'Gregg', 'Greggory', 'Gregoire', 'Gregoor', 'Gregor', 'Gregorio', 'Gregorius', 'Gregory', 'Grenville', 'Griff', 'Griffie', 'Griffin', 'Griffith', 'Griffy', 'Gris', 'Griswold', 'Griz', 'Grove', 'Grover', 'Gualterio', 'Guglielmo', 'Guido', 'Guilbert', 'Guillaume', 'Guillermo', 'Gun', 'Gunar', 'Gunner', 'Guntar', 'Gunter', 'Gunther', 'Gus', 'Guss', 'Gustaf', 'Gustav', 'Gustave', 'Gustavo', 'Gustavus', 'Guthrey', 'Guthrie', 'Guthry', 'Guy', 'Had', 'Hadlee', 'Hadleigh', 'Hadley', 'Hadrian', 'Hagan', 'Hagen', 'Hailey', 'Haily', 'Hakeem', 'Hakim', 'Hal', 'Hale', 'Haleigh', 'Haley', 'Hall', 'Hallsy', 'Halsey', 'Halsy', 'Ham', 'Hamel', 'Hamid', 'Hamil', 'Hamilton', 'Hamish', 'Hamlen', 'Hamlin', 'Hammad', 'Hamnet', 'Hanan', 'Hank', 'Hans', 'Hansiain', 'Hanson', 'Harald', 'Harbert', 'Harcourt', 'Hardy', 'Harlan', 'Harland', 'Harlen', 'Harley', 'Harlin', 'Harman', 'Harmon', 'Harold', 'Haroun', 'Harp', 'Harper', 'Harris', 'Harrison', 'Harry', 'Hart', 'Hartley', 'Hartwell', 'Harv', 'Harvey', 'Harwell', 'Harwilll', 'Hasheem', 'Hashim', 'Haskel', 'Haskell', 'Haslett', 'Hastie', 'Hastings', 'Hasty', 'Haven', 'Hayden', 'Haydon', 'Hayes', 'Hayward', 'Haywood', 'Hayyim', 'Haze', 'Hazel', 'Hazlett', 'Heall', 'Heath', 'Hebert', 'Hector', 'Heindrick', 'Heinrick', 'Heinrik', 'Henderson', 'Hendrick', 'Hendrik', 'Henri', 'Henrik', 'Henry', 'Herb', 'Herbert', 'Herbie', 'Herby', 'Herc', 'Hercule', 'Hercules', 'Herculie', 'Heriberto', 'Herman', 'Hermann', 'Hermie', 'Hermon', 'Hermy', 'Hernando', 'Herold', 'Herrick', 'Hersch', 'Herschel', 'Hersh', 'Hershel', 'Herve', 'Hervey', 'Hew', 'Hewe', 'Hewet', 'Hewett', 'Hewie', 'Hewitt', 'Heywood', 'Hi', 'Hieronymus', 'Hilario', 'Hilarius', 'Hilary', 'Hill', 'Hillard', 'Hillary', 'Hillel', 'Hillery', 'Hilliard', 'Hillie', 'Hillier', 'Hilly', 'Hillyer', 'Hilton', 'Hinze', 'Hiram', 'Hirsch', 'Hobard', 'Hobart', 'Hobey', 'Hobie', 'Hodge', 'Hoebart', 'Hogan', 'Holden', 'Hollis', 'Holly', 'Holmes', 'Holt', 'Homer', 'Homere', 'Homerus', 'Horace', 'Horacio', 'Horatio', 'Horatius', 'Horst', 'Hort', 'Horten', 'Horton', 'Howard', 'Howey', 'Howie', 'Hoyt', 'Hube', 'Hubert', 'Huberto', 'Hubey', 'Hubie', 'Huey', 'Hugh', 'Hughie', 'Hugibert', 'Hugo', 'Hugues', 'Humbert', 'Humberto', 'Humfrey', 'Humfrid', 'Humfried', 'Humphrey', 'Hunfredo', 'Hunt', 'Hunter', 'Huntington', 'Huntlee', 'Huntley', 'Hurlee', 'Hurleigh', 'Hurley', 'Husain', 'Husein', 'Hussein', 'Hy', 'Hyatt', 'Hyman', 'Hymie', 'Iago', 'Iain', 'Ian', 'Ibrahim', 'Ichabod', 'Iggie', 'Iggy', 'Ignace', 'Ignacio', 'Ignacius', 'Ignatius', 'Ignaz', 'Ignazio', 'Igor', 'Ike', 'Ikey', 'Ilaire', 'Ilario', 'Immanuel', 'Ingamar', 'Ingar', 'Ingelbert', 'Ingemar', 'Inger', 'Inglebert', 'Inglis', 'Ingmar', 'Ingra', 'Ingram', 'Ingrim', 'Inigo', 'Inness', 'Innis', 'Iorgo', 'Iorgos', 'Iosep', 'Ira', 'Irv', 'Irvin', 'Irvine', 'Irving', 'Irwin', 'Irwinn', 'Isa', 'Isaac', 'Isaak', 'Isac', 'Isacco', 'Isador', 'Isadore', 'Isaiah', 'Isak', 'Isiahi', 'Isidor', 'Isidore', 'Isidoro', 'Isidro', 'Israel', 'Issiah', 'Itch', 'Ivan', 'Ivar', 'Ive', 'Iver', 'Ives', 'Ivor', 'Izaak', 'Izak', 'Izzy', 'Jabez', 'Jack', 'Jackie', 'Jackson', 'Jacky', 'Jacob', 'Jacobo', 'Jacques', 'Jae', 'Jaime', 'Jaimie', 'Jake', 'Jakie', 'Jakob', 'Jamaal', 'Jamal', 'James', 'Jameson', 'Jamesy', 'Jamey', 'Jamie', 'Jamil', 'Jamill', 'Jamison', 'Jammal', 'Jan', 'Janek', 'Janos', 'Jarad', 'Jard', 'Jareb', 'Jared', 'Jarib', 'Jarid', 'Jarrad', 'Jarred', 'Jarret', 'Jarrett', 'Jarrid', 'Jarrod', 'Jarvis', 'Jase', 'Jasen', 'Jason', 'Jasper', 'Jasun', 'Javier', 'Jay', 'Jaye', 'Jayme', 'Jaymie', 'Jayson', 'Jdavie', 'Jean', 'Jecho', 'Jed', 'Jedd', 'Jeddy', 'Jedediah', 'Jedidiah', 'Jeff', 'Jefferey', 'Jefferson', 'Jeffie', 'Jeffrey', 'Jeffry', 'Jeffy', 'Jehu', 'Jeno', 'Jens', 'Jephthah', 'Jerad', 'Jerald', 'Jeramey', 'Jeramie', 'Jere', 'Jereme', 'Jeremiah', 'Jeremias', 'Jeremie', 'Jeremy', 'Jermain', 'Jermaine', 'Jermayne', 'Jerome', 'Jeromy', 'Jerri', 'Jerrie', 'Jerrold', 'Jerrome', 'Jerry', 'Jervis', 'Jess', 'Jesse', 'Jessee', 'Jessey', 'Jessie', 'Jesus', 'Jeth', 'Jethro', 'Jim', 'Jimmie', 'Jimmy', 'Jo', 'Joachim', 'Joaquin', 'Job', 'Jock', 'Jocko', 'Jodi', 'Jodie', 'Jody', 'Joe', 'Joel', 'Joey', 'Johan', 'Johann', 'Johannes', 'John', 'Johnathan', 'Johnathon', 'Johnnie', 'Johnny', 'Johny', 'Jon', 'Jonah', 'Jonas', 'Jonathan', 'Jonathon', 'Jone', 'Jordan', 'Jordon', 'Jorgan', 'Jorge', 'Jory', 'Jose', 'Joseito', 'Joseph', 'Josh', 'Joshia', 'Joshua', 'Joshuah', 'Josiah', 'Josias', 'Jourdain', 'Jozef', 'Juan', 'Jud', 'Judah', 'Judas', 'Judd', 'Jude', 'Judon', 'Jule', 'Jules', 'Julian', 'Julie', 'Julio', 'Julius', 'Justen', 'Justin', 'Justinian', 'Justino', 'Justis', 'Justus', 'Kahaleel', 'Kahlil', 'Kain', 'Kaine', 'Kaiser', 'Kale', 'Kaleb', 'Kalil', 'Kalle', 'Kalvin', 'Kane', 'Kareem', 'Karel', 'Karim', 'Karl', 'Karlan', 'Karlens', 'Karlik', 'Karlis', 'Karney', 'Karoly', 'Kaspar', 'Kasper', 'Kayne', 'Kean', 'Keane', 'Kearney', 'Keary', 'Keefe', 'Keefer', 'Keelby', 'Keen', 'Keenan', 'Keene', 'Keir', 'Keith', 'Kelbee', 'Kelby', 'Kele', 'Kellby', 'Kellen', 'Kelley', 'Kelly', 'Kelsey', 'Kelvin', 'Kelwin', 'Ken', 'Kendal', 'Kendall', 'Kendell', 'Kendrick', 'Kendricks', 'Kenn', 'Kennan', 'Kennedy', 'Kenneth', 'Kennett', 'Kennie', 'Kennith', 'Kenny', 'Kenon', 'Kent', 'Kenton', 'Kenyon', 'Ker', 'Kerby', 'Kerk', 'Kermie', 'Kermit', 'Kermy', 'Kerr', 'Kerry', 'Kerwin', 'Kerwinn', 'Kev', 'Kevan', 'Keven', 'Kevin', 'Kevon', 'Khalil', 'Kiel', 'Kienan', 'Kile', 'Kiley', 'Kilian', 'Killian', 'Killie', 'Killy', 'Kim', 'Kimball', 'Kimbell', 'Kimble', 'Kin', 'Kincaid', 'King', 'Kingsley', 'Kingsly', 'Kingston', 'Kinnie', 'Kinny', 'Kinsley', 'Kip', 'Kipp', 'Kippar', 'Kipper', 'Kippie', 'Kippy', 'Kirby', 'Kirk', 'Kit', 'Klaus', 'Klemens', 'Klement', 'Kleon', 'Kliment', 'Knox', 'Koenraad', 'Konrad', 'Konstantin', 'Konstantine', 'Korey', 'Kort', 'Kory', 'Kris', 'Krisha', 'Krishna', 'Krishnah', 'Krispin', 'Kristian', 'Kristo', 'Kristofer', 'Kristoffer', 'Kristofor', 'Kristoforo', 'Kristopher', 'Kristos', 'Kurt', 'Kurtis', 'Ky', 'Kyle', 'Kylie', 'Laird', 'Lalo', 'Lamar', 'Lambert', 'Lammond', 'Lamond', 'Lamont', 'Lance', 'Lancelot', 'Land', 'Lane', 'Laney', 'Langsdon', 'Langston', 'Lanie', 'Lannie', 'Lanny', 'Larry', 'Lars', 'Laughton', 'Launce', 'Lauren', 'Laurence', 'Laurens', 'Laurent', 'Laurie', 'Lauritz', 'Law', 'Lawrence', 'Lawry', 'Lawton', 'Lay', 'Layton', 'Lazar', 'Lazare', 'Lazaro', 'Lazarus', 'Lee', 'Leeland', 'Lefty', 'Leicester', 'Leif', 'Leigh', 'Leighton', 'Lek', 'Leland', 'Lem', 'Lemar', 'Lemmie', 'Lemmy', 'Lemuel', 'Lenard', 'Lenci', 'Lennard', 'Lennie', 'Leo', 'Leon', 'Leonard', 'Leonardo', 'Leonerd', 'Leonhard', 'Leonid', 'Leonidas', 'Leopold', 'Leroi', 'Leroy', 'Les', 'Lesley', 'Leslie', 'Lester', 'Leupold', 'Lev', 'Levey', 'Levi', 'Levin', 'Levon', 'Levy', 'Lew', 'Lewes', 'Lewie', 'Lewiss', 'Lezley', 'Liam', 'Lief', 'Lin', 'Linc', 'Lincoln', 'Lind', 'Lindon', 'Lindsay', 'Lindsey', 'Lindy', 'Link', 'Linn', 'Linoel', 'Linus', 'Lion', 'Lionel', 'Lionello', 'Lisle', 'Llewellyn', 'Lloyd', 'Llywellyn', 'Lock', 'Locke', 'Lockwood', 'Lodovico', 'Logan', 'Lombard', 'Lon', 'Lonnard', 'Lonnie', 'Lonny', 'Lorant', 'Loren', 'Lorens', 'Lorenzo', 'Lorin', 'Lorne', 'Lorrie', 'Lorry', 'Lothaire', 'Lothario', 'Lou', 'Louie', 'Louis', 'Lovell', 'Lowe', 'Lowell', 'Lowrance', 'Loy', 'Loydie', 'Luca', 'Lucais', 'Lucas', 'Luce', 'Lucho', 'Lucian', 'Luciano', 'Lucias', 'Lucien', 'Lucio', 'Lucius', 'Ludovico', 'Ludvig', 'Ludwig', 'Luigi', 'Luis', 'Lukas', 'Luke', 'Lutero', 'Luther', 'Ly', 'Lydon', 'Lyell', 'Lyle', 'Lyman', 'Lyn', 'Lynn', 'Lyon', 'Mac', 'Mace', 'Mack', 'Mackenzie', 'Maddie', 'Maddy', 'Madison', 'Magnum', 'Mahmoud', 'Mahmud', 'Maison', 'Maje', 'Major', 'Mal', 'Malachi', 'Malchy', 'Malcolm', 'Mallory', 'Malvin', 'Man', 'Mandel', 'Manfred', 'Mannie', 'Manny', 'Mano', 'Manolo', 'Manuel', 'Mar', 'Marc', 'Marcel', 'Marcello', 'Marcellus', 'Marcelo', 'Marchall', 'Marco', 'Marcos', 'Marcus', 'Marijn', 'Mario', 'Marion', 'Marius', 'Mark', 'Markos', 'Markus', 'Marlin', 'Marlo', 'Marlon', 'Marlow', 'Marlowe', 'Marmaduke', 'Marsh', 'Marshal', 'Marshall', 'Mart', 'Martainn', 'Marten', 'Martie', 'Martin', 'Martino', 'Marty', 'Martyn', 'Marv', 'Marve', 'Marven', 'Marvin', 'Marwin', 'Mason', 'Massimiliano', 'Massimo', 'Mata', 'Mateo', 'Mathe', 'Mathew', 'Mathian', 'Mathias', 'Matias', 'Matt', 'Matteo', 'Matthaeus', 'Mattheus', 'Matthew', 'Matthias', 'Matthieu', 'Matthiew', 'Matthus', 'Mattias', 'Mattie', 'Matty', 'Maurice', 'Mauricio', 'Maurie', 'Maurise', 'Maurits', 'Maurizio', 'Maury', 'Max', 'Maxie', 'Maxim', 'Maximilian', 'Maximilianus', 'Maximilien', 'Maximo', 'Maxwell', 'Maxy', 'Mayer', 'Maynard', 'Mayne', 'Maynord', 'Mayor', 'Mead', 'Meade', 'Meier', 'Meir', 'Mel', 'Melvin', 'Melvyn', 'Menard', 'Mendel', 'Mendie', 'Mendy', 'Meredeth', 'Meredith', 'Merell', 'Merill', 'Merle', 'Merrel', 'Merrick', 'Merrill', 'Merry', 'Merv', 'Mervin', 'Merwin', 'Merwyn', 'Meryl', 'Meyer', 'Mic', 'Micah', 'Michael', 'Michail', 'Michal', 'Michale', 'Micheal', 'Micheil', 'Michel', 'Michele', 'Mick', 'Mickey', 'Mickie', 'Micky', 'Miguel', 'Mikael', 'Mike', 'Mikel', 'Mikey', 'Mikkel', 'Mikol', 'Mile', 'Miles', 'Mill', 'Millard', 'Miller', 'Milo', 'Milt', 'Miltie', 'Milton', 'Milty', 'Miner', 'Minor', 'Mischa', 'Mitch', 'Mitchael', 'Mitchel', 'Mitchell', 'Moe', 'Mohammed', 'Mohandas', 'Mohandis', 'Moise', 'Moises', 'Moishe', 'Monro', 'Monroe', 'Montague', 'Monte', 'Montgomery', 'Monti', 'Monty', 'Moore', 'Mord', 'Mordecai', 'Mordy', 'Morey', 'Morgan', 'Morgen', 'Morgun', 'Morie', 'Moritz', 'Morlee', 'Morley', 'Morly', 'Morrie', 'Morris', 'Morry', 'Morse', 'Mort', 'Morten', 'Mortie', 'Mortimer', 'Morton', 'Morty', 'Mose', 'Moses', 'Moshe', 'Moss', 'Mozes', 'Muffin', 'Muhammad', 'Munmro', 'Munroe', 'Murdoch', 'Murdock', 'Murray', 'Murry', 'Murvyn', 'My', 'Myca', 'Mycah', 'Mychal', 'Myer', 'Myles', 'Mylo', 'Myron', 'Myrvyn', 'Myrwyn', 'Nahum', 'Nap', 'Napoleon', 'Nappie', 'Nappy', 'Nat', 'Natal', 'Natale', 'Nataniel', 'Nate', 'Nathan', 'Nathanael', 'Nathanial', 'Nathaniel', 'Nathanil', 'Natty', 'Neal', 'Neale', 'Neall', 'Nealon', 'Nealson', 'Nealy', 'Ned', 'Neddie', 'Neddy', 'Neel', 'Nefen', 'Nehemiah', 'Neil', 'Neill', 'Neils', 'Nels', 'Nelson', 'Nero', 'Neron', 'Nester', 'Nestor', 'Nev', 'Nevil', 'Nevile', 'Neville', 'Nevin', 'Nevins', 'Newton', 'Nial', 'Niall', 'Niccolo', 'Nicholas', 'Nichole', 'Nichols', 'Nick', 'Nickey', 'Nickie', 'Nicko', 'Nickola', 'Nickolai', 'Nickolas', 'Nickolaus', 'Nicky', 'Nico', 'Nicol', 'Nicola', 'Nicolai', 'Nicolais', 'Nicolas', 'Nicolis', 'Niel', 'Niels', 'Nigel', 'Niki', 'Nikita', 'Nikki', 'Niko', 'Nikola', 'Nikolai', 'Nikolaos', 'Nikolas', 'Nikolaus', 'Nikolos', 'Nikos', 'Nil', 'Niles', 'Nils', 'Nilson', 'Niven', 'Noach', 'Noah', 'Noak', 'Noam', 'Nobe', 'Nobie', 'Noble', 'Noby', 'Noe', 'Noel', 'Nolan', 'Noland', 'Noll', 'Nollie', 'Nolly', 'Norbert', 'Norbie', 'Norby', 'Norman', 'Normand', 'Normie', 'Normy', 'Norrie', 'Norris', 'Norry', 'North', 'Northrop', 'Northrup', 'Norton', 'Nowell', 'Nye', 'Oates', 'Obadiah', 'Obadias', 'Obed', 'Obediah', 'Oberon', 'Obidiah', 'Obie', 'Oby', 'Octavius', 'Ode', 'Odell', 'Odey', 'Odie', 'Odo', 'Ody', 'Ogdan', 'Ogden', 'Ogdon', 'Olag', 'Olav', 'Ole', 'Olenolin', 'Olin', 'Oliver', 'Olivero', 'Olivier', 'Oliviero', 'Ollie', 'Olly', 'Olvan', 'Omar', 'Omero', 'Onfre', 'Onfroi', 'Onofredo', 'Oran', 'Orazio', 'Orbadiah', 'Oren', 'Orin', 'Orion', 'Orlan', 'Orland', 'Orlando', 'Orran', 'Orren', 'Orrin', 'Orson', 'Orton', 'Orv', 'Orville', 'Osbert', 'Osborn', 'Osborne', 'Osbourn', 'Osbourne', 'Osgood', 'Osmond', 'Osmund', 'Ossie', 'Oswald', 'Oswell', 'Otes', 'Othello', 'Otho', 'Otis', 'Otto', 'Owen', 'Ozzie', 'Ozzy', 'Pablo', 'Pace', 'Packston', 'Paco', 'Pacorro', 'Paddie', 'Paddy', 'Padget', 'Padgett', 'Padraic', 'Padraig', 'Padriac', 'Page', 'Paige', 'Pail', 'Pall', 'Palm', 'Palmer', 'Panchito', 'Pancho', 'Paolo', 'Papageno', 'Paquito', 'Park', 'Parke', 'Parker', 'Parnell', 'Parrnell', 'Parry', 'Parsifal', 'Pascal', 'Pascale', 'Pasquale', 'Pat', 'Pate', 'Paten', 'Patin', 'Paton', 'Patric', 'Patrice', 'Patricio', 'Patrick', 'Patrizio', 'Patrizius', 'Patsy', 'Patten', 'Pattie', 'Pattin', 'Patton', 'Patty', 'Paul', 'Paulie', 'Paulo', 'Pauly', 'Pavel', 'Pavlov', 'Paxon', 'Paxton', 'Payton', 'Peadar', 'Pearce', 'Pebrook', 'Peder', 'Pedro', 'Peirce', 'Pembroke', 'Pen', 'Penn', 'Pennie', 'Penny', 'Penrod', 'Pepe', 'Pepillo', 'Pepito', 'Perceval', 'Percival', 'Percy', 'Perice', 'Perkin', 'Pernell', 'Perren', 'Perry', 'Pete', 'Peter', 'Peterus', 'Petey', 'Petr', 'Peyter', 'Peyton', 'Phil', 'Philbert', 'Philip', 'Phillip', 'Phillipe', 'Phillipp', 'Phineas', 'Phip', 'Pierce', 'Pierre', 'Pierson', 'Pieter', 'Pietrek', 'Pietro', 'Piggy', 'Pincas', 'Pinchas', 'Pincus', 'Piotr', 'Pip', 'Pippo', 'Pooh', 'Port', 'Porter', 'Portie', 'Porty', 'Poul', 'Powell', 'Pren', 'Prent', 'Prentice', 'Prentiss', 'Prescott', 'Preston', 'Price', 'Prince', 'Prinz', 'Pryce', 'Puff', 'Purcell', 'Putnam', 'Putnem', 'Pyotr', 'Quent', 'Quentin', 'Quill', 'Quillan', 'Quincey', 'Quincy', 'Quinlan', 'Quinn', 'Quint', 'Quintin', 'Quinton', 'Quintus', 'Rab', 'Rabbi', 'Rabi', 'Rad', 'Radcliffe', 'Raddie', 'Raddy', 'Rafael', 'Rafaellle', 'Rafaello', 'Rafe', 'Raff', 'Raffaello', 'Raffarty', 'Rafferty', 'Rafi', 'Ragnar', 'Raimondo', 'Raimund', 'Raimundo', 'Rainer', 'Raleigh', 'Ralf', 'Ralph', 'Ram', 'Ramon', 'Ramsay', 'Ramsey', 'Rance', 'Rancell', 'Rand', 'Randal', 'Randall', 'Randell', 'Randi', 'Randie', 'Randolf', 'Randolph', 'Randy', 'Ransell', 'Ransom', 'Raoul', 'Raphael', 'Raul', 'Ravi', 'Ravid', 'Raviv', 'Rawley', 'Ray', 'Raymond', 'Raymund', 'Raynard', 'Rayner', 'Raynor', 'Read', 'Reade', 'Reagan', 'Reagen', 'Reamonn', 'Red', 'Redd', 'Redford', 'Reece', 'Reed', 'Rees', 'Reese', 'Reg', 'Regan', 'Regen', 'Reggie', 'Reggis', 'Reggy', 'Reginald', 'Reginauld', 'Reid', 'Reidar', 'Reider', 'Reilly', 'Reinald', 'Reinaldo', 'Reinaldos', 'Reinhard', 'Reinhold', 'Reinold', 'Reinwald', 'Rem', 'Remington', 'Remus', 'Renado', 'Renaldo', 'Renard', 'Renato', 'Renaud', 'Renault', 'Rene', 'Reube', 'Reuben', 'Reuven', 'Rex', 'Rey', 'Reynard', 'Reynold', 'Reynolds', 'Rhett', 'Rhys', 'Ric', 'Ricard', 'Ricardo', 'Riccardo', 'Rice', 'Rich', 'Richard', 'Richardo', 'Richart', 'Richie', 'Richmond', 'Richmound', 'Richy', 'Rick', 'Rickard', 'Rickert', 'Rickey', 'Ricki', 'Rickie', 'Ricky', 'Ricoriki', 'Rik', 'Rikki', 'Riley', 'Rinaldo', 'Ring', 'Ringo', 'Riobard', 'Riordan', 'Rip', 'Ripley', 'Ritchie', 'Roarke', 'Rob', 'Robb', 'Robbert', 'Robbie', 'Robby', 'Robers', 'Robert', 'Roberto', 'Robin', 'Robinet', 'Robinson', 'Rochester', 'Rock', 'Rockey', 'Rockie', 'Rockwell', 'Rocky', 'Rod', 'Rodd', 'Roddie', 'Roddy', 'Roderic', 'Roderich', 'Roderick', 'Roderigo', 'Rodge', 'Rodger', 'Rodney', 'Rodolfo', 'Rodolph', 'Rodolphe', 'Rodrick', 'Rodrigo', 'Rodrique', 'Rog', 'Roger', 'Rogerio', 'Rogers', 'Roi', 'Roland', 'Rolando', 'Roldan', 'Roley', 'Rolf', 'Rolfe', 'Rolland', 'Rollie', 'Rollin', 'Rollins', 'Rollo', 'Rolph', 'Roma', 'Romain', 'Roman', 'Romeo', 'Ron', 'Ronald', 'Ronnie', 'Ronny', 'Rooney', 'Roosevelt', 'Rorke', 'Rory', 'Rosco', 'Roscoe', 'Ross', 'Rossie', 'Rossy', 'Roth', 'Rourke', 'Rouvin', 'Rowan', 'Rowen', 'Rowland', 'Rowney', 'Roy', 'Royal', 'Royall', 'Royce', 'Rriocard', 'Rube', 'Ruben', 'Rubin', 'Ruby', 'Rudd', 'Ruddie', 'Ruddy', 'Rudie', 'Rudiger', 'Rudolf', 'Rudolfo', 'Rudolph', 'Rudy', 'Rudyard', 'Rufe', 'Rufus', 'Ruggiero', 'Rupert', 'Ruperto', 'Ruprecht', 'Rurik', 'Russ', 'Russell', 'Rustie', 'Rustin', 'Rusty', 'Rutger', 'Rutherford', 'Rutledge', 'Rutter', 'Ruttger', 'Ruy', 'Ryan', 'Ryley', 'Ryon', 'Ryun', 'Sal', 'Saleem', 'Salem', 'Salim', 'Salmon', 'Salomo', 'Salomon', 'Salomone', 'Salvador', 'Salvatore', 'Salvidor', 'Sam', 'Sammie', 'Sammy', 'Sampson', 'Samson', 'Samuel', 'Samuele', 'Sancho', 'Sander', 'Sanders', 'Sanderson', 'Sandor', 'Sandro', 'Sandy', 'Sanford', 'Sanson', 'Sansone', 'Sarge', 'Sargent', 'Sascha', 'Sasha', 'Saul', 'Sauncho', 'Saunder', 'Saunders', 'Saunderson', 'Saundra', 'Sauveur', 'Saw', 'Sawyer', 'Sawyere', 'Sax', 'Saxe', 'Saxon', 'Say', 'Sayer', 'Sayers', 'Sayre', 'Sayres', 'Scarface', 'Schuyler', 'Scot', 'Scott', 'Scotti', 'Scottie', 'Scotty', 'Seamus', 'Sean', 'Sebastian', 'Sebastiano', 'Sebastien', 'See', 'Selby', 'Selig', 'Serge', 'Sergeant', 'Sergei', 'Sergent', 'Sergio', 'Seth', 'Seumas', 'Seward', 'Seymour', 'Shadow', 'Shae', 'Shaine', 'Shalom', 'Shamus', 'Shanan', 'Shane', 'Shannan', 'Shannon', 'Shaughn', 'Shaun', 'Shaw', 'Shawn', 'Shay', 'Shayne', 'Shea', 'Sheff', 'Sheffie', 'Sheffield', 'Sheffy', 'Shelby', 'Shelden', 'Shell', 'Shelley', 'Shelton', 'Shem', 'Shep', 'Shepard', 'Shepherd', 'Sheppard', 'Shepperd', 'Sheridan', 'Sherlock', 'Sherlocke', 'Sherm', 'Sherman', 'Shermie', 'Shermy', 'Sherwin', 'Sherwood', 'Sherwynd', 'Sholom', 'Shurlock', 'Shurlocke', 'Shurwood', 'Si', 'Sibyl', 'Sid', 'Sidnee', 'Sidney', 'Siegfried', 'Siffre', 'Sig', 'Sigfrid', 'Sigfried', 'Sigismond', 'Sigismondo', 'Sigismund', 'Sigismundo', 'Sigmund', 'Sigvard', 'Silas', 'Silvain', 'Silvan', 'Silvano', 'Silvanus', 'Silvester', 'Silvio', 'Sim', 'Simeon', 'Simmonds', 'Simon', 'Simone', 'Sinclair', 'Sinclare', 'Siward', 'Skell', 'Skelly', 'Skip', 'Skipp', 'Skipper', 'Skippie', 'Skippy', 'Skipton', 'Sky', 'Skye', 'Skylar', 'Skyler', 'Slade', 'Sloan', 'Sloane', 'Sly', 'Smith', 'Smitty', 'Sol', 'Sollie', 'Solly', 'Solomon', 'Somerset', 'Son', 'Sonnie', 'Sonny', 'Spence', 'Spencer', 'Spense', 'Spenser', 'Spike', 'Stacee', 'Stacy', 'Staffard', 'Stafford', 'Staford', 'Stan', 'Standford', 'Stanfield', 'Stanford', 'Stanislas', 'Stanislaus', 'Stanislaw', 'Stanleigh', 'Stanley', 'Stanly', 'Stanton', 'Stanwood', 'Stavro', 'Stavros', 'Stearn', 'Stearne', 'Stefan', 'Stefano', 'Steffen', 'Stephan', 'Stephanus', 'Stephen', 'Sterling', 'Stern', 'Sterne', 'Steve', 'Steven', 'Stevie', 'Stevy', 'Steward', 'Stewart', 'Stillman', 'Stillmann', 'Stinky', 'Stirling', 'Stu', 'Stuart', 'Sullivan', 'Sully', 'Sumner', 'Sunny', 'Sutherlan', 'Sutherland', 'Sutton', 'Sven', 'Svend', 'Swen', 'Syd', 'Sydney', 'Sylas', 'Sylvan', 'Sylvester', 'Syman', 'Symon', 'Tab', 'Tabb', 'Tabbie', 'Tabby', 'Taber', 'Tabor', 'Tad', 'Tadd', 'Taddeo', 'Taddeusz', 'Tadeas', 'Tadeo', 'Tades', 'Tadio', 'Tailor', 'Tait', 'Taite', 'Talbert', 'Talbot', 'Tallie', 'Tally', 'Tam', 'Tamas', 'Tammie', 'Tammy', 'Tan', 'Tann', 'Tanner', 'Tanney', 'Tannie', 'Tanny', 'Tarrance', 'Tate', 'Taylor', 'Teador', 'Ted', 'Tedd', 'Teddie', 'Teddy', 'Tedie', 'Tedman', 'Tedmund', 'Temp', 'Temple', 'Templeton', 'Teodoor', 'Teodor', 'Teodorico', 'Teodoro', 'Terence', 'Terencio', 'Terrance', 'Terrel', 'Terrell', 'Terrence', 'Terri', 'Terrill', 'Terry', 'Thacher', 'Thaddeus', 'Thaddus', 'Thadeus', 'Thain', 'Thaine', 'Thane', 'Thatch', 'Thatcher', 'Thaxter', 'Thayne', 'Thebault', 'Thedric', 'Thedrick', 'Theo', 'Theobald', 'Theodor', 'Theodore', 'Theodoric', 'Thibaud', 'Thibaut', 'Thom', 'Thoma', 'Thomas', 'Thor', 'Thorin', 'Thorn', 'Thorndike', 'Thornie', 'Thornton', 'Thorny', 'Thorpe', 'Thorstein', 'Thorsten', 'Thorvald', 'Thurstan', 'Thurston', 'Tibold', 'Tiebold', 'Tiebout', 'Tiler', 'Tim', 'Timmie', 'Timmy', 'Timofei', 'Timoteo', 'Timothee', 'Timotheus', 'Timothy', 'Tirrell', 'Tito', 'Titos', 'Titus', 'Tobe', 'Tobiah', 'Tobias', 'Tobie', 'Tobin', 'Tobit', 'Toby', 'Tod', 'Todd', 'Toddie', 'Toddy', 'Toiboid', 'Tom', 'Tomas', 'Tomaso', 'Tome', 'Tomkin', 'Tomlin', 'Tommie', 'Tommy', 'Tonnie', 'Tony', 'Tore', 'Torey', 'Torin', 'Torr', 'Torrance', 'Torre', 'Torrence', 'Torrey', 'Torrin', 'Torry', 'Town', 'Towney', 'Townie', 'Townsend', 'Towny', 'Trace', 'Tracey', 'Tracie', 'Tracy', 'Traver', 'Travers', 'Travis', 'Travus', 'Trefor', 'Tremain', 'Tremaine', 'Tremayne', 'Trent', 'Trenton', 'Trev', 'Trevar', 'Trever', 'Trevor', 'Trey', 'Trip', 'Tripp', 'Tris', 'Tristam', 'Tristan', 'Troy', 'Trstram', 'Trueman', 'Trumaine', 'Truman', 'Trumann', 'Tuck', 'Tucker', 'Tuckie', 'Tucky', 'Tudor', 'Tull', 'Tulley', 'Tully', 'Turner', 'Ty', 'Tybalt', 'Tye', 'Tyler', 'Tymon', 'Tymothy', 'Tynan', 'Tyrone', 'Tyrus', 'Tyson', 'Udale', 'Udall', 'Udell', 'Ugo', 'Ulberto', 'Ulick', 'Ulises', 'Ulric', 'Ulrich', 'Ulrick', 'Ulysses', 'Umberto', 'Upton', 'Urbain', 'Urban', 'Urbano', 'Urbanus', 'Uri', 'Uriah', 'Uriel', 'Urson', 'Vachel', 'Vaclav', 'Vail', 'Val', 'Valdemar', 'Vale', 'Valentijn', 'Valentin', 'Valentine', 'Valentino', 'Valle', 'Van', 'Vance', 'Vanya', 'Vasili', 'Vasilis', 'Vasily', 'Vassili', 'Vassily', 'Vaughan', 'Vaughn', 'Verge', 'Vergil', 'Vern', 'Verne', 'Vernen', 'Verney', 'Vernon', 'Vernor', 'Vic', 'Vick', 'Victoir', 'Victor', 'Vidovic', 'Vidovik', 'Vin', 'Vince', 'Vincent', 'Vincents', 'Vincenty', 'Vincenz', 'Vinnie', 'Vinny', 'Vinson', 'Virge', 'Virgie', 'Virgil', 'Virgilio', 'Vite', 'Vito', 'Vittorio', 'Vlad', 'Vladamir', 'Vladimir', 'Von', 'Wade', 'Wadsworth', 'Wain', 'Wainwright', 'Wait', 'Waite', 'Waiter', 'Wake', 'Wakefield', 'Wald', 'Waldemar', 'Walden', 'Waldo', 'Waldon', 'Walker', 'Wallace', 'Wallache', 'Wallas', 'Wallie', 'Wallis', 'Wally', 'Walsh', 'Walt', 'Walther', 'Walton', 'Wang', 'Ward', 'Warde', 'Warden', 'Ware', 'Waring', 'Warner', 'Warren', 'Wash', 'Washington', 'Wat', 'Waverley', 'Waverly', 'Way', 'Waylan', 'Wayland', 'Waylen', 'Waylin', 'Waylon', 'Wayne', 'Web', 'Webb', 'Weber', 'Webster', 'Weidar', 'Weider', 'Welbie', 'Welby', 'Welch', 'Wells', 'Welsh', 'Wendall', 'Wendel', 'Wendell', 'Werner', 'Wernher', 'Wes', 'Wesley', 'West', 'Westbrook', 'Westbrooke', 'Westleigh', 'Westley', 'Weston', 'Weylin', 'Wheeler', 'Whit', 'Whitaker', 'Whitby', 'Whitman', 'Whitney', 'Whittaker', 'Wiatt', 'Wilbert', 'Wilbur', 'Wilburt', 'Wilden', 'Wildon', 'Wilek', 'Wiley', 'Wilfred', 'Wilfrid', 'Wilhelm', 'Will', 'Willard', 'Willdon', 'Willem', 'Willey', 'Willi', 'William', 'Willie', 'Willis', 'Willy', 'Wilmar', 'Wilmer', 'Wilt', 'Wilton', 'Win', 'Windham', 'Winfield', 'Winfred', 'Winifield', 'Winn', 'Winnie', 'Winny', 'Winslow', 'Winston', 'Winthrop', 'Wit', 'Wittie', 'Witty', 'Wolf', 'Wolfgang', 'Wolfie', 'Wolfy', 'Wood', 'Woodie', 'Woodman', 'Woodrow', 'Woody', 'Worden', 'Worth', 'Worthington', 'Worthy', 'Wright', 'Wyatan', 'Wyatt', 'Wye', 'Wylie', 'Wyn', 'Wyndham', 'Wynn', 'Xavier', 'Xenos', 'Xerxes', 'Xever', 'Ximenes', 'Ximenez', 'Xymenes', 'Yale', 'Yanaton', 'Yance', 'Yancey', 'Yancy', 'Yank', 'Yankee', 'Yard', 'Yardley', 'Yehudi', 'Yehudit', 'Yorgo', 'Yorgos', 'York', 'Yorke', 'Yorker', 'Yul', 'Yule', 'Yulma', 'Yuma', 'Yuri', 'Yurik', 'Yves', 'Yvon', 'Yvor', 'Zaccaria', 'Zach', 'Zacharia', 'Zachariah', 'Zacharias', 'Zacharie', 'Zachary', 'Zacherie', 'Zachery', 'Zack', 'Zackariah', 'Zak', 'Zane', 'Zared', 'Zeb', 'Zebadiah', 'Zebedee', 'Zebulen', 'Zebulon', 'Zechariah', 'Zed', 'Zedekiah', 'Zeke', 'Zelig', 'Zerk', 'Zollie', 'Zolly']
# by Kami Bigdely # Extract class class Actor: def __init__(self, first_name, last_name, birth_year, movies, email) -> None: self.first_name = first_name self.last_name = last_name self.birth_year = birth_year self.movies = movies self.email = email def send_hiring_email(self): print("Email sent to: ", self.email) elizabeth_debicki = Actor("Elizabeth", "Debicki", 1990, \ ['Tenet', 'Vita & Virgina', 'Guardians of the Galexy', 'The Great Gatsby'], '[email protected]') jim_carrey = Actor("Jim", "Carrey", 1962, \ ['Ace Ventura', 'The Mask', 'Dubm and Dumber', 'The Truman Show', 'Yes Man'], '[email protected]') actors = [elizabeth_debicki, jim_carrey] for actor in actors: if actor.birth_year > 1985: print(actor.first_name, actor.last_name) print('Movies Played: ', end='') for m in actor.movies: print(m, end=', ') print() actor.send_hiring_email()
class Actor: def __init__(self, first_name, last_name, birth_year, movies, email) -> None: self.first_name = first_name self.last_name = last_name self.birth_year = birth_year self.movies = movies self.email = email def send_hiring_email(self): print('Email sent to: ', self.email) elizabeth_debicki = actor('Elizabeth', 'Debicki', 1990, ['Tenet', 'Vita & Virgina', 'Guardians of the Galexy', 'The Great Gatsby'], '[email protected]') jim_carrey = actor('Jim', 'Carrey', 1962, ['Ace Ventura', 'The Mask', 'Dubm and Dumber', 'The Truman Show', 'Yes Man'], '[email protected]') actors = [elizabeth_debicki, jim_carrey] for actor in actors: if actor.birth_year > 1985: print(actor.first_name, actor.last_name) print('Movies Played: ', end='') for m in actor.movies: print(m, end=', ') print() actor.send_hiring_email()
#creating a function def cal(one,two): three=float(one)-float(two) print(three) return cal(1,4)
def cal(one, two): three = float(one) - float(two) print(three) return cal(1, 4)
class XYZfileWrongFormat(Exception): pass class XYZfileDidNotExist(Exception): pass
class Xyzfilewrongformat(Exception): pass class Xyzfiledidnotexist(Exception): pass
def number_length(a: int) -> int: # your code here # algorithm # 1) Will recive an argument called "a" of datatype "int" # 2) Convert the integer into a string # 3) Calculate the length of the string # 4) Return the Length of the string return len(str(a)) def number_length_two(a: int) -> int: mystring = str(a) mylength = len(mystring) return mylength if __name__ == '__main__': print("Example:") print(number_length(10)) # These "asserts" are used for self-checking and not for an auto-testing assert number_length(10) == 2 assert number_length(0) == 1 assert number_length(4) == 1 assert number_length(44) == 2 print("Coding complete? Click 'Check' to earn cool rewards!")
def number_length(a: int) -> int: return len(str(a)) def number_length_two(a: int) -> int: mystring = str(a) mylength = len(mystring) return mylength if __name__ == '__main__': print('Example:') print(number_length(10)) assert number_length(10) == 2 assert number_length(0) == 1 assert number_length(4) == 1 assert number_length(44) == 2 print("Coding complete? Click 'Check' to earn cool rewards!")
# URI Online Judge 2152 N = int(input()) for n in range(N): entrada = [int(i) for i in input().split()] if entrada[2] == 0: estado = 'fechou' else: estado = 'abriu' print('{:02d}:{:02d} - A porta {}!'.format(entrada[0], entrada[1], estado))
n = int(input()) for n in range(N): entrada = [int(i) for i in input().split()] if entrada[2] == 0: estado = 'fechou' else: estado = 'abriu' print('{:02d}:{:02d} - A porta {}!'.format(entrada[0], entrada[1], estado))
# Count and display the number of vowels, # consonants, uppercase, lowercase characters in string def countCharacterType(s): vowels = 0 consonant = 0 lowercase = 0 uppercase = 0 for i in range(0, len(s)): ch = s[i] if ((ch >= 'a' and ch <= 'z') or (ch >= 'A' and ch <= 'Z')): if ch.islower(): lowercase += 1 if ch.isupper(): uppercase += 1 ch = ch.lower() if (ch == 'a' or ch == 'e' or ch == 'i' or ch == 'o' or ch == 'u'): vowels += 1 else: consonant += 1 print("Vowels:", vowels) print("Consonant:", consonant) print("LowerCase:", lowercase) print("UpperCase:", uppercase) k = True while k == True: s = input('Enter a string: ') countCharacterType(s) option = input('Do you want to try again.(y/n): ').lower() if option == 'y': continue else: k = False
def count_character_type(s): vowels = 0 consonant = 0 lowercase = 0 uppercase = 0 for i in range(0, len(s)): ch = s[i] if ch >= 'a' and ch <= 'z' or (ch >= 'A' and ch <= 'Z'): if ch.islower(): lowercase += 1 if ch.isupper(): uppercase += 1 ch = ch.lower() if ch == 'a' or ch == 'e' or ch == 'i' or (ch == 'o') or (ch == 'u'): vowels += 1 else: consonant += 1 print('Vowels:', vowels) print('Consonant:', consonant) print('LowerCase:', lowercase) print('UpperCase:', uppercase) k = True while k == True: s = input('Enter a string: ') count_character_type(s) option = input('Do you want to try again.(y/n): ').lower() if option == 'y': continue else: k = False
class Solution: def __init__(self, N: int, blacklist: List[int]): self.validRange = N - len(blacklist) self.dict = {} for b in blacklist: self.dict[b] = -1 for b in blacklist: if b < self.validRange: while N - 1 in self.dict: N -= 1 self.dict[b] = N - 1 N -= 1 def pick(self) -> int: value = randint(0, self.validRange - 1) if value in self.dict: return self.dict[value] return value
class Solution: def __init__(self, N: int, blacklist: List[int]): self.validRange = N - len(blacklist) self.dict = {} for b in blacklist: self.dict[b] = -1 for b in blacklist: if b < self.validRange: while N - 1 in self.dict: n -= 1 self.dict[b] = N - 1 n -= 1 def pick(self) -> int: value = randint(0, self.validRange - 1) if value in self.dict: return self.dict[value] return value
totalelements=int(input()) numeratorele=[int(ele) for ele in input().split()] denomele=[int(ele) for ele in input().split()] resnumerator=0 if len(numeratorele) == len(denomele): for i in range(totalelements): cal=numeratorele[i]*denomele[i] resnumerator+=cal print(round(resnumerator/sum(denomele),1)) #weighted mean
totalelements = int(input()) numeratorele = [int(ele) for ele in input().split()] denomele = [int(ele) for ele in input().split()] resnumerator = 0 if len(numeratorele) == len(denomele): for i in range(totalelements): cal = numeratorele[i] * denomele[i] resnumerator += cal print(round(resnumerator / sum(denomele), 1))
def foo(): ''' >>> from mod import Good as Good ''' pass # Ignore PyUnusedCodeBear
def foo(): """ >>> from mod import Good as Good """ pass
#!/usr/bin/env python3 # Conditional statements check for a condition, # and act accordingly. # Python uses the `if/elif/else` structure for this. # Example 1 if 2 > 1: print("2 greater than 1") # Example 2 var1 = 1 var2 = 10 if var1 > var2: print("var1 greater than var2") else: print("var2 greater than var1") # Example 3 # Ask for an input value = input("What is the price for that thing?") value = int(value) # Try converting it to an int if value < 10: print("That's great!") elif 10 <= value <= 20: print("I would still buy it!") else: print("That's costly!")
if 2 > 1: print('2 greater than 1') var1 = 1 var2 = 10 if var1 > var2: print('var1 greater than var2') else: print('var2 greater than var1') value = input('What is the price for that thing?') value = int(value) if value < 10: print("That's great!") elif 10 <= value <= 20: print('I would still buy it!') else: print("That's costly!")
class Rollout: ''' Usage: rollout = Rollout(state) ''' def __init__(self, state): self.state_list = [state] self.action_list = [] self.reward_list = [] self.act_val_list = [] self.done = False def append(self, state, action, reward, done, act_val): self.state_list.append(state) self.action_list.append(action) self.reward_list.append(reward) self.act_val_list.append(act_val) self.done = done ''' Length of the rollout is (number of states - 1) or (number of rewards) ''' def __len__(self): return len(self.reward_list)
class Rollout: """ Usage: rollout = Rollout(state) """ def __init__(self, state): self.state_list = [state] self.action_list = [] self.reward_list = [] self.act_val_list = [] self.done = False def append(self, state, action, reward, done, act_val): self.state_list.append(state) self.action_list.append(action) self.reward_list.append(reward) self.act_val_list.append(act_val) self.done = done '\n Length of the rollout is (number of states - 1) or (number of rewards)\n ' def __len__(self): return len(self.reward_list)
#!/usr/bin/env python TEST_PUBLIC_KEY = 5764801 CARD_PUBLIC_KEY = 18499292 DOOR_PUBLIC_KEY = 8790390 def find_loop_size( target_key, subject=7, starting_value=1, ): value = starting_value loop_size = 0 while value != target_key: value = value * subject value = value % 20201227 loop_size += 1 return loop_size def find_encryption_key( public_key, loop_size, starting_value=1, ): value = starting_value loop_count = 0 while loop_count < loop_size: value = value * public_key value = value % 20201227 loop_count += 1 return value def main(): test_loop_size = find_loop_size(TEST_PUBLIC_KEY) assert(test_loop_size == 8) card_loop_size = find_loop_size(CARD_PUBLIC_KEY) door_loop_size = find_loop_size(DOOR_PUBLIC_KEY) card_encryption_key = find_encryption_key( DOOR_PUBLIC_KEY, card_loop_size ) door_encryption_key = find_encryption_key( CARD_PUBLIC_KEY, door_loop_size ) assert(card_encryption_key == door_encryption_key) part_1_result = card_encryption_key print(f"Part 1: {part_1_result}") # part_2_result = None # print(f"Part 2: {part_2_result}") if __name__ == "__main__": main()
test_public_key = 5764801 card_public_key = 18499292 door_public_key = 8790390 def find_loop_size(target_key, subject=7, starting_value=1): value = starting_value loop_size = 0 while value != target_key: value = value * subject value = value % 20201227 loop_size += 1 return loop_size def find_encryption_key(public_key, loop_size, starting_value=1): value = starting_value loop_count = 0 while loop_count < loop_size: value = value * public_key value = value % 20201227 loop_count += 1 return value def main(): test_loop_size = find_loop_size(TEST_PUBLIC_KEY) assert test_loop_size == 8 card_loop_size = find_loop_size(CARD_PUBLIC_KEY) door_loop_size = find_loop_size(DOOR_PUBLIC_KEY) card_encryption_key = find_encryption_key(DOOR_PUBLIC_KEY, card_loop_size) door_encryption_key = find_encryption_key(CARD_PUBLIC_KEY, door_loop_size) assert card_encryption_key == door_encryption_key part_1_result = card_encryption_key print(f'Part 1: {part_1_result}') if __name__ == '__main__': main()
class BaseDerivative: def __init__(self, config, instance, *args, **kwargs): self.config = config self.instance = instance
class Basederivative: def __init__(self, config, instance, *args, **kwargs): self.config = config self.instance = instance
class Solution: def reorderedPowerOf2(self, N: int) -> bool: x="".join(i for i in sorted(str(N))) for i in range(30): s="".join(i for i in sorted(str(2**i))) if s==x: print(s) return True return False
class Solution: def reordered_power_of2(self, N: int) -> bool: x = ''.join((i for i in sorted(str(N)))) for i in range(30): s = ''.join((i for i in sorted(str(2 ** i)))) if s == x: print(s) return True return False
#----------------------------------------------------------------------------- # Copyright (c) 2019, PyInstaller Development Team. # # Distributed under the terms of the GNU General Public License with exception # for distributing bootloader. # # The full license is in the file COPYING.txt, distributed with this software. #----------------------------------------------------------------------------- # Hook for https://github.com/PyWavelets/pywt hiddenimports = ['pywt._extensions._cwt'] # NOTE: There is another project `https://github.com/Knapstad/pywt installing # a packagre `pywt`, too. This name clash is not much of a problem, even if # this hook is picked up for the other package, since PyInstaller will simply # skip any module added by this hook but acutally missing. If the other project # requires a hook, too, simply add it to this file.
hiddenimports = ['pywt._extensions._cwt']
def bbox_mk(p1, p2, offset=(0, 0)): x1 = min(p1[0], p2[0]) - offset[0] x2 = max(p1[0], p2[0]) + offset[0] y1 = min(p1[1], p2[1]) - offset[1] y2 = max(p1[1], p2[1]) + offset[1] return (x1, y1), (x2, y2) def bbox_add_point(bbox, p, offset=(0, 0)): x1 = min(bbox[0][0], p[0] - offset[0]) x2 = max(bbox[1][0], p[0] + offset[0]) y1 = min(bbox[0][1], p[1] - offset[1]) y2 = max(bbox[1][1], p[1] + offset[1]) return (x1, y1), (x2, y2) def bbox_add_bbox(b1, b2): bb = bbox_add_point(b1, b2[0]) bb = bbox_add_point(bb, b2[1]) return bb
def bbox_mk(p1, p2, offset=(0, 0)): x1 = min(p1[0], p2[0]) - offset[0] x2 = max(p1[0], p2[0]) + offset[0] y1 = min(p1[1], p2[1]) - offset[1] y2 = max(p1[1], p2[1]) + offset[1] return ((x1, y1), (x2, y2)) def bbox_add_point(bbox, p, offset=(0, 0)): x1 = min(bbox[0][0], p[0] - offset[0]) x2 = max(bbox[1][0], p[0] + offset[0]) y1 = min(bbox[0][1], p[1] - offset[1]) y2 = max(bbox[1][1], p[1] + offset[1]) return ((x1, y1), (x2, y2)) def bbox_add_bbox(b1, b2): bb = bbox_add_point(b1, b2[0]) bb = bbox_add_point(bb, b2[1]) return bb
#!/usr/bin/python3 def isprime(n): if n == 1: return False for x in range(2, n): if n % x == 0: return False else: return True def primes(n = 1): while(True): if isprime(n): yield n n += 1 for n in primes(): if n > 100: break print(n)
def isprime(n): if n == 1: return False for x in range(2, n): if n % x == 0: return False else: return True def primes(n=1): while True: if isprime(n): yield n n += 1 for n in primes(): if n > 100: break print(n)
#!/usr/bin/env python class Service(object): pass
class Service(object): pass
model_params = dict( image_shape=(1, 256, 256), n_part_caps=30, n_obj_caps=16, scae_regression_params=dict( is_active=True, loss='mse', attention_hp=1, ), scae_classification_params=dict( is_active=False, n_classes=1, ), pcae_cnn_encoder_params=dict( out_channels=[128] * 4, kernel_sizes=[3, 3, 3, 3], strides=[2, 2, 1, 1], activate_final=True ), pcae_encoder_params=dict( n_poses=6, n_special_features=16, similarity_transform=False, ), pcae_template_generator_params=dict( template_size=(32, 32), template_nonlin='sigmoid', colorize_templates=True, color_nonlin='sigmoid', ), pcae_decoder_params=dict( learn_output_scale=False, use_alpha_channel=True, background_value=True, ), ocae_encoder_set_transformer_params=dict( n_layers=3, n_heads=1, dim_hidden=16, dim_out=256, layer_norm=True, ), obj_age_regressor_params=dict( hidden_sizes=[128, 64, 1], inner_activation='relu', final_activation=None, bias=True, dropout=0, ), ocae_decoder_capsule_params=dict( dim_caps=32, hidden_sizes=(128,), caps_dropout_rate=0.0, learn_vote_scale=True, allow_deformations=True, noise_type='uniform', noise_scale=4., similarity_transform=False, ), scae_params=dict( vote_type='enc', presence_type='enc', stop_grad_caps_input=True, stop_grad_caps_target=True, caps_ll_weight=1., cpr_dynamic_reg_weight=10, prior_sparsity_loss_type='l2', prior_within_example_sparsity_weight=2.0, prior_between_example_sparsity_weight=0.2, #from 0.35 to 0.2 posterior_sparsity_loss_type='entropy', posterior_within_example_sparsity_weight=0.5, #from 0.7 to 0.5 posterior_between_example_sparsity_weight=0.2, reconstruct_alternatives=False, ) )
model_params = dict(image_shape=(1, 256, 256), n_part_caps=30, n_obj_caps=16, scae_regression_params=dict(is_active=True, loss='mse', attention_hp=1), scae_classification_params=dict(is_active=False, n_classes=1), pcae_cnn_encoder_params=dict(out_channels=[128] * 4, kernel_sizes=[3, 3, 3, 3], strides=[2, 2, 1, 1], activate_final=True), pcae_encoder_params=dict(n_poses=6, n_special_features=16, similarity_transform=False), pcae_template_generator_params=dict(template_size=(32, 32), template_nonlin='sigmoid', colorize_templates=True, color_nonlin='sigmoid'), pcae_decoder_params=dict(learn_output_scale=False, use_alpha_channel=True, background_value=True), ocae_encoder_set_transformer_params=dict(n_layers=3, n_heads=1, dim_hidden=16, dim_out=256, layer_norm=True), obj_age_regressor_params=dict(hidden_sizes=[128, 64, 1], inner_activation='relu', final_activation=None, bias=True, dropout=0), ocae_decoder_capsule_params=dict(dim_caps=32, hidden_sizes=(128,), caps_dropout_rate=0.0, learn_vote_scale=True, allow_deformations=True, noise_type='uniform', noise_scale=4.0, similarity_transform=False), scae_params=dict(vote_type='enc', presence_type='enc', stop_grad_caps_input=True, stop_grad_caps_target=True, caps_ll_weight=1.0, cpr_dynamic_reg_weight=10, prior_sparsity_loss_type='l2', prior_within_example_sparsity_weight=2.0, prior_between_example_sparsity_weight=0.2, posterior_sparsity_loss_type='entropy', posterior_within_example_sparsity_weight=0.5, posterior_between_example_sparsity_weight=0.2, reconstruct_alternatives=False))
# -*- coding: utf-8 -*- class TreeNode: def __init__(self, x): self.val = x self.left = None self.right = None def __eq__(self, other): return ( other is not None and self.val == other.val and self.left == other.left and self.right == other.right ) class Solution: def removeLeafNodes(self, root: TreeNode, target: int) -> TreeNode: if root is None: return None return self._removeLeafNodes(root, target) def _removeLeafNodes(self, root: TreeNode, target: int) -> TreeNode: if root.left is not None: root.left = self._removeLeafNodes(root.left, target) if root.right is not None: root.right = self._removeLeafNodes(root.right, target) if root.left is None and root.val == target and root.right is None: return None return root if __name__ == '__main__': solution = Solution() t0_0 = TreeNode(1) t0_1 = TreeNode(2) t0_2 = TreeNode(3) t0_3 = TreeNode(2) t0_4 = TreeNode(2) t0_5 = TreeNode(4) t0_2.right = t0_5 t0_2.left = t0_4 t0_1.left = t0_3 t0_0.right = t0_2 t0_0.left = t0_1 t1_0 = TreeNode(1) t1_1 = TreeNode(3) t1_2 = TreeNode(4) t1_1.right = t1_2 t1_0.right = t1_1 assert t1_0 == solution.removeLeafNodes(t0_0, 2) t2_0 = TreeNode(1) t2_1 = TreeNode(3) t2_2 = TreeNode(3) t2_3 = TreeNode(3) t2_4 = TreeNode(2) t2_1.right = t2_4 t2_1.left = t2_3 t2_0.right = t2_2 t2_0.left = t2_1 t3_0 = TreeNode(1) t3_1 = TreeNode(3) t3_2 = TreeNode(2) t3_1.right = t3_2 t3_0.left = t3_1 assert t3_0 == solution.removeLeafNodes(t2_0, 3) t4_0 = TreeNode(1) t4_1 = TreeNode(2) t4_2 = TreeNode(2) t4_3 = TreeNode(2) t4_2.left = t4_3 t4_1.left = t4_2 t4_0.left = t4_1 t5_0 = TreeNode(1) assert t5_0 == solution.removeLeafNodes(t4_0, 2) t6_0 = TreeNode(1) t6_1 = TreeNode(1) t6_2 = TreeNode(1) t6_0.right = t6_2 t6_0.left = t6_1 t7_0 = None assert t7_0 == solution.removeLeafNodes(t6_0, 1) t8_0 = TreeNode(1) t8_1 = TreeNode(2) t8_2 = TreeNode(3) t8_0.right = t8_2 t8_0.left = t8_1 t9_0 = TreeNode(1) t9_1 = TreeNode(2) t9_2 = TreeNode(3) t9_0.right = t9_2 t9_0.left = t9_1 assert t9_0 == solution.removeLeafNodes(t8_0, 1)
class Treenode: def __init__(self, x): self.val = x self.left = None self.right = None def __eq__(self, other): return other is not None and self.val == other.val and (self.left == other.left) and (self.right == other.right) class Solution: def remove_leaf_nodes(self, root: TreeNode, target: int) -> TreeNode: if root is None: return None return self._removeLeafNodes(root, target) def _remove_leaf_nodes(self, root: TreeNode, target: int) -> TreeNode: if root.left is not None: root.left = self._removeLeafNodes(root.left, target) if root.right is not None: root.right = self._removeLeafNodes(root.right, target) if root.left is None and root.val == target and (root.right is None): return None return root if __name__ == '__main__': solution = solution() t0_0 = tree_node(1) t0_1 = tree_node(2) t0_2 = tree_node(3) t0_3 = tree_node(2) t0_4 = tree_node(2) t0_5 = tree_node(4) t0_2.right = t0_5 t0_2.left = t0_4 t0_1.left = t0_3 t0_0.right = t0_2 t0_0.left = t0_1 t1_0 = tree_node(1) t1_1 = tree_node(3) t1_2 = tree_node(4) t1_1.right = t1_2 t1_0.right = t1_1 assert t1_0 == solution.removeLeafNodes(t0_0, 2) t2_0 = tree_node(1) t2_1 = tree_node(3) t2_2 = tree_node(3) t2_3 = tree_node(3) t2_4 = tree_node(2) t2_1.right = t2_4 t2_1.left = t2_3 t2_0.right = t2_2 t2_0.left = t2_1 t3_0 = tree_node(1) t3_1 = tree_node(3) t3_2 = tree_node(2) t3_1.right = t3_2 t3_0.left = t3_1 assert t3_0 == solution.removeLeafNodes(t2_0, 3) t4_0 = tree_node(1) t4_1 = tree_node(2) t4_2 = tree_node(2) t4_3 = tree_node(2) t4_2.left = t4_3 t4_1.left = t4_2 t4_0.left = t4_1 t5_0 = tree_node(1) assert t5_0 == solution.removeLeafNodes(t4_0, 2) t6_0 = tree_node(1) t6_1 = tree_node(1) t6_2 = tree_node(1) t6_0.right = t6_2 t6_0.left = t6_1 t7_0 = None assert t7_0 == solution.removeLeafNodes(t6_0, 1) t8_0 = tree_node(1) t8_1 = tree_node(2) t8_2 = tree_node(3) t8_0.right = t8_2 t8_0.left = t8_1 t9_0 = tree_node(1) t9_1 = tree_node(2) t9_2 = tree_node(3) t9_0.right = t9_2 t9_0.left = t9_1 assert t9_0 == solution.removeLeafNodes(t8_0, 1)
class Solution: def longestPalindrome(self, s: str) -> int: str_dict={} for each in s: if each not in str_dict: str_dict[each]=0 str_dict[each]+=1 result=0 odd=0 for k, v in str_dict.items(): if v%2==0: result+=v else: result+=v-1 odd=1 return result+odd
class Solution: def longest_palindrome(self, s: str) -> int: str_dict = {} for each in s: if each not in str_dict: str_dict[each] = 0 str_dict[each] += 1 result = 0 odd = 0 for (k, v) in str_dict.items(): if v % 2 == 0: result += v else: result += v - 1 odd = 1 return result + odd
for desi in Parameters.GetAllDesignPoints(): for message in GetMessages(): if (DateTime.Compare(message.DateTimeStamp, startTime) == 1) and (message.DesignPoint == desi.Name): desi.Retained = False break
for desi in Parameters.GetAllDesignPoints(): for message in get_messages(): if DateTime.Compare(message.DateTimeStamp, startTime) == 1 and message.DesignPoint == desi.Name: desi.Retained = False break
def solve(heads,legs): for i in range(heads+1): j=heads-i if (2*i)+(4*j)==legs: print (i,j) return print("No solution") #Start writing your code here #Populate the variables: chicken_count and rabbit_count # Use the below given print statements to display the output # Also, do not modify them for verification to work #print(chicken_count,rabbit_count) #print(error_msg) #Provide different values for heads and legs and test your program solve(38,131)
def solve(heads, legs): for i in range(heads + 1): j = heads - i if 2 * i + 4 * j == legs: print(i, j) return print('No solution') solve(38, 131)
class Controller(): def __init__(self): self.debugger = None def get_cmd(self): pass
class Controller: def __init__(self): self.debugger = None def get_cmd(self): pass
class Solution: def countDigitOne(self, n: int) -> int: if n <= 0: return 0 ln = len(str(n)) if ln == 1: return 1 tmp1 = 10 ** (ln - 1) firstnum = n // tmp1 fone = n % tmp1 + 1 if firstnum == 1 else tmp1 other = firstnum * (ln - 1) * (tmp1 // 10) return fone + other + self.countDigitOne(n % tmp1)
class Solution: def count_digit_one(self, n: int) -> int: if n <= 0: return 0 ln = len(str(n)) if ln == 1: return 1 tmp1 = 10 ** (ln - 1) firstnum = n // tmp1 fone = n % tmp1 + 1 if firstnum == 1 else tmp1 other = firstnum * (ln - 1) * (tmp1 // 10) return fone + other + self.countDigitOne(n % tmp1)
class PathNameChecker(object): def check(self, pathname: str): pass
class Pathnamechecker(object): def check(self, pathname: str): pass
total = 0 line = input() while line != "NoMoreMoney": current = float(line) if current < 0: print("Invalid operation!") break total += current print(f"Increase: {current:.2f}") line = input() print(f"Total: {total:.2f}")
total = 0 line = input() while line != 'NoMoreMoney': current = float(line) if current < 0: print('Invalid operation!') break total += current print(f'Increase: {current:.2f}') line = input() print(f'Total: {total:.2f}')
# # PySNMP MIB module PAIRGAIN-DSLAM-ALARM-SEVERITY-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/PAIRGAIN-DSLAM-ALARM-SEVERITY-MIB # Produced by pysmi-0.3.4 at Wed May 1 14:36:34 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) # OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ConstraintsIntersection, SingleValueConstraint, ConstraintsUnion, ValueRangeConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "SingleValueConstraint", "ConstraintsUnion", "ValueRangeConstraint", "ValueSizeConstraint") ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex") pgDSLAMAlarmSeverity, pgDSLAMAlarm = mibBuilder.importSymbols("PAIRGAIN-COMMON-HD-MIB", "pgDSLAMAlarmSeverity", "pgDSLAMAlarm") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") Counter64, NotificationType, Unsigned32, MibScalar, MibTable, MibTableRow, MibTableColumn, Bits, Gauge32, Integer32, Counter32, iso, IpAddress, ObjectIdentity, TimeTicks, ModuleIdentity, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "Counter64", "NotificationType", "Unsigned32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Bits", "Gauge32", "Integer32", "Counter32", "iso", "IpAddress", "ObjectIdentity", "TimeTicks", "ModuleIdentity", "MibIdentifier") TextualConvention, DisplayString, RowStatus = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString", "RowStatus") pgdsalsvMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1)) if mibBuilder.loadTexts: pgdsalsvMIB.setLastUpdated('9901141600Z') if mibBuilder.loadTexts: pgdsalsvMIB.setOrganization('PairGain Technologies, INC.') if mibBuilder.loadTexts: pgdsalsvMIB.setContactInfo(' Ken Huang Tel: +1 714-481-4543 Fax: +1 714-481-2114 E-mail: [email protected] ') if mibBuilder.loadTexts: pgdsalsvMIB.setDescription('The MIB module defining objects for the alarm severity configuration and status management of a central DSLAM (Digital Subscriber Line Access Multiplexer), including from chassis power supply, fan status, to each channel/port related alarms in each HDSL/ADSL card inside the chassis. For HDSL alarm management: Please refer to Spec#157-1759-01 by Ken Huang for detail architecture model. For ADSL alarm management: Please refer to AdslLineMib(TR006) from adslForum for details architecture model. Naming Conventions: Atuc -- (ATU-C) ADSL modem at near (Central) end of line Atur -- (ATU-R) ADSL modem at Remote end of line ES -- Errored Second. Lof -- Loss of Frame Los -- Loss of Signal Lpr -- Loss of Power LOSW -- Loss of Sync Word UAS -- Unavailable Second ') class PgDSLAMAlarmSeverity(Integer32): subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("disable", 1), ("minor", 2), ("major", 3), ("critical", 4)) class PgDSLAMAlarmStatus(Integer32): subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5)) namedValues = NamedValues(("noalarm", 1), ("minor", 2), ("major", 3), ("critical", 4), ("alarm", 5)) pgDSLAMChassisAlarmSeverity = MibIdentifier((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2)) pgDSLAMChassisPsAlarmSeverity = MibScalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2, 1), PgDSLAMAlarmSeverity()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMChassisPsAlarmSeverity.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisPsAlarmSeverity.setDescription('The Chassis Power failure Alarm Severity Setting.') pgDSLAMChassisFanAlarmSeverity = MibScalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2, 2), PgDSLAMAlarmSeverity()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMChassisFanAlarmSeverity.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisFanAlarmSeverity.setDescription('The Chassis Fan failure Alarm Severity Setting.') pgDSLAMChassisConfigChangeAlarmSeverity = MibScalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2, 3), PgDSLAMAlarmSeverity()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMChassisConfigChangeAlarmSeverity.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisConfigChangeAlarmSeverity.setDescription('The Chassis Config change Alarm Severity Setting.') pgDSLAMChassisTempAlarmSeverity = MibScalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2, 4), PgDSLAMAlarmSeverity()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMChassisTempAlarmSeverity.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisTempAlarmSeverity.setDescription('The Chassis Temperature exceed threshold Alarm Severity Setting.') pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext = MibScalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext.setDescription("This object contains an appropriate value to be used for pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex when creating entries in the alarmThresholdConfTable. The value '0' indicates that no unassigned entries are available. To obtain the pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext value for a new entry, the manager issues a management protocol retrieval operation to obtain the current value of this object. After each retrieval, the agent should modify the value to the next unassigned index.") pgDSLAMHDSLSpanAlarmThresholdConfProfileTable = MibTable((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8), ) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileTable.setDescription('The DSLAM HDSL Span Alarm Threshold Configuration Profile table.') pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1), ).setIndexNames((0, "PAIRGAIN-DSLAM-ALARM-SEVERITY-MIB", "pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex")) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry.setDescription('Entry in the DSLAM HDSL Span Alarm Threshold Configuration Profile table.') pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex.setDescription('This object is used by the line alarm Threshold configuration table in order to identify a row of this table') pgDSLAMHDSLSpanMarginThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanMarginThreshold.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanMarginThreshold.setDescription('Sets the HDSL Margin threshold value.') pgDSLAMHDSLSpanESThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanESThreshold.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanESThreshold.setDescription('Sets the HDSL Errored Seconds threshold value.') pgDSLAMHDSLSpanUASThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanUASThreshold.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanUASThreshold.setDescription('Sets the HDSL Unavailable Seconds threshold value.') pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus.setDescription('This object is used to create a new row or modify or delete an existing row in this table.') pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext = MibScalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext.setDescription("This object contains an appropriate value to be used for pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex when creating entries in the alarmSeverityConfTable. The value '0' indicates that no unassigned entries are available. To obtain the pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext value for a new entry, the manager issues a management protocol retrieval operation to obtain the current value of this object. After each retrieval, the agent should modify the value to the next unassigned index.") pgDSLAMHDSLSpanAlarmSeverityConfProfileTable = MibTable((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10), ) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileTable.setDescription('The DSLAM HDSL Span Alarm Severity Configuration Profile table.') pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry = MibTableRow((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1), ).setIndexNames((0, "PAIRGAIN-DSLAM-ALARM-SEVERITY-MIB", "pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex")) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry.setDescription('Entry in the DSLAM HDSL Span Alarm Severity Configuration Profile table.') pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex.setDescription('This object is used by the line alarm severity configuration table in order to identify a row of this table') pgDSLAMHDSLSpanLOSWAlarmSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 2), PgDSLAMAlarmSeverity()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanLOSWAlarmSetting.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanLOSWAlarmSetting.setDescription('Sets the severity for Loss of Sync Word alarm.') pgDSLAMHDSLSpanMarginAlarmSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 3), PgDSLAMAlarmSeverity()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanMarginAlarmSetting.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanMarginAlarmSetting.setDescription('Sets the severity for Margin threshold exceeded alarm.') pgDSLAMHDSLSpanESAlarmSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 4), PgDSLAMAlarmSeverity()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanESAlarmSetting.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanESAlarmSetting.setDescription('Sets the severity for Errored Seconds threshold exceeded alarm.') pgDSLAMHDSLSpanUASAlarmSetting = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 5), PgDSLAMAlarmSeverity()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanUASAlarmSetting.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanUASAlarmSetting.setDescription('Sets the severity for UAS threshold exceeded alarm.') pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 6), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus.setDescription('This object is used to create a new row or modify or delete an existing row in this table.') pgDSLAMADSLAtucAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1), ) if mibBuilder.loadTexts: pgDSLAMADSLAtucAlarmTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucAlarmTable.setDescription('The DSLAM ADSL ATU-C Alarm indication table.') pgDSLAMADSLAtucAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: pgDSLAMADSLAtucAlarmEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucAlarmEntry.setDescription('Entry in the DSLAM ADSL ATU-C Alarm indication table.') pgDSLAMADSLAtucLofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 1), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAtucLofAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucLofAlarm.setDescription('ADSL loss of framing alarm on ATU-C ') pgDSLAMADSLAtucLosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 2), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAtucLosAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucLosAlarm.setDescription('ADSL loss of signal alarm on ATU-C ') pgDSLAMADSLAtucLprAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 3), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAtucLprAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucLprAlarm.setDescription('ADSL loss of power alarm on ATU-C ') pgDSLAMADSLAtucESAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 4), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAtucESAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucESAlarm.setDescription('ADSL Errored Second threshold exceeded alarm on ATU-C ') pgDSLAMADSLAtucRateChangeAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 5), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAtucRateChangeAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucRateChangeAlarm.setDescription('ADSL Rate Changed alarm on ATU-C ') pgDSLAMADSLAtucInitFailureAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 6), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAtucInitFailureAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucInitFailureAlarm.setDescription('ADSL initialization failed alarm on ATU-C ') pgDSLAMADSLAturAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2), ) if mibBuilder.loadTexts: pgDSLAMADSLAturAlarmTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturAlarmTable.setDescription('The DSLAM ADSL ATU-R Alarm indication table.') pgDSLAMADSLAturAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: pgDSLAMADSLAturAlarmEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturAlarmEntry.setDescription('Entry in the DSLAM ADSL ATU-R Alarm indication table.') pgDSLAMADSLAturLofAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 1), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAturLofAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturLofAlarm.setDescription('ADSL loss of framing alarm on ATU-R ') pgDSLAMADSLAturLosAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 2), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAturLosAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturLosAlarm.setDescription('ADSL loss of signal alarm on ATU-R ') pgDSLAMADSLAturLprAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 3), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAturLprAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturLprAlarm.setDescription('ADSL loss of power alarm on ATU-R ') pgDSLAMADSLAturESAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 4), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAturESAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturESAlarm.setDescription('ADSL Errored Second threshold exceeded alarm on ATU-R ') pgDSLAMADSLAturRateChangeAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 5), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAturRateChangeAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturRateChangeAlarm.setDescription('ADSL Rate Changed alarm on ATU-R ') pgDSLAMADSLAturInitFailureAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 6), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMADSLAturInitFailureAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturInitFailureAlarm.setDescription('ADSL initialization failed alarm on ATU-R ') pgDSLAMChassisAlarmTable = MibTable((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3), ) if mibBuilder.loadTexts: pgDSLAMChassisAlarmTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisAlarmTable.setDescription('The DSLAM Chassis Alarm indication table.') pgDSLAMChassisAlarmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: pgDSLAMChassisAlarmEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisAlarmEntry.setDescription('Entry in the DSLAM Chassis Alarm indication table.') pgDSLAMPSFailureAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 1), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMPSFailureAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMPSFailureAlarm.setDescription('chassis power supply failure alarm ') pgDSLAMFanFailureAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 2), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMFanFailureAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMFanFailureAlarm.setDescription('chassis fan failure alarm ') pgDSLAMConfigChangeAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 3), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMConfigChangeAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMConfigChangeAlarm.setDescription('chassis config changed alarm ') pgDSLAMTempExceedThreshAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 4), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMTempExceedThreshAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMTempExceedThreshAlarm.setDescription('chassis temperature exceeded threshold ') pgDSLAMLineCardDownAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 5), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMLineCardDownAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMLineCardDownAlarm.setDescription('the line card in the chassis is down ') pgDSLAMCellBusDownAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 6), PgDSLAMAlarmStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: pgDSLAMCellBusDownAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMCellBusDownAlarm.setDescription('the cell bus in the chassis is down ') mibBuilder.exportSymbols("PAIRGAIN-DSLAM-ALARM-SEVERITY-MIB", pgDSLAMADSLAtucLprAlarm=pgDSLAMADSLAtucLprAlarm, pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry=pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry, pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext=pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext, pgDSLAMADSLAtucAlarmTable=pgDSLAMADSLAtucAlarmTable, pgDSLAMChassisFanAlarmSeverity=pgDSLAMChassisFanAlarmSeverity, pgDSLAMADSLAturAlarmEntry=pgDSLAMADSLAturAlarmEntry, PgDSLAMAlarmSeverity=PgDSLAMAlarmSeverity, PgDSLAMAlarmStatus=PgDSLAMAlarmStatus, pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext=pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext, pgDSLAMHDSLSpanAlarmSeverityConfProfileTable=pgDSLAMHDSLSpanAlarmSeverityConfProfileTable, pgDSLAMADSLAtucAlarmEntry=pgDSLAMADSLAtucAlarmEntry, pgDSLAMHDSLSpanESAlarmSetting=pgDSLAMHDSLSpanESAlarmSetting, pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry=pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry, pgDSLAMADSLAturLofAlarm=pgDSLAMADSLAturLofAlarm, pgDSLAMADSLAturLprAlarm=pgDSLAMADSLAturLprAlarm, pgDSLAMADSLAtucESAlarm=pgDSLAMADSLAtucESAlarm, pgDSLAMADSLAtucRateChangeAlarm=pgDSLAMADSLAtucRateChangeAlarm, pgDSLAMConfigChangeAlarm=pgDSLAMConfigChangeAlarm, pgDSLAMFanFailureAlarm=pgDSLAMFanFailureAlarm, pgDSLAMHDSLSpanAlarmThresholdConfProfileTable=pgDSLAMHDSLSpanAlarmThresholdConfProfileTable, pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus=pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus, pgdsalsvMIB=pgdsalsvMIB, pgDSLAMChassisAlarmSeverity=pgDSLAMChassisAlarmSeverity, pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex=pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex, pgDSLAMHDSLSpanUASAlarmSetting=pgDSLAMHDSLSpanUASAlarmSetting, pgDSLAMPSFailureAlarm=pgDSLAMPSFailureAlarm, pgDSLAMADSLAtucLofAlarm=pgDSLAMADSLAtucLofAlarm, pgDSLAMTempExceedThreshAlarm=pgDSLAMTempExceedThreshAlarm, pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex=pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex, pgDSLAMHDSLSpanLOSWAlarmSetting=pgDSLAMHDSLSpanLOSWAlarmSetting, pgDSLAMHDSLSpanMarginThreshold=pgDSLAMHDSLSpanMarginThreshold, pgDSLAMADSLAtucInitFailureAlarm=pgDSLAMADSLAtucInitFailureAlarm, pgDSLAMChassisAlarmTable=pgDSLAMChassisAlarmTable, pgDSLAMHDSLSpanESThreshold=pgDSLAMHDSLSpanESThreshold, pgDSLAMADSLAtucLosAlarm=pgDSLAMADSLAtucLosAlarm, pgDSLAMADSLAturRateChangeAlarm=pgDSLAMADSLAturRateChangeAlarm, pgDSLAMChassisAlarmEntry=pgDSLAMChassisAlarmEntry, pgDSLAMLineCardDownAlarm=pgDSLAMLineCardDownAlarm, pgDSLAMHDSLSpanMarginAlarmSetting=pgDSLAMHDSLSpanMarginAlarmSetting, pgDSLAMADSLAturInitFailureAlarm=pgDSLAMADSLAturInitFailureAlarm, pgDSLAMADSLAturLosAlarm=pgDSLAMADSLAturLosAlarm, pgDSLAMCellBusDownAlarm=pgDSLAMCellBusDownAlarm, pgDSLAMADSLAturESAlarm=pgDSLAMADSLAturESAlarm, pgDSLAMChassisPsAlarmSeverity=pgDSLAMChassisPsAlarmSeverity, pgDSLAMChassisTempAlarmSeverity=pgDSLAMChassisTempAlarmSeverity, pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus=pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus, pgDSLAMHDSLSpanUASThreshold=pgDSLAMHDSLSpanUASThreshold, pgDSLAMADSLAturAlarmTable=pgDSLAMADSLAturAlarmTable, pgDSLAMChassisConfigChangeAlarmSeverity=pgDSLAMChassisConfigChangeAlarmSeverity, PYSNMP_MODULE_ID=pgdsalsvMIB)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (constraints_intersection, single_value_constraint, constraints_union, value_range_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueRangeConstraint', 'ValueSizeConstraint') (if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex') (pg_dslam_alarm_severity, pg_dslam_alarm) = mibBuilder.importSymbols('PAIRGAIN-COMMON-HD-MIB', 'pgDSLAMAlarmSeverity', 'pgDSLAMAlarm') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (counter64, notification_type, unsigned32, mib_scalar, mib_table, mib_table_row, mib_table_column, bits, gauge32, integer32, counter32, iso, ip_address, object_identity, time_ticks, module_identity, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter64', 'NotificationType', 'Unsigned32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Bits', 'Gauge32', 'Integer32', 'Counter32', 'iso', 'IpAddress', 'ObjectIdentity', 'TimeTicks', 'ModuleIdentity', 'MibIdentifier') (textual_convention, display_string, row_status) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString', 'RowStatus') pgdsalsv_mib = module_identity((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1)) if mibBuilder.loadTexts: pgdsalsvMIB.setLastUpdated('9901141600Z') if mibBuilder.loadTexts: pgdsalsvMIB.setOrganization('PairGain Technologies, INC.') if mibBuilder.loadTexts: pgdsalsvMIB.setContactInfo(' Ken Huang Tel: +1 714-481-4543 Fax: +1 714-481-2114 E-mail: [email protected] ') if mibBuilder.loadTexts: pgdsalsvMIB.setDescription('The MIB module defining objects for the alarm severity configuration and status management of a central DSLAM (Digital Subscriber Line Access Multiplexer), including from chassis power supply, fan status, to each channel/port related alarms in each HDSL/ADSL card inside the chassis. For HDSL alarm management: Please refer to Spec#157-1759-01 by Ken Huang for detail architecture model. For ADSL alarm management: Please refer to AdslLineMib(TR006) from adslForum for details architecture model. Naming Conventions: Atuc -- (ATU-C) ADSL modem at near (Central) end of line Atur -- (ATU-R) ADSL modem at Remote end of line ES -- Errored Second. Lof -- Loss of Frame Los -- Loss of Signal Lpr -- Loss of Power LOSW -- Loss of Sync Word UAS -- Unavailable Second ') class Pgdslamalarmseverity(Integer32): subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4)) named_values = named_values(('disable', 1), ('minor', 2), ('major', 3), ('critical', 4)) class Pgdslamalarmstatus(Integer32): subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5)) named_values = named_values(('noalarm', 1), ('minor', 2), ('major', 3), ('critical', 4), ('alarm', 5)) pg_dslam_chassis_alarm_severity = mib_identifier((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2)) pg_dslam_chassis_ps_alarm_severity = mib_scalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2, 1), pg_dslam_alarm_severity()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMChassisPsAlarmSeverity.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisPsAlarmSeverity.setDescription('The Chassis Power failure Alarm Severity Setting.') pg_dslam_chassis_fan_alarm_severity = mib_scalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2, 2), pg_dslam_alarm_severity()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMChassisFanAlarmSeverity.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisFanAlarmSeverity.setDescription('The Chassis Fan failure Alarm Severity Setting.') pg_dslam_chassis_config_change_alarm_severity = mib_scalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2, 3), pg_dslam_alarm_severity()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMChassisConfigChangeAlarmSeverity.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisConfigChangeAlarmSeverity.setDescription('The Chassis Config change Alarm Severity Setting.') pg_dslam_chassis_temp_alarm_severity = mib_scalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 2, 4), pg_dslam_alarm_severity()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMChassisTempAlarmSeverity.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisTempAlarmSeverity.setDescription('The Chassis Temperature exceed threshold Alarm Severity Setting.') pg_dslamhdsl_span_alarm_threshold_conf_profile_index_next = mib_scalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext.setDescription("This object contains an appropriate value to be used for pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex when creating entries in the alarmThresholdConfTable. The value '0' indicates that no unassigned entries are available. To obtain the pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext value for a new entry, the manager issues a management protocol retrieval operation to obtain the current value of this object. After each retrieval, the agent should modify the value to the next unassigned index.") pg_dslamhdsl_span_alarm_threshold_conf_profile_table = mib_table((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8)) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileTable.setDescription('The DSLAM HDSL Span Alarm Threshold Configuration Profile table.') pg_dslamhdsl_span_alarm_threshold_conf_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1)).setIndexNames((0, 'PAIRGAIN-DSLAM-ALARM-SEVERITY-MIB', 'pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex')) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry.setDescription('Entry in the DSLAM HDSL Span Alarm Threshold Configuration Profile table.') pg_dslamhdsl_span_alarm_threshold_conf_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex.setDescription('This object is used by the line alarm Threshold configuration table in order to identify a row of this table') pg_dslamhdsl_span_margin_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanMarginThreshold.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanMarginThreshold.setDescription('Sets the HDSL Margin threshold value.') pg_dslamhdsl_span_es_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanESThreshold.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanESThreshold.setDescription('Sets the HDSL Errored Seconds threshold value.') pg_dslamhdsl_span_uas_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanUASThreshold.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanUASThreshold.setDescription('Sets the HDSL Unavailable Seconds threshold value.') pg_dslamhdsl_span_alarm_threshold_conf_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 8, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus.setDescription('This object is used to create a new row or modify or delete an existing row in this table.') pg_dslamhdsl_span_alarm_severity_conf_profile_index_next = mib_scalar((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext.setDescription("This object contains an appropriate value to be used for pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex when creating entries in the alarmSeverityConfTable. The value '0' indicates that no unassigned entries are available. To obtain the pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext value for a new entry, the manager issues a management protocol retrieval operation to obtain the current value of this object. After each retrieval, the agent should modify the value to the next unassigned index.") pg_dslamhdsl_span_alarm_severity_conf_profile_table = mib_table((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10)) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileTable.setDescription('The DSLAM HDSL Span Alarm Severity Configuration Profile table.') pg_dslamhdsl_span_alarm_severity_conf_profile_entry = mib_table_row((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1)).setIndexNames((0, 'PAIRGAIN-DSLAM-ALARM-SEVERITY-MIB', 'pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex')) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry.setDescription('Entry in the DSLAM HDSL Span Alarm Severity Configuration Profile table.') pg_dslamhdsl_span_alarm_severity_conf_profile_index = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))) if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex.setDescription('This object is used by the line alarm severity configuration table in order to identify a row of this table') pg_dslamhdsl_span_losw_alarm_setting = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 2), pg_dslam_alarm_severity()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanLOSWAlarmSetting.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanLOSWAlarmSetting.setDescription('Sets the severity for Loss of Sync Word alarm.') pg_dslamhdsl_span_margin_alarm_setting = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 3), pg_dslam_alarm_severity()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanMarginAlarmSetting.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanMarginAlarmSetting.setDescription('Sets the severity for Margin threshold exceeded alarm.') pg_dslamhdsl_span_es_alarm_setting = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 4), pg_dslam_alarm_severity()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanESAlarmSetting.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanESAlarmSetting.setDescription('Sets the severity for Errored Seconds threshold exceeded alarm.') pg_dslamhdsl_span_uas_alarm_setting = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 5), pg_dslam_alarm_severity()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanUASAlarmSetting.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanUASAlarmSetting.setDescription('Sets the severity for UAS threshold exceeded alarm.') pg_dslamhdsl_span_alarm_severity_conf_profile_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 3, 1, 10, 1, 6), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus.setStatus('current') if mibBuilder.loadTexts: pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus.setDescription('This object is used to create a new row or modify or delete an existing row in this table.') pg_dslamadsl_atuc_alarm_table = mib_table((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1)) if mibBuilder.loadTexts: pgDSLAMADSLAtucAlarmTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucAlarmTable.setDescription('The DSLAM ADSL ATU-C Alarm indication table.') pg_dslamadsl_atuc_alarm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: pgDSLAMADSLAtucAlarmEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucAlarmEntry.setDescription('Entry in the DSLAM ADSL ATU-C Alarm indication table.') pg_dslamadsl_atuc_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 1), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAtucLofAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucLofAlarm.setDescription('ADSL loss of framing alarm on ATU-C ') pg_dslamadsl_atuc_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 2), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAtucLosAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucLosAlarm.setDescription('ADSL loss of signal alarm on ATU-C ') pg_dslamadsl_atuc_lpr_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 3), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAtucLprAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucLprAlarm.setDescription('ADSL loss of power alarm on ATU-C ') pg_dslamadsl_atuc_es_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 4), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAtucESAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucESAlarm.setDescription('ADSL Errored Second threshold exceeded alarm on ATU-C ') pg_dslamadsl_atuc_rate_change_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 5), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAtucRateChangeAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucRateChangeAlarm.setDescription('ADSL Rate Changed alarm on ATU-C ') pg_dslamadsl_atuc_init_failure_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 1, 1, 6), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAtucInitFailureAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAtucInitFailureAlarm.setDescription('ADSL initialization failed alarm on ATU-C ') pg_dslamadsl_atur_alarm_table = mib_table((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2)) if mibBuilder.loadTexts: pgDSLAMADSLAturAlarmTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturAlarmTable.setDescription('The DSLAM ADSL ATU-R Alarm indication table.') pg_dslamadsl_atur_alarm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: pgDSLAMADSLAturAlarmEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturAlarmEntry.setDescription('Entry in the DSLAM ADSL ATU-R Alarm indication table.') pg_dslamadsl_atur_lof_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 1), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAturLofAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturLofAlarm.setDescription('ADSL loss of framing alarm on ATU-R ') pg_dslamadsl_atur_los_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 2), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAturLosAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturLosAlarm.setDescription('ADSL loss of signal alarm on ATU-R ') pg_dslamadsl_atur_lpr_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 3), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAturLprAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturLprAlarm.setDescription('ADSL loss of power alarm on ATU-R ') pg_dslamadsl_atur_es_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 4), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAturESAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturESAlarm.setDescription('ADSL Errored Second threshold exceeded alarm on ATU-R ') pg_dslamadsl_atur_rate_change_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 5), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAturRateChangeAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturRateChangeAlarm.setDescription('ADSL Rate Changed alarm on ATU-R ') pg_dslamadsl_atur_init_failure_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 2, 1, 6), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMADSLAturInitFailureAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMADSLAturInitFailureAlarm.setDescription('ADSL initialization failed alarm on ATU-R ') pg_dslam_chassis_alarm_table = mib_table((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3)) if mibBuilder.loadTexts: pgDSLAMChassisAlarmTable.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisAlarmTable.setDescription('The DSLAM Chassis Alarm indication table.') pg_dslam_chassis_alarm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: pgDSLAMChassisAlarmEntry.setStatus('current') if mibBuilder.loadTexts: pgDSLAMChassisAlarmEntry.setDescription('Entry in the DSLAM Chassis Alarm indication table.') pg_dslamps_failure_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 1), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMPSFailureAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMPSFailureAlarm.setDescription('chassis power supply failure alarm ') pg_dslam_fan_failure_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 2), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMFanFailureAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMFanFailureAlarm.setDescription('chassis fan failure alarm ') pg_dslam_config_change_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 3), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMConfigChangeAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMConfigChangeAlarm.setDescription('chassis config changed alarm ') pg_dslam_temp_exceed_thresh_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 4), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMTempExceedThreshAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMTempExceedThreshAlarm.setDescription('chassis temperature exceeded threshold ') pg_dslam_line_card_down_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 5), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMLineCardDownAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMLineCardDownAlarm.setDescription('the line card in the chassis is down ') pg_dslam_cell_bus_down_alarm = mib_table_column((1, 3, 6, 1, 4, 1, 927, 1, 9, 4, 3, 1, 6), pg_dslam_alarm_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: pgDSLAMCellBusDownAlarm.setStatus('current') if mibBuilder.loadTexts: pgDSLAMCellBusDownAlarm.setDescription('the cell bus in the chassis is down ') mibBuilder.exportSymbols('PAIRGAIN-DSLAM-ALARM-SEVERITY-MIB', pgDSLAMADSLAtucLprAlarm=pgDSLAMADSLAtucLprAlarm, pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry=pgDSLAMHDSLSpanAlarmThresholdConfProfileEntry, pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext=pgDSLAMHDSLSpanAlarmThresholdConfProfileIndexNext, pgDSLAMADSLAtucAlarmTable=pgDSLAMADSLAtucAlarmTable, pgDSLAMChassisFanAlarmSeverity=pgDSLAMChassisFanAlarmSeverity, pgDSLAMADSLAturAlarmEntry=pgDSLAMADSLAturAlarmEntry, PgDSLAMAlarmSeverity=PgDSLAMAlarmSeverity, PgDSLAMAlarmStatus=PgDSLAMAlarmStatus, pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext=pgDSLAMHDSLSpanAlarmSeverityConfProfileIndexNext, pgDSLAMHDSLSpanAlarmSeverityConfProfileTable=pgDSLAMHDSLSpanAlarmSeverityConfProfileTable, pgDSLAMADSLAtucAlarmEntry=pgDSLAMADSLAtucAlarmEntry, pgDSLAMHDSLSpanESAlarmSetting=pgDSLAMHDSLSpanESAlarmSetting, pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry=pgDSLAMHDSLSpanAlarmSeverityConfProfileEntry, pgDSLAMADSLAturLofAlarm=pgDSLAMADSLAturLofAlarm, pgDSLAMADSLAturLprAlarm=pgDSLAMADSLAturLprAlarm, pgDSLAMADSLAtucESAlarm=pgDSLAMADSLAtucESAlarm, pgDSLAMADSLAtucRateChangeAlarm=pgDSLAMADSLAtucRateChangeAlarm, pgDSLAMConfigChangeAlarm=pgDSLAMConfigChangeAlarm, pgDSLAMFanFailureAlarm=pgDSLAMFanFailureAlarm, pgDSLAMHDSLSpanAlarmThresholdConfProfileTable=pgDSLAMHDSLSpanAlarmThresholdConfProfileTable, pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus=pgDSLAMHDSLSpanAlarmSeverityConfProfileRowStatus, pgdsalsvMIB=pgdsalsvMIB, pgDSLAMChassisAlarmSeverity=pgDSLAMChassisAlarmSeverity, pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex=pgDSLAMHDSLSpanAlarmThresholdConfProfileIndex, pgDSLAMHDSLSpanUASAlarmSetting=pgDSLAMHDSLSpanUASAlarmSetting, pgDSLAMPSFailureAlarm=pgDSLAMPSFailureAlarm, pgDSLAMADSLAtucLofAlarm=pgDSLAMADSLAtucLofAlarm, pgDSLAMTempExceedThreshAlarm=pgDSLAMTempExceedThreshAlarm, pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex=pgDSLAMHDSLSpanAlarmSeverityConfProfileIndex, pgDSLAMHDSLSpanLOSWAlarmSetting=pgDSLAMHDSLSpanLOSWAlarmSetting, pgDSLAMHDSLSpanMarginThreshold=pgDSLAMHDSLSpanMarginThreshold, pgDSLAMADSLAtucInitFailureAlarm=pgDSLAMADSLAtucInitFailureAlarm, pgDSLAMChassisAlarmTable=pgDSLAMChassisAlarmTable, pgDSLAMHDSLSpanESThreshold=pgDSLAMHDSLSpanESThreshold, pgDSLAMADSLAtucLosAlarm=pgDSLAMADSLAtucLosAlarm, pgDSLAMADSLAturRateChangeAlarm=pgDSLAMADSLAturRateChangeAlarm, pgDSLAMChassisAlarmEntry=pgDSLAMChassisAlarmEntry, pgDSLAMLineCardDownAlarm=pgDSLAMLineCardDownAlarm, pgDSLAMHDSLSpanMarginAlarmSetting=pgDSLAMHDSLSpanMarginAlarmSetting, pgDSLAMADSLAturInitFailureAlarm=pgDSLAMADSLAturInitFailureAlarm, pgDSLAMADSLAturLosAlarm=pgDSLAMADSLAturLosAlarm, pgDSLAMCellBusDownAlarm=pgDSLAMCellBusDownAlarm, pgDSLAMADSLAturESAlarm=pgDSLAMADSLAturESAlarm, pgDSLAMChassisPsAlarmSeverity=pgDSLAMChassisPsAlarmSeverity, pgDSLAMChassisTempAlarmSeverity=pgDSLAMChassisTempAlarmSeverity, pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus=pgDSLAMHDSLSpanAlarmThresholdConfProfileRowStatus, pgDSLAMHDSLSpanUASThreshold=pgDSLAMHDSLSpanUASThreshold, pgDSLAMADSLAturAlarmTable=pgDSLAMADSLAturAlarmTable, pgDSLAMChassisConfigChangeAlarmSeverity=pgDSLAMChassisConfigChangeAlarmSeverity, PYSNMP_MODULE_ID=pgdsalsvMIB)
# -*- coding: utf-8 -*- def main(): n, m = map(int, input().split()) a = [int(input()) for _ in range(m)][::-1] memo = [0 for _ in range(n + 1)] for ai in a: if memo[ai] == 1: continue else: memo[ai] = 1 print(ai) for index, m in enumerate(memo): if index == 0: continue if m == 0: print(index) if __name__ == '__main__': main()
def main(): (n, m) = map(int, input().split()) a = [int(input()) for _ in range(m)][::-1] memo = [0 for _ in range(n + 1)] for ai in a: if memo[ai] == 1: continue else: memo[ai] = 1 print(ai) for (index, m) in enumerate(memo): if index == 0: continue if m == 0: print(index) if __name__ == '__main__': main()
#!/usr/bin/env python # Parse key mapping keymap = {} with open('reverb.keymap', 'r') as mapping: content = mapping.read() for line in content.split("\n"): if len(line) > 0: fields = line.split("\t") keymap[fields[0]] = fields[1] + "\t" + fields[2] + "\t" + fields[3] # Training data train = [] with open('reverb_correct_train.keys', 'r') as f: keys = f.read() for line in keys.split("\n"): if len(line) > 0: train.append("true\t" + keymap[line.replace('\\','\\\\')]) with open('reverb_wrong_train.keys', 'r') as f: keys = f.read() for line in keys.split("\n"): if len(line) > 0: train.append("false\t" + keymap[line.replace('\\','\\\\')]) with open("reverb_train.tab", "w") as f: f.write("\n".join(train)) # Test data test = [] with open('reverb_correct_test.keys', 'r') as f: keys = f.read() for line in keys.split("\n"): if len(line) > 0: test.append("true\t" + keymap[line.replace('\\','\\\\')]) with open('reverb_wrong_test.keys', 'r') as f: keys = f.read() for line in keys.split("\n"): if len(line) > 0: test.append("false\t" + keymap[line.replace('\\','\\\\')]) with open("reverb_test.tab", "w") as f: f.write("\n".join(test))
keymap = {} with open('reverb.keymap', 'r') as mapping: content = mapping.read() for line in content.split('\n'): if len(line) > 0: fields = line.split('\t') keymap[fields[0]] = fields[1] + '\t' + fields[2] + '\t' + fields[3] train = [] with open('reverb_correct_train.keys', 'r') as f: keys = f.read() for line in keys.split('\n'): if len(line) > 0: train.append('true\t' + keymap[line.replace('\\', '\\\\')]) with open('reverb_wrong_train.keys', 'r') as f: keys = f.read() for line in keys.split('\n'): if len(line) > 0: train.append('false\t' + keymap[line.replace('\\', '\\\\')]) with open('reverb_train.tab', 'w') as f: f.write('\n'.join(train)) test = [] with open('reverb_correct_test.keys', 'r') as f: keys = f.read() for line in keys.split('\n'): if len(line) > 0: test.append('true\t' + keymap[line.replace('\\', '\\\\')]) with open('reverb_wrong_test.keys', 'r') as f: keys = f.read() for line in keys.split('\n'): if len(line) > 0: test.append('false\t' + keymap[line.replace('\\', '\\\\')]) with open('reverb_test.tab', 'w') as f: f.write('\n'.join(test))
# AUTHOR: Akash Rajak # Python3 Concept: Matrix Transpose # GITHUB: https://github.com/akash435 # Add your python3 concept below def matrix_transpose(): for i in range(len(A)): for j in range(len(A[0])): res[i][j] = A[j][i] A=[] print("Enter N:") n = int(input()) print("Enter Matrix A:") for i in range(0, n): temp = [] for j in range(0, n): x = int(input()) temp.append(x) A.append(temp) res = [] for i in range(0, n): temp = [] for j in range(0, n): temp.append(0) res.append(temp) matrix_transpose() for r in res: print(r)
def matrix_transpose(): for i in range(len(A)): for j in range(len(A[0])): res[i][j] = A[j][i] a = [] print('Enter N:') n = int(input()) print('Enter Matrix A:') for i in range(0, n): temp = [] for j in range(0, n): x = int(input()) temp.append(x) A.append(temp) res = [] for i in range(0, n): temp = [] for j in range(0, n): temp.append(0) res.append(temp) matrix_transpose() for r in res: print(r)