content stringlengths 7 1.05M |
|---|
maior = 0
menor = 0
for c in range(0, 5):
n1 = float(input("Digite o peso da {}° pessoa: ".format(c)))
if c == 0:
maior = n1
menor = n1
else:
if n1 > maior:
maior = n1
if n1 < menor:
menor = n1
print("Dentre os 5 pesos citados acima o menor foi o de {} e o maior foi {}: ".format(menor, maior))
|
# author : @akash
n=int(input())
a=[]
for i in range(n):
s=str(input())
a.append(s)
b=sorted(a)
#print(b)
for i in range(n-1):
aa=b[i]
bb=b[i+1]
nn=len(aa)
mm=len(bb)
if(mm>nn and aa==bb[:nn]):
t=b[i]
b[i]=b[i+1]
b[i+1]=t
for i in b:
print(i)
|
'''while em Python - Aula 7
utilizando para realizar ações enquanto uma condição for verdadeira.'''
"""while True:
nome = input(" Qual o seu nome ?")
print(f'Olá {nome}!')"""
'''x = 0
while x <101 : #'cotinue' pula o laço e 'break' finaliza o laço
print(x)
x = x+1 # ou x += 1
print("Fim do programa!!!")'''
while True:
nu1 = input("Digite um número:")
nu2 = input("Digite outro número:")
if not nu1.isnumeric() or not nu2.isnumeric():
print("Você precisa digitar um número.")
continue
nu1=int (nu1)
nu2=int (nu2)
if nu1.numerator or nu2.numerator:
operador=input("Escolha um operador :")
if operador == '+':
print(f"{nu1} + {nu2} ={nu1 + nu2}")
elif operador =='-':
print(f"{nu1} - {nu2} ={nu1 - nu2}")
elif operador == '*' :
print(f"{nu1} x {nu2} ={nu1 * nu2}")
elif operador =='/':
print(f"{nu1} / {nu2} ={nu1/nu2}")
|
# Un diccionario no tiene por qué contener nada. Puede crear un diccionario vacío:
empty_dict = {}
my_empty_dictionary = {} |
# https://adventofcode.com/2021/day/8
# load file
infile = open('08/input.txt', 'r')
lines = infile.readlines()
infile.close()
# parse input
answer = 0
unique_number_of_segments_lengths = [2, 4, 3, 7]
for line in lines:
line = line.strip()
print("line: {}".format(line))
line_parts = line.split(' | ')
unique_signal_patterns = line_parts[0].split(' ')
four_digit_output_value = line_parts[1].split(' ')
for value in four_digit_output_value:
output_value_length = len(value)
if output_value_length in unique_number_of_segments_lengths:
answer += 1
print(answer) # 365
print("OK")
|
a=int(input())
b=int(input())
sum=a+b
dif=a-b
mul=a*b
if b==0:
print('Error')
return
div=a//b
Exp=a**b
print('sum of a and b is:',sum)
print('dif of a and b is:',dif)
print('mul of a and b is:',mul)
print('div of a and b is:',div)
print('Exp of a and b is:',Exp)
|
#! /usr/bin/env python3
with open('../inputs/input14.txt') as fp:
lines = [line.strip() for line in fp.readlines()]
polymer, rules = lines[0], lines[2:]
# build mappings
chr_mappings = {} # character mappings: NN -> H
ins_mappings = {} # insertion mappings: NN -> [NH, HN]
for rule in rules:
[key, val] = rule.split(' -> ')
chr_mappings[key] = val
ins_mappings[key] = [key[0]+val, val+key[1]]
# track individual char counts
char_counts = {}
for i in range(len(polymer)):
char = polymer[i]
if not char in char_counts:
char_counts[char] = 1
else:
char_counts[char] += 1
# track char-pair counts
pair_counts = {}
for i in range(len(polymer) - 1):
pair = polymer[i:i+2]
if not pair in pair_counts:
pair_counts[pair] = 1
else:
pair_counts[pair] += 1
# Iterate one round of insertions, producing new pair_counts & updating char_counts in place
def insertion_step(pair_counts):
new_pair_counts = pair_counts.copy()
for (k1, v1) in pair_counts.items():
# lose all of 1 broken-up pair
new_pair_counts[k1] -= v1
# gain 2 new pairs (v1 times)
for k2 in ins_mappings[k1]:
if not k2 in new_pair_counts:
new_pair_counts[k2] = v1
else:
new_pair_counts[k2] += v1
# count inserted char (v1 times)
char = chr_mappings[k1]
if not char in char_counts:
char_counts[char] = v1
else:
char_counts[char] += v1
return new_pair_counts
# Calculate (most frequent minus least frequent) in freqs dict
def calc_freq_diff(freqs):
freq_vals_order = sorted([v for (k,v) in freqs.items()])
return freq_vals_order[-1] - freq_vals_order[0]
# part 1
for n in range(10):
pair_counts = insertion_step(pair_counts)
print("Part 1:", calc_freq_diff(char_counts)) # 4244
# part 2
for n in range(30):
pair_counts = insertion_step(pair_counts)
print("Part 2:", calc_freq_diff(char_counts)) # 4807056953866
|
def inverno():
dias = list(map(int, input().split()))
dia1 = dias[0]
dia2 = dias[1]
dia3 = dias[2]
# 1 - ok
if dia1 > dia2 and (dia2 < dia3 or dia2 == dia3):
print(':)')
# 2 - ok
elif dia1 < dia2 and (dia2 > dia3 or dia2 == dia3):
print(':(')
# 3 - ok
elif dia1 < dia2 < dia3 and (dia3-dia2) < (dia2-dia1):
print(':(')
# 4 - ok
elif dia1 < dia2 < dia3 and (dia3-dia2) >= (dia2-dia1):
print(':)')
# 5 - ok
elif dia1 > dia2 > dia3 and (dia1-dia2) > (dia2-dia3):
print(':)')
# 6 - ok
elif dia1 > dia2 > dia3 and (dia2-dia3) >= (dia2-dia1):
print(':(')
# 7 - ok
elif dia1 == dia2:
if dia2 < dia3:
print(':)')
else:
print(':(')
inverno()
|
# @Title: 二叉树的最大深度 (Maximum Depth of Binary Tree)
# @Author: KivenC
# @Date: 2020-07-28 10:15:30
# @Runtime: 60 ms
# @Memory: 15.5 MB
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution:
def maxDepth(self, root: TreeNode) -> int:
if not root:
return 0
return max(self.maxDepth(root.left), self.maxDepth(root.right)) + 1
|
number_of_days = int(input())
number_of_hours = int(input())
cost_for_all_period = 0
for day in range (1, number_of_days + 1):
current_cost = 0
for hour in range (1, number_of_hours + 1):
if day % 2 == 0:
if hour % 2 != 0:
cost_for_all_period += 2.50
current_cost += 2.50
else:
cost_for_all_period += 1
current_cost += 1
elif day % 2 != 0:
if hour % 2 == 0:
cost_for_all_period += 1.25
current_cost += 1.25
else:
cost_for_all_period += 1
current_cost += 1
print(f'Day: {day} – {current_cost:.2f} leva')
print (f'Total: {cost_for_all_period:.2f} leva')
|
RED = '\033[1;91m'
GREEN = '\033[1;92m'
YELLOW = '\033[1;93m'
BLUE = '\033[1;94m'
BROWN = '\033[1;95m'
CYAN = '\033[1;96m'
WHITE = '\033[1;97m'
COL_END = '\033[0m'
|
while True:
nota = int(input("Insira uma nota entre 0 e 10: "))
if nota >= 0 and nota <= 10:
break;
else:
print("Nota inválida, digite novamente")
|
class Node(object):
def __init__(self, Node1 = None, Node2 = None):
"""
A binary tree is either a leaf or a node with two subtrees.
INPUT:
- children, either None (for a leaf), or a list of size excatly 2
of either two binary trees or 2 objects that can be made into binary trees
"""
self._isleaf = Node1 is None and Node2 is None
if not self._isleaf:
if Node1 is None or Node2 is None != 2:
raise ValueError("A binary tree needs exactly two children")
self._children = tuple(c if isinstance(c,Node) else Node(c) for c in [Node1, Node2])
self._size = None
def __repr__(self):
if self.is_leaf():
return "Leaf"
else:
return "Node" + str(self._children)
def __eq__(self, other):
"""
Return true if other represents the same binary tree as self
"""
if not isinstance(other, Node):
return False
if self.is_leaf():
return other.is_leaf()
if other.is_leaf():
return False
return self.left() == other.left() and self.right() == other.right()
def left(self):
"""
Return the left subtree of self
"""
return self._children[0]
def right(self):
"""
Return the right subtree of self
"""
return self._children[1]
def is_leaf(self):
"""
Return true is self is a leaf
"""
return self._isleaf
def _compute_size(self):
"""
Recursively computes the size of self
"""
if self.is_leaf():
self._size = 0
else:
self._size = self.left().size() + self.right().size() + 1
def size(self):
"""
Return the number of non leaf nodes in the binary tree
"""
if self._size is None:
self._compute_size()
return self._size
def height(self):
if self._isleaf:
return 0
else:
aux_left = self.left()
height_left = aux_left.height()
aux_right = self.right()
height_right = aux_right.height()
return 1+max(height_left, height_right)
Leaf = Node() |
# Time: O(n)
# space: O(1)
class Solution(object):
def mincostTickets(self, days, costs):
"""
:type days: List[int]
:type costs: List[int]
:rtype: int
"""
durations = [1, 7, 30]
W = durations[-1]
dp = [float("inf") for i in range(W)]
dp[0] = 0
last_buy_days = [0, 0, 0]
for i in range(1,len(days)+1):
dp[i%W] = float("inf")
for j in range(len(durations)):
while i-1 < len(days) and \
days[i-1] > days[last_buy_days[j]]+durations[j]-1:
last_buy_days[j] += 1 # Time: O(n)
dp[i%W] = min(dp[i%W], dp[last_buy_days[j]%W]+costs[j])
return dp[len(days)%W]
|
int_float_err = "%i + %f" % ("1", "2.00")
#Output
"""
Traceback (most recent call last):
File "<pyshell#1>", line 1, in <module>
int_float_err = "%i + %f" % ("1", "2.00")
TypeError: %i format: a number is required, not str
"""
int_float_err = "%i + %f" % (1, "2.00")
#Output
"""
Traceback (most recent call last):
File "<pyshell#2>", line 1, in <module>
int_float_err = "%i + %f" % (1, "2.00")
TypeError: must be real number, not str
"""
|
'''
6 kyu Your order, please
https://www.codewars.com/kata/55c45be3b2079eccff00010f/train/python
Your task is to sort a given string. Each word in the string will contain a single number. This number is the position the word should have in the result.
Note: Numbers can be from 1 to 9. So 1 will be the first word (not 0).
If the input string is empty, return an empty string. The words in the input String will only contain valid consecutive numbers.
Examples
"is2 Thi1s T4est 3a" --> "Thi1s is2 3a T4est"
"4of Fo1r pe6ople g3ood th5e the2" --> "Fo1r the2 g3ood 4of th5e pe6ople"
'''
def order(sentence):
return ' '.join([i[1] for i in sorted(zip(filter(str.isdigit, sentence), sentence.split()))]) |
def armstrong(num):
for x in range(1, num):
if x>10:
order = len(str(x))
sum = 0
temp = x
while temp > 0:
digit = temp % 10
sum += digit**order
temp //= 10
if x == sum:
yield print("T he First Armstrong Nubmer is : ", x)
lst=list(armstrong(1000)) |
'''PROGRAM TO CALCULATE WHEN THE USER WILL TURN 100 YEARS OLD'''
#Current Year
Year = 2020
#Input for name and age
Name = input('\nWhat is your name?: ')
Age = int(input('How old are you?: '))
#Calculating year of birth
YOB = Year-Age
#Displaying the output
print('\n'+Name,'will be 100 years in the year',YOB + 100,"\n") |
"""ClipTools clipboard manager and text processing tools
with a lines based GUI interface
Test
Controller part, driving the GUI and the Data
"""
# Placeholder for future tests
pass
|
"""
Module for preprocessing tools.
Class List (in order):
DataFrameSelector
"""
#Column Selectors
#=================
class DataFrameSelector(BaseEstimator, TransformerMixin):
"""
Description:
A selection tranformer that will select columns of specific datatypes,
e.g. numeric, categoric etc..
Authors:
Chris Schon
Eden Trainor
TODO:
Allow for choice to return numpy array or pandas Dataframe
"""
def __init__(self, attribute_names, returning = 'DataFrame'):
"""
Description
-----------
Initialise the transformer object.
Args
----
attribute_names: string
"""
self.attribute_names = attribute_names
def fit(self, X, y=None):
"""
Description
-----------
No fitting required for this transformer.
Simply checks that input is a pandas dataframe.
Args
----
X: DataFrame, (examples, features)
Pandas DataFrame containing training example features
y: array/DataFrame, (examples,)
(Optional) Training example labels
Returns
-------
self: sklearn.transfromer object
Returns the fitted transformer object.
"""
assert isinstance(X, pd.DataFrame)
return self
def transform(self, X):
"""
Description
-----------
Args
----
X: DataFrame, (examples, features)
Pandas DataFrame containing training or example features
Returns
-------
self: sklearn.transfromer object
Returns the fitted transformer object.
"""
return X[self.attribute_names].values
#=======
#Scalers
#=======
|
'''
Config file for CNN model
'''
# -- CHANGE PATHS --#
# Jamendo
JAMENDO_DIR = '../jamendo/' # path to jamendo dataset
MEL_JAMENDO_DIR = '../data/schluter_mel_dir/' # path to save computed melgrams of jamendo
JAMENDO_LABEL_DIR = '../data/labels/' # path to jamendo dataset label
# MedleyDB
MDB_VOC_DIR = '/media/bach1/dataset/MedleyDB/' # path to medleyDB vocal containing songs
MDB_LABEL_DIR = '../mdb_voc_label/'
# vibrato
SAW_DIR = '../sawtooth_200/songs/'
MEL_SAW_DIR = '../sawtooth_200/schluter_mel_dir/'
# -- Audio processing parameters --#
SR = 22050
FRAME_LEN = 1024
HOP_LENGTH = 315
CNN_INPUT_SIZE = 115 # 1.6 sec
CNN_OVERLAP = 5 # Hopsize of 5 for training, 1 for inference
N_MELS = 80
CUTOFF = 8000 # fmax = 8kHz |
'''
Created on Jul 1, 2015
@author: egodolja
'''
'''
import unittest
from mock import MagicMock
from authorizenet import apicontractsv1
#from controller.ARBCancelSubscriptionController import ARBCancelSubscriptionController
from tests import apitestbase
from authorizenet.apicontrollers import *
import test
'''
'''
class ARBCancelSubscriptionControllerTest(apitestbase.ApiTestBase):
def test_ARBCancelSubscriptionController(self):
cancelSubscriptionRequest = apicontractsv1.ARBCancelSubscriptionRequest()
cancelSubscriptionRequest.merchantAuthentication = self.merchantAuthentication
cancelSubscriptionRequest.refId = 'Sample'
cancelSubscriptionRequest.subscriptionId = '2680891'
ctrl = ARBCancelSubscriptionController()
ctrl.execute = MagicMock(return_value=None)
ctrl.execute(cancelSubscriptionRequest, apicontractsv1.ARBCancelSubscriptionResponse)
ctrl.execute.assert_called_with(cancelSubscriptionRequest, apicontractsv1.ARBCancelSubscriptionResponse)
ctrl.execute.assert_any_call(cancelSubscriptionRequest, apicontractsv1.ARBCancelSubscriptionResponse)
'''
'''
class ARBCreateSubscriptionTest(apitestbase.ApiTestBase):
def testCreateSubscriptionController(self):
createSubscriptionRequest = apicontractsv1.ARBCreateSubscriptionRequest()
createSubscriptionRequest.merchantAuthentication = self.merchantAuthentication
createSubscriptionRequest.refId = 'Sample'
createSubscriptionRequest.subscription = self.subscriptionOne
ctrl = ARBCreateSubscriptionController()
ctrl.execute = MagicMock(return_value=None)
createRequest = ctrl.ARBCreateSubscriptionController(createSubscriptionRequest)
ctrl.execute(createRequest, apicontractsv1.ARBCreateSubscriptionResponse)
ctrl.execute.assert_called_with(createRequest, apicontractsv1.ARBCreateSubscriptionResponse )
ctrl.execute.assert_any_call(createRequest, apicontractsv1.ARBCreateSubscriptionResponse)
class ARBGetSubscriptionStatusTest(object):
def testGetSubscriptionStatusController(self):
getSubscriptionStatusRequest = apicontractsv1.ARBGetSubscriptionStatusRequest()
getSubscriptionStatusRequest.merchantAuthentication = self.merchantAuthentication
getSubscriptionStatusRequest.refId = 'Sample'
getSubscriptionStatusRequest.subscriptionId = '2680891'
ctrl = ARBGetSubscriptionStatusController()
ctrl.execute = MagicMock(return_value=None)
statusRequest = ctrl.ARBGetSubscriptionStatusController(getSubscriptionStatusRequest)
ctrl.execute(statusRequest, apicontractsv1.ARBGetSubscriptionStatusResponse)
ctrl.execute.assert_called_with(statusRequest, apicontractsv1.ARBGetSubscriptionStatusResponse)
ctrl.execute.assert_any_call(statusRequest, apicontractsv1.ARBGetSubscriptionStatusResponse)
'''
|
# coding : utf8
# version : 0.0
class Object:
"""
Main class
"""
def size():
return self.size
|
katok = ['다현', '정연', '쯔위', '사나', '지효']
def delete_data(posotion):
klen = len(katok)
katok[posotion] = None
for i in range(posotion + 1,klen,1):
katok[i-1] = katok[i]
katok[i] = None
del(katok[klen-1])
print(katok)
delete_data(1)
print(katok)
delete_data(3)
print(katok)
1
|
'''
Copyright © 2016 Franco Masotti <franco.masotti@student.unife.it>
Danny Lessio <danny.lessio@gmail.com>
This work is free. You can redistribute it and/or modify it under the
terms of the Do What The Fuck You Want To Public License, Version 2,
as published by Sam Hocevar. See the LICENSE file for more details.
'''
''' This module implements a double linked list '''
class StdNode( object ):
def __init__( self, element ):
self._element = element
self._prev = None
self._next = None
def set_element( self, element ):
self._element = element
def set_next( self, nextt ):
self._next = nextt
def set_prev( self, prev ):
self._prev = prev
def get_element( self ):
return self._element
def get_next( self ):
return self._next
def get_prev( self ):
return self._prev
class DoubleLinkedList( object ):
''' This class implements a standard DoubleLinkedList
that can handle multiple Node Types '''
def __init__( self, NodeType=StdNode, dummy_attr=False ):
self._NodeType = NodeType
# create a dummyNode and refers to itself
self._dummy = self._NodeType( dummy_attr )
self._dummy.set_next( self._dummy )
self._dummy.set_prev( self._dummy )
# return a list of nodes searching for element
def find_nodes( self, element ):
found_nodes = []
dummy = self._dummy
a_node = dummy.get_next()
while a_node is not dummy :
if element == a_node.get_element() :
found_nodes.append( a_node )
a_node = a_node.get_next()
return found_nodes
def insert_node_in_queue( self, *node_attr, verbose=False ):
if verbose is True:
print( "insert", node_attr, "in queue")
# create the node
# node_attr is a tuple, the * expands it.
new_node = self._NodeType( *node_attr )
# Fix chaining
new_node.set_prev( self._dummy.get_prev() )
new_node.set_next( self._dummy )
self._dummy.get_prev().set_next( new_node )
self._dummy.set_prev( new_node )
return True
def insert_node_in_head( self, *node_attr, verbose=False ):
if verbose is True:
print( "insert", node_attr, "in head")
# create the Node
new_node = self._NodeType( *node_attr )
# Fix chaining
new_node.set_next( self._dummy.get_next() )
new_node.set_prev( self._dummy )
self._dummy.get_next().set_prev( new_node )
self._dummy.set_next( new_node )
return True
# prints all the elements inside the list
def print_elements( self ):
print("Printing the list elements:")
index = 0
dummy = self._dummy
a_node = dummy.get_next()
while a_node is not dummy :
element = a_node.get_element()
print( node.get_key() , node.get_value() )
a_node = a_node.get_next()
index = index + 1
return
def delete_node( self, node_to_delete, verbose=False ):
if verbose is True:
print( "Deleting node %s from list" % node_to_delete )
if node_to_delete is not None :
# Get it out from the list
node_to_delete.get_prev().set_next( node_to_delete.get_next() )
node_to_delete.get_next().set_prev( node_to_delete.get_prev() )
return True
return False
def is_empty( self ):
if self._dummy.get_next() == self._dummy:
return True
else:
return False
|
def translate(**kwargs):
for key, value in kwargs.items():
print(key, ":", value)
words = {"mother": "madre", "father": "padre",
"grandmother": "abuela", "grandfather": "abuelo"}
translate(**words) |
# O(n) time | O(1) space
class Solution:
def minCostToMoveChips(self, position: List[int]) -> int:
oddCount = 0
evenCount = 0
for p in position:
if p & 1:
oddCount += 1
else:
evenCount += 1
return min(oddCount, evenCount) |
class GroupHelper:
def __init__(self, app):
self.app = app
def return_to_groups_page(self):
wd = self.app.wd
wd.find_element_by_link_text("group page").click()
def go_to_home(self):
wd = self.app.wd
wd.find_element_by_link_text("home page").click()
def create(self, group):
wd = self.app.wd
self.open_groups_page()
# init group creation
wd.find_element_by_name("new").click()
# fill form
wd.find_element_by_name("group_name").click()
wd.find_element_by_name("group_name").clear()
wd.find_element_by_name("group_name").send_keys(group.name)
wd.find_element_by_name("group_header").click()
wd.find_element_by_name("group_header").clear()
wd.find_element_by_name("group_header").send_keys(group.header)
wd.find_element_by_name("group_footer").click()
wd.find_element_by_name("group_footer").clear()
wd.find_element_by_name("group_footer").send_keys(group.footer)
# submit group creation
wd.find_element_by_xpath("//div[@id='content']/form").click()
wd.find_element_by_name("submit").click()
self.return_to_groups_page()
def add_osoba(self, person):
wd = self.app.wd
wd.find_element_by_link_text("nowy wpis").click()
# add_1st_name
wd.find_element_by_name("firstname").click()
wd.find_element_by_name("firstname").clear()
wd.find_element_by_name("firstname").send_keys(person.first_name)
# add_middle_name
wd.find_element_by_name("middlename").click()
wd.find_element_by_name("middlename").clear()
wd.find_element_by_name("middlename").send_keys(person.middle)
# add_2nd_name
wd.find_element_by_name("lastname").click()
wd.find_element_by_name("lastname").clear()
wd.find_element_by_name("lastname").send_keys(person.last)
# add_nick
wd.find_element_by_name("nickname").click()
wd.find_element_by_name("nickname").clear()
wd.find_element_by_name("nickname").send_keys(person.nick)
# add_title
wd.find_element_by_name("title").click()
wd.find_element_by_name("title").clear()
wd.find_element_by_name("title").send_keys(person.title)
# add_company
wd.find_element_by_name("company").click()
wd.find_element_by_name("company").clear()
wd.find_element_by_name("company").send_keys(person.company)
# add_company_address
wd.find_element_by_name("address").click()
wd.find_element_by_name("address").clear()
wd.find_element_by_name("address").send_keys(person.comaddr)
# add_private_tel
wd.find_element_by_name("home").click()
wd.find_element_by_name("home").clear()
wd.find_element_by_name("home").send_keys(person.homenr)
# add_mobile
wd.find_element_by_name("mobile").click()
wd.find_element_by_name("mobile").clear()
wd.find_element_by_name("mobile").send_keys(person.mobile)
# add_work_tel
wd.find_element_by_name("work").click()
wd.find_element_by_name("work").clear()
wd.find_element_by_name("work").send_keys(person.worknr)
# add_fax_no
wd.find_element_by_name("fax").click()
wd.find_element_by_name("fax").clear()
wd.find_element_by_name("fax").send_keys(person.faxnr)
# add_email1
wd.find_element_by_name("email").click()
wd.find_element_by_name("email").clear()
wd.find_element_by_name("email").send_keys(person.email_1)
# add_email2
wd.find_element_by_name("email2").click()
wd.find_element_by_name("email2").clear()
wd.find_element_by_name("email2").send_keys(person.email_2)
# add_email3
wd.find_element_by_name("email3").click()
wd.find_element_by_name("email3").clear()
wd.find_element_by_name("email3").send_keys(person.email_3)
# add_homepage
wd.find_element_by_name("homepage").click()
wd.find_element_by_name("homepage").clear()
wd.find_element_by_name("homepage").send_keys(person.home_page)
# add_birth
wd.find_element_by_css_selector("body").click()
if not wd.find_element_by_xpath("//div[@id='content']/form/select[1]//option[19]").is_selected():
wd.find_element_by_xpath("//div[@id='content']/form/select[1]//option[19]").click()
if not wd.find_element_by_xpath("//div[@id='content']/form/select[2]//option[13]").is_selected():
wd.find_element_by_xpath("//div[@id='content']/form/select[2]//option[13]").click()
wd.find_element_by_name("byear").click()
wd.find_element_by_name("byear").clear()
wd.find_element_by_name("byear").send_keys(person.year_b)
# add_anniver=
wd.find_element_by_name("theform").click()
if not wd.find_element_by_xpath("//div[@id='content']/form/select[3]//option[20]").is_selected():
wd.find_element_by_xpath("//div[@id='content']/form/select[3]//option[20]").click()
if not wd.find_element_by_xpath("//div[@id='content']/form/select[4]//option[13]").is_selected():
wd.find_element_by_xpath("//div[@id='content']/form/select[4]//option[13]").click()
wd.find_element_by_name("ayear").click()
wd.find_element_by_name("ayear").clear()
wd.find_element_by_name("ayear").send_keys(person.year_a)
wd.find_element_by_name("theform").click()
if not wd.find_element_by_xpath("//div[@id='content']/form/select[5]//option[3]").is_selected():
wd.find_element_by_xpath("//div[@id='content']/form/select[5]//option[3]").click()
# add_home_add
wd.find_element_by_name("address2").click()
wd.find_element_by_name("address2").clear()
wd.find_element_by_name("address2").send_keys(person.home_add)
# add_home_tel
wd.find_element_by_name("phone2").click()
wd.find_element_by_name("phone2").clear()
wd.find_element_by_name("phone2").send_keys(person.home_phone)
# add_notes
wd.find_element_by_name("notes").click()
wd.find_element_by_name("notes").clear()
wd.find_element_by_name("notes").send_keys(person.note)
# submit_accept
wd.find_element_by_xpath("//div[@id='content']/form/input[21]").click()
def open_groups_page(self):
wd = self.app.wd
# open groups page
wd.find_element_by_link_text("grupy").click() |
welcome_message = "Hey there!"
speech = "I became a developer because it's fascinates me how one can develop a thing and it can we use by many people around the world."
art = """
____/, _____)
\ // / /
_\/_ \ (
/ \ ___\_|_
____/ \_\/ \\
(\___/\\ \\
| \_______/
| // \\
/ | \_______/
___\ | _// \\
\__| //\______/
|__\______/ ____
_____|____|____|____|
/ __________o\\
/ / \\
\_________/_____________/
"""
print(welcome_message)
print(art)
print(speech)
|
scanners = []
with open('day19/input.txt') as f:
lines = f.readlines()
for line in lines:
line = line.strip()
if line == "":
continue
if line.startswith("---"):
scanner = []
scanners.append(scanner)
continue
scanner.append(list(map(lambda s: int(s), line.split(","))))
def add(p, q):
result = p.copy()
for i in range(3):
result[i] += q[i]
return result
def sub(p, q):
result = p.copy()
for i in range(3):
result[i] -= q[i]
return result
def rot(p):
x, y, z = p
return [
[ x, y, z], [ x, z, y], [ y, x, z], [ y, z, x], [ z, x, y], [ z, y, x],
[ x, -y, z], [ x, -z, y], [ y, -x, z], [ y, -z, x], [ z, -x, y], [ z, -y, x],
[-x, y, -z], [-x, z, -y], [-y, x, -z], [-y, z, -x], [-z, x, -y], [-z, y, -x],
[-x, -y, -z], [-x, -z, -y], [-y, -x, -z], [-y, -z, -x], [-z, -x, -y], [-z, -y, -x]
]
def trans(s, r, v):
result = []
for p in s:
pr = rot(p)[r]
result.append(add(pr, v))
return result
def count_matches(s1, s2) -> int:
n = 0
for p in s1:
if p in s2:
n += 1
#if n > 1: print(n)
return n
def match(s1, s2):
for p1 in s1:
for p2 in s2:
p2rotations = rot(p2)
for r in range(len(p2rotations)):
p2r = p2rotations[r]
v = sub(p1, p2r)
s2x = trans(s2, r, v)
if count_matches(s1, s2x) >= 12:
return (r, v)
# test
# for i in range(len(scanners)-1):
# print(i+1, match(scanners[0], scanners[i+1]))
beacons = scanners[0].copy()
L1 = [0]
L2 = list(range(1, len(scanners)))
while len(L2) > 0:
#for s1 in L1:
for s2 in L2:
print(s2)
# m = match(scanners[s1], scanners[s2])
m = match(beacons, scanners[s2])
if m:
print(s2, "*")
r, v = m
s2x = trans(scanners[s2], r, v)
scanners[s2] = s2x
for b in s2x:
if not b in beacons:
beacons.append(b)
L1.append(s2)
L2.remove(s2)
break
#if m: break
print(len(beacons))
|
db.session.execute('''
alter table "user"
add column created timestamp
''')
db.session.execute('''
update "user" set created = '1979-07-07'
''')
db.session.execute('''
alter table "user" alter column created set not null
''')
db.session.commit()
|
"""Generic gridworld environments
A generic grid-world environment consists of:
* An agent, which occupies a location on the grid
* A rectangular 2D grid
* A set of objects, which occupy (possibly overlapping) locations on the grid.
* A set of actions, which allow the agent to interact with the grid and
the objects contained within
The agent, cells and objects expose behaviors, which query and potentially
modify the environment. Examples of behaviors include the agent's MOVE_EAST
behavior (which moves the agent one square east) and a cell's GET behavior
(which reacts to an actor attempting to pick up a portable object contained
in the cell). The agent's behaviors define the environment's actions and (at
least in the current iteration of the generic gridworld) do not take arguments.
The agent's behaviors invoke the behaviors of cells and objects as part of
their implementation. For example, the MOVE_EAST behavior invokes the
EXIT behavior of the cell the agent occupies and the ENTER behavior of the
cell to the agent's east. Unlike agent behaviors, the behaviors of cells
and objects may take arguments. The cell and object behaviors will
implement certains parts of the overall action (for example, a cell's
EXIT behavior will remove the agent from the cell's contents) and may block
or alter aspects of the agent's behavior (for example, an object may prevent
the agent from exiting the cell in a certain direction until it is removed).
All behaviors return a reward and an optional exception token. The exception
token indicates something unusual occured that prevented the normal completion
of the behavior. The invoking behavior should take note of this condition
and behave accordingly. Behaviors that complete normally do not return an
exception token.
In the baseline generic gridworld, behaviors provided by the agent map
one-to-one to the actions the agent may take in the environment, so these
behaviors will not have arguments. However, extensions to the generic
gridworld may add arguments to the agent's actions, resulting in a
parameterized action space. This no-argument limitation imposes some
constraints on the generic gridworld's modeling capabilities:
* The agent may only carry one object at a time, eliminating any ambiguity
about the target of the agent's DROP or USE behaviors. Objects the agent
may carry are called "portable objects."
* Each cell may only contain one portable object at a time, eliminating
any ambiguity in the target of the agent's GET behavior.
* Objects the agent may push from cell to cell but not pick up are called
"movable" objects. Each cell may contain only one movable object,
eliminating any ambiguity in the target of the PUSH behavior.
In contrast, The behaviors of grid cells and objects are parameterized, to
allow the agent behavior to specify the target of the behavior, if a target
is needed.
The agent in the generic gridworld provides the following behaviors:
* MOVE_{NORTH,EAST,SOUTH,WEST}
* Move one step along the grid in the given direction.
* GET
* Transfer the portable object in the agent's cell to the agent's
inventory by invoking the cell's GET behavior to transfer the cell's
portable object stack, and then popping that object into the agent's
inventory. Fails if the agent is already carrying an object or
if the cell's GET behavior fails. Reward is equal to the reward
returned by the cell's GET behavior.
* DROP
* Invokes the DROP behavior of the cell the agent occupies on the
object the agent is carrying to transfer the object from the agent's
inventory to that cell. Fails if the agent is not carrying an object
or if the cell's DROP behavior fails. Reward is equal to the reward
returned by the cell's DROP behavior.
* USE
* Invokes the USE behavior of the object the agent is carrying and
returns the result of that behavior. Fails if the agent is not
carrying an object.
* PUSH_{NORTH,EAST,SOUTH,WEST}
* Push the object in the adjoining cell in the given direction, causing
both the agent and the object to move one cell in that direction. The
adjoining cell must contain a movable object, the agent must be able
to exit its current cell in the given direction and enter the next
cell from the opposite direction (as if it executed the appropriate
move action) and the object must be able to leave its cell and enter
its neighboring cell along the same direction. If any of these
conditions fails, the PUSH behavior fails.
The cells in the generic gridworld provide the following behaviors:
* EXIT actor direction
* Called when an actor (e.g. the agent) leaves the cell headed in the
given direction. Calls the EXIT behavior of every object in the
cell and fails if any of them fail. Removes the actor from the
cell's contents.
* ENTER actor direction
* Called when an actor enters the cell from the given direction to allow
the cell to react to the entry of that actor. The default implementation
calls the ENTER behavior of every object in the cell, fails if any
of them fail and adds the actor to the cell's contents if they
all return CONTINUE.
* GET actor object
* Called to remove the given object from the cell and push it onto the
object stack, invoking the GET behavior on each object contained in
the cell first. The GET behavior is invoked on every object except
the target object first, followed by the GET behavior of the target
object. eails if the object is not contained in the cell or if any
of the GET behaviors fail.
* DROP actor object
* Called to place the given object into the cell. Prior to placing the
object in the cell, this behavior invokes the DROP behavior on each
object in the cell, followed by the object's own DROP behavior
Objects provide the following behaviors
* ENTER thing direction
* Called when an actor (typically the agent) or an object attempts to
enter the cell occupied by this object from the given direction (in
the object's case, this means the object is being pushed). The default
implementation of this behavior does nothing, but individual objects
may use this behavior to prevent the entry of actors or objects or
to intercept actors or objects and send them elsewhere.
* EXIT thing direction
* Same as ENTER, but called when an actor or an object (because it is
being pushed) leaves the cell this object occupies.
* GET actor object
* Called when an actor (typically the agent) attempts to pick up an
object in a cell. The default implementation of this behavior does
nothing, but objects can provide implementations that permit themselves
to be picked up only under certain circumstances or prevent other
objects from being picked up and so on.
* DROP actor object
* Same as GET but called when an actor attempts to place a portable
object inside the cell occupied by this object.
* USE actor
* Invoked when an actor attempts to use this object. The default
implementation always fails, but individual objects can override
this behavior to make themselves usable.
"""
|
#!/usr/bin/env python
#pylint: skip-file
# This source code is licensed under the Apache license found in the
# LICENSE file in the root directory of this project.
class PolicyInterruptInput(object):
def __init__(self):
"""
Attributes:
swaggerTypes (dict): The key is attribute name and the value is attribute type.
attributeMap (dict): The key is attribute name and the value is json key in definition.
"""
self.swaggerTypes = {
'action': 'str',
'policyScope': 'str',
'scopeWirelessSegment': 'str'
}
self.attributeMap = {
'action': 'action',
'policyScope': 'policyScope',
'scopeWirelessSegment': 'scopeWirelessSegment'
}
#One of {ABORT, ABORT-RESTORE-TO-ORIGINAL}
self.action = None # str
#Policy scope
self.policyScope = None # str
#Scope wireless segment
self.scopeWirelessSegment = None # str
|
"""Write a program to swap two numbers"""
a = int (input("Enter first number \n"))
b = int (input("Enter second number \n"))
def swapper(af, bf):
return bf, af
a, b = swapper(a, b)
print(F"The first number is {a}")
print(F"The second number is {b}") |
{
"targets": [
{
"target_name": "civetkern",
"sources": [
"src/lmdb/mdb.c",
"src/lmdb/midl.c",
"src/util/util.cpp",
"src/util/pinyin.cpp",
"src/interface.cpp",
"src/database.cpp",
"src/db_manager.cpp",
"src/log.cpp",
"src/DBThread.cpp",
"src/table/TableTag.cpp",
"src/table/TableMeta.cpp",
"src/table/TableClass.cpp",
"src/RPN.cpp",
"src/Condition.cpp",
"src/Table.cpp",
"src/Expression.cpp",
"src/StorageProxy.cpp",
"src/upgrader.cpp",
"src/civetkern.cpp" ],
"include_dirs": [
"include",
"src",
# "<!(node -e \"require('nan')\")",
'<!@(node -p "require(\'node-addon-api\').include")',
],
'cflags_c': [],
'cflags_cc': [
'-std=c++17',
'-frtti',
'-Wno-pessimizing-move'
],
"cflags!": [
'-fno-exceptions'
],
"cflags_cc!": [
'-fno-exceptions',
'-std=gnu++1y',
'-std=gnu++0x'
],
'xcode_settings': {
'CLANG_CXX_LANGUAGE_STANDARD': 'c++17',
'MACOSX_DEPLOYMENT_TARGET': '10.9',
'GCC_ENABLE_CPP_EXCEPTIONS': 'YES',
'GCC_ENABLE_CPP_RTTI': 'YES',
'OTHER_CPLUSPLUSFLAGS': [
'-fexceptions',
'-Wall',
'-mmacosx-version-min=10.15',
'-O3'
]
},
'conditions':[
['OS=="win"', {
'configurations':{
'Release': {
'msvs_settings': {
'VCCLCompilerTool': {
"ExceptionHandling": 1,
'AdditionalOptions': [ '-std:c++17' ],
'RuntimeTypeInfo': 'true'
}
}
},
'Debug': {
'msvs_settings': {
'VCCLCompilerTool': {
"ExceptionHandling": 1,
'AdditionalOptions': [ '-std:c++17' ],
'RuntimeTypeInfo': 'true'
}
}
}
}
}],
['OS=="linux"', {
}]
]
}
]
} |
class Solution:
def findCenter(self, edges: List[List[int]]) -> int:
edgeOne= edges[0][0]
edgeTwo = edges[0][1]
edgeOneCouner = 0
for i in range(len(edges)):
if edgeOne == edges[i][0] or edgeOne == edges[i][1]:
edgeOneCouner+=1
return edgeOne if edgeOneCouner == len(edges) else edgeTwo |
d=int(input("Enter d -> "))
e=int(input("Enter e -> "))
b=1
a=0
s=0
k=0
for i in range(max(d,e)):
if (((d==0) and (e==1))) or (((d==1) and (e==0))):
k=1
print("True")
break
else:
if (((d==a) and (e==b))) or (((d==b) and (e==a))):
k=1
print("True")
break
s=a+b
a=b
b=s
if k==0:
print("False")
|
'''
Builds a calculator that reads a string and addition and subtraction.
Example:
Input: '1+3-5+7'
Output: 6
'''
def calculator(math_string):
return sum([int(item) for item in math_string.replace('-', '+-').split('+')])
def test_calculator():
assert calculator('1+3-5+7') == 6, calculator('1+3-5+7')
if __name__ == '__main__':
test_calculator()
|
#Faca um programa que mostre a tabuada de varios numeros, um de cada vez, para cada valor
#digitado pelo usuario. O programa sera interrompido quando o numero solicitado for negativo
#minha resposta
while True:
num = int(input('Quer ver a tabuada de qual valor? '))
if num < 0:
break
print('-'*30)
print(f'''{num} x 1 = {num*1}
{num} x 2 = {num*2}
{num} x 3 = {num*3}
{num} x 4 = {num*4}
{num} x 5 = {num*5}
{num} x 6 = {num*6}
{num} x 7 = {num*7}
{num} x 8 = {num*8}
{num} x 9 = {num*9}
{num} x 10 = {num*10}''')
print('-'*30)
print('PROGRAMA TABUADA ENCERRADO. Volte sempre!')
#resposta do Gustavo
while True:
n = int(input('Quer ver a tabuada de qual valor? '))
print('-'*30)
if n < 0:
break
for c in range(1, 11):
print(f'{n} x {c} = {n*c}')
print('-'*30)
print('PROGRAMA TABUADA ENCERRADO. Volte sempre!') |
NUMBER_WORKER = 5
ITEM_DURATION = 60
INPUT_FILE_NAME = 'input.txt'
class WorkItem:
def __init__(self, name):
self.name = name
self.dependencies = []
self.completed = False
self.completed_at = None
def addDependency(self, item):
self.dependencies.append(item)
def isWorkable(self):
if self.completed: return False
for p in self.dependencies:
if not p.completed: return False
return True
def startWorking(self, current_time):
self.completed_at = current_time + ITEM_DURATION + (ord(self.name) - ord('A')) + 1
def getWorkableItems(work_item_map):
result = []
for item in work_item_map.values():
if item.isWorkable(): result.append(item)
return result
def workOnItemsSequential(work_item_map):
instruction = ''
while True:
work_items = getWorkableItems(work_item_map)
if len(work_items) == 0: break
item = min(work_items, key = lambda item: item.name)
instruction += item.name
item.completed = True
return instruction
def initWorkItemMap(file_name):
result = {}
with open(file_name) as input_file:
for dep_str in input_file:
tmp = dep_str.rstrip().split(' ')
dep_work_item = result.get(tmp[1], WorkItem(tmp[1]))
result[tmp[1]] = dep_work_item
work_item = result.get(tmp[7], WorkItem(tmp[7]))
result[tmp[7]] = work_item
work_item.addDependency(dep_work_item)
return result
work_item_map = initWorkItemMap(INPUT_FILE_NAME)
instruction = workOnItemsSequential(work_item_map)
print('Solution to part 1: %s' % (instruction,))
# -------------
def workOnItemsParallel(workers, work_item_map):
current_time = 0
in_progress_items = {}
while True:
# First check if some tasks has been completed
remove_items = []
for w, item in in_progress_items.values():
if item.completed_at == current_time:
item.completed = True
w['busy'] = False
remove_items.append(item)
for item in remove_items:
del in_progress_items[item.name]
# Check if we've completed everything
work_items = getWorkableItems(work_item_map)
if len(work_items) == 0 and len(in_progress_items) == 0: break
# If not, assign available tasks to workers
for w in workers:
if not w['busy'] and len(work_items) > 0:
item = min(work_items, key = lambda item: item.name)
item.startWorking(current_time)
w['busy'] = True
in_progress_items[item.name] = (w, item)
del work_item_map[item.name]
work_items = getWorkableItems(work_item_map)
current_time += 1
return current_time
work_item_map = initWorkItemMap(INPUT_FILE_NAME)
workers = [{'name': i, 'busy': False} for i in range(NUMBER_WORKER)]
duration = workOnItemsParallel(workers, work_item_map)
print('Solution to part 2: %i' % (duration,)) |
class IrisError(Exception):
pass
class IrisDataError(IrisError):
pass
class IrisStorageError(IrisError):
pass
|
def fab(n):
if n == 1 or n == 2:
return 1
else:
return fab(n - 1) + fab(n - 2)
if __name__ == '__main__':
print(fab(10))
|
# -*- coding: utf-8 -*-
"""
Spyder Editor
@auther: syenpark
Python Version: 3.6
"""
def bubble_sort(L):
"""
inputs : A list
outputs: The list in a reverse order
"""
swap = False
while not swap:
swap = True
for i in range(1, len(L)):
if L[i-1] < L[i]:
swap = False
L[i-1], L[i] = L[i], L[i-1]
test = [1, 5, 3, 8, 4, 2, 9, 6]
bubble_sort(test)
|
def f1():
x = 42
def f2():
x = 0
f2()
print(x)
f1()
|
""" Parent class: User
holds deatils about an user
has a function to show user details
Child class: Bank
stores detials about the account balance, amount deposits withdraw and view_balance
"""
# Class Parent: User. Login and Details about user
class login(object):
"""docstring for login"""
def __init__(self, user, password):
self.user = user
self.password = password
if self.user == '123' and self.password == '123':
print('Logged Successfully!')
self.personal_details()
else:
print('Logged Out.')
self.delete()
def personal_details(self):
# i needed to a database...
self.name = 'Ingrid Cards'
self.age = '27 Years Old'
self.gender = 'Female'
settings = input('Hello! {}. Confirm these info? {} and {}? Press 1 - Yes and 2 - No '.format(self.name, self.age, self.gender))
if settings == '1':
print('Confirmed.')
else:
print('Logged Out.')
self.delete()
def delete(self):
def __del__(self):
print('Failed Try.')
class Bank(object):
"""docstring for Bank"""
def __init__(self):
option = input('1- balance / 2- withdraw ')
if option == '1':
self.balance()
else:
self.withdraw()
def balance(self):
print('balance')
def withdraw(self):
print('withdraw')
# Log in system
User = input('User: ')
Pass = input('Password: ')
# pass to classes
you = login(User, Pass)
# enter in the bank system
banks = Bank()
|
ACTION_ACK = 'ack'
ACTION_UNACK = 'unack'
ACTION_SHELVE = 'shelve'
ACTION_UNSHELVE = 'unshelve'
ACTION_OPEN = 'open'
ACTION_CLOSE = 'close'
|
class Course():
"""Documents the class. Useful for understanding what it's for."""
def __init__(self, id, name):
self.id = id
self.name = name
def __repr__(self):
return f"Course with {self.id} called {self.name}."
def append_to_name(self, text_to_append):
self.name += text_to_append
course_1 = Course(id=123, name="Jazz")
course_2 = Course(id=456, name="Classical")
course_2.append_to_name(" with Jazz")
print(course_2)
|
# https://codility.com/programmers/lessons/2-arrays/cyclic_rotation/
def solution(A, K):
''' Rotate an array A to the right by a given number of steps K.
'''
N = len(A)
if N == 0:
return A
# After K rotations, the -Kth element becomes first element of list
return A[-K:] + A[:N-K]
if __name__ == "__main__":
cases = [(([3, 8, 9, 7, 6], 3), [9, 7, 6, 3, 8]),
(([], 0), []),
(([5, -1000], 1), [-1000, 5])
]
for case, expt in cases:
res = solution(*case)
assert expt == res, (expt, res)
|
"""
LC 128
Given an unsorted array of integers nums, return the length of the longest consecutive elements sequence.
You must write an algorithm that runs in O(n) time.
Example 1:
Input: nums = [100,4,200,1,3,2]
Output: 4
Explanation: The longest consecutive elements sequence is [1, 2, 3, 4]. Therefore its length is 4.
Example 2:
Input: nums = [0,3,7,2,5,8,4,6,0,1]
Output: 9
"""
class Solution:
def longestConsecutive(self, nums) -> int:
nums = set(nums)
res = 0
while nums:
n = nums.pop()
cnt = 1
num = n + 1
while num in nums:
nums.remove(num)
cnt += 1
num += 1
num = n - 1
while num in nums:
nums.remove(num)
cnt += 1
num -= 1
res = max(res, cnt)
return res
"""
Time/Space O(N)
"""
|
#============================================================================#
# subsets
#============================================================================#
def subsets(array):
"""iterative solution"""
n = len(array)
subsets_ = []
for i in range(1<<n):
subsets_.append([array[j] for j in range(n) if i & (1<<j)])
return subsets_
#print(subsets([1,2,3,4,5,6,7,8,9]))
def subsets(array, curr=0, subset=[]):
"""tail recursion"""
if curr == len(array):
subsets_.append(subset)
return
subsets(array, curr+1, subset)
subsets(array, curr+1, subset.append(array[start]))
def gcd(n, k):
while k:
n, k = k, n%k
return n
def palin_substrings(string):
""""""
count = 0
for center in range(2*len(string)-1):
left, right = center//2, (center+1)//2
while left >= 0 and right < len(string) and string[left] == string[right]:
count += 1
left -= 1
right += 1
return count
def sum_unique(array):
""""""
prev, sum = array[0], array[0]
for i in range(len(array)):
if array[i] <= prev:
prev += 1
else:
prev = array[i]
sum += prev
return sum
def mindiff(array):
""""""
array.sort()
return min([array[i] - array[i-1] for i in range(1, len(array))])
def power(x, n):
""""""
if x == 0: return 0
if n < 0:
x, n = 1/x, -n
temp = power(x, n//2)
if n % 2:
return temp * temp * x
else:
return temp * temp
def zig_sort(arr):
""""""
aux = sorted(arr)
lo, hi = 0, len(arr) - 1
while lo <= hi:
arr |
n1 = int(input('\033[35mPrimeiro valor:\033[m '))
n2 = int(input('\033[33mSegundo valor:\033[m '))
n3 = int(input('\033[32mTerceiro valor:\033[m '))
menor = n1
if n2 < n1 and n2 < n3:
menor = n2
if n3 < n2 and n3 < n1:
menor = n3
maior = n1
if n2 > n1 and n2 > n3:
maior = n2
if n3 > n1 and n3 > n2:
maior = n3
print('O \033[36mmaior\033[m número digitado foi \033[36m{}\033[m'.format(maior))
print('O \033[31mmenor\033[m número digitado foi \033[31m{}\033[m'.format(menor))
|
# 23011 - Battle mage 1st job advancement quest
sm.setSpeakerID(2151001)
if not sm.canHold(1382000):
sm.sendSayOkay("Please make some space in your equipment invetory.")
sm.dispose()
if sm.sendAskYesNo("Would you like to become a Battle Mage?"):
sm.completeQuest(parentID)
sm.jobAdvance(3200)
sm.resetAP(False, 3200)
sm.giveItem(1382000, 1)
sm.sendSayOkay("Congratulations, you are now a battle mage! I have given you some SP and items to start out with, enjoy!")
else:
sm.sendSayOkay("Of course, you need more time.")
sm.dispose()
|
print('====== DESAFIO 53 ======')
phrase = str(input('Digite uma frase: ')).strip().split()
junto = ''.join(phrase)
cont = len(junto)
recebe = ''
for letra in range(cont-1, -1, -1):
recebe = recebe + junto[letra]
if recebe == junto:
print(recebe)
print(f'A frase: {junto} é um palíndromo!' )
else:
print(recebe)
print(f'A frase: {junto} não é um palindromo!') |
class Pessoa: #As classes devem começar com letra maiúscula
olhos = 2 #Atributo de classe (mesmo valor para todos os atributos), economia de alocação de memória
def __init__(self, *filhos,nome = None,idade=35): #Atributo
self.idade = idade
self.nome = nome
self.filhos = list(filhos)
def cumprimentar(self): #método está sempre atrelado auma classe
return f'olá {id(self)}'
@staticmethod
def metodo_estatico():
return 42
@classmethod
def nome_e_atributos_de_classe(cls):
return f'{cls} - olhos {cls.olhos}'
class Homem (Pessoa):
pass
if __name__ == '__main__':
renzo = Homem(nome='Renzo')
Joao = Pessoa(renzo,nome ='João')
print(Pessoa.cumprimentar(Joao))
print(id(Joao))
print(Joao.cumprimentar())
print(Joao.nome)
print(Joao.idade)
for filho in Joao.filhos:
print(filho.nome)
Joao.sobrenome='Ramalho' #Adicionar atributos (atributo dinâmico)
print(Joao.sobrenome)
del Joao.filhos #Remover atributos
print(Joao.__dict__) #mostra todos os atributos de instância de um objeto
print(renzo.__dict__) #mostra todos os atrubutos
print(Pessoa.olhos) #Acessando o valor do atributo da classe globalmente
print(Joao.olhos) #Acessando o atributo olhos através do objeto (João)
print(renzo.olhos)
print(id(Pessoa.olhos), id(renzo.olhos), id(Joao.olhos)) #mesmo ID para todos
print(Pessoa.metodo_estatico(),Joao.metodo_estatico())
print(Pessoa.nome_e_atributos_de_classe(), Joao.nome_e_atributos_de_classe()) |
n, k = map(int, input().split(' '))
arr = list(map(int, input().split(' ')))
print ("0" if max(arr)-k<=0 else max(arr)-k)
|
__i = 0
LOGIN_FAILED_GENERIC = __i; __i += 1
LOGIN_FAILED_BAD_PASSWORD = __i; __i += 1
NIGHTLY_MAINTENANCE = __i; __i += 1
NOT_LOGGED_IN = __i; __i += 1
REQUEST_GENERIC = __i; __i += 1
REQUEST_FATAL = __i; __i += 1
INVALID_ACTION = __i; __i += 1
INVALID_ITEM = __i; __i += 1
INVALID_LOCATION = __i; __i += 1
INVALID_USER = __i; __i += 1
ITEM_NOT_FOUND = __i; __i += 1
SKILL_NOT_FOUND = __i; __i += 1
EFFECT_NOT_FOUND = __i; __i += 1
RECIPE_NOT_FOUND = __i; __i += 1
WRONG_KIND_OF_ITEM = __i; __i += 1
USER_IN_HARDCORE_RONIN = __i; __i += 1
USER_IS_IGNORING = __i; __i += 1
USER_IS_DRUNK = __i; __i += 1
USER_IS_FULL = __i; __i += 1
USER_IS_LOW_LEVEL = __i; __i += 1
USER_IS_WRONG_PROFESSION = __i; __i += 1
USER_NOT_FOUND = __i; __i += 1
NOT_ENOUGH_ADVENTURES = __i; __i += 1
NOT_ENOUGH_MEAT = __i; __i += 1
LIMIT_REACHED = __i; __i += 1
ALREADY_COMPLETED = __i; __i += 1
BOT_REQUEST = __i; __i += 1
class Error(Exception):
def __init__(self, msg, code=-1):
self.msg = msg
self.code = code
def __str__(self):
return self.msg
|
def Converter_mes(dia, mes, ano):
meses = ['Janeiro', 'Fevereiro', 'Março', 'Abril', 'Maio', 'Junho', 'Julho', 'Agosto', 'Setembro', 'Outubro', 'Novembro', 'Dezembro']
resultado = str(dia) + ' de ' + meses[mes-1] + ' ' + str(ano)
return resultado
valor1 = int(input(('Digite o dia :')))
valor2 = int(input(('Digite o dia do mês :')))
valor3 = int(input(('Digite o ano :')))
x = Converter_mes(valor1, valor2, valor3)
print(x) |
# 077 - Crie um programa que tenha uma tupla com várias palavras (não usar acentos). Depois disso, você dve mostrar, para cada palavra,
#quais são as suas vogais:
tupla = ('aprender', 'programar', 'linguagem', 'python', 'curso', 'gratis', 'estudar', 'praticar', 'trabalhar', 'mercado', 'programador', 'futuro')
for c in tupla:
print(f'Na palavra {c} temos', end = ' ')
for d in c:
if d in 'aeiou':
print(d, end = ' ')
print(' ') |
def spin(n):
def s(s):
return s[-n:] + s[:-n]
return s
def exchange(a, b):
def e(s):
s[b], s[a] = s[a], s[b]
return s
return e
def partner(a, b):
def p(s):
ai = s.index(a)
bi = s.index(b)
s[bi], s[ai] = s[ai], s[bi]
return s
return p
# test1
test1_input = 'abcde'
s = list(test1_input)
s = spin(1)(s)
print('s test', s==list('eabcd'))
s = exchange(3, 4)(s)
print('x test', s==list('eabdc'))
s = partner('e', 'b')(s)
print('p test', s==list('baedc'))
s = "".join(s)
print('test1', s=='baedc')
def make_steps(input):
instructs = input.split(',')
steps = []
for i in instructs:
if i[0] == "s":
n = int(i[1:])
steps.append(spin(n))
if i[0] == "x":
a,b = [int(x) for x in i[1:].split("/")]
steps.append(exchange(a,b))
if i[0] == "p":
a,b = [x for x in i[1:].split("/")]
steps.append(partner(a, b))
return steps
def dance(steps, sol=list('abcdefghijklmnop')):
for step in steps:
sol = step(sol)
return sol
real1 = """x0/5,s2,x2/10,s11,x4/12,pg/k,x13/10,s11,x3/14,pe/p,s10,x8/4,s1,x6/15,s4,x14/12,pc/l,x5/0,s2,x9/15,s8,x8/1,pm/g,x15/4,s5,x0/7,pj/h,x13/10,s10,x1/14,s1,x0/2,s2,x7/14,s10,x2/5,pk/o,x15/13,s9,x5/8,pn/f,x15/2,s1,x6/4,pa/i,x8/14,pc/o,x5/7,s7,x3/12,s12,x9/15,pi/m,x8/12,s8,x10/14,s10,x5/2,pg/a,x3/14,s9,x7/8,pf/k,s5,x6/10,pm/p,x12/5,s14,x6/9,pe/c,x11/4,s6,x13/12,pb/i,x10/11,s8,x6/5,s1,x3/11,s5,x9/8,s1,x4/7,s14,x9/6,pp/k,s12,x2/4,s8,x3/12,s8,x11/1,pc/f,x14/9,pe/b,x15/10,s10,x9/0,s10,x6/14,s7,x4/9,s12,x3/15,s4,pc/o,x0/8,pl/k,x12/11,s15,x3/1,s3,x2/13,s7,x5/8,s6,x4/7,pm/b,x10/2,s8,x11/12,s8,x10/14,pe/j,x7/15,s6,x4/12,s10,x1/6,pm/g,x15/11,pk/n,x8/0,s5,pi/f,x4/11,po/p,s15,x2/3,pc/a,x11/4,pj/m,x7/8,s15,x0/5,s8,x9/15,pb/n,x0/14,s10,x11/1,po/p,x8/3,pg/k,x6/15,s8,x3/13,s13,x1/11,s11,x0/3,pi/a,x12/1,s2,x10/0,s7,pc/h,x12/9,pi/j,x1/13,s4,x0/7,s3,x9/8,s3,pa/f,x3/7,pl/j,x0/8,s11,x9/12,s10,x6/13,pe/a,s11,x9/7,pc/o,x3/1,pa/n,x2/7,s5,x15/12,pg/m,x10/3,s3,x15/13,s2,x1/11,pk/b,x12/6,s4,x0/13,pd/f,s8,x1/10,s13,x0/3,s8,x2/6,s9,x12/14,pp/i,x13/5,pb/f,s12,x12/15,pc/k,s1,x3/13,pb/l,x11/0,s11,x3/12,s2,pp/m,x1/15,ph/n,x0/12,s10,x6/4,s1,x1/5,po/k,s2,x6/2,s12,x8/12,pm/i,x1/9,s12,x3/10,s14,x13/0,s8,x14/2,pn/b,x5/0,s14,x1/8,s8,x15/11,pl/f,x5/1,s2,x3/13,pd/g,x4/10,s3,x15/7,s13,x9/12,pc/n,x2/13,s10,x6/5,pf/b,x12/1,pc/g,x4/11,s7,x8/0,s11,x15/3,pl/o,s13,x2/8,s1,x4/12,s3,pj/f,x2/14,pl/g,x15/13,pb/d,x10/14,s12,x8/9,s4,x13/4,pi/o,s1,x2/0,s14,x1/10,s7,x7/5,pf/n,s1,x6/4,pe/d,x15/10,s14,pc/l,x5/1,s2,x4/9,s11,x13/6,s5,x8/12,s15,x13/6,pb/g,x7/15,pj/h,x13/5,s11,x3/1,s8,x5/0,pl/i,x10/11,pd/f,x0/6,s3,x8/7,s4,pm/i,x1/0,s5,x9/6,s5,pn/b,x10/7,pc/h,x1/9,s9,x14/12,pi/m,x5/7,po/j,x14/10,ph/m,x3/0,s3,x11/13,pj/p,x3/10,s10,x0/15,s7,x12/10,s2,x7/5,pg/d,x1/2,ph/i,x3/6,pm/k,x1/7,s10,x11/6,s13,x7/13,s11,x15/0,s3,x5/3,po/c,s15,x2/4,pl/a,x8/7,s1,x12/0,s8,x1/9,pj/o,x7/15,s5,x2/10,s6,pa/f,x15/9,s3,pg/l,x13/12,pd/n,x14/6,s13,x7/13,s3,x1/6,ph/c,x3/12,s10,x9/8,s2,x3/6,pf/l,x8/1,pd/a,x4/11,s11,x9/14,po/i,x2/1,s1,ph/e,x11/9,s1,x2/7,s9,x11/1,s13,x0/8,pa/j,x15/12,s3,x6/14,pc/p,x7/9,pm/j,x5/11,s13,x8/10,s8,x6/4,s9,x12/5,pd/i,x11/1,s10,x6/10,s14,x7/11,s12,x12/2,s4,x5/11,pl/g,x13/15,ph/k,x9/11,s8,x7/2,s6,x5/11,pm/g,x14/15,s3,x11/9,pk/h,x12/15,s3,x5/14,pe/a,x2/12,s7,x15/14,s6,x10/5,s2,x1/0,pb/i,x4/10,pk/f,x9/13,pb/o,x2/0,s14,x7/15,s15,x13/5,s6,x9/14,s15,x12/10,s4,x9/0,s1,pg/d,s13,x12/7,pp/k,x13/1,s1,x12/6,s10,x13/7,pe/n,x1/4,s7,x11/12,s13,x8/13,pg/j,x2/12,s12,x4/14,po/d,x5/15,s6,x14/8,s15,x11/2,s4,x4/6,s15,x14/7,s11,x15/4,pf/m,x7/14,s13,x10/12,s3,x3/6,s7,x2/13,s8,x0/6,pj/a,x15/10,pb/d,s15,x7/2,s8,x5/11,s11,x6/15,s15,x13/1,s3,x14/5,s14,x15/3,pk/n,x14/8,s8,x3/6,s6,x8/11,pm/p,x12/14,pc/o,x13/3,s14,x8/4,pi/m,x7/14,pd/g,x9/0,s13,x15/4,s7,x10/9,s13,x6/13,s11,x5/1,s15,x6/14,s6,x9/3,pj/k,x1/13,s4,x7/8,s6,x10/2,pb/h,x9/4,pd/n,x15/11,s10,x1/9,s10,pp/f,x11/8,pj/h,x3/13,s8,x10/11,s8,x3/8,s11,x12/9,pn/p,s5,x0/2,s2,x1/11,pj/m,x0/14,s7,x5/15,s14,x11/2,pg/p,x4/7,pa/b,x12/14,s14,x15/6,s2,x14/9,s15,x3/13,s4,x2/8,ph/j,x4/6,s9,x12/10,pp/e,x1/4,ph/f,x12/11,s10,x4/2,s12,x3/1,pe/p,x14/11,s6,x7/6,s6,x1/5,pc/f,s11,x6/3,s8,pe/i,s5,x10/11,s9,x9/15,s15,x3/7,s11,x15/13,s1,x0/8,s12,x4/15,pk/l,x0/13,pe/m,x15/6,s9,x2/12,s3,x11/1,s4,x2/5,s7,x15/7,pn/k,x11/3,s4,x7/13,s3,x4/5,pf/m,x3/15,s10,x12/10,s4,x9/2,s12,pb/i,x14/1,s6,x11/13,s10,x3/7,s2,x1/12,s2,x13/10,s14,pf/e,s6,x2/12,s7,x14/1,ph/j,x12/8,pe/f,x5/0,pc/o,x3/11,s2,x1/5,pj/f,x6/0,s8,x10/1,pk/e,x5/8,pb/j,x7/10,s5,x12/9,pl/p,x0/1,pg/c,x9/11,s3,x12/1,s10,x2/7,s15,x9/11,pp/o,x3/6,s13,x11/14,s9,x10/7,pc/m,x12/6,s10,x5/9,s14,x6/2,pl/d,x12/15,s4,x0/14,pn/o,s13,x3/12,ph/c,x7/5,po/b,x12/0,s7,pp/j,x2/9,s2,x0/5,pb/k,x4/1,s2,x7/5,s11,x9/14,s11,x2/5,s13,x6/10,s9,x8/9,pa/g,x1/15,s9,x11/5,s6,x9/12,pd/j,x14/0,pf/k,x6/12,pl/e,x8/7,s8,x11/10,pj/c,x9/12,s2,x13/11,po/l,x7/5,pg/d,x1/14,s7,x13/0,s12,x6/15,s2,x12/13,s1,x14/6,po/e,x2/13,s10,x0/14,pa/k,s8,x11/1,pf/g,x7/2,s3,x3/6,s5,x1/4,s14,x7/13,s8,x14/0,pk/l,x13/11,s8,x2/9,s3,po/c,x3/5,s14,x14/2,s1,x8/6,s10,x15/7,pp/l,x12/5,pn/h,x9/14,s4,x12/13,pp/m,x7/15,pf/o,x12/8,s13,x4/11,s8,x10/14,pg/d,x3/5,s9,x10/2,po/k,x1/0,pc/n,x9/10,s3,x1/5,s4,x14/13,s6,x12/10,pb/f,x2/1,s1,x6/9,s3,x2/10,pj/l,x9/8,s10,x3/13,po/m,x2/1,s6,x15/3,s11,x2/6,s8,x8/7,pf/a,x9/2,s12,x14/5,pg/m,s12,x9/10,pj/e,x7/3,s12,pi/f,x2/8,pe/k,x3/7,s11,x15/12,pi/a,x10/4,s6,x1/2,s7,x13/4,pb/p,s14,pi/j,x12/10,s2,x11/1,s2,x8/14,s15,x4/11,s7,pb/g,s11,x2/3,s5,x15/8,pp/l,x1/7,s14,x15/12,s7,x2/6,po/k,x13/4,s3,x6/7,s8,x11/5,pm/n,x15/10,s12,x8/13,s10,po/e,x15/14,pi/j,x10/2,s6,x4/9,po/m,x5/7,s3,pn/f,x13/15,s9,x8/10,s7,x4/13,s3,x5/7,s15,x4/1,pl/d,s9,pj/e,x7/2,pk/a,x14/11,s11,x5/13,s11,x12/9,s11,pd/b,x6/10,s8,x4/2,s8,x9/8,ph/g,x1/4,pl/n,x12/7,pg/b,s14,x4/9,pe/j,x13/8,s7,pd/g,x9/0,s8,x10/1,s1,x8/0,s12,x7/1,s2,x6/15,s9,x5/2,pl/a,x6/0,s11,ph/f,x1/4,pn/a,x5/2,s5,x8/10,s2,x6/2,s5,po/l,x0/12,pe/b,x7/4,pg/d,x10/5,ph/i,x1/8,s14,pf/c,x4/13,pn/j,x0/5,s3,x15/14,pd/g,x6/13,s5,x10/12,pp/l,x6/15,s7,x12/13,s11,x8/14,pb/g,x6/10,s11,x2/11,pm/e,x5/6,pa/g,x7/11,pe/f,x13/8,s15,x7/9,s9,x5/15,pk/p,x1/10,s14,x15/8,s2,x1/5,s2,x11/4,s2,x0/2,s13,x11/5,s9,pb/c,x8/10,s1,x1/11,pa/l,x14/5,s7,x6/2,pg/n,x1/12,s12,x7/4,pj/h,x2/8,po/d,x3/6,s5,x12/1,ph/a,x13/9,s4,x7/3,s13,x6/9,s7,x13/7,s8,x4/1,pd/g,x7/9,s6,x0/8,po/p,x1/2,pi/h,x3/0,s2,x2/15,s14,x0/10,s15,x13/2,pj/g,x8/12,pm/k,x7/11,s13,x13/0,pa/n,x11/8,s10,x2/10,s12,x5/1,s12,x0/9,s10,x13/11,pj/l,x10/15,pe/b,x8/14,s13,ph/m,x13/1,s3,x6/11,s5,x10/13,s1,x9/15,pg/o,x5/0,s11,x4/6,ph/k,x14/2,pj/n,x3/11,s8,x6/9,s1,x12/1,s8,x2/4,s7,x9/0,pa/e,x8/7,s4,x3/12,pc/i,x8/1,pn/f,x2/5,s13,x9/12,s2,x11/5,s1,x1/14,s10,x2/7,pm/j,x3/9,pg/d,s13,x10/14,s4,x11/13,pi/h,x9/10,pd/p,x5/6,s10,x4/0,pe/k,x15/14,pm/d,x13/7,pc/h,s1,x6/2,pb/i,x8/11,pp/d,s2,ph/l,x9/13,pk/d,x14/2,pl/h,x0/9,s8,x2/10,s10,x11/9,pb/n,x15/10,s6,x14/3,s1,x10/4,s3,x7/11,pm/k,x12/5,pg/f,s2,x0/8,s1,x14/3,pb/k,x7/15,pi/h,x14/8,pc/m,x1/3,ph/i,x6/14,pc/g,x12/4,s7,x6/1,s3,x15/13,s11,x3/11,s2,x14/6,s13,x4/12,s12,x3/8,s5,x15/11,s2,x14/4,s10,x9/0,s14,pf/h,x11/8,s15,x6/12,s14,x4/9,s4,x2/14,pc/a,x9/5,s2,ph/g,x14/3,s13,x15/1,pb/j,x14/3,pe/n,x7/6,s6,x13/2,s6,x10/8,s1,x7/11,s10,x3/2,s4,x11/7,pl/g,x0/12,s3,x11/1,s5,x14/7,ph/i,x5/6,pe/m,x2/8,s1,x0/4,s11,x12/9,s13,x8/3,pg/p,s3,x4/6,s7,x1/0,s14,pe/c,x3/14,ph/p,x0/13,pn/b,x7/8,s3,x15/12,s14,x0/11,po/f,s8,x10/7,s11,x12/14,pn/p,x9/5,pf/i,x10/11,s8,x12/3,ph/p,x14/4,pk/m,x2/8,s2,po/p,x9/13,pf/h,x4/15,s8,x14/12,s8,x11/7,s15,pc/b,x14/3,s2,x13/6,s1,pm/d,x11/10,s7,x13/2,s9,pi/a,x10/3,pk/p,x2/14,pc/o,x13/3,s15,x4/12,s13,x10/15,s3,x6/13,pk/e,x0/14,s10,x7/10,s8,x1/9,s4,x12/10,pc/p,x8/5,pe/h,x6/14,s9,x7/3,s13,x6/10,s5,x9/4,s10,x0/1,s5,x8/9,pc/f,x12/2,s13,x15/8,pi/b,s15,x14/0,s8,x2/5,s5,x6/7,pf/a,x1/4,pc/h,x3/9,s15,x11/12,s13,x2/3,s7,x0/8,s6,x13/3,s13,x11/5,pg/k,x0/15,s15,x4/9,pd/l,s5,x10/12,s1,pj/i,x3/5,pn/e,x2/0,s9,x14/5,s12,x6/7,s7,x12/15,s10,x11/6,s4,x9/8,s6,x1/5,pp/o,x9/6,s5,x8/12,s4,x13/3,pg/m,x15/12,pl/k,s8,pa/m,x5/13,s4,x6/8,s15,x1/13,s9,x12/15,s15,x8/11,s12,x9/6,pk/h,x0/10,pf/i,x3/11,pj/e,s7,x5/6,pl/a,x4/3,pf/o,s12,x2/1,s6,x12/4,pk/j,x3/6,s8,x12/9,s13,x2/6,pn/b,x3/12,ph/f,x6/7,pb/c,s11,x9/3,s14,pl/a,x0/2,pg/k,x5/8,s3,x15/4,pc/f,x7/14,s9,x11/12,s6,x6/15,s6,x2/4,pk/m,x13/7,s5,x1/2,s13,x5/10,pb/c,x2/4,s4,x13/8,s11,x1/11,pp/i,x7/8,pc/j,x13/10,s4,x11/3,s7,ph/f,x1/10,pk/a,x11/0,s12,x6/13,s15,x10/15,s7,x2/13,s15,x10/14,s6,po/l,x12/0,s14,x13/6,s6,x11/5,s9,x12/6,pn/j,x3/9,s4,x10/15,s3,pd/e,x14/4,s1,x6/13,s9,x0/14,pa/j,x10/11,s15,x1/13,pm/e,x0/5,s11,x1/10,pa/i,x5/8,s12,pe/k,x15/4,s7,x14/8,s4,x15/13,pd/n,s13,x5/11,s3,x10/13,s1,x12/7,s13,x13/8,s3,x11/7,pb/a,x2/5,pn/k,x3/15,s2,x8/1,s15,x15/5,s7,x3/12,s8,x6/5,s14,x7/12,pl/d,x9/2,s1,x7/10,s9,x5/3,pg/n,x4/2,s14,x7/0,pp/d,x2/13,pn/a,x6/9,pe/k,x14/0,pp/i,x1/13,s5,x8/3,s11,x2/5,pf/g,s4,x13/10,s9,pm/e,s4,x14/4,pb/h,x2/5,s7,x0/13,pg/n,x11/12,pa/p,x0/9,s12,x1/15,pj/n,x3/0,s5,po/k,x5/4,s6,x2/13,pg/f,x1/3,pa/d,x12/9,s8,x6/13,pl/m,x5/15,ph/c,x1/7,s11,pf/i,x6/3,pp/d,x11/5,pa/h,x3/8,s13,x12/11,s10,x7/14,pb/o,x12/15,pl/p,x7/13,s9,x4/0,pc/i,x10/15,pm/k,s4,x2/14,pg/c,s4,po/n,x13/5,s8,pm/l,x9/15,s4,pj/d,x3/11,pi/p,x13/5,pa/b,x0/4,s6,pn/c,x1/8,s5,x2/5,s8,x11/8,s2,pb/a,x15/10,s1,x8/13,ph/m,x4/6,pd/a,s6,x1/8,s7,x14/10,s4,x1/13,s2,pk/f,x11/9,pb/l,x15/5,pg/j,x8/2,pn/e,x0/5,s10,x8/11,pj/c,x5/14,pi/h,x8/11,s9,x4/5,s13,x10/14,s15,x7/0,pc/j,x5/4,pg/a,s3,x9/7,s7,x12/8,s12,x0/1,s1,pd/n,s8,x4/14,po/l,x5/3,pk/n,x8/2,s10,x3/1,pg/d,x0/14,po/l,x11/12,pc/j,x4/1,s2,x3/10,pe/f,s5,x5/2,s13,x4/8,s15,x13/9,s4,x0/7,po/c,s13,x15/14,s3,x9/12,s12,x10/8,s13,x0/2,s8,x9/6,s14,x0/11,pi/l,x10/12,pb/h,x14/7,s15,x9/5,pf/e,x6/10,pj/d,x2/14,s7,x6/5,s13,x0/15,ph/m,x10/12,s8,x8/4,s8,x10/9,s14,x12/5,s5,x1/11,s3,x15/4,s10,x1/0,po/l,x6/3,s13,x13/2,pi/f,x10/9,s13,x1/14,pk/e,x8/5,s15,x10/3,pc/p,x4/5,s1,x6/10,pm/b,x15/1,s10,x13/7,s15,pp/k,x15/8,s4,x14/11,s3,x15/10,s3,x6/9,pe/i,x13/4,s10,x11/2,s10,x9/3,pn/d,x4/10,s6,x6/12,s12,x7/8,pf/a,x13/10,s6,x6/11,s3,x0/10,s15,x11/5,pi/d,x1/12,pp/e,x15/11,pf/h,x6/14,s9,x10/12,s5,x3/6,s11,x0/2,s9,x9/10,s11,x5/12,s8,x8/6,s11,x13/15,pn/m,x12/10,pe/j,x4/2,pc/o,x6/1,pn/h,x15/7,s4,pa/e,x2/12,pj/d,x0/7,s10,x6/12,s10,x0/14,s11,pi/c,x7/6,pk/h,x0/14,pp/g,x2/8,pc/f,x6/13,s14,x10/15,pg/m,x1/12,s13,x15/13,pn/a,x5/3,s15,x6/2,s3,x4/8,s13,pe/j,x11/13,s11,x15/9,s4,x12/2,s4,x4/14,s15,x13/9,s7,x1/14,s1,x5/3,s14,x4/11,pg/f,x0/3,po/i,x8/15,pc/f,x10/13,ph/d,x7/6,s15,x13/3,s14,pm/k,x5/0,pa/n,x4/1,pp/m,x2/15,pj/n,x12/8,pc/g,x0/10,pl/i,x1/5,s8,x6/11,s8,x14/2,pn/f,x12/0,s5,x8/4,s11,x5/15,pd/i,s1,x12/3,s8,x8/10,pg/h,x6/13,pm/j,x0/14,pb/e,x4/3,pm/a,x12/11,pb/n,x7/9,s2,x2/12,pf/h,s6,x11/10,pg/j,x14/9,s5,x8/12,s5,x6/11,s2,x8/14,s11,pp/n,x1/3,s10,x12/13,pd/j,s1,x8/11,s10,x6/4,po/p,x12/7,pc/a,x6/0,s7,x3/5,s1,x13/4,s11,x5/0,s13,x2/13,s2,x14/3,s8,x15/1,s12,pl/f,x3/8,pd/h,x9/7,s15,pg/k,x14/0,s4,x7/2,pe/h,x10/8,pd/g,s2,x6/7,s14,x3/9,s11,x4/0,s7,x7/6,s13,x10/13,pj/a,x14/12,s8,x6/5,ph/d,s9,x15/10,pn/g,x6/1,po/e,x12/10,pp/c,x1/3,s8,x6/9,pk/d,x5/1,pc/g,x10/3,s2,pd/m,s2,x4/2,s14,x5/1,s12,x7/4,pk/p,x2/1,s2,x12/0,s13,pc/d,x11/14,s3,x8/4,ph/f,x7/12,s3,x13/2,pa/e,s2,x11/15,s12,x10/4,pi/j,x9/13,s13,x12/4,pb/p,x3/8,s14,x14/10,s14,x6/4,pj/l,x3/0,pd/e,x11/13,s4,pp/o,s5,pj/c,x2/6,pp/n,x9/5,pi/h,x0/8,s1,x6/10,pm/j,x7/1,s5,x2/12,s11,x15/3,s7,x9/1,s13,x10/4,s8,x13/5,pe/g,x15/10,pk/n,x5/14,pa/f,x2/3,s11,x6/5,s11,x11/9,pe/p,x13/7,s6,x3/4,s2,x5/0,s2,x10/9,s14,x14/0,s14,x13/8,po/i,x10/7,s7,x3/15,s7,x4/11,pn/h,x15/0,s15,x12/1,s8,x8/9,pg/f,x13/15,s10,x7/6,pc/n,x9/13,s11,po/e,x15/2,s14,x9/13,s8,x5/1,pd/b,x9/0,s12,x4/1,s2,x5/7,s6,x2/14,s9,x7/12,po/c,x5/4,s6,x11/1,pj/d,x10/12,s1,x9/7,s6,x15/11,pp/k,x6/12,s9,x0/3,s9,x9/7,s8,x3/1,pb/g,x9/11,pe/f,x5/8,s5,x9/12,s12,x8/13,s12,x14/3,pp/k,x9/0,s15,x6/12,ph/o,x5/10,s3,x0/7,pe/i,x8/14,s3,x9/6,s9,x4/13,s12,pf/b,x2/3,s10,x7/13,s14,x12/8,pi/o,x15/14,s1,x0/7,pn/c,x13/14,s13,x10/7,s5,x3/8,po/p,x4/12,s5,x8/6,s15,x14/12,s9,x9/0,pd/j,x3/4,pe/n,x13/15,s15,pk/d,x11/1,s1,x4/5,s4,pj/l,s5,x2/0,pe/g,x15/5,pk/b,x9/11,s11,x7/1,s15,x11/12,pn/l,x8/2,s3,x5/3,pc/i,s6,x1/10,s8,x11/5,s12,x7/14,po/f,x10/8,s10,x3/7,s8,x0/10,pj/n,s7,x15/14,ph/c,x11/0,s11,x7/10,s2,x15/5,s2,x12/3,pf/m,x5/13,pb/n,x12/3,s11,x0/15,s14,x11/5,s9,x15/0,s4,x4/7,pa/f,x0/2,s15,x11/15,s3,x10/0,s10,x1/14,ph/p,x2/8,s12,x5/13,pi/f,x9/14,pk/d,s9,x7/15,s12,x0/14,pf/l,x3/12,pm/k,x11/4,s6,x2/9,pe/p,x7/0,po/i,x13/5,pn/p,x3/10,pf/h,x7/5,pc/m,x2/14,s4,x13/11,pg/f,x0/3,s7,x10/5,s7,x9/2,s11,x3/15,pk/o,x4/12,s13,x10/2,s8,pp/n,x7/9,s3,x3/5,s8,x10/0,s3,x5/4,pc/k,x7/3,s2,x0/15,pa/b,s14,x6/9,pe/f,x12/15,s15,pn/c,x1/4,s14,x10/0,s1,x15/3,pd/l,x12/13,s3,x15/8,ph/i,x4/2,s10,x10/12,s1,x13/7,pl/b,s13,x5/9,s15,x1/0,s6,x12/10,pn/k,x7/8,pi/d,s7,x9/4,po/c,x6/12,s3,x9/15,s10,pb/g,x3/5,pi/f,x7/11,pn/d,x4/12,s2,x8/13,s10,x1/0,s3,x12/4,pl/h,x3/11,s10,x9/2,s11,pi/e,x11/1,s12,x13/12,s9,x5/14,s3,x6/8,s12,x13/11,s5,x7/1,s8,x10/6,po/n,s13,x14/4,s15,x6/13,s14,x7/0,s2,x12/11,pb/l,x7/10,s15,x3/9,s9,x11/15,s5,x10/6,pj/i,x11/8,s14,x13/1,s11,x0/14,pk/h,x5/8,s8,x10/0,pm/n,x3/5,s7,x0/8,s10,x2/10,s10,x12/0,ph/p,x8/4,s8,pn/m,x12/0,pb/k,x14/7,s1,x6/2,s2,x9/8,s14,x1/3,s10,x10/8,s14,x9/4,s7,x3/1,po/e,x8/12,pa/b,x13/11,s5,x5/3,s14,x9/4,s11,pc/g,x13/0,s15,x3/10,s15,x12/6,s12,x15/9,pa/l,x1/11,s13,x13/14,s13,x8/10,pd/n,s4,x3/11,pb/p,x1/4,s1,x10/8,s7,x1/14,s4,x11/13,s15,x15/14,s8,x13/8,s4,x5/15,s11,x7/8,s14,x0/1,s2,x8/14,pl/h,x11/1,s6,x2/14,pj/m,x13/0,s14,x15/14,pf/p,x13/5,pm/b,x6/1,pk/j,x5/15,s6,x9/11,s8,x13/8,s2,x15/1,s15,x4/8,s11,x2/15,pg/n,x5/3,ph/f,s1,x6/15,s8,x10/1,s9,x8/6,s5,x4/1,s15,x15/8,s8,x10/3,po/i,x6/7,pd/e,s3,x0/5,s4,x13/2,pb/a,s5,x15/1,s11,x14/9,po/m,x4/3,s7,x6/12,s13,x7/5,pi/g,x14/0,s12,x12/10,s1,x13/1,pk/d,x11/14,s12,x0/3,s4,x10/2,s14,x0/12,pi/b,s4,x13/6,pc/j,x14/4,s12,pe/p,x2/13,ph/l,s15,x12/3,pe/n,s15,x6/5,pm/j,x4/13,ph/o,x3/5,s12,x10/1,s1,x6/9,s2,pf/l,s5,pi/o,x12/1,s15,x6/0,pj/m,x11/1,pg/p,x12/9,s2,x8/11,s15,x9/14,s7,x13/2,s14,x1/15,s13,x9/13,s13,x5/2,s5,x6/3,s2,x0/9,pk/o,x6/13,s10,x0/5,pp/a,s1,x3/6,s11,x15/13,pm/e,s2,x3/14,pg/b,x6/11,s1,x4/2,s11,x1/15,po/d,x5/10,s4,x8/7,pa/b,x11/15,pj/e,x8/4,s6,x2/3,pc/n,x13/8,pj/k,x5/2,s2,x15/13,pd/c,x11/2,pf/p,s9,x8/0,pj/a,x9/3,pp/e,s14,x4/10,s6,x0/7,pb/g,x10/11,pl/o,x14/7,s10,x0/11,pa/p,x15/6,s4,x5/10,s14,x14/9,pi/f,s11,pg/l,x4/6,pi/n,x14/2,s8,x8/0,pm/h,x13/2,s4,x9/3,s8,x11/2,s2,x15/3,pp/g,x1/2,s3,x7/9,s5,x10/14,s9,pm/n,x8/2,pj/f,x3/14,po/c,s13,x8/2,s1,x5/13,pf/b,x4/2,pd/j,x5/0,s12,x8/1,pe/b,x14/3,pp/h,x4/11,s7,x12/10,pi/k,x5/13,s7,x2/8,s6,x1/10,s3,x2/0,s2,x6/1,s12,ph/l,x13/10,s9,x9/12,s5,x3/2,po/g,x11/7,s5,x5/12,s10,x11/0,s13,x7/9,s4,x13/8,s9,pb/k,x6/1,s12,x0/7,s10,pe/j,x6/8,s10,x14/3,ph/n,x12/9,s7,x14/10,s11,x2/5,s3,x4/3,s12,x9/7,pf/k,x0/15,s11,x5/12,s6,x15/10,s9,x0/4,pp/b,x8/2,pd/o,x4/12,s13,x10/5,pe/l,x3/12,pm/d,x7/13,s13,x6/10,s11,x3/8,pf/l,x7/5,s7,x2/0,s11,x5/12,s4,x6/14,s1,x8/7,pm/j,x0/13,pi/h,x3/6,pb/o,x0/8,s12,x3/13,pp/g,x4/10,s14,pc/f,x9/15,s6,x11/5,pi/m,x14/4,s4,x12/11,pk/l,s3,x2/7,s15,x4/10,ph/g,s5,x8/12,pm/f,x14/2,s2,x5/11,s1,x8/3,s1,x5/11,po/a,x14/9,pp/c,x8/7,s3,x13/4,pk/e,x11/10,pi/d,x5/7,s1,x13/14,s7,x9/4,pb/h,x15/5,s12,x6/9,po/i,x7/8,pn/l,s6,x11/2,s8,x10/8,pk/f,x14/7,pn/p,x2/0,pi/h,x10/9,s14,x0/6,pg/j,s13,pf/n,x2/5,ph/a,s7,x9/8,s11,x1/7,pi/c,x11/4,s13,x12/1,s13,x11/5,s6,x0/10,pg/n,x12/14,pl/p,x7/3,s15,x13/0,po/e,x3/12,s3,x14/0,pf/h,x15/2,pe/b,x11/1,s10,x10/9,s14,x2/7,pc/f,x1/5,s4,x2/13,pl/i,x0/15,s12,x8/6,s8,x5/12,s2,x2/10,pj/e,x1/14,s14,x8/15,s7,x2/7,pk/a,x14/3,s5,x1/11,s1,x4/15,pb/j,x2/11,pd/p,x9/5,pm/j,x15/12,pp/e,x14/11,s10,x4/7,pg/k,s9,x13/2,s11,x3/8,pp/d,x15/10,s11,pb/h,s15,x1/5,pk/n,x12/7,s5,x15/8,s3,x10/7,pd/c,x1/5,pe/p,s4,x12/15,s12,po/d,x4/3,s11,x12/1,pe/g,s5,x3/0,s6,x15/13,s8,x0/12,pl/i,x8/5,s6,pk/e,x11/15,s9,x12/10,pj/i,x9/4,pa/c,x8/7,s7,pl/g,x1/14,s1,x9/4,s12,po/c,x15/3,pf/b,x11/6,s1,pi/e,s5,x0/10,pn/c,x5/13,s11,x12/0,pb/k,x1/2,s1,x4/14,s10,pn/f,x2/15,s8,x3/14,s11,x12/5,pg/m,s2,x4/10,s2,x3/8,pf/k,x11/10,pe/o,x1/4,pk/p,x3/0,s8,x4/14,pi/c,x8/13,s3,x4/3,s13,x10/13,po/p,s6,x5/15,pc/g,x3/7,s12,x15/13,pb/l,s10,x0/2,s13,pi/d,x7/10,s1,x2/15,s10,x5/9,s3,x0/1,pf/g,x5/6,s8,x9/0,pi/p,x1/11,ph/l,x14/7,s12,x15/0,s9,x7/12,pk/f,x1/5,s5,x3/9,s3,x4/11,pl/h,x14/5,pg/i,x8/1,pm/k,x3/9,s14,x1/4,s15,x12/11,pb/g,x2/13,s11,x9/10,s7,pn/p,x3/5,s11,x15/2,pd/g,x9/8,s7,x1/12,s2,x3/5,s1,pc/n,s1,x14/10,s12,x5/9,s5,x7/15,s8,x9/10,s1,x6/5,pk/a,x8/14,s6,x9/10,s3,x12/4,s6,x14/8,pi/f,x15/13,s8,pp/g,x12/6,pf/c,x10/2,s13,pm/a,x15/14,s1,x10/6,pj/d,x13/4,s11,x1/15,s1,x10/6,s11,x7/5,s3,x14/4,pn/f,x11/8,s1,x10/5,s4,x9/15,pb/h,x13/8,s10,x0/14,s7,x2/5,s5,x4/13,pp/f,x3/7,s14,x8/2,s2,x0/15,s13,x1/13,s11,x12/3,s14,x7/6,s10,x0/2,s15,x6/14,s7,x9/12,pg/j,x4/13,s3,x5/1,pd/b,s3,x2/12,s15,x9/4,pk/j,x15/11,s1,x4/8,pd/i,x2/14,s11,x10/8,po/a,x6/5,s3,x14/15,s7,x2/8,s3,x7/12,pk/p,x1/10,pm/a,x6/12,s8,x2/7,ph/k,x3/5,s4,x0/2,pc/i,x5/11,s7,x0/7,s9,x14/2,s1,x8/3,s3,x1/11,s9,x4/2,s13,x14/11,s6,x9/2,s10,x8/3,s13,x10/9,s1,x15/1,s13,pa/k,x11/10,s3,x15/8,s1,x12/1,pn/c,x4/0,pl/o,x3/10,pg/k,x13/1,s10,x15/6,pj/a,x3/13,s7,pp/d,x11/6,s1,x15/0,s14,x7/11,s4,x1/8,pj/e,x11/14,po/d,x7/4,s12,x2/8,pa/j,x13/11,s13,x10/0,s9,x7/12,s8,x3/11,pd/k,x10/4,s12,x15/5,s14,x7/11,s14,x8/12,pj/l,x10/2,pa/o,x9/0,s13,x4/11,pj/c,x10/3,pe/g,x1/11,s4,x14/0,s8,x13/12,pd/a,x10/4,s11,x12/8,pe/f,x4/11,pm/b,x13/8,pd/j,s3,x7/11,s12,x1/5,pk/l,x7/15,s7,x2/0,s8,x10/14,s6,x6/3,ph/i,x11/5,s6,x6/0,s4,x14/10,pf/k,s3,x11/2,s9,x12/15,s2,x2/3,s5,pp/i,x6/9,pc/d,x13/4,pi/f,x7/15,pm/a,x3/8,pe/c,x11/5,pk/f,x2/6,pb/n,x9/8,s12,x11/3,s1,x6/2,s11,x13/15,s4,x6/7,s4,x8/3,s9,x13/9,pd/g,x1/10,s11,x5/15,pe/j,x14/10,s10,x15/4,s2,x8/2,s11,x9/15,s10,pf/d,x4/2,ph/c,x8/15,s1,x7/12,pg/e,x15/2,s14,pp/a,s7,x12/1,pj/h,s10,x6/10,pc/p,x12/14,s3,x8/10,s8,x2/7,s10,x1/3,s13,x15/11,s2,x9/4,pj/b,x11/13,pa/n,x9/10,s1,x5/13,pm/i,s14,x12/7,s13,x9/2,s5,x10/11,pb/o,x5/3,s9,x7/9,pg/a,s2,x5/11,s11,x2/1,pj/h,x0/9,s10,x1/12,s3,x14/2,s8,x1/3,s6,x14/10,pb/e,x11/6,s10,x2/13,s10,x3/5,s9,x14/0,pf/l,x8/2,pk/i,x7/11,ph/f,x1/3,s5,x0/6,pi/k,x11/4,s15,x10/0,s3,x5/3,s5,x15/10,s11,x13/1,pm/e,x7/6,s6,x0/3,s5,x9/13,s9,x5/2,ph/j,s3,x1/12,pg/f,x15/9,po/a,s7,x11/8,pc/e,s1,x9/12,s10,x11/3,s14,x14/2,pl/m,x0/8,s15,x14/1,s6,x10/2,pa/g,x1/11,s6,x14/0,s3,x8/4,ph/d,x2/1,pf/c,x4/14,pp/e,x2/13,s3,x7/15,s13,x10/13,s13,x9/4,pm/j,x15/0,pk/a,x13/3,s15,x2/8,pn/i,x6/10,s3,x13/8,pg/o,x15/1,s2,x9/2,pi/k,x14/15,s12,x6/0,s1,x9/7,pm/b,s1,x2/1,s15,x12/14,pi/n,x9/8,s13,x10/13,s15,x1/6,s15,x2/11,s6,x7/8,s8,x13/5,pc/h,x8/0,s6,x9/4,pb/o,x13/14,ph/c,x8/5,s11,x3/15,s6,x5/1,s7,x7/8,s12,x13/1,s11,x2/7,s13,x8/5,s5,x2/1,s11,x11/15,pp/a,x12/5,po/c,x9/0,pn/m,x5/8,pd/f,x11/13,s8,x1/4,s13,x5/11,po/j,x4/8,s1,x12/15,s7,x14/2,s9,x6/4,ph/e,x5/12,s14,x2/13,pk/f,x9/3,pm/d,x7/1,pi/a,x8/0,pl/k,x4/1,pj/o,x13/0,s6,x15/2,pb/g,x11/13,s15,x12/8,s14,x6/13,pk/e,s2,x10/1,s1,x14/6,s2,x9/15,s3,x14/0,s14,x9/8,pp/i,x1/2,s4,x10/11,s13,x7/2,pg/e,x12/6,ph/p,x4/14,s5,x0/5,pc/j,s5,x13/3,s7,x4/14,pm/e,x7/15,s15,x14/13,pi/a,s9,x7/0,pe/c,x13/2,s12,x4/0,s14,x7/3,pi/m,x12/6,s1,pp/n,x8/14,s9,x12/10,po/f,x6/2,s5,x15/9,pj/n,x4/6,s7,x5/14,s2,x7/3,po/e,x0/1,s7,x6/12,pi/k,x1/8,pm/h,x0/6,pi/b,x8/10,pc/j,x14/6,s10,x2/1,s11,x14/13,s2,x10/7,pp/l,x3/1,s10,x12/5,s7,x4/6,pe/d,x15/11,s1,x1/12,s8,x8/10,s12,x7/12,pa/c,x2/8,pb/n,x0/6,s3,x8/13,s14,x2/3,s15,x8/5,s15,pe/i,x10/0,ph/k,x4/13,pf/o,x2/11,pg/i,x0/6,s3,x5/7,pa/h,x6/8,s8,x5/11,s11,x2/4,pi/l,x0/3,pe/g,x4/11,pl/h,x12/3,s2,x0/1,s14,x11/12,s9,x15/8,s3,x13/12,s7,x5/2,s6,x0/13,pp/e,x3/2,pf/c,x11/1,po/i,x15/13,pj/n,x6/9,s14,pf/c,x2/10,s2,x0/14,s4,x13/4,pb/e,x0/12,pf/n,x10/11,s10,pg/a,x8/1,s6,x11/2,pe/j,x14/5,s15,x7/2,s6,pd/a,x14/15,pp/f,x10/3,pc/g,x13/11,pe/p,x12/7,s6,x8/3,pk/f,x0/11,pl/m,x15/9,pk/d,x2/3,pe/l,x7/14,s7,x3/0,s4,pm/j,x7/5,pc/a,x15/6,pf/j,x9/5,s2,x8/4,pe/m,x15/6,pf/p,x11/10,s4,x8/4,s7,x7/14,s13,pa/e,x3/12,s1,x9/7,s14,x10/15,s14,x9/11,s7,x10/1,s10,x8/3,pg/l,s11,pb/f,x13/2,ph/c,s9,x10/11,s10,x15/0,s12,x5/1,pk/g,x8/2,pp/n,x7/9,s12,x0/5,s2,x2/12,pl/i,x14/11,s10,x6/1,ph/a,s3,pn/f,x3/7,s3,x10/4,s4,x2/5,s1,x12/0,s3,x10/9,s1,x13/8,pi/b,x5/9,s15,x11/0,pg/j,x7/2,s4,x0/6,pc/h,x12/15,s13,x11/5,pa/j,x13/8,s13,x6/10,s3,x3/9,s3,x15/8,pl/h,x0/14,s1,x10/2,s15,x13/3,s11,x11/0,pc/a,x13/7,s13,x8/2,s9,x6/12,pe/b,x10/7,s12,x8/1,pf/c,x13/15,s4,x10/14,s2,x5/9,s3,x10/13,s5,x3/9,pe/i,x10/2,s6,x12/7,pd/g,x10/4,pi/f,x5/11,pj/k,s15,x12/0,s4,pd/b,x3/1,pc/e,x13/8,s7,x11/1,s10,x14/0,ph/k,s6,x5/11,s9,x8/14,s14,pj/o,x1/13,pa/k,x6/2,s2,x10/14,pn/l,x1/6,s14,x7/3,s2,x5/2,pi/o,x4/13,s15,x10/2,s13,pc/n,x5/0,po/e,x4/2,pc/d,x14/11,s4,x5/2,pk/e,x4/13,s2,x0/1,pg/d,x12/3,s7,x6/8,pj/l,x2/10,s6,x11/14,pm/p,x5/7,s3,x11/3,pl/b,x10/7,s2,x6/5,pa/p,x15/13,s7,x2/6,pd/f,x13/9,s15,x7/5,pj/i,x13/0,pm/c,x7/6,pf/e,x2/5,pk/j,x8/11,pb/f,x10/1,pl/m,x14/5,pg/c,x0/1,s5,x8/13,pk/f,x0/7,s13,x9/13,s1,x10/14,pn/c,x13/3,pd/b,x10/8,pp/j,x15/13,s7,x5/6,s6,x11/8,s2,pm/o,s13,x13/14,pd/h,x3/8,pn/b,x0/12,s9,x1/8,s3,x3/2,s8,x13/1,s1,x4/15,po/a,x6/13,s1,x12/8,pc/k,x10/0,pa/p,s1,x2/6,pc/b,x11/7,s10,pl/p,x1/13,s9,x15/10,pj/n,x8/12,pd/b,x5/14,pk/e,x12/2,pp/h,x4/8,s10,x0/9,pl/f,x10/14,s6,x8/6,pk/h,x13/4,pb/l,x1/5,s3,x6/8,s11,x9/7,pk/g,x15/5,s2,x11/10,s2,x0/8,pn/p,x10/11,s6,x1/5,s12,x3/0,pk/d,x11/8,s2,x15/7,s15,pf/b,x4/14,s5,x10/0,s11,x3/14,s10,x7/11,s4,x15/5,s3,x3/8,pi/g,s6,x2/13,s2,x3/12,pj/m,x0/5,s7,x12/1,s8,x0/2,s9,x15/6,pd/h,x9/8,pf/m,x15/6,pa/o,x13/0,s10,x1/2,s10,x7/0,s9,pp/e,x13/10,pc/d,x1/6,s5,x13/3,pe/h,x14/6,s14,x0/13,s5,x9/1,s3,x4/0,pa/o,x6/7,s14,x8/14,s14,pm/l,s5,x15/10,s7,x2/0,s12,x3/12,pk/p,s8,x6/8,s14,x1/10,pf/o,s11,x0/7,s13,x3/8,s10,x9/2,pj/i,x8/15,s14,x13/5,s3,x14/11,pp/m,x1/8,pa/c,s7,x11/15,pp/g,x12/6,po/k,x7/5,s5,pp/f,x15/1,s3,x7/2,pe/g,s14,x15/14,pc/f,x13/11,pk/i,s8,x9/0,s12,x7/12,pn/l,x5/15,s1,x9/7,s10,x5/11,ph/e,x12/3,s8,x4/2,pf/i,s8,x7/15,s11,x5/0,pp/m,x14/6,s3,x15/10,s3,x1/12,pb/k,x15/11,pi/d,x3/12,s10,pj/p,x15/7,s3,x5/3,pm/f,x2/8,s11,x12/1,s9,x7/15,pi/d,x1/2,s14,x6/10,pj/c,x7/11,s2,x6/9,pp/m,x8/11,s2,x1/7,s3,x14/6,pl/h,x12/4,pg/f,x0/3,s12,x14/1,pc/i,x9/4,pb/k,x0/15,pl/o,x8/2,s11,x11/4,pb/m,s11,x13/7,s10,x5/10,s9,x8/15,pd/j,s9,x0/9,pf/l,x4/13,s13,x5/15,pm/d,x10/13,pb/n,x6/12,s15,x4/2,s8,x6/15,s12,x9/5,pf/h,x2/14,s8,x12/0,s10,x15/6,s1,x11/13,pk/n,x9/6,pc/h,x4/2,s5,x10/14,s2,x8/4,pj/m,x11/5,s14,x15/0,s7,pl/b,x8/13,pk/p,s4,x9/14,pc/g,x10/6,pm/p,s15,x2/0,s13,x8/10,pa/g,x0/5,pd/m,x10/6,s9,x3/12,s8,x13/4,pc/a,x10/14,s11,pb/h,x1/12,pe/k,x11/10,s7,x6/0,pd/b,x5/9,pm/n,x2/7,s15,x10/0,s5,x13/2,po/i,x4/1,pn/h,x6/14,s3,x7/4,s9,x10/13,s2,x5/7,s14,x8/12,pi/g,x6/0,s15,x11/15,po/n,x8/4,pa/p,x12/15,s10,x13/0,s9,x11/5,pj/k,x12/3,pc/f,x9/13,s15,x1/11,s1,x15/9,s15,x14/4,s12,x12/8,s7,x14/9,s1,x8/15,s14,x11/4,s10,x8/5,pg/e,s9,x4/0,s1,x5/15,s6,x12/4,s4,x0/15,pd/h,x10/7,s13,x13/5,pp/n,x8/15,s15,x4/3,pk/b,s9,x11/5,s10,x6/8,pp/o,x0/2,pn/j,x11/15,pa/f,x10/14,s8,x9/12,ph/l,x0/5,s6,x14/10,s6,x7/4,s9,x15/3,pg/b,x7/6,s2,pf/o,s4,x1/8,pp/m,s5,x0/3,s9,x9/11,s3,pi/l,s15,x10/13,s10,x7/2,pm/d,x10/11,pa/j,x14/7,s13,x11/4,pp/f,x10/3,pe/j,x12/1,ph/c,x14/0,pi/a,x12/8,pf/m,x9/6,s1,x8/4,s11,x10/7,pe/p,s5,pl/h,x8/15,s11,x14/7,pn/c,s12,x12/8,pe/p,x2/4,s8,x6/8,pj/g,x4/10,s1,x9/0,s5,x10/14,s14,x9/2,s2,x6/13,s2,x12/14,s4,pc/p,s3,x15/5,s9,x12/3,s4,x0/5,pl/n,x4/2,s2,x14/3,s3,x11/13,s15,x7/4,pk/f,x11/1,s9,x4/3,s13,x7/9,pg/h,x8/3,s14,x10/15,pd/n,x1/11,pb/o,x10/7,s14,x8/6,pf/i,x13/4,s7,pn/k,x14/3,s2,po/a,x11/7,s5,x6/13,pg/f,x4/5,s12,x11/8,s12,x6/0,pm/n,x8/10,ph/i,x15/13,pj/m,x14/2,pa/h,x9/15,s6,x2/6,pe/i,x3/7,ph/p,x13/4,s9,x5/7,pa/b,x15/13,s4,x0/12,s12,x5/4,pf/e,x8/2,s3,x4/10,s7,x11/1,pi/o,x6/3,s1,x4/9,s10,x14/8,s14,x2/5,s8,x1/12,pd/a,x13/0,s3,x3/5,pf/g,x2/1,s2,x0/4,po/e,x3/12,s14,x5/8,pg/f,x3/15,s4,x13/1,pl/d,s6,x14/11,s5,x0/10,ph/b,x8/13,s7,pl/m,x5/7,s14,x11/15,pf/j,x0/5,s1,x6/1,s4,x9/8,pg/l,x7/1,s3,x4/5,s12,x12/15,pn/p,x3/2,pj/d,x9/10,s10,x5/2,s12,x3/7,s4,x8/15,s9,pk/h,x1/14,s3,x8/0,s9,x3/13,s14,x2/1,s4,x7/6,s4,x12/5,pi/m,x6/13,ph/n,x9/12,s15,x3/14,s11,x0/2,s8,x5/3,pi/l,x2/8,pe/p,x5/7,pl/n,x1/11,pm/k,x15/14,pg/d,x7/4,s2,x15/8,po/p,x6/10,s9,x8/15,s4,x1/3,pl/j,x4/0,s15,x1/3,pe/n,x4/7,s7,x11/12,s9,x13/6,pk/o,x0/11,s15,x8/15,s6,x3/4,s3,x14/1,s11,x4/11,s5,x12/14,s7,x9/5,s15,x1/6,s4,x14/3,s14,pd/p,x15/9,po/m,x7/10,s3,x4/6,s11,x7/5,s10,x2/1,s6,x6/12,s11,x5/1,pp/i,x3/9,s10,x15/1,s15,pf/b,x7/11,pi/p,x10/0,s8,x4/2,pg/n,x14/15,pa/j,x8/0,s7,pb/g,x11/2,s9,x4/1,pc/p,x13/14,s13,x6/1,s2,x5/12,s13,x7/9,s14,x11/1,s6,x15/4,s1,x0/8,s11,x12/9,s7,x3/0,s4,x2/9,s6,x12/8,s12,x4/13,s11,x7/15,pn/b,x8/14,pc/j,x10/2,s3,x6/13,s9,x14/5,s10,x10/2,s10,x3/15,s12,x6/5,s15,x0/7,s11,x5/15,s3,x14/9,s15,x5/2,s12,x11/10,s2,pn/k,s12,x9/8,pc/g,x5/15,s6,x4/7,s1,x9/10,s9,x12/0,s14,pn/h,x6/1,pb/m,x3/8,s11,x0/6,pi/f,x5/2,pd/h,x0/9,pk/n,x2/12,s14,x5/10,pd/a,x4/2,s5,x6/1,po/k,x15/7,pa/h,x8/13,s15,x12/5,pj/m,x11/1,pn/i,x14/12,s1,x3/4,s10,pd/c,x8/9,pj/a,s15,x4/3,s11,x7/10,pn/i,x4/12,s15,pp/b,x14/0,s1,x1/4,s1,x7/2,pf/l,s7,x10/14,s2,x9/6,pj/c,x0/11,s12,x7/10,pf/i,x9/12,s3,x3/2,s6,x7/11,s5,x10/13,s11,x8/12,pc/d,x5/13,s4,x11/14,pn/f,x12/3,s9,x11/9,s14,x14/3,pa/c,x4/0,s1,x12/6,pi/f,x8/9,s8,x4/6,pm/p,x1/14,s13,x4/5,pc/k,s12,x13/11,pp/b,x1/4,s15,x13/0,s10,pe/k,x4/9,s6,ph/i,s8,x7/5,s15,x4/15,pm/e,x3/7,s14,pl/c,x5/6,s1,x4/3,pi/b,s2,x9/5,s12,x0/10,pl/h,x12/13,pj/i,x0/15,s3,x5/13,s2,x6/12,pf/h,x7/15,s3,x10/3,pj/e,x4/1,s8,x5/13,pk/m,x10/1,pc/g,x15/12,s3,x3/7,pb/d,x6/1,pa/m,x10/0,pg/f,x14/8,s11,x3/2,pn/o,s9,x7/4,s9,x15/14,s3,x3/11,pa/c,x12/0,s6,x15/13,s10,x8/7,pg/e,x0/9,s10,x14/2,s6,x6/0,s3,x1/5,s12,x8/9,s7,x3/4,s1,x13/11,s10,x8/10,s15,x4/5,pc/n,x11/10,s14,x4/2,ph/b,x0/15,pk/i,x4/1,s3,x14/2,s8,x1/8,po/b,x15/10,pn/h,x12/4,pk/g,x1/15,s12,x11/9,s10,x1/4,pb/a,x15/3,s8,x10/11,pn/i,x1/7,s2,x2/14,s14,x7/3,pk/a,x11/12,s13,x10/1,pc/l,x14/9,s5,x15/3,pm/g,x8/2,s11,x15/3,s7,x13/10,pf/o,x8/14,pi/n,x15/12,s9,x8/10,s2,x13/3,s6,x14/4,s8,x12/13,pd/l,x11/10,s8,x8/1,s4,x13/2,pj/g,x4/11,s7,pf/e,x8/9,s3,x1/14,s12,pn/d,x15/6,s10,x5/13,s7,x11/7,s13,x10/5,s4,x9/4,pb/p,x14/0,ph/f,x11/6,s1,x0/15,s9,x11/9,s9,x3/1,s9,x11/9,pl/j,x5/14,pc/m,x10/9,pi/h,x13/3,s7,pf/p,x15/0,pa/i,s1,x11/4,ph/f,x0/1,s14,pl/j,x4/10,s1,x6/15,s4,x4/11,s2,x5/1,s14,x14/2,s9,x4/9,pk/g,x15/0,pc/o,x1/5,s12,pa/g,x12/4,pk/j,x6/3,po/b,x2/5,s13,x6/8,s6,x13/5,pe/j,x11/7,s12,x1/8,pb/k,x5/12,s1,x14/1,pn/p,x13/10,s13,x11/5,s5,pb/i,s13,x2/0,pj/k,x15/4,s9,x7/2,pd/p,x4/3,pn/h,x9/13,pe/i,x10/2,po/b,s10,x9/12,pf/e,x11/10,pl/c,x3/4,s11,x9/14,s10,x1/2,s3,x13/14,pi/p,x3/0,s1,x11/2,s7,x12/8,s8,x5/9,pg/c,x14/15,s3,pj/n,s2,x6/1,pa/f,x2/0,s8,x14/4,pk/j,x12/13,pp/a,s7,x1/7,pf/n,x5/3,s1,pk/h,x15/9,pe/n,x3/4,s11,x13/8,pi/k,x0/15,ph/a,x5/13,s9,x14/3,s5,x15/2,pc/g,s15,x4/10,s9,x8/13,s7,x2/15,s14,x10/4,pd/i,s4,x9/3,pl/b,x13/10,pc/a,x14/3,s8,x8/5,po/k,x3/15,pl/c,s15,x13/14,pa/b,x10/3,s12,x13/12,pp/l,x2/14,s7,x6/5,s6,x4/15,s9,x13/7,s13,x0/5,s13,x11/10,s2,x15/8,s8,x11/14,s6,pk/h,x10/12,s4,x2/4,s10,x10/8,pp/o,x15/12,s7,x2/7,s12,x11/12,s9,pl/j,s13,x15/0,s12,x7/9,s10,x10/8,s7,x3/15,po/p,x0/4,s3,x5/3,pi/m,s13,x14/15,s14,x1/11,s15,x5/10,s14,x6/12,s6,x10/13,s2,pp/b,x14/7,pf/m,x13/6,s14,x14/15,s10,x4/2,s2,x15/12,s9,x4/11,pj/b,x13/2,pm/n,x1/4,s6,x9/0,s3,x10/7,s14,x1/3,s6,x4/12,s13,x13/9,pe/h,x6/2,s14,pa/b,x13/11,pp/m,x2/15,s11,pb/j,x8/3,s9,x0/1,pm/l,s9,x2/6,s5,x0/7,s3,x5/1,s12,x8/10,s13,po/n,x2/5,pb/f,x8/6,pm/h,x12/3,pl/k,x10/0,pj/n,x5/12,s10,x2/9,pc/a,x12/1,pb/i,x7/5,pc/a,x4/11,pf/e,x12/9,pb/d,x2/3,pp/o,x1/15,s4,x13/9,s5,x5/12,pg/d,x15/4,s15,x5/9,pk/c,x12/1,pm/l,x8/10,s12,pj/e,s13,x13/12,s14,x5/8,s2,x2/6,s6,pd/i,x9/8,s2,x11/10,s4,x13/15,pm/j,s10,x7/6,s10,x4/9,s2,pa/l,x13/6,s11,x4/15,s7,x6/12,s3,x0/5,s12,x9/12,pn/c,s12,pk/h,x13/15,s2,x11/3,pl/e,x0/7,pi/m,x11/2,s7,x3/1,s5,x15/4,s13,x0/10,s8,x12/3,s2,x5/4,s15,x9/1,pn/d,x2/14,s14,x13/12,s14,x5/4,pp/j,s9,x10/7,s14,x4/3,s4,x11/5,s6,x14/3,s11,x15/11,pd/i,s1,x4/6,s6,x11/0,pp/m,x8/12,s2,x6/9,s7,x12/1,s1,x0/6,pc/f,x14/8,s9,x9/2,pm/i,s15,x10/15,s12,x1/8,pn/o,x9/14,s13,x10/12,s5,x7/3,pi/d,s4,x1/8,pn/f,x10/4,pp/e,x2/14,s11,x5/15,ph/j,x9/4,s15,x5/10,s7,x4/6,s7,x7/1,pk/m,x3/5,pg/i,x8/13,s9,x1/14,s14,x7/13,s9,x11/3,s2,x7/10,s12,x5/0,pm/o,x11/6,s3,x3/7,s9,x15/4,s12,x9/1,pi/l,x3/13,s7,x7/5,s10,x3/1,s9,x4/10,s8,x11/2,pg/d,x14/13,s10,x0/12,s6,x11/13,s9,x4/15,s2,x8/11,s12,x10/4,s14,x3/5,pi/j,x0/11,s14,x7/10,pf/n,x15/12,pe/j,x4/13,pl/a,x5/3,pd/f,x1/9,s1,x7/2,s14,x10/3,po/a,x14/15,pm/e,x1/9,s10,x10/12,pi/p,s7,x8/0,s7,x5/12,pa/k,s5,x9/6,s7,x15/3,ph/d,x9/12,pi/l,x10/15,s10,x8/7,pc/b,x1/9,s4,x13/15,s11,x3/2,pk/l,x7/15,s11,x6/10,s13,x5/7,s3,pd/i,x3/2,pm/e,x7/1,pg/k,x6/0,s12,x14/10,s2,x6/11,s2,pp/l,x13/0,s13,x8/11,s7,x1/15,pg/i,x3/6,s11,x4/8,pb/a,x10/7,pg/n,x12/1,s1,x15/11,pi/l,x9/6,pf/o,x3/1,s15,x13/8,s5,x3/15,s10,x4/13,s3,x1/8,pk/d,x6/13,pg/j,x15/8,s14,x7/14,s11,x15/13,ph/f,x11/4,s8,x8/6,s6,x13/3,pm/i,x6/14,s7,x10/4,s7,x7/12,pl/b,x4/13,s12,x5/1,s9,x14/11,s5,pa/e,x13/12,s13,x2/8,pg/i,x15/14,pm/j,x12/7,s9,x1/6,s8,x10/7,s11,x0/3,pp/a,x8/12,s14,x6/10,s14,pk/g,s9,x13/1,s1,x6/0,s6,x3/12,pc/j,x9/7,s13,pg/e,x15/3,s3,x8/11,pc/i,x0/2,pn/k,x5/7,pi/d,x15/8,s1,x10/6,pn/o,x1/3,s6,x7/10,pi/a,x3/9,s9,x14/5,s10,po/j,x9/15,s7,x3/11,pa/g,x8/2,s7,x11/7,pc/f,x13/8,s6,x5/11,pp/h,x14/7,s12,x1/11,pa/c,x15/10,s5,x14/7,s14,x5/6,pp/k,x0/1,s7,x12/6,s13,x10/2,pa/m,x12/0,pd/h,x1/2,pn/e,x9/10,pf/l,s1,x12/1,pk/h,s5,x9/14,s14,x6/12,po/e,x3/5,s15,x15/12,s12,x2/10,pl/j,x11/5,s9,x12/14,pc/i,x6/9,pm/l,x12/2,pb/g,x3/8,pe/m,s2,x9/12,pj/n,x7/14,s6,x0/13,s13,x5/11,s9,x2/1,s5,x7/13,s8,x12/5,pd/b,x6/0,s13,x9/12,s15,x15/3,s7,x2/1,pc/m,x11/4,s9,x3/2,s3,x0/12,s3,x5/10,s6,x9/1,ph/n,x3/8,pc/g,x0/5,pe/b,x3/2,s15,x6/8,s14,x0/11,pm/p,s13,x9/10,s10,x12/13,s5,x3/0,s1,x1/9,pg/n,x2/6,s6,x7/0,s2,x2/11,s3,x3/14,s14,x12/2,s11,x1/6,pk/h,x11/14,pg/p,x0/7,pn/d,x13/4,s12,pk/a,x14/3,s9,x9/1,s2,x4/0,s8,x11/13,pi/n,x12/3,s11,x11/2,pp/f,x13/10,s10,x9/15,ph/g,s4,x13/12,pi/d,s1,x6/10,s3,x9/12,s3,x14/2,pl/g,x6/15,s7,pi/n,x2/8,s4,x3/0,pj/e,x13/9,s1,x14/0,s9,x13/6,s2,x10/2,s15,x14/5,s8,x9/12,s7,x1/4,pa/k,x14/9,pi/d,x11/4,po/f,x15/7,s9,x5/6,pd/e,x12/8,s8,x0/5,pf/n,x2/9,s12,x5/0,pe/k,s15,x14/2,s1,x13/7,s13,x8/12,s4,x9/7,s11,x2/13,s15,x0/11,s7,x7/4,pj/a,x5/15,s13,po/l,x0/6,pa/g,x8/1,s15,x5/11,s10,x0/1,s2,x12/6,pe/f,x0/5,s11,x12/3,s5,x8/1,s10,x12/14,s10,x4/13,pg/a,x14/3,s7,x13/15,s11,x12/7,s3,po/f,x9/6,s8,x7/1,pn/c,s7,x11/4,s5,x14/7,s7,x12/8,s11,x11/10,s4,x12/0,s10,po/e,s12,x13/2,s15,x5/4,pj/m,x1/14,s15,x0/10,pi/p,x9/7,pb/f,x0/8,s13,x5/4,s8,x13/9,s5,x10/2,s10,x13/3,pg/h,x4/10,pp/e,x13/14,s8,pk/l,x6/4,s3,x10/1,pd/p,x11/5,s14,x14/3,s4,x5/6,s3,x8/0,s4,x9/12,s9,x2/10,pj/a,s11,x7/15,pb/i,x14/10,s15,x0/11,s1,x2/10,pm/g,s12,x9/13,s5,x8/5,s8,x4/10,s9,x7/0,s9,x11/5,s1,pa/l,x10/13,pf/m,x8/14,pk/l,x5/11,s7,x13/10,pn/e,x1/7,s8,pk/f,x15/11,s4,pj/l,x5/9,s7,x13/6,s11,po/e,x2/15,s2,x13/11,pn/p,x6/8,s9,x1/7,pc/f,x0/13,pj/o,s5,x11/2,s15,x10/13,s15,x3/14,s9,x12/9,pn/h,s9,pg/m,x1/5,pn/p,x2/15,s8,x9/11,s3,x6/3,po/l,x1/2,pe/g,x5/8,pa/n,x3/7,s12,pi/h,s3,x4/5,s4,x3/15,s11,x13/12,po/m,x9/10,s5,x13/1,s7,x14/2,s3,x13/4,pe/f,x1/15,s14,x9/3,s9,pp/m,x2/8,s8,ph/b,x11/13,pn/j,x1/7,s15,x4/5,pc/e,x12/14,pi/j,x5/13,s8,x2/6,s9,x7/10,pd/p,x5/2,s4,x4/1,s10,x14/10,pb/g,x11/2,ph/f,x0/6,pn/g,s13,x1/5,s15,x15/12,pm/b,x14/13,pa/o,x6/0,pn/l,x3/11,s10,x8/0,po/d,x13/15,s11,x0/9,pe/a,x10/15,pg/f,x3/11,pm/j,x0/5,pd/a,x6/1,ph/e,x14/12,s8,pc/g,x4/5,s6,x15/12,s4,x8/4,s8,x10/12,pa/o,x9/5,pb/i,x3/15,pa/p,x1/2,pd/l,x9/3,pb/j,x0/1,pk/n,s2,x15/10,pb/a,x0/8,pj/p,x3/15,pn/l,s4,x4/13,s2,x8/15,pc/p,x5/12,s13,x13/8,pm/o,x15/2,pi/c,x8/4,pa/h,x3/9,s7,pi/g,s3,x4/10,s9,x11/7,s15,x8/2,s1,x13/4,pl/c,x5/11,s12,x15/6,s7,x10/8,pb/f,x12/7,pk/l,x5/4,s15,x6/3,s2,x1/4,s15,x8/7,s2,x14/15,s14,x2/13,s6,x0/9,s2,x1/3,pc/a,x0/9,s1,pe/j,x1/6,s14,x15/11,pp/h,x14/7,pm/g,x15/13,s1,x2/5,s7,x1/12,s9,x8/9,s9,x2/3,s6,pl/i,x5/1,pk/b,s15,x10/3,pj/n,s5,x5/4,pf/c,x1/6,s9,x10/4,pd/n,x5/15,pc/h,x8/4,s15,po/a,x13/1,s13,x6/10,s4,x3/5,pc/i,x4/9,s1,x15/7,pj/g,x14/12,s15,x11/0,s12,x10/1,pc/m,x0/15,pe/p,x5/7,pg/i,x2/15,s6,x6/13,s6,x7/0,s15,x5/13,po/l,s7,x6/15,s8,x3/8,s3,x1/13,s15,x2/9,pg/a,x3/0,pi/c,x2/11,s8,x4/12,pe/k,x5/8,s9,x9/14,pf/j,x11/1,pb/n,x4/10,s11,pd/e,x2/12,pk/h,x9/8,s13,pe/g,s2,ph/m,x15/1,s11,pj/i,s3,x12/14,pc/o,x11/13,pe/k,x14/15,s12,x9/1,s6,x5/13,pi/o,x4/6,s15,pf/l,x8/10,s9,x11/14,s14,x10/9,s1,x7/14,pk/h,x0/8,pi/l,x15/3,pg/b,x2/13,s7,x9/12,s14,x10/3,pd/i,s12,x1/7,s13,x6/3,s14,x15/12,s15,pn/m,x7/5,s15,x14/1,pe/j,x11/3,s1,x9/10,pn/h,x1/2,pk/p,x14/12,pd/i,x1/4,pj/f,x9/2,s2,x1/14,s13,x15/7,pi/b,x1/14,pa/h,x2/5,s3,x8/10,s11,x12/9,pi/c,x14/0,pn/j,x2/3,s8,x15/6,pl/b,x2/7,s5,x8/14,s7,x9/6,pa/e,x10/5,pd/h,s7,x2/9,pb/n,x13/10,s1,x4/5,ph/o,x3/8,pn/i,s15,x5/15,s6,x14/13,pg/c,x10/11,s15,pa/i,x3/14,ph/f,s8,x8/6,pk/c,x10/5,s10,x6/7,s12,x15/11,pd/n,x7/6,s5,x13/4,pf/g,x11/2,pl/b,x7/12,s9,x9/13,s4,x14/5,pn/h,x4/13,pg/m,s14,x6/5,pe/a,x14/4,pk/n,s5,po/m,x6/7,s15,x2/12,pc/b,s14,x4/6,s15,x2/8,ph/j,x0/11,pp/i,x5/14,s5,x13/2,s6,x15/5,pg/n,x8/3,s12,x11/4,s9,x1/14,pb/p,x12/2,s6,x14/9,s3,x3/10,pe/m,x13/7,ph/a,x0/10,pi/c,x11/5,s15,x1/7,s9,x6/9,s3,x11/4,s1,x8/7,s15,x0/12,s2,x5/13,s1,x12/11,s10,x3/5,s12,x7/13,pg/e,x1/12,pc/m,x13/11,s4,x15/4,s8,x11/8,s8,x5/0,s14,x9/1,s12,x4/2,pe/j,x6/14,s3,x4/15,s3,x9/2,s10,x10/14,s2,x11/12,pn/a,x13/14,s12,po/i,x5/6,pg/c,x3/12,s13,x0/14,s10,x3/7,s12,x1/0,pj/l,x14/15,s8,x1/12,s8,x10/15,s13,x0/9,s1,x11/1,pk/p,x12/13,s8,x11/1,s9,pn/c,x7/6,s12,x8/1,s1,pf/h,x10/0,s10,x4/7,pa/n,x11/15,s1,x5/3,pg/i,x4/14,s15,x7/3,pf/m,x11/10,s9,x1/8,s9,pi/j,x11/3,s7,x14/4,s5,pm/f,x6/7,s13,x5/10,s10,x0/4,s6,x8/2,s13,x9/4,po/p,s8,x11/3,s1,x5/13,ph/i,x8/2,pj/c,x5/14,pn/p,x2/11,s4,x1/6,s4,x12/10,s13,x15/4,s14,x1/3,s10,x5/9,s9,x14/7,po/k,x10/4,s10,x9/1,pa/h,x5/10,s7,x15/3,s5,x2/1,pp/b,x14/12,s5,x6/3,s12,x11/0,s15,x6/15,pg/h,x1/0,s3,x14/3,s7,x12/11,pp/i,x7/14,pn/b,s9,x6/5,pj/c,x8/10,ph/k,x0/13,s9,x15/2,pn/j,x14/6,pl/g,x1/5,pn/c,x3/12,pf/k,x5/0,ph/d,x15/6,pf/b,x7/10,pm/c,s1,x0/3,pn/k,x2/1,ph/b,x12/6,s4,x15/0,pe/l,x3/9,s8,x0/11,s12,x13/10,pd/b,s7,x15/8,s6,x1/5,s5,x13/8,pj/p,s12,x3/10,pf/c,x5/14,s15,x10/15,s7,x6/5,s15,x10/15,s7,x12/5,s5,x13/8,s11,x7/4,s11,x8/11,pg/k,x5/1,pb/i,s3,x2/14,pj/c,x15/4,s10,x6/12,pp/l,x13/7,s14,x12/1,s13,x5/2,s7,x4/1,s11,x6/0,s13,x8/2,s15,x12/15,pm/g,x9/2,pl/h,x5/11,s15,x9/3,pp/b,x7/11,s15,pf/e,s6,x5/13,s2,x2/6,s8,x11/14,s5,x1/7,ph/j,x9/13,s15,x6/2,pc/e,x5/15,s2,x12/9,ph/d,x6/7,pj/b,x8/2,po/m,x10/12,s5,x7/15,pn/f,s11,x8/13,pe/g,x1/0,s15,x8/10,s7,x0/15,pb/o,x1/2,s1,x8/13,s12,x15/3,s1,x6/0,s13,x2/1,pf/l,x8/9,s5,x4/11,pa/p,x1/10,s3,x12/7,pk/g,x0/4,s13,x12/15,pd/i,x5/9,pb/a,x1/4,s13,x3/11,s10,x5/0,pf/i,x14/6,s6,x4/10,s5,x2/13,pl/k,x8/1,pm/i,x14/3,s6,x7/13,s15,x9/0,s4,x3/11,s5,x4/2,pk/a,x3/13,pb/d,x0/5,s7,pk/m,s2,x6/10,s7,x5/9,pa/b,x8/13,s14,x11/10,pf/l,x0/13,pm/d,x9/14,s5,x10/11,s15,x13/3,s13,x12/6,pb/c,x10/9,s5,x1/13,s1,x10/8,s4,x2/1,s3,x14/7,s3,x8/13,s6,x4/0,s4,x10/11,pg/h,x1/9,s6,x4/14,pd/e,x13/7,s3,x9/14,pl/f,x12/11,pa/m,s2,x4/6,s7,x1/12,pp/c,x5/15,pg/h,x10/14,s7,pb/n,x13/0,pj/k,x3/2,pm/h,x1/7,s14,pb/i,s10,x0/15,s2,x13/2,s10,x11/3,pe/p,x0/4,s9,x6/5,pb/d,s11,x15/14,s9,pe/f,x3/5,pn/b,x12/11,pc/g,s8,x13/15,s12,x8/6,pd/m,x5/15,pk/h,x2/10,po/l,x6/14,s10,x4/15,s8,x14/13,s15,x3/6,s13,x14/7,s8,x10/13,s12,x1/15,s15,x5/4,pn/h,x15/9,s13,x4/6,s14,x3/1,pp/d,x5/14,s13,x2/3,s10,x15/11,s14,pj/m,x2/8,s6,po/l,x15/0,pj/b,x9/6,s8,x11/14,pp/h,s7,x10/7,s9,x13/9,s14,x3/8,pf/j,x13/10,pb/m,x5/8,s7,x11/6,s6,x14/10,s7,x13/7,pc/o,x15/0,s5,x1/2,s12,x14/5,s1,x7/4,pa/l,x6/2,s9,x9/14,pe/i,x12/8,pc/l,x10/0,pj/k,x9/4,pc/n,s9,pk/e,x3/0,pd/f,x12/1,s3,x0/7,pp/o,x4/2,s7,x14/15,ph/f,x1/4,s9,x6/10,s8,x4/15,pb/p,x13/8,s9,x5/4,s12,x15/1,pf/d,x6/14,s4,x13/10,ph/i,s11,x9/6,pc/e,x3/8,pi/b,x14/7,po/n,x15/2,pe/p,s10,x3/11,s6,x7/4,s9,pb/c,x8/0,s1,x10/5,s6,x8/7,s3,x10/4,s15,x8/9,s7,x3/7,s4,x1/8,s8,x0/6,s7,x13/11,pk/m,x1/2,s13,ph/f,x5/0,pc/d,x4/2,s2,x9/14,s11,x6/7,s9,x14/10,pa/p,x5/8,pm/e,x1/10,ph/l,x12/11,pe/n,x10/2,po/h,x13/3,pe/j,x2/4,s2,x9/12,pf/o,x3/15,s15,x7/9,s10,x5/4,pp/h,s2,x14/8,pi/a,x7/9,pp/j,x6/8,s4,x15/2,pk/m,x1/14,s1,x2/15,s2,x7/0,ph/l,x11/12,s8,x10/6,pi/c,x8/14,s9,x15/9,s5,x11/6,s12,x5/9,s3,x10/0,s15,x8/5,s9,x10/4,pm/e,x8/14,pk/j,x2/5,s13,x7/10,s2,x4/15,s10,x14/12,s3,x9/6,pl/d,x14/0,pe/p,x5/12,s2,x8/11,ph/l,x6/15,pg/d,x1/4,ph/m,x6/11,s6,x14/8,s7,x15/5,pk/i,x2/9,s14,x11/12,pm/l,x2/8,s15,x10/9,s6,x8/5,s15,x15/3,pg/j,x14/13,s9,x8/2,s4,x1/15,pa/m,x8/12,s5,x14/2,s12,ph/c,x9/5,po/e,s4,x1/4,s15,x0/7,pn/b,x14/5,pl/d,x1/15,pm/e,x9/13,pd/h,s10,x5/2,pn/f,x14/3,pe/i,x11/9,pj/l,x13/1,pp/d,x0/14,pk/j,x2/8,s2,x12/14,pe/a,x2/6,pl/o,s10,x10/3,s8,x5/11,pm/g,x3/8,s11,x15/9,pk/i,x11/12,s11,x10/1,pj/m,x15/3,s3,x12/4,pf/l,x9/7,ph/k,x12/4,s10,x3/2,pj/o,s8,x12/6,s6,x11/13,pb/i,x12/14,s14,x4/13,s15,x15/10,s13,x7/1,pa/j,x14/11,s14,x4/6,s6,x14/1,s10,x10/5,s4,x13/15,pm/l,x0/5,ph/o,x12/2,s8,x6/14,pf/k,x13/8,po/i,x7/4,pk/j,x0/2,s3,x13/14,s9,x0/10,s11,x4/9,pm/l,x14/1,s5,ph/e,x8/3,s14,pl/n,x12/11,pk/c,x4/5,s2,x7/8,s9,x14/12,pn/j,x15/10,pi/a,x2/9,s8,x3/1,s14,x2/15,s4,x14/1,s7,x10/0,s1,x13/14,pg/l,x10/15,s7,pa/c,x4/8,pd/b,x1/13,s6,x14/12,pj/a,x7/4,s1,x14/12,s15,pb/e,x7/13,s12,x9/3,s11,x4/6,s15,x8/11,s7,x2/5,s7,x10/13,s15,x0/15,s4,x4/7,s12,x11/8,s11,x1/13,s8,x0/14,pm/a,x6/9,s14,x4/8,s1,x5/6,pf/o,x9/10,pj/l,x14/11,po/e,x3/9,s15,x5/14,pp/i,x9/10,s8,x4/13,s12,x14/5,s3,x12/15,s11,x7/8,s9,x13/10,s13,pl/o,x7/14,pd/i,x12/6,s4,x15/5,s9,x11/14,pg/f,x3/5,pe/o,x6/4,s2,x15/1,pa/j,x4/14,pk/o,s4,ph/c,x2/5,s9,x11/6,s1,x3/13,s10,x14/10,s11,x1/0,s1,x12/14,s15,x7/3,pp/l,s15,x0/8,pe/k,x13/15,pp/j,x0/4,pd/l,x15/8,pk/n,x6/14,pp/m,s13,x7/8,s3,x1/0,s12,x7/5,pn/b,x3/13,s4,x0/15,s5,x1/7,pm/c,x13/3,pn/p,x11/7,s8,x3/0,s13,x11/13,s10,x10/9,pf/g,x14/15,s2,x3/6,pj/p,x7/10,s13,x5/4,s11,x7/12,pg/f,x10/5,pm/d,x4/12,s3,x0/9,pb/j,x10/14,pa/i,x7/0,s6,x3/4,s9,x8/7,pj/b,x2/13,s9,x1/3,s6,x8/15,s15,x0/2,s15,x10/14,s12,x7/1,s6,x2/9,po/p,x12/7,s5,x1/13,s4,x11/6,pj/e,x13/12,s12,x11/7,s10,pg/b,s12,x6/4,pf/i,s9,x0/12,s13,x9/8,s15,x15/4,s11,x11/10,pe/j,x7/13,pp/l,x9/3,pj/o,x7/5,s6,x3/10,s7,x5/8,s4,pa/m,x6/13,pk/l,x7/11,s13,x14/4,s12,x3/15,po/e,x6/9,s3,x11/8,s14,x7/5,s13,x8/1,pf/i,x3/15,s4,x12/2,s10,x7/0,s9,x15/3,s2,x8/9,ph/o,x13/12,pi/l,x11/14,s9,x15/10,s8,x3/7,s7,x13/9,pk/p,x1/10,s1,pf/c,x12/2,s2,x9/11,s4,x14/13,pb/h,x9/1,s12,x15/7,s10,x10/9,s4,x4/12,pk/o,x10/5,s3,x4/8,ph/d,x13/14,po/l,x10/1,s12,x0/2,pp/m,s12,x1/14,s13,x7/6,s1,x2/13,s6,x9/14,pb/o,x6/5,pl/j,x11/10,pp/h,x7/5,po/j,x14/9,pc/b,x13/10,s13,x14/1,s12,x6/0,s11,x5/1,s1,x3/7,s11,x12/8,s10,x15/1,po/i,x0/3,pp/k,x10/12,pm/h,s1,x9/8,s4,x11/0,s6,x14/2,s10,pd/l,x9/10,s4,x6/12,s5,x4/2,s12,x9/0,s14,x4/13,pc/b,x10/2,s8,x6/13,s4,pi/p,x0/1,s12,pf/a,x7/10,pk/l,x2/9,pn/o,x13/0,s8,x14/15,s8,x2/4,s12,x1/7,pj/f,x6/11,pc/o,x1/13,pm/k,x0/4,s7,pd/e,s5,x9/5,s15,x4/10,s12,x8/6,s6,x1/3,s7,pc/i,s14,x8/6,s10,x7/12,pd/f,x2/13,pn/m,x8/7,po/b,x4/1,s11,x13/12,pm/f,x15/9,s4,x12/10,s6,x15/8,s14,x11/7,pj/c,x2/8,s9,x14/11,pn/g,s12,x15/0,s1,x2/5,ph/m,x1/3,s10,x10/7,pd/i,x13/1,s15,x12/5,s13,x4/8,s2,x6/2,pf/l,x4/5,s12,x14/0,pa/h,x8/4,s15,x15/14,pl/e,x13/9,s3,x5/4,s2,x11/0,s12,x8/15,po/n,x5/11,s12,x2/6,s2,x0/13,pk/b,s2,x11/15,s15,x9/7,pe/a,x13/11,s9,x5/1,s11,x6/10,pc/m,x7/13,ph/k,x8/15,pb/o,x4/5,s6,x13/10,pf/e,x4/12,s8,x15/3,s15,x10/11,s4,x5/14,s8,x7/4,pa/h,x5/12,s4,x15/6,s14,x0/10,s9,x8/1,s9,x6/14,pk/j,s14,x13/15,s3,x9/0,s12,pm/c,x14/13,pp/l,x4/10,pf/b,s14,pn/c,s7,x3/13,s6,x2/14,s15,x10/5,s13,x6/8,pl/a,x5/14,s8,x2/3,s2,x8/12,s12,x11/2,pb/n,s14,x8/13,s3,x14/1,s6,x7/15,s9,x12/11,s12,x6/10,s3,x15/4,s15,x8/3,s3,x14/4,pc/l,x6/15,po/e,x7/2,pj/h,x11/4,pm/l,x15/3,pd/b,x10/9,s7,x13/0,s6,x9/2,s2,x4/14,s13,x8/13,s6,x6/11,pk/i,x3/15,s4,x9/14,pb/f,x15/12,pd/a,x10/3,pf/o,x2/12,s3,x9/14,pa/n,s2,x0/2,pb/i,x11/7,pj/a,x8/9,s11,x4/6,s5,x15/3,s14,pf/e,x10/8,pk/l,s13,x6/5,s4,x10/7,s5,x5/0,s9,pb/i,s13,x7/15,s13,x0/6,s13,x11/15,pg/h,x8/4,s10,x0/1,s8,x12/7,s6,x11/14,pf/i,x13/5,s2,x12/10,s8,x15/5,pa/e,s11,x3/2,po/f,x11/12,s3,x0/5,pa/d,x8/14,s6,x15/13,pp/f,x10/7,pc/m,x14/6,po/k,x1/7,s8,x5/3,pg/f,x15/0,s2,x2/8,s4,pi/p,x7/10,pd/h,x13/4,pk/n,x0/8,pm/e,s1,x15/3,s2,x1/10,s8,x4/5,pf/l,x6/0,s14,x8/11,s3,ph/b,s12,x2/1,s10,x11/15,s5,x8/6,s2,x7/10,pn/i,x0/5,s4,x1/14,pp/o,s7,x10/13,s13,x6/5,pi/m,x10/11,pn/j,x9/12,s9,x11/0,pd/e,x7/2,pm/j,x0/5,pg/i,x15/8,pe/a,x11/9,s11,x2/7,s15,x8/15,pn/c,x0/1,pd/o,x14/8,s3,x7/2,pl/n,x4/3,pa/p,x11/1,s4,x10/9,s8,x15/1,pb/o,x12/9,pi/f,x10/0,s5,x8/1,s15,x6/0,pn/j,x8/12,s2,x6/0,pa/b,s6,x15/8,s4,x4/9,pp/k,x1/0,s15,x14/4,pa/n,x9/13,pj/e,x12/5,pk/l,x7/11,pe/j,x12/8,s8,x9/5,pk/n,x15/7,pg/d,s4,x10/13,pk/o,x0/5,pe/b,s3,x2/10,pa/i,x15/0,pl/k,x14/9,ph/a,x6/12,s13,pg/l,x11/14,s15,x1/7,s4,x12/6,s5,x0/11,pb/k,x8/10,s1,x11/6,pl/g,s4,x13/9,pp/m,x11/14,pe/g,x9/10,ph/a,x4/1,s5,x2/8,s10,x3/11,s15,x9/10,pk/m,x8/12,po/i,x15/1,pn/m,x7/10,pj/a,x3/13,s9,x1/12,pc/m,x13/4,po/d,x12/7,s10,x10/6,s1,x14/8,s1,x12/1,s9,pe/h,x0/14,s1,x9/13,pm/g,x8/15,pi/j,s7,x6/4,s10,x3/5,pl/b,x12/7,pi/c,x13/11,s1,x3/10,pa/b,x6/8,s12,x4/10,pi/j,x3/11,s8,x7/6,ph/g,x9/2,s6,x4/0,s2,x12/11,s12,x8/1,s13,x14/5,s2,pi/l,x0/12,pn/g,x1/11,pb/e,x2/13,s11,x7/0,pp/f,x5/6,s6,x7/9,s3,x1/3,s14,x10/14,s5,pi/c,x0/1,s5,pk/j,x10/14,pf/o,x11/2,pl/j,x13/5,s14,x12/3,s1,pp/e,x8/9,s2,x6/4,pg/k,x9/7,s4,x15/4,s14,x7/3,s3,x5/0,s13,x8/3,s4,x5/10,s8,x9/4,s14,x10/0,ph/b,x13/14,pl/c,x8/0,pj/e,s15,x7/13,s10,x12/0,s12,x15/1,s2,x4/13,pd/f,x15/11,s9,pi/b,x6/3,s12,x7/12,s13,x15/9,s6,x3/1,s6,x4/13,pa/c,x3/15,s4,x4/0,s10,x9/6,pi/p,x7/0,s6,x11/8,s10,x13/3,s3,x0/6,s5,pn/e,x11/12,pm/c,x2/7,pn/k,s8,x4/13,pi/f,x11/10,s2,x4/3,s12,x13/5,s9,x3/14,s7,pe/l,x0/7,s5,x9/14,pm/c,x6/10,s2,x0/14,pa/n,x7/2,pb/h,x12/6,pc/p,x10/7,ph/e,x14/3,s1,x4/9,s11,x15/7,pf/c,x6/13,s3,x12/3,pk/m,s7,x4/6,s10,x0/2,s2,x15/11,s14,x3/6,s14,x12/0,s14,x15/8,s2,x10/7,po/a,x4/2,pd/k,x10/13,s3,x8/4,s7,x7/1,pc/i,x3/2,s2,x14/15,s3,x1/0,s14,x4/12,s2,x3/6,po/p,s11,x14/2,s10,x1/13,pb/i,x15/3,po/d,x2/8,pa/h,x4/9,s2,x3/10,pj/g,x7/15,pa/o,x11/0,pd/m,x7/6,pg/l,x10/8,po/c,x15/5,pg/p,s11,x12/0,s14,x9/6,s12,x1/8,s6,x5/6,pk/h,x9/7,pl/e,x6/3,s5,x10/5,s11,x14/13,pj/m,x2/11,s14,x5/14,s12,x10/9,pk/g,x13/12,s7,x11/6,s9,x7/14,pc/n,s5,x0/9,pa/e,s2,x10/1,s12,x2/5,po/j,x8/6,s4,x11/1,pa/m,x9/4,s14,x14/1,ph/n,x15/10,s2,x1/8,pd/g,x5/4,pf/l,x12/7,s14,x9/5,pk/g,s1,x10/14,s8,x4/13,pa/j,x12/0,s10,x8/3,s10,x9/11,s8,x10/2,pg/k,s1,x13/11,s1,x5/7,s1,x2/15,pd/n,x13/3,pb/j,x4/12,s10,pf/a,s6,x5/15,s5,pg/p,x10/14,s5,x4/7,pm/l,x14/0,s3,x2/9,pn/d,x7/0,s4,x15/3,s3,x6/2,pi/p,s15,x7/8,po/l,x4/2,s3,x3/10,s12,x1/9,s3,x12/15,pk/h,s15,x1/0,s7,pd/a,s4,x11/3,s11,x8/2,s9,x0/13,pj/f,x2/14,s11,x9/12,s2,x3/7,s3,x14/1,s1,x3/8,pp/m,s3,x1/5,pn/e,x0/6,s13,x13/1,pk/j,x14/12,s5,pd/e,x1/9,s11,x6/10,s4,x3/8,s8,x7/0,s7,x5/15,s4,x8/2,s6,pp/b,x10/0,s4,x4/12,s5,x13/9,s13,x6/12,pg/f,x4/9,ph/k,x1/12,s2,pl/m,x7/5,s9,x10/15,po/c,x9/14,s13,x15/4,s14,x3/12,s10,x10/8,pk/d,x3/9,pl/j,x2/10,s8,pa/f,x6/0,s10,x1/4,s13,pb/l,x3/2,pm/p,x7/11,s12,pl/h,x13/6,s14,x11/3,pe/n,x14/12,s6,x13/4,s3,x12/7,s6,x0/8,s1,x2/10,s3,x7/9,pf/o,s6,x4/15,pi/a,x0/11,s3,x7/14,ph/b,x12/0,s12,x15/6,s8,pl/o,x2/13,pj/k,x1/8,s10,pa/m,x13/12,s2,x5/9,pd/n,x6/15,s8,x13/8,pe/a,x1/10,pk/j,x15/2,s15,x4/7,po/d,x3/6,s9,x2/9,s5,x4/1,s6,x2/14,s9,x5/10,s6,x13/7,s3,x14/1,pa/i,x11/0,pb/g,x3/6,s3,x8/4,s3,x15/0,pc/o,s6,x14/6,s5,x11/5,s12,x4/13,s15,x10/1,s2,x14/7,pp/k,x1/4,pl/f,x5/13,pb/p,x0/14,s8,x15/5,s8,x11/3,s4,x15/12,pn/f,x6/2,pe/p,x7/1,s14,pn/a,s4,x13/6,pf/d,s1,x10/11,s2,pg/i,x13/15,s4,x5/9,s4,x3/7,s6,x12/0,s12,x6/1,pa/d,x15/14,pf/n,x2/6,pj/c,x4/12,s5,x8/5,s15,x11/6,s10,pp/h,x9/1,pb/n,x14/13,s2,x2/0,s11,x14/8,pf/m,x15/1,pj/n,x2/14,s1,x5/6,pd/b,s3,x0/2,pn/o,x1/8,s2,x11/3,s10,x2/14,s12,x8/4,s9,x13/7,s2,x3/9,s2,x4/8,pk/m,s15,x6/1,s8,x10/9,s6,x8/14,pf/p,x4/9,s6,x7/13,pi/a,x0/9,s15,x12/2,s4,x4/7,pj/o,x12/3,s10,x2/5,pa/m,x12/0,pn/d,x14/15,pc/o,s15,x12/10,pd/j,x2/9,s11,x4/11,s13,x10/0,s13,x13/7,pe/i,x15/0,s5,pl/k,x10/3,s2,x7/1,s14,x9/12,pf/a,s5,x6/2,s5,x15/10,s10,x4/3,s8,x5/12,pn/d,s5,x4/13,s1,x1/8,s11,x4/5,s10,x6/13,pe/g,x10/9,s13,x7/12,pl/o,x0/4,s1,x3/2,s15,x8/0,s15,x13/11,pj/e,x10/9,pg/h,x5/8,pp/f,x10/12,s2,x1/9,pk/j,x8/2,pf/a,x12/9,s10,x6/3,pd/j,x11/0,pf/c,x8/10,s15,x15/11,s7,x1/8,s12,x9/2,pn/o,x10/11,s12,pd/h,x13/6,pj/k,s6,x15/3,ph/g,x8/6,s15,pe/f,x3/14,pl/c,x4/1,pj/h,x0/13,s4,x6/7,pl/b,s14,x13/12,s2,x14/5,s12,x0/3,pg/m,x13/1,s7,x0/15,s15,x3/13,s9,x4/2,s6,x6/12,s3,x9/14,s11,x2/11,s1,x7/12,pc/k,x8/5,s11,pm/p,s12,x1/0,s11,x12/14,s8,x7/10,s6,x4/0,pj/f,x8/10,s6,pk/d,s4,x7/4,s1,x6/3,s8,x4/5,s9,x13/1,pi/p,s15,x2/8,po/d,x3/14,pn/k,x8/11,s2,x15/2,po/h,x6/4,s6,x12/0,s14,x2/7,pc/e,x10/6,s3,x14/11,pm/h,x6/15,pf/l,s3,x11/0,s12,x3/1,s9,x13/4,s9,x0/11,s9,x9/8,s6,po/i,x13/14,pa/c,x2/3,s7,x15/8,s8,x14/10,s5,x0/13,s11,x11/8,pb/d,x1/5,s6,x2/8,s2,x13/4,po/f,x7/10,pk/g,x0/9,s5,x8/2,s6,x11/12,s1,x10/14,s4,x11/3,s5,x13/1,s14,x2/5,s15,x1/15,s9,x14/7,s12,x0/13,s3,x6/10,s15,x2/12,pd/e,x15/10,pj/n,x12/11,s9,x10/5,pb/g,x0/12,pa/e,s11,x14/11,pj/f,s5,x0/6,s13,x4/13,s11,x3/9,pi/e,x2/11,pg/a,x12/8,pp/i,x4/0,ph/f,x7/11,s6,x14/4,s4,x2/1,pa/j,x5/6,s6,x0/1,s6,x2/5,pp/g,s10,pn/b,x12/13,s9,x11/15,s5,x3/4,s6,x9/10,pm/o,x1/3,s2,x11/14,pf/p,x5/1,pk/o,x7/11,s7,x12/1,pc/l,x6/4,s4,pf/e,x9/2,s13,x7/14,s14,x5/9,pk/p,x15/10,pg/j,x11/3,s2,pf/o,s10,x6/10,s15,x3/5,s11,x1/0,pl/g,x14/6,s13,x0/8,s15,x4/2,pd/m,x0/8,s15,x3/1,s12,x14/7,s7,x12/2,s14,x8/10,s3,x12/0,s12,x10/3,s5,x13/5,s10,x15/6,pj/g,x9/4,s6,x7/5,pk/e,x12/14,s1,x7/5,pj/h,x11/10,pa/m,x3/7,pi/f,x12/15,pa/j,x0/2,s1,x9/12,s4,x13/1,pi/d,x8/2,s1,x13/12,s2,x5/4,s10,x15/9,s8,x5/1,pn/a,x12/3,s10,x6/9,pg/c,s6,x12/15,pn/b,x11/14,s10,x15/4,s15,pg/m,x0/14,pp/h,x15/11,s9,x14/1,s1,x7/12,pl/i,x11/6,s4,x2/10,s6,x4/0,s14,x14/10,pb/a,x5/3,s4,x0/9,s11,x4/14,s11,x8/7,pd/m,x12/13,s5,x4/7,s5,x11/10,s4,x9/15,s3,x13/6,s9,pi/o,x11/15,s8,x7/12,s9,x14/1,s14,x6/7,pj/l,x13/4,pp/a,x11/0,pc/l,x14/10,pn/i,x15/4,s5,x0/10,pp/o,x5/13,s4,x10/4,s10,x5/6,s5,x4/11,ph/c,x2/1,s6,x0/10,s11,x1/14,s5,x3/2,pj/m,x7/5,s6,x15/12,s15,x8/0,po/c,x10/15,pm/i,x4/9,s12,x8/0,s15,pk/f,x14/7,s9,pj/l,x10/4,s10,x3/11,s2,x4/5,pk/h,x2/7,s10,x13/1,s11,x11/6,s2,x10/2,pd/c,x3/4,pg/f,x10/8,pe/o,x7/13,s14,x0/10,s10,pm/g,x13/14,s4,x5/4,s11,x1/13,s5,pb/l,x9/11,s3,x8/12,s7,x1/10,s11,x12/5,s12,x6/10,s11,x12/2,pe/j,x8/15,s6,x6/0,s1,x12/8,pk/g,s1,x15/4,pj/o,s13,x0/5,s10,x11/8,s6,x12/6,s11,x11/10,s9,x14/3,s14,pb/p,x4/15,pn/k,x5/13,s9,x8/11,s15,x2/3,s13,x11/6,pg/i,x5/8,pf/h,x10/15,pk/p,x14/1,ph/m,x0/7,s8,x10/15,pe/i,s7,x11/1,s7,x3/5,pl/g,x0/1,s11,x6/5,pj/i,x9/12,pf/d,x8/14,s6,x0/13,pa/g,x5/2,s11,x1/9,s15,x4/12,s13,x6/14,s3,pf/c,x13/1,s1,pp/m,x3/8,pf/c,x1/10,pk/j,s15,x15/4,s13,x3/12,s8,x2/9,pi/l,x7/1,s15,x8/12,s11,x11/2,pn/k,x15/0,s5,x3/8,pj/c,x1/13,s2,x10/5,s13,x6/11,s2,x4/15,po/h,x6/14,s14,x2/12,s5,x3/7,pm/n,x13/14,pf/c,x11/1,s10,x7/15,s9,x2/1,s8,po/b,x3/6,pk/h,x2/14,po/l,s8,x1/13,s5,x6/2,s1,x11/7,s5,pf/c,x1/13,s10,x3/9,s15,x0/7,pd/g,x6/13,pi/m,x15/5,pn/c,x10/12,s4,x11/0,s1,x6/1,s4,x8/3,s1,x15/4,s11,x13/11,pe/d,x3/15,s13,x11/5,po/n,x0/4,s9,x10/12,pd/p,x13/8,s7,x4/0,pg/l,x6/10,s9,pp/o,x9/13,s13,pn/c,x14/4,s15,x8/15,po/m,x14/5,pl/d,s11,x4/7,s15,x5/14,s4,x4/0,s3,x2/5,s13,x6/3,s12,x1/0,s5,x4/8,pj/m,x6/13,s7,x5/1,pg/l,s5,x14/9,s7,x5/13,pb/m,x0/7,s8,x8/9,pi/k,x13/7,s9,x10/5,po/c,x11/14,s4,x5/8,pl/b,x15/9,s7,x11/3,s3,pf/j,x13/15,s8,x9/10,s5,x2/6,s6,x13/9,pe/n,x15/10,s5,x11/4,pa/m,x3/8,s2,pi/f,x7/4,s3,x12/5,pg/p,x4/1,pk/n,x6/13,s14,x1/7,s6,x2/3,s4,x1/9,ph/i,x12/8,s9,x5/7,s14,x2/1,s10,x5/9,pd/o,x7/8,pj/e,x3/6,pk/h,x14/5,pf/d,x9/10,s15,x1/8,s11,x6/15,pj/m,x12/2,pk/h,x7/10,pj/a,s4,x8/2,s8,x4/0,s5,x9/5,s9,x8/4,s11,x10/6,s13,x3/15,s13,x2/0,s10,x3/6,s10,x4/2,pn/e,x9/3,s8,x7/12,s13,x9/6,s7,x13/4,pb/k,x11/14,s5,x4/6,pi/e,x1/0,pa/g,x13/10,s10,x5/11,pl/p,x2/4,pb/o,x10/8,s1,x0/13,s10,pl/p,s6,x4/10,s2,x14/11,pi/m,x8/12,pa/b,x5/10,s8,x3/8,s1,x12/5,pi/d,s13,x9/6,s3,x3/8,s2,x15/11,s11,pn/b,x10/8,s3,x4/2,s11,x14/13,s6,x4/12,pc/g,x9/0,s8,x2/5,pl/i,x14/7,s6,x4/6,s7,pj/e,x7/0,s15,x13/12,s10,x15/0,s11,x12/5,s4,x1/7,pd/i,x9/14,s11,ph/c,x4/0,s12,x7/15,s15,pj/i,x2/10,s5,x0/15,s14,x7/14,s2,x2/12,s8,x0/14,s4,x9/1,s7,x11/14,pl/m,s11,x2/8,s14,pa/n,x7/3,s9,x11/0,pp/d,x13/4,s1,x8/9,s2,x7/1,pc/m,x8/9,s8,x4/3,s5,x2/15,pp/a,x0/14,s8,x10/8,s14,x2/13,pj/f,x1/14,s8,x13/9,s9,x8/11,pl/o,x10/14,s14,x0/11,pp/d,x5/13,pa/g,x12/3,s5,x4/2,s9,x9/15,s3,x3/14,pl/e,x2/15,pj/i,x0/3,pk/h,x13/9,s15,x2/10,pl/i,x8/6,s7,pd/f,x13/0,pk/l,x1/4,po/h,x2/7,s2,x13/4,pd/c,x1/3,s15,pe/o,x6/12,s7,x9/2,pd/f,x14/10,s5,x2/6,s5,x0/12,s5,x5/3,s15,x13/15,pl/k,x0/14,pd/b,s13,x1/8,s4,x4/6,pe/j,x7/11,pl/p,x5/6,s9,pk/g,x11/12,pf/p,x10/7,s14,x0/5,pa/b,x2/14,s4,x13/15,pd/c,x7/0,pj/o,x4/3,pk/m,x1/9,s6,x8/3,ph/j,s4,x5/9,s5,x4/7,pe/k,x10/9,pm/f,x5/14,s10,x11/8,s3,x12/1,s6,x4/15,s4,x2/1,pi/o,x13/0,s7,x11/3,s7,x13/14,s10,x11/15,pg/k,x7/1,pf/o,x10/6,pl/m,x4/5,s5,x3/11,s7,pi/e,x8/1,pc/b,x11/4,pk/i,x10/1,pp/g,s5,x14/13,s12,x4/11,s10,x3/14,s1,x10/6,s12,x8/5,pi/d,x3/10,pk/f,x2/0,s13,x10/12,s1,x9/2,s10,x5/3,pj/l,x9/15,s9,pa/i,x0/6,s5,x14/12,pg/e,x11/10,s12,x5/8,pf/j,x14/11,pn/p,x5/9,s14,x4/1,ph/o,x13/2,pn/g,x14/0,po/k,s4,x4/13,pn/j,x11/10,s8,x2/14,s14,x7/15,pc/h,x12/4,po/b,x9/15,s12,x6/12,pg/p,x2/9,s3,x6/4,s12,x1/0,s7,x4/5,s7,x9/15,pm/j,x3/14,s5,x7/1,pc/h,x10/5,pe/g,x14/11,pk/o,x13/8,pb/d,x1/4,s2,x2/12,s6,x7/11,s13,x0/3,s11,x13/9,pn/f,s14,x14/5,s1,x7/1,s8,x9/5,s2,x3/0,s9,x13/10,s6,x7/15,s4,pe/a,x13/9,pl/h,x14/8,pi/p,x9/1,s6,x13/12,pd/j,x5/8,pn/k,x13/11,s2,x8/15,pm/c,x0/9,pj/a,x7/8,pk/l,x5/3,s5,x14/7,pn/o,x0/11,s1,x7/12,s7,x8/5,pl/k,s7,x9/1,s5,x0/5,s15,x15/11,s10,x6/1,s12,pg/j,x13/3,pb/i,x5/15,s8,x7/0,s4,x2/6,s9,x4/1,s15,x12/0,s11,x6/3,pg/o,x7/8,pk/d,x14/1,po/b,x6/8,s11,x7/4,s13,pp/a,x0/9,pe/f,x8/5,pp/b,x0/15,s8,x6/10,pd/e,s7,x14/4,s9,x3/10,pp/o,x5/6,s13,x1/4,s13,x3/5,pe/f,x11/0,s6,x13/1,s14,x6/12,s15,x7/2,s4,x12/4,pi/d,x1/3,pe/m,x14/8,s14,pj/n,x13/4,pc/a,x0/7,s10,x12/4,pg/l,s11,x15/9,s12,x14/8,pn/m,s6,x0/7,s1,x8/10,pe/g,x11/12,s14,x0/6,pl/c,x3/11,pn/k,x15/14,s15,x10/6,pm/e,x14/2,pa/l,x12/7,pb/d,x2/6,s14,x4/14,pl/c,x0/10,s12,x14/5,s15,x7/6,pn/f,x0/13,s4,x6/12,s12,x2/15,pc/i,s8,pb/g,s6,pf/n,x5/11,s1,x13/14,pj/e,x10/1,pd/m,x6/15,pp/j,x7/1,pd/k,x11/6,s1,x7/1,s3,x14/10,s14,pe/f,s4,x7/11,s4,pk/j,x2/5,pc/f,x0/6,pj/k,x15/8,s1,x7/0,s2,x8/12,s4,x14/11,s8,x0/1,pf/c,x6/14,s4,x13/8,s11,x10/6,s13,pm/l,x15/4,s12,x5/6,s13,x12/9,pi/k,x7/13,s5,x10/12,s12,x9/7,pl/c,x1/14,po/i,x7/10,s6,x5/1,s11,x4/11,s13,x13/7,pd/f,x2/11,pj/m,x9/5,pi/g,x3/0,po/d,x14/5,s5,x3/8,s9,x5/2,pb/i,x14/7,s14,x15/13,s13,x9/4,s13,pm/e,x6/11,s5,x3/7,pn/d,x13/14,pj/l,x11/8,s5,pe/g,x13/9,s9,po/p,x7/2,pe/k,x3/6,s10,x14/7,s13,x1/6,s14,x3/2,s1,x13/12,pg/j,x11/5,s6,x2/14,s6,x4/10,pi/b,x0/8,s1,x2/14,s12,x13/5,s13,x10/15,s13,x12/6,s12,x0/11,pf/g,x15/1,pb/d,x7/10,s12,pk/l,x14/4"""
# real1 = """x5/11,pj/i,x0/4,pa/f,x9/14,pk/h,x11/1,s13,x15/14,pa/o,x2/9,s4,x1/7,s5,x4/15,s1,x14/0,ph/e,x6/11,s7,pj/k,x4/14,s1,x15/7,s7,x4/9,s13,x11/2,pi/e,x13/8,s7,x10/4,pp/g,x7/11,pd/n,x14/0,pk/g,x5/15,s14,x8/6,s8,x7/0,s13,x8/10,s14,x5/2,pb/j,s3,x3/12,s4,x0/1,s8,x3/12,s15,x15/13,pg/f,s1,x7/0,s6,x5/12,pa/h,s12,x9/2,s12,x10/15,s13,x4/5,pi/k,x8/10,s12,x12/7,pp/l,x14/9,s6,x2/1,s12,pc/d,x7/5,s9,pg/b,s14,x4/8,pe/l,x5/12,pa/i,x11/13,s9,x1/6,pj/k,x5/7,s4,x0/4,s2,x10/2,pe/h,x4/11,pn/m,x8/9,s1,x14/13,s15,x4/7,s3,x14/5,pe/j,x13/12,s7,pm/d,x5/2,s9,x14/10,s12,x4/7,pn/b,x13/10,s7,x12/9,s9,x3/7,s11,x6/1,s1,x10/15,s3,x6/14,s7,x2/9,s4,x11/4,s13,x0/6,s15,x10/1,pd/g,x2/4,pf/c,x15/9,s12,x8/2,ph/a,x0/14,s8,x11/4,pk/b,x3/2,s2,x0/8,pf/e,s4,x2/11,pa/g,x6/8,s11,x0/7,s4,x4/13,po/h,x1/11,pm/c,x9/13,s9,x4/14,s6,x10/0,s8,x1/14,s4,x2/15,s12,x14/3,s13,pb/a,s12,x13/11,s7,x15/6,pc/j,x2/8,pk/g,x1/6,pi/b,x11/14,ph/p,x6/12,s13,x15/11,pn/g,x8/4,pi/o,x7/11,s10,x5/9,s15,x3/4,s8,x15/0,s4,x6/11,pl/e,x15/10,s10,x2/8,s1,x15/0,s12,pa/o,x9/8,pi/f,s1,x6/5,s1,x3/9,pl/n,x4/8,pg/a,x10/12,s8,x7/1,pn/d,s8,x4/14,s2,x7/6,s10,x11/8,s9,x4/12,s7,x1/9,po/m,x11/13,s9,pc/d,x0/1,s4,x8/11,pi/e,x2/0,pg/a,x9/5,s7,x0/3,s9,x5/9,s5,x15/14,pb/c,x8/12,s11,x10/6,pl/h,x5/3,s9,x15/0,s5,x3/5,s9,x0/12,s9,x2/6,s5,x8/10,pj/c,s13,x12/11,pf/a,s7,pn/m,x9/1,s15,x4/6,pe/j,x15/3,s6,x0/12,s7,x2/7,pn/c,x9/11,s9,x15/1,pp/l,x0/14,s14,x5/8,s10,x3/14,s13,x9/7,s7,x6/11,s14,x8/12,pn/m,x7/4,ph/o,x14/11,s4,pc/k,x4/12,s7,x5/15,pd/e,x2/9,s11,x14/4,s2,x7/12,pm/f,x11/4,s1,x10/5,s11,x4/15,pp/l,x8/13,pj/n,x9/15,po/k,s2,x12/14,pm/a,x9/10,s3,x13/5,s13,x0/9,s3,x5/8,s13,pg/k,x13/2,s11,x0/6,s7,x9/14,s8,pj/i,x3/1,s15,x2/11,po/c,x7/5,pg/l,x13/9,pn/m,x2/7,s5,x11/1,s13,x8/2,pd/l,x14/13,s9,x2/4,s10,x12/6,pm/b,x14/13,s4,x6/3,s10,x10/8,pd/h,x0/5,s6,x6/13,pi/e,x11/14,pg/c,x3/1,s9,x14/2,s1,x0/6,ph/j,s14,x15/9,s11,pg/a,x4/7,s13,pl/i,x9/3,s4,pj/h,x7/12,s5,x3/4,pg/c,x15/14,s10,x12/2,s13,pk/j,x13/1,pf/d,s14,x2/10,pi/j,s9,x11/8,s3,x10/4,s7,pc/f,x11/0,pp/d,x9/7,s15,pm/g,x6/12,s13,pj/f,s11,pi/c,x8/7,s10,pf/l,x0/13,pn/k,x15/9,s2,x11/14,po/m,x15/2,pf/c,x4/0,pn/e,s9,pg/j,x15/3,s12,x9/13,s3,x7/4,s15,x11/3,s15,x14/1,s8,x5/6,s14,x8/2,s6,pb/m,x7/10,s7,x14/9,s8,pn/j,x7/15,pl/d,x4/5,s9,x10/6,s4,x5/2,pg/j,x7/4,s11,x8/14,s7,x15/5,s1,x13/9,s15,x1/6,s3,x5/12,s12,x0/11,s3,x8/4,pl/m,x2/12,pf/j,x7/1,s11,x8/5,pp/g,x7/12,s4,x1/5,s10,x10/0,s3,x13/9,pk/h,x1/8,s5,x13/3,pg/d,x6/0,pb/m,x10/1,pk/j,x11/14,s7,x12/1,s10,x2/4,s12,x7/3,pn/b,x1/2,pj/h,x5/13,pi/g,x10/9,s15,x11/3,s7,x15/5,s5,x9/4,s8,pb/l,x8/5,s9,x6/0,s2,x9/11,s7,x3/12,s1,x1/11,pe/m,x4/12,s11,x15/13,pg/p,x4/8,s7,x1/7,pb/j,x14/10,s3,x15/6,pi/l,x0/4,pm/o,s7,x13/2,pl/n,x1/9,s4,x11/3,po/d,x13/4,s14,x8/12,pb/j,x10/11,s11,x1/3,s15,pd/f,x15/7,s10,x13/9,s7,x10/0,pc/l,x15/4,s8,po/d,x9/12,s14,x14/13,s11,x0/9,s7,x7/15,s5,pm/e,x1/12,s14,x8/15,s6,x6/12,s5,x15/0,pi/g,x3/5,s7,x1/13,ph/c,x5/0,pp/g,x10/3,pe/j,x0/5,s5,x9/14,pm/g,x11/7,s13,x3/13,s11,x15/5,s5,x13/12,s10,x8/1,s8,x5/14,s15,pk/b,x12/6,pi/p,x2/7,s6,x4/1,pm/e,x8/5,s2,x10/11,pb/p,x9/8,s15,x11/2,pg/h,x3/12,pm/d,x4/5,s13,x9/13,pa/i,x3/15,s7,x8/11,pb/p,x5/10,s10,ph/d,x13/12,pa/o,x11/6,s13,x0/10,s8,x1/11,s8,x7/2,s3,pl/h,x1/15,s11,x3/5,s8,x6/4,pn/a,x7/1,pc/g,s8,x9/11,s11,x13/0,pk/a,x4/10,s15,x3/11,pb/m,x12/8,s1,x4/3,s6,pi/e,x14/13,pl/n,x8/11,s9,x14/0,pm/o,x6/15,pc/l,x8/0,s4,x10/3,s10,x7/0,s14,x11/10,pb/n,x8/2,pp/d,x13/14,s7,x2/1,s7,x13/8,s8,pj/a,s12,x5/0,s11,pf/o,s6,x4/8,s9,x6/13,s7,pe/l,x4/1,pb/m,x5/9,s1,x4/15,s7,x11/9,pk/i,s8,x7/13,s12,x5/3,pn/o,x13/4,pj/e,x8/0,s6,x7/4,s13,x0/11,pm/p,x2/4,s12,x9/11,s8,x4/6,s4,x0/9,s7,x8/14,pf/k,s6,x10/12,pi/n,x5/0,pa/f,x15/11,pd/l,x2/1,pn/p,x4/9,s3,x6/15,s9,x14/10,pl/a,x2/12,s15,x13/3,s6,x6/4,pp/g,x1/7,po/b,x0/6,pk/l,x3/2,pb/j,x5/7,s6,x10/0,s8,x13/12,pk/e,x3/2,s11,x9/8,s8,x15/10,s5,x3/1,s9,pa/i,x6/13,s9,x15/0,pg/e,x7/12,pi/a,x10/4,s13,pg/e,s13,x13/3,s14,x4/0,s4,x7/12,pk/o,x14/4,pb/c,x2/13,pe/i,s10,x9/11,pp/b,x5/1,s11,x11/15,pf/h,x8/10,po/a,s3,x7/15,s15,x4/6,pp/m,x11/15,ph/f,x7/8,pi/a,s10,x5/3,pb/e,x12/9,po/j,x8/14,s1,x7/9,s10,x3/8,s14,x5/6,s1,x7/10,s1,x11/9,pb/k,s4,x10/12,pj/c,x15/5,s1,x11/3,ph/k,s10,pp/c,x15/5,pb/m,s12,x14/3,pi/l,x11/9,s12,x3/2,s9,x13/5,s6,x0/3,s3,x15/5,pd/c,x4/3,s2,x5/9,pp/i,s5,x4/6,pg/j,x8/10,pp/a,x14/11,s6,x1/13,pl/c,x12/10,pj/o,s1,x15/1,s9,x9/7,pl/f,x1/13,s9,x12/15,s13,x11/0,s6,x15/1,pd/k,s15,x0/14,s2,x15/5,s9,x2/6,pg/a,s11,ph/k,x15/13,s4,x1/10,pi/p,x2/3,s2,x7/15,s14,x11/12,pd/m,x13/1,pc/o,x14/0,pl/g,s6,x3/2,s14,x11/12,pp/f,x4/10,s10,x0/12,s15,x6/11,s12,x2/13,pi/l,x4/12,s6,x1/3,s2,x12/0,s2,x9/3,pe/p,x0/5,pb/i,x14/9,pj/o,x7/13,s4,x3/14,pa/n,x2/9,pm/c,s14,x0/4,pg/i,x3/15,pd/m,s1,x6/11,pp/h,x15/9,s1,x10/4,s2,x3/12,pg/n,s12,x4/13,pj/o,x5/2,s9,x10/9,s7,x8/6,s15,x15/2,pf/g,x5/14,s14,x0/15,s10,x10/13,s4,x6/0,pb/j,x1/3,pl/e,x15/12,s9,x8/2,pg/n,s12,x5/10,pf/e,x14/15,s12,x9/11,pp/o,x15/2,s12,x11/5,s2,x14/8,s9,x15/1,pb/a,s15,x7/14,s2,x4/15,pm/e,x14/10,s14,x13/3,s15,x14/6,pg/o,x5/10,s13,x8/7,s7,x9/2,s10,x11/5,s3,x8/13,s3,x9/14,pf/n,x3/10,s5,x15/9,s13,x14/0,pj/p,x13/10,s13,x6/5,s4,x0/7,s7,x9/11,pd/o,x13/1,pp/a,x15/12,s13,x2/10,s6,x13/12,s14,x2/6,s1,x4/8,s3,x0/11,s11,x10/6,ph/e,s4,x4/5,s3,pg/p,x9/11,po/k,s4,x4/5,s10,x1/14,s13,x4/13,pa/e,x6/5,s2,x0/14,s11,x3/1,s12,ph/b,x2/9,s6,x12/4,pi/l,x9/6,s2,x7/14,s7,x5/10,pa/m,x7/1,s5,x9/10,pk/l,x11/0,pd/j,x8/4,pi/a,x1/0,s9,pb/l,x5/3,pc/h,x6/7,s12,x3/11,pe/l,x6/10,pp/i,x12/14,s14,x13/0,pk/a,x11/14,s3,x9/1,s5,pm/j,x12/14,s11,x3/4,po/c,x5/0,s8,x1/13,s15,pi/e,x5/14,s13,x9/3,s13,x1/6,s15,x0/15,s7,x6/8,s9,x5/3,pf/h,x14/8,pm/c,x6/9,pf/b,x2/7,s2,x5/15,pc/m,x12/11,s2,x9/15,ph/p,x1/4,s5,x7/0,s12,x8/12,pc/a,s5,x6/4,pl/g,x1/13,pm/c,x10/14,s12,x6/15,s2,x5/9,s2,x3/6,s5,x5/4,s14,x14/12,ph/n,x1/0,s4,x8/5,s7,x15/0,pd/b,x13/3,s5,x0/10,s9,x2/9,s9,x11/3,s13,x15/12,pl/n,x11/9,pa/d,x7/12,pp/h,x9/3,pf/c,x1/0,s14,x8/13,pa/m,x10/11,pe/g,x9/3,s12,x14/6,s1,x5/7,pm/k,x10/3,po/f,x15/9,pj/p,s6,x1/13,ph/b,x12/0,po/c,x15/5,s10,x0/11,s5,x2/5,s5,x6/4,s2,x10/9,s13,ph/a,x11/6,s13,x10/12,pb/f,x4/8,s10,x6/13,s11,x9/4,s1,x14/11,pk/n,x6/15,s9,x9/1,pg/l,x6/12,s9,x3/13,s15,x7/11,pb/o,s3,x6/2,s1,x14/1,s14,x7/10,s2,x14/13,pn/h,x8/15,pi/p,x2/3,s3,x4/5,pl/f,x1/8,s3,x14/12,s3,x9/0,pi/m,s4,x12/6,s9,x14/11,s10,x5/10,s15,x8/7,pf/p,x5/2,s12,x12/7,s2,x15/0,pd/o,x6/4,pn/i,x9/7,s3,x14/4,s7,x15/1,s9,ph/e,x10/11,pg/o,s10,x4/9,pk/d,x6/12,s10,pb/p,x15/1,s11,x12/3,pf/e,x1/8,s10,x15/11,s6,x4/12,s8,x3/1,s11,x4/9,s8,pg/b,x1/14,s7,x12/9,s8,x13/11,ph/k,s7,x14/3,pg/a,x15/9,s5,x4/8,pm/h,s7,x10/5,pe/o,x12/11,s1,x5/14,pi/l,s4,x3/4,pb/m,x10/11,pf/g,x3/4,pc/l,x5/13,s4,x8/12,s12,x14/4,s13,x7/2,s3,x0/5,s10,x7/4,pe/o,x14/11,pm/h,s2,x6/12,s9,x0/7,pj/i,s6,x9/2,s11,x5/7,s14,pn/l,x4/10,pp/a,x11/13,pf/h,x12/4,s14,x13/2,s11,x3/5,s2,x6/4,pi/j,x8/15,s7,x0/12,pd/k,x3/1,pi/l,x8/0,s10,x11/3,s7,x9/7,s2,x14/1,s11,pk/o,x8/9,s2,x1/10,s7,x6/8,pg/n,x9/7,pd/b,x13/15,pk/m,x9/1,pc/h,x12/13,s6,x8/2,s6,x1/10,s11,x14/12,s2,x1/8,s7,x5/13,s14,x9/11,s14,x6/4,pk/b,x5/12,pn/j,x2/4,s5,x13/7,s10,x0/14,s6,pg/o,x13/15,s1,x5/9,s5,x0/12,s4,x5/14,s10,x11/2,pa/c,s11,x15/7,ph/f,s1,x4/1,s7,x2/7,s9,pc/k,s9,x9/1,pl/g,x12/4,pk/h,x1/13,s8,x7/5,pa/g,x12/6,s12,x2/10,s15,x12/3,s3,x4/6,pb/p,x2/8,s13,pl/n,s9,x15/6,s10,x7/2,s11,x6/9,s1,x1/0,pd/f,x12/8,pi/j,x5/0,s15,x13/9,pn/l,x2/10,pb/g,x1/9,pl/m,x8/6,s11,x3/13,s5,x2/9,s11,x0/5,s14,pi/g,x9/3,s9,x2/15,s10,x12/4,pe/j,x9/3,ph/i,x11/14,s7,x4/13,s13,x2/5,s6,x13/9,pj/l,x4/12,s10,x6/14,s11,x15/12,pn/b,x11/3,s9,x10/9,pj/c,x4/15,s4,pd/g,x8/13,po/c,x2/14,s5,x10/0,pk/b,x6/11,po/c,s11,x0/8,pp/f,x9/11,pg/o,x10/7,s2,x2/3,s1,x5/4,s3,x14/13,s13,x2/7,s1,x3/5,s3,x1/2,s13,pj/f,x15/6,pn/c,x3/14,pp/e,x5/13,s4,x8/3,s5,x13/0,pf/j,x6/9,s15,x4/1,s8,x5/13,s8,x6/8,s12,x9/13,pm/e,x3/11,s12,x4/10,pa/c,x8/0,s5,x3/13,pl/i,x9/15,pj/b,x10/5,s1,x8/2,pe/o,x4/7,s5,x8/12,pd/c,s3,x11/4,s1,x7/3,pg/f,x5/11,ph/l,x1/14,s1,x13/6,s2,x1/4,pi/j,x0/7,pe/n,s6,x12/3,pc/i,x9/8,s6,x7/3,s12,x10/2,pa/e,x9/14,s11,x12/3,s1,pd/o,x11/2,s9,x10/5,pc/f,x15/3,s15,x11/10,s13,pj/i,x1/2,s1,x3/0,po/d,x2/15,s5,pj/e,x14/13,s13,x6/11,pb/m,s14,x15/7,s9,x10/8,s11,x15/4,s4,x0/9,s13,x2/6,pi/g,x15/5,pa/n,x2/13,s9,x10/14,s6,pj/l,x2/6,s8,x9/7,s5,x11/14,pg/d,x9/8,pe/o,x4/10,s9,x6/0,pf/d,s10,x2/4,ph/a,x13/3,pp/l,x4/14,pj/f,x12/1,pb/i,x3/6,pn/a,x11/8,pg/m,x2/10,s3,x15/5,pi/a,x3/14,s6,x5/7,pb/f,x14/13,s6,x5/9,s6,x12/0,s13,x6/1,s10,x2/5,pe/n,x10/15,pa/g,x3/2,s12,x13/6,s5,x0/14,s2,x12/3,s13,pm/d,x9/7,s5,x3/6,s3,x5/11,s7,x15/6,pk/p,x10/13,pl/m,x2/14,s9,x1/13,s14,x6/3,s12,x13/15,s3,x2/3,s12,x9/7,pn/g,s13,x11/12,po/k,x5/9,pb/i,s11,x12/4,s2,x15/0,s3,x14/13,s11,x8/6,s2,x10/7,s7,x12/14,s11,x3/11,s11,x6/0,pj/a,x9/3,s1,x4/10,s7,x7/15,pb/m,x0/2,s8,x14/13,s5,x8/4,pd/g,x13/2,s6,x15/7,pp/i,x2/4,s3,x14/8,po/k,x7/6,s3,x9/5,s10,x7/10,pp/g,x13/5,s4,x12/2,s4,x5/3,s3,x8/4,s1,x13/11,s10,ph/c,x9/15,s9,x0/3,s9,x15/9,pn/b,x6/7,pm/p,x13/8,pg/a,x11/10,pj/e,x12/9,pd/l,x11/3,s14,pa/p,x2/7,s7,x13/8,pl/e,x2/1,pd/g,x3/15,pc/l,s5,x13/7,s10,x14/4,s13,x0/12,s15,x14/15,s11,x2/9,pb/d,x4/10,pj/h,x5/8,pe/c,x2/6,pa/h,x5/7,s8,x0/11,s4,x10/14,pj/d,x8/6,pi/f,s15,x12/10,s13,x8/4,s14,x11/5,s11,pb/g,x8/1,s3,x10/13,s13,x7/14,pe/p,x0/8,pk/j,x7/10,s13,x12/5,s11,pn/e,x0/10,s1,x4/6,s13,x10/14,s8,x6/8,s2,x9/0,pi/c,x3/12,s15,x14/5,s5,x4/3,s7,x2/12,s7,x14/15,s6,x0/1,s7,x11/3,pl/n,x8/7,s7,x12/5,s13,x13/6,s1,x8/4,s4,x15/6,s2,x2/4,s13,x0/3,pg/h,x7/5,s8,x13/2,pi/n,x12/3,s7,pe/p,x8/10,pn/l,s2,x2/15,pc/i,s5,pk/d,s8,x5/0,po/m,x8/4,pp/e,x1/7,s13,x9/2,pj/a,x6/7,pi/d,x10/2,s5,x9/1,pl/a,x7/11,pd/m,s13,x1/10,s6,x15/12,s6,x14/2,pl/k,x6/8,s3,x4/14,pc/o,x15/3,s6,x9/7,s1,x14/3,s1,pd/e,x11/5,pk/c,x3/1,pf/n,x9/11,s6,x10/6,s14,x1/8,pi/d,x9/15,pe/f,x7/6,s6,x9/4,s4,x7/13,s1,pd/l,x8/0,s3,x2/11,pa/c,x1/13,pg/k,s3,x7/5,s14,x11/6,s7,x1/2,pj/l,x15/14,s8,x4/9,s15,x8/10,s1,x7/0,pn/m,x8/15,s8,x14/5,s1,pf/e,x9/12,pl/m,x2/10,s12,x13/12,s3,x2/3,ph/d,x15/14,pp/b,x3/8,s4,x10/7,pi/n,s15,pg/p,x12/8,pi/h,x5/7,s7,pf/p,x12/3,s14,x4/14,s1,x13/15,po/m,x7/5,s15,x12/15,pb/j,s4,x9/6,ph/f,s3,x13/5,s1,x12/6,s4,x5/8,pj/k,x1/0,pl/c,x13/8,s13,x11/14,pk/f,x9/12,s3,x13/11,s11,x7/6,s3,x8/14,pg/d,x5/11,s9,x7/3,s4,pc/n,x12/14,pl/f,x13/15,s13,x9/3,ph/b,x10/0,pk/g,x15/2,pi/a,x14/0,s9,x1/6,pb/g,x2/4,s4,x5/12,pi/m,x7/1,s14,x10/11,pn/a,x8/3,s13,x1/0,pc/f,x11/3,pl/h,x2/13,s9,x5/11,pj/d,x7/14,s15,x10/6,pe/a,x13/1,pb/k,x4/3,s2,x1/13,pe/h,s9,x0/12,s15,x10/7,pf/i,x4/2,s1,x11/1,po/p,x13/9,s5,x15/10,s4,x1/4,s9,x13/12,pg/k,x8/14,s13,x1/9,s3,x6/5,s7,x3/2,s10,x5/8,pi/d,x14/7,s5,x1/9,s13,x11/10,s3,x6/13,s12,x9/7,s6,x4/12,s8,pb/m,x14/13,s2,x9/6,s5,x10/5,s13,x7/6,s1,x0/1,s12,pk/p,s14,x15/10,s15,x12/7,pc/n,x11/6,pb/o,s8,x1/13,s9,x3/2,s8,x13/8,pp/e,s11,x5/11,pi/g,x1/6,s1,x9/11,pl/f,x5/12,s4,x4/0,pe/c,s3,x12/5,s10,x2/1,pp/n,x10/13,s9,x6/15,s5,x11/4,s11,x13/7,s9,x14/4,s15,x11/7,s4,x1/5,pd/i,x13/14,s2,x15/10,s3,x11/9,s13,x2/10,ph/o,x7/1,s15,x15/4,pa/i,x8/3,s4,x10/1,pm/l,x7/15,pe/h,x12/14,s3,x13/8,pi/k,x10/3,s8,pb/n,x13/7,s9,x15/5,s12,x0/2,pk/p,x14/13,po/j,x6/1,s15,x4/0,s14,x9/13,s14,x1/0,s8,x4/15,s14,x10/6,pd/h,x5/1,pa/g,x7/12,ph/k,x11/3,s1,x2/5,s12,x9/12,s15,x11/7,s13,x2/13,pf/d,x10/1,s4,pg/m,x4/2,pb/i,x6/10,s10,x9/11,ph/e,x1/7,pf/i,x4/0,s12,x6/9,pb/o,x5/4,s2,x9/15,pn/l,x1/11,s15,x15/8,s7,x3/4,s1,x0/5,s10,x2/13,s14,x0/7,pi/m,x14/15,s9,x12/7,pc/f,s2,po/a,s1,x5/6,s9,x2/7,s2,x3/5,pc/f,x9/1,s13,x8/13,pe/g,x3/0,s3,x1/10,s6,x15/13,pm/f,x10/1,pp/i,x6/7,s15,x9/10,pk/o,x7/15,pm/g,x1/9,s8,x2/14,s8,x5/6,s2,x11/13,pf/n,x7/12,s15,x1/9,pg/a,x4/2,s1,pb/m,x3/7,pe/a,x1/5,pg/l,x15/4,pn/p,x7/1,pm/l,s9,x3/9,pn/a,x6/2,po/f,x12/13,s10,x14/15,s10,x13/5,s6,x8/3,s6,pb/i,x5/9,s8,x4/7,s14,x8/10,s1,x12/5,pd/c,s1,pn/k,x6/0,s4,x10/1,ph/i,x3/7,s11,x15/6,pe/d,x12/8,s12,x6/14,pj/a,x4/0,s9,x14/12,s5,x5/13,pg/c,x1/4,s3,x0/3,s11,pi/p,x14/9,s15,x1/15,s9,x2/9,s8,x5/14,s5,x9/11,pl/m,x6/5,pe/j,s5,x0/9,s13,x4/15,s6,x10/13,pl/g,s7,x11/4,s4,pj/f,s7,pa/g,x6/8,s12,x7/5,s12,x2/8,pj/m,x9/4,pf/o,s4,x15/10,s6,x12/1,s4,x3/15,s1,pj/h,x14/5,pf/a,s12,x11/2,s7,x12/6,pb/k,x0/10,s6,x7/9,s10,x2/1,s10,x12/5,s14,x11/14,s3,x1/5,pd/h,x11/3,s1,x5/12,s15,x1/9,s6,x5/13,s10,x6/1,pe/l,x12/0,s10,pb/j,x8/3,s10,x14/15,s5,x1/4,s14,x11/9,pi/n,x0/13,s7,x8/2,s14,x15/5,pc/j,x4/10,s14,x6/8,pp/l,x1/15,s2,pd/g,s12,pi/l,x13/11,pf/h,x15/1,pd/j,s10,x8/9,pk/o,x2/6,pa/l,x13/8,po/d,s12,x0/12,pa/c,x4/7,pb/n,x9/6,s1,pk/e,x14/7,s6,pa/p,s13,x6/8,s10,x1/9,pk/l,x5/2,s7,x6/12,pa/d,s2,pl/f,x7/4,pg/n,s1,x13/15,s9,x8/0,s1,x4/10,pb/l,x12/1,s3,x8/15,s9,pg/d,x7/0,po/h,x4/12,pe/a,x0/3,s8,x14/1,s15,x5/6,pl/g,x11/9,s5,x7/12,pj/m,x15/2,pc/i,x1/7,po/g,x0/5,s14,x3/8,s14,x15/4,pm/e,x5/10,pk/d,x6/15,s1,x2/9,s15,x10/5,s4,x8/13,s3,x14/3,pi/o,x6/15,pk/h,x3/10,s2,x5/4,s13,x12/14,pd/l,s2,x11/9,pn/h,x14/7,pl/b,x2/4,s12,x1/5,s11,x12/6,s11,x15/7,s1,x12/0,s9,x4/10,s6,x6/15,s13,x1/14,s9,x11/5,s8,pg/a,s7,x10/6,s8,x0/11,s8,x15/12,pm/h,x10/13,s15,x1/0,pj/b,x13/10,s1,x1/3,s10,x11/15,s11,x14/13,s15,x9/7,pa/e,s15,x4/5,s3,x9/15,s9,x12/8,po/j,s2,x9/3,s10,x4/7,s5,pf/a,x13/15,pk/p,x5/8,pa/i,x14/11,pl/j,x12/7,pf/n,x11/9,s12,x7/2,s13,x4/12,ph/a,x2/13,s8,x5/10,s14,x13/9,pk/b,x3/10,s10,x1/13,s9,x4/12,pd/m,x1/6,pc/k,x8/9,pj/a,x13/14,s15,x9/0,pc/f,x12/4,s13,x13/11,pg/e,x7/6,pc/i,x5/0,pj/p,x6/7,pb/a,s2,x4/15,s4,x6/13,pg/h,x9/2,pa/m,x1/10,s9,x8/0,s13,x15/4,s13,x2/8,pk/j,x3/5,s11,pi/f,x15/14,s11,x11/12,po/a,s8,x4/2,s13,x7/6,s10,x3/5,s14,x4/9,s8,x11/10,s7,x4/7,pn/l,x0/3,po/h,x10/8,s1,x12/14,s9,x7/4,s12,x10/8,s6,pf/i,x14/1,s1,x12/2,s12,x9/14,pc/d,s10,x15/1,s8,x14/0,s2,x15/3,s4,po/j,x4/9,pm/k,x6/7,pc/e,x9/8,s10,x3/12,s8,x6/11,s11,x15/4,s1,x5/0,pn/k,x7/6,s3,x1/11,pi/f,x5/4,pa/e,x2/12,pp/j,x10/3,s7,x8/11,s14,x4/0,s10,x11/15,s1,x1/5,pb/e,x7/6,s5,x3/12,s2,x2/9,s13,x8/0,pa/p,x5/12,s4,x9/7,s2,x6/0,s1,x9/11,s13,x15/13,s12,x5/6,s15,x3/13,pd/j,x15/11,pf/p,x0/10,s11,x8/9,s1,x14/11,pj/m,x4/5,pe/k,x6/12,pg/j,s5,po/m,x10/0,s11,x1/12,ph/p,s3,x7/0,pn/m,x5/15,pk/f,x9/11,s2,x10/14,s15,x11/5,s7,x14/0,s2,x8/11,pd/h,x14/1,s4,x4/11,s13,x7/3,pp/g,x0/15,s7,x5/8,pm/n,x10/9,s2,x12/6,ph/a,x9/14,pd/b,x2/10,s12,x7/5,s11,x14/0,pn/o,x1/2,pc/h,x0/13,pd/n,x4/8,s10,pa/k,x12/0,s5,x15/2,s14,x7/1,s9,x15/2,pg/l,x14/13,s8,x0/1,pj/h,x7/2,s6,x4/10,pb/k,x13/11,s15,x2/15,s11,x1/14,s14,x12/6,s11,x9/15,s11,x7/8,s12,pi/n,s2,x12/11,s7,x3/10,s5,x5/11,s8,x7/10,po/f,x14/9,pd/b,x3/10,s9,pn/h,x14/8,s2,x6/12,s3,x5/2,po/c,x15/6,s5,x14/11,s7,x0/13,s10,pp/k,x14/15,s2,x0/7,pg/b,x5/9,s1,x15/0,s4,x3/8,pf/p,x9/7,pi/d,x10/5,s14,x13/8,pm/l,x2/1,s6,ph/o,x15/0,s8,x8/4,pc/k,x3/15,s11,x8/1,s2,x13/6,s2,x2/4,pa/n,x7/14,s8,x4/12,pp/k,x13/0,s7,x8/10,s11,x12/5,s3,x8/7,pa/b,x12/10,pg/k,s13,x14/3,s5,pd/l,x7/4,pj/p,x5/3,s14,x14/12,pn/k,x11/6,pm/i,s15,pa/p,x3/10,pc/j,x7/0,s9,x8/4,s9,x10/1,pf/o,x4/3,pl/g,x12/10,s6,x1/9,s6,x15/10,s4,pp/d,x9/4,s3,x14/15,po/b,x2/7,s4,x0/9,s14,x8/5,s6,x9/2,s14,x7/3,s15,x5/11,pd/j,s7,x2/3,s4,x7/6,po/k,x12/14,pl/b,x0/7,s6,x12/1,s1,x14/7,pm/a,x12/13,s14,pi/p,s5,x4/15,s1,x8/13,pm/e,x12/1,s13,x11/7,ph/f,x14/1,pg/c,x6/15,s8,pa/f,x3/13,pc/k,x1/5,pj/l,x10/15,s6,x14/9,pc/o,x8/13,s9,x15/6,s9,x5/12,s2,pk/m,x8/13,s11,x15/14,s5,x12/0,pe/j,s12,x11/2,pl/i,x13/12,s5,x4/9,pj/f,x10/0,ph/l,s1,x7/9,s9,x8/3,pi/a,s12,x15/10,pm/k,x1/11,s6,x12/13,pn/l,x0/8,pk/b,x1/13,pl/i,x2/3,pf/c,x6/7,pb/l,s15,x0/12,s11,x9/5,s10,x12/4,ph/p,x13/1,s11,x15/6,s5,x3/1,pg/f,s13,x14/11,pp/l,x15/9,pi/h,x1/4,s14,pl/o,x14/3,pp/f,x13/4,ph/k,s6,x1/0,pn/e,x12/4,pm/a,x9/10,pi/n,x12/1,s8,x2/15,pf/l,x4/10,s5,x8/13,pc/g,x10/15,s6,x11/7,pi/n,x6/8,pm/h,x14/12,pb/d,x6/13,s1,x0/5,pe/m,x10/15,pi/n,x12/13,s3,x11/8,pj/e,x3/5,s2,x1/7,pb/k,x11/4,ph/p,x13/8,s3,pi/c,x3/10,s10,x12/1,s13,x4/9,s14,x6/11,s9,x10/3,pn/l,x12/5,s2,x7/9,s14,x13/5,s4,x15/0,ph/e,x1/13,pa/m,x14/11,s1,pe/c,s10,x12/7,s13,x11/4,s9,pp/l,x9/3,s8,pj/d,x14/8,pa/f,x7/9,pi/l,x1/13,s4,po/f,x9/10,ph/d,x7/13,s6,x2/6,s2,x14/8,s9,x12/13,s1,x8/5,s3,x0/11,pk/a,x13/3,pf/m,x15/11,pj/p,x3/6,s2,x0/11,s5,x9/7,s14,x1/15,pi/e,s11,x4/13,pd/j,x5/2,pn/k,x15/6,pf/m,x1/4,s3,pi/h,x6/12,s14,x1/7,s2,x14/15,pb/c,x11/3,s13,x14/7,pi/h,x8/11,s6,pb/j,x13/10,pi/e,x1/4,s10,pg/n,x2/6,s6,x11/15,pi/a,x5/6,s3,x10/0,pk/e,x13/8,pi/f,s6,x1/9,pm/a,s4,pb/i,x14/0,s12,x3/8,s12,x15/0,pj/n,x1/2,s6,pi/g,x9/8,ph/m,x12/11,s12,x6/3,pe/g,x2/13,s9,x5/1,s10,x14/12,ph/m,x1/3,pk/a,x13/14,pn/i,x10/3,s5,pc/f,x9/12,s1,x13/0,s2,x4/12,pn/p,x8/10,s13,x4/1,pl/c,x0/12,s1,pi/b,x14/7,pg/e,x13/5,pn/i,x11/4,pm/a,x9/10,s2,x3/0,pb/j,s7,x15/11,s7,x7/6,s4,x1/0,s3,x8/7,s8,x6/9,s4,x7/1,pm/c,x3/14,s1,x13/2,pn/o,x3/6,s1,x0/15,s9,x10/9,pd/j,x13/11,s9,x4/5,s11,x14/12,s10,pi/e,x5/2,pp/b,x8/13,s13,x15/11,s3,x8/6,pl/n,x0/9,ph/a,x12/4,s5,x9/1,pd/b,x8/15,pn/e,x12/5,s15,x3/15,pl/p,x1/2,s14,x11/6,pe/o,x3/14,pp/n,x15/9,ph/k,s14,x12/1,pa/b,x4/3,s7,x7/1,s2,x8/12,s11,x1/10,pm/o,x5/0,pf/n,x13/7,s3,pg/e,x5/14,s13,x8/11,pa/c,x5/6,s3,x14/11,pe/d,x7/0,s14,x3/10,ph/o,x12/5,s9,x7/15,pl/g,x3/8,s12,x10/12,ph/n,s15,x9/8,s8,x7/2,s1,x15/8,s2,x5/4,pf/i,x13/10,pc/m,x0/1,pl/n,x7/12,s8,x5/13,s1,x14/1,pa/i,x0/2,ph/c,x14/4,s4,x12/8,s14,x14/13,po/f,x11/12,s1,pe/j,x5/3,s13,x7/13,pa/m,x8/0,s14,x1/9,s11,x10/6,pb/f,x4/2,pi/o,x12/5,s3,x10/13,ph/j,x5/14,s12,x11/3,pc/e,x8/5,po/n,x1/9,pd/f,x15/4,s6,x1/0,s8,x3/2,ph/e,x15/8,s9,x0/5,s7,x4/8,s12,x5/10,s12,x14/12,s7,x9/11,pm/c,s1,x13/1,s5,x7/0,ph/i,x3/12,s1,x14/0,s11,x6/3,pn/l,x7/15,s3,x10/6,pb/j,s10,x13/12,s3,x7/9,pf/p,x13/1,s11,x10/4,s2,x15/1,s1,x14/0,s11,x15/12,pc/k,x9/13,pm/j,x10/3,s12,pf/e,x14/8,s13,x13/6,s3,x11/8,po/c,x0/5,s8,x10/3,s13,ph/g,x6/0,pe/b,s14,x2/1,pm/p,x10/11,s15,x13/9,s14,x7/8,pn/b,x0/2,s14,x8/4,pp/e,x10/15,s8,x5/9,pk/j,x11/10,s5,x7/2,s2,x12/5,pp/b,x14/7,s6,x1/11,s14,x4/7,s7,x15/6,pc/e,x11/10,s12,x4/9,s11,x0/13,s1,x6/10,s13,x13/15,pm/f,x7/5,s14,x3/15,pb/e,x1/10,s3,x12/15,s4,x3/13,s9,x2/11,pn/d,x13/4,s11,x6/15,s14,x1/9,pe/c,x10/11,s10,x6/3,s14,x15/5,s8,x11/6,po/p,x3/9,s2,x0/8,s8,x10/13,s1,x2/3,s10,x15/5,s9,x1/8,ph/a,x13/12,pe/l,x9/0,s1,x12/3,pm/j,x0/7,pi/k,x6/3,pa/d,x4/2,s8,x1/9,s14,x7/13,pk/m,x1/11,pn/g,x9/2,s7,x7/15,s7,x0/2,pj/l,x1/7,pp/k,x11/13,ph/g,x2/10,s8,x5/8,s3,x9/0,s7,x13/2,pn/c,x12/10,s4,x8/3,s2,pd/o,s4,x1/11,pj/a,x3/14,s15,x11/15,pl/p,x4/14,pc/j,x15/9,pb/o,x12/10,s13,x7/9,pe/i,x15/0,s12,x1/3,pl/p,x5/4,s12,x2/9,pa/f,s3,x4/5,po/p,x9/7,pa/b,x15/5,s8,x2/4,s12,x3/11,s7,x6/12,s1,x3/5,s4,x6/1,s11,x0/14,s12,x13/6,s11,pd/i,x8/7,pf/k,s1,x6/5,s3,pm/a,x3/9,pg/j,s13,x8/15,s12,pf/h,x14/7,s1,x10/1,pm/b,x6/9,pn/i,x8/0,pj/g,x12/11,s12,x1/0,s5,x12/11,s8,x6/7,s12,x4/8,pi/f,x5/7,s2,x13/3,pm/b,x2/5,pp/f,s7,x11/3,s10,x2/14,s13,pb/c,x1/11,pe/k,x7/5,pg/b,x14/11,s11,x2/10,s9,x11/7,s5,x5/14,pn/f,x6/7,pa/d,x2/15,s15,x10/6,s10,x9/7,s9,x1/6,ph/g,x9/0,pj/c,x12/1,s3,x8/3,s14,x10/7,s3,x6/14,po/h,x3/12,s9,x13/4,s6,x6/1,s9,x9/7,s2,x2/4,pm/a,x14/10,po/k,x1/8,pm/b,x5/4,pf/i,x14/3,po/n,x15/13,s4,pd/j,x14/12,po/f,x0/6,s5,x2/7,s7,x5/13,s4,x9/8,s2,x12/0,s9,x9/10,pa/l,x5/0,pe/j,x15/11,s9,x14/10,pl/k,x3/6,s11,pa/n,x0/2,s15,pb/f,s2,x7/1,pn/j,x11/10,s6,x5/14,s10,x11/12,s10,x4/15,s3,x0/12,s1,x3/1,s13,x8/13,pi/l,s8,x14/3,pp/j,x9/11,pi/a,x15/12,pl/h,x0/4,s1,x13/6,pm/k,x10/7,pj/e,x0/11,pp/m,x12/15,s4,x9/7,po/i,x8/6,s4,x0/15,pd/g,x2/7,pf/p,x3/5,pj/n,x9/7,s3,x4/5,s12,x1/10,pk/m,x8/5,s9,x4/13,s10,x15/11,pc/i,x3/8,s2,x12/1,pp/m,x10/8,s13,x5/0,pk/o,x9/6,s8,x3/4,s13,x5/0,s7,pf/d,x2/12,pm/e,s13,x0/9,pb/k,x8/6,pd/l,s12,x10/7,pe/k,x15/8,s6,x9/7,ph/f,x6/3,pe/m,x7/15,pg/j,x5/14,pa/k,x0/11,s1,x10/8,pd/h,x4/5,s2,x10/8,pp/j,x9/4,s6,x7/0,s11,x4/8,s3,x11/14,pm/i,x3/10,pp/j,x0/2,ph/c,x8/3,pg/m,x6/7,s1,x2/10,s12,x9/7,s6,x11/2,s5,x0/5,s5,x14/6,pp/b,x8/2,pl/g,x7/3,pj/b,x1/11,s3,x12/14,pg/o,x1/9,pn/i,x3/4,pp/o,x10/1,s13,x15/5,pa/d,x4/11,po/p,x5/3,s11,x15/10,s12,x5/11,pe/l,x8/3,pg/n,x0/2,s12,x7/4,s14,x14/3,pc/o,x0/15,pb/a,x13/10,ph/g,x11/15,pm/b,x7/4,pn/d,s6,x12/11,s14,x1/4,pb/a,x5/3,pj/l,x2/9,s7,x1/15,s6,x5/6,pm/d,x3/7,s15,x6/10,pf/e,s7,x15/4,s12,x5/2,s12,x12/10,ph/b,x4/13,pk/j,x7/8,pm/a,x13/1,s10,pn/d,x3/12,ph/g,x4/1,po/j,x0/13,s10,x10/2,pe/m,x7/13,pi/d,x12/14,pa/g,s12,x15/4,s8,x5/6,s15,x14/3,pc/j,x0/4,s11,x5/14,pb/n,x12/15,po/h,x2/4,s11,x8/0,pk/p,s7,pa/l,x5/2,po/b,x13/12,s4,x15/1,s7,x6/9,s15,x10/2,pp/f,x0/13,pg/l,x12/6,s11,x0/7,s3,x6/12,pb/n,x3/4,s7,x10/13,s1,x2/11,s1,x7/14,pa/k,x10/3,s3,x7/0,pi/e,x9/13,pa/n,x4/1,s14,x2/13,s14,x1/4,pg/b,x6/3,s14,x5/12,s13,x4/1,s7,pj/h,x9/12,s3,x11/6,s11,x15/12,s3,x11/4,pi/g,x7/6,s14,x8/15,ph/b,x6/12,pp/n,x15/2,pm/c,x4/3,pd/i,x13/7,s5,x11/8,pk/c,s1,x9/10,pd/g,x7/0,s10,x15/3,s3,x14/11,pi/j,x9/3,po/g,x5/6,pk/l,x15/10,pn/b,x0/4,s2,x10/3,s4,x2/9,pf/h,x3/15,pp/e,x13/10,pl/f,x3/7,s7,x8/1,pe/p,x12/2,pn/h,x11/8,pd/j,x4/2,pp/h,x0/6,pk/b,x9/13,pn/g,x12/3,pj/a,x13/15,pb/m,x12/6,pl/a,x7/0,s8,x13/6,s6,x14/9,s13,x7/6,pi/g,x13/9,s10,x12/2,pb/d,x4/7,pf/h,x5/10,pd/a,s1,x13/8,s12,x6/11,s12,x4/1,pb/e,x11/9,pc/d,x8/13,s2,x4/9,s10,x0/13,s2,x5/14,pn/o,x9/13,s12,x5/3,s15,x12/1,s5,pc/k,x0/3,s12,x4/10,s7,pb/n,s2,x6/3,s9,x5/15,pc/l,x9/12,pk/o,x11/8,pl/h,x7/6,s6,x2/12,s9,x8/11,pb/m,x9/12,s11,x11/2,pf/d,x10/6,s4,x8/0,s11,x10/6,s7,x14/2,pc/m,x13/9,pk/l,x4/8,pi/f,x0/5,s12,pa/e,x7/15,s6,x9/2,s9,x14/4,pp/i,x8/12,pf/l,x4/3,pe/k,s13,x15/1,s13,x0/11,s7,x14/6,pi/j,x15/10,s4,x11/1,s15,x12/15,s14,pl/p,x7/8,s8,x13/1,s12,x15/4,s5,pa/n,x1/13,s12,x6/2,s4,x10/14,pj/f,x12/3,pb/h,s8,x5/9,pd/i,x1/10,s6,x14/2,pg/k,x15/5,s1,x12/11,pj/e,x6/0,s6,x11/2,ph/m,x5/13,s5,x0/10,s13,x8/6,pd/e,x9/1,s15,x2/5,s14,pc/g,x7/6,s7,pk/e,x14/13,pi/n,x2/9,pb/a,x13/0,s1,x15/14,pf/m,x2/6,pd/c,x12/9,pk/m,s3,pi/f,x11/14,pg/m,x6/2,pj/c,x13/3,s1,x1/0,s9,x10/12,s7,x8/2,pi/k,s13,x12/5,s4,x2/1,s12,x3/9,po/h,x6/5,s8,x1/8,pk/e,x12/2,pi/o,x9/11,pp/e,x12/1,s15,x7/3,po/k,x1/10,s15,x5/9,pl/h,x11/7,pe/f,x4/0,s5,x8/6,pg/n,x3/15,pl/d,x0/5,pf/c,x9/11,s13,x4/15,pd/a,x1/0,s8,x10/11,s12,x14/7,s11,x4/15,s4,x6/5,s5,x8/15,s5,x9/1,pk/i,x12/14,pp/h,x13/5,s9,x6/10,s7,x1/0,pj/d,s8,x4/6,s1,x2/8,pf/b,s2,x4/6,s14,x3/10,pn/c,x13/12,s14,x0/5,s6,x1/9,pm/l,x3/2,pc/n,x5/1,s7,x3/12,s10,po/d,s1,x11/2,s1,x4/3,s15,x0/9,s5,x4/7,pj/k,s8,x6/2,s5,x3/4,s8,x0/11,pi/p,x6/10,pe/h,s5,x12/3,s15,x1/9,s11,x7/5,s14,x2/9,s5,x1/12,s1,x7/14,s14,x8/12,pd/k,x15/9,s11,x8/10,pn/e,x14/1,s10,x2/5,pg/i,x0/11,s1,x7/4,pb/m,x3/14,pe/o,x7/6,pi/p,x8/10,s5,x5/15,pd/m,x7/12,s11,x14/8,s5,x11/2,pg/h,x12/10,pc/m,x9/14,s6,x10/6,pp/b,x0/2,s5,x4/8,pj/i,x9/10,pg/p,s15,x7/2,s8,x11/14,s4,x8/4,pm/b,x3/14,s9,x9/6,s12,x4/7,s4,x3/2,pg/o,x9/11,pm/h,x15/0,pi/j,s6,x4/2,s5,x0/10,s11,x6/15,pg/m,s15,x11/5,s4,x4/3,s2,x0/11,s1,x15/6,pj/b,x12/8,pg/f,x15/11,s11,x2/0,pl/c,x9/5,s5,x7/2,s5,x0/4,pn/f,s1,x9/5,s10,x3/15,pm/l,s6,x2/14,pj/p,x11/3,s1,x13/8,s5,x14/15,s5,x3/13,pg/m,s7,x9/8,pa/f,x2/13,s11,x9/15,s3,x4/10,s10,x11/0,pg/m,x6/4,s8,x0/2,s1,x9/3,s5,x7/12,po/b,x2/5,pk/p,x15/11,pb/e,s11,x2/13,pd/h,x0/6,pn/f,x3/15,s7,x10/7,pg/l,x15/9,pn/j,s9,x2/7,s8,x11/3,s7,x13/5,pc/h,x8/12,s13,x6/7,pm/b,x0/5,s9,x1/8,s2,x5/6,s5,x0/9,s11,x12/13,s5,x7/0,pi/c,x8/15,s6,x11/3,s5,x9/15,s6,x5/6,po/d,x9/0,pn/j,x12/10,s7,x1/11,pm/d,x9/6,s6,x15/11,po/a,x9/1,pf/b,x2/12,s10,x5/6,pa/k,x1/13,s2,x7/6,pc/i,x10/8,s2,x0/1,s7,x5/11,s7,x0/9,s10,x3/12,s8,x13/6,s7,x0/1,s11,x2/15,s10,x9/4,pe/h,s3,x3/6,pk/n,x1/5,s15,x15/8,s13,x4/9,s15,x0/12,s6,x8/13,s2,x15/9,s12,x5/0,s14,x12/10,pj/p,x15/7,pg/o,x1/2,s15,x12/15,s6,x5/8,s2,x3/6,pj/f,s9,pl/d,x15/8,pm/o,s5,x10/4,s14,x0/12,ph/p,s5,x7/9,s10,x2/13,pi/l,x1/4,s6,x13/8,s9,pa/c,x9/14,pg/i,x2/8,pp/d,s12,x3/11,pa/i,x9/13,s15,x11/10,s6,x3/6,s14,x12/15,pg/h,x10/9,s1,x4/0,s9,pa/e,x1/3,s2,x12/2,po/j,x6/5,s9,x0/3,pd/b,x13/12,ph/e,x4/15,pa/n,x10/13,pf/g,x6/3,pj/o,x15/7,s15,x2/8,s3,x9/6,s1,x1/11,s3,x0/14,pf/d,x8/2,s15,x6/13,pe/c,x3/9,s11,x2/13,s10,pi/n,x7/6,pg/e,x9/10,s3,x4/7,s2,x3/5,ph/i,x11/14,s13,x15/6,s10,x2/1,s10,x4/11,s10,x0/9,pf/p,x5/3,pi/h,x10/9,s9,x13/12,s1,x1/3,s9,x4/15,s13,x5/8,pg/e,x4/7,s2,x10/8,s15,x14/12,s13,x10/2,pm/l,x9/5,s12,x2/6,s9,x9/1,s4,x15/7,s2,x9/8,pa/g,s11,x10/3,pc/e,s11,x13/14,s15,x9/7,s6,x10/0,pi/d,x4/12,pk/o,x15/2,pg/e,x6/0,s9,x10/2,s14,x12/14,s3,x6/7,s13,x12/15,s6,x3/13,s4,x8/5,pd/b,x10/4,pp/i,x12/11,s15,x5/14,ph/a,x4/9,s15,x6/15,s3,x13/3,pk/p,x9/7,pb/o,s6,x14/10,pc/g,x11/2,s15,pe/d,x4/15,s5,x12/10,pj/k,x8/2,s2,pa/m,x9/3,pf/e,x5/8,pg/i,x14/6,s9,x15/11,s3,x5/1,s9,x13/14,pp/a,x15/10,s4,x2/0,s7,x14/5,s14,x9/4,pj/m,x2/15,s13,x7/1,pc/e,x10/0,pm/h,x11/6,s13,x4/10,pp/d,s13,x7/9,s3,pe/c,x8/15,pl/j,x1/13,s7,x0/14,s5,x11/7,s1,x14/12,pp/c,x10/1,s9,x6/7,pf/h,x1/12,pj/e,x14/10,pl/b,x7/3,s6,x14/10,s13,x4/13,pn/d,x10/7,pk/o,x6/12,s6,x3/7,pn/m,x14/0,s12,x10/1,pp/i,x11/15,s5,x6/12,s3,x8/3,pn/c,s6,x10/4,pe/b,x6/0,pg/n,x13/12,s11,x5/7,pl/b,x3/4,s8,x6/9,s15,x2/12,s10,x14/8,pa/n,s4,pk/o,x15/6,pi/f,s10,x9/5,s11,x7/10,po/c,s8,x0/8,s3,x1/11,pd/h,x13/14,pe/a,s13,x1/11,s10,x0/7,s1,x9/15,s13,x3/2,s8,po/h,x11/10,s9,pk/n,x1/13,s11,pd/l,s13,x3/7,s4,x0/6,pn/m,s1,x2/1,pi/g,x7/0,pk/a,x10/2,po/c,x6/9,pi/d,x3/10,s2,x11/7,s10,x14/2,s4,x11/1,s15,x9/14,s3,x12/13,s6,x6/14,pb/n,x8/15,po/p,x10/13,s12,x1/14,s4,x9/3,pk/g,x6/13,pa/d,x3/4,pn/e,x6/7,s15,x1/10,s13,x9/5,s7,x11/14,s6,x0/13,s1,x3/15,pa/g,x13/4,s8,x6/3,s14,x13/8,s15,x9/4,s3,x13/15,s5,x7/5,pj/f,x13/11,pa/b,x12/4,po/j,x11/13,s11,x4/3,pp/h,x7/9,pa/b,s3,x14/10,s3,pk/d,x0/6,s11,x12/8,s15,x0/6,s14,x2/14,pf/h,s9,x6/5,pc/n,x11/15,pa/g,x9/5,po/b,x15/1,pj/k,x10/3,s5,x12/13,pb/e,x14/15,s10,x11/3,ph/j,s11,pc/l,x2/15,s4,x9/13,s14,x1/0,s1,x3/2,s14,x6/7,s8,x15/12,s5,ph/p,x11/5,pm/n,x14/0,pj/k,x2/7,s5,pp/l,x10/5,pf/g,x13/15,s5,x5/11,s3,x12/9,s5,x2/0,s9,x7/4,pj/k,s6,x2/12,s2,pm/n,x4/13,pd/f,x11/10,pi/k,x7/6,ph/o,x13/9,s2,x8/4,pp/c,s13,x11/14,s15,pj/n,x10/1,pb/h,s10,x0/13,s8,x15/1,s2,x4/9,s14,x11/12,s8,x6/4,pc/l,x12/3,s3,x7/9,s5,x10/6,pd/a,x4/9,s9,x14/15,pi/b,x8/10,s9,x0/13,pk/f,x12/11,pj/d,x5/15,s12,x9/0,pn/c,x7/2,s15,x10/15,pm/d,s5,x1/5,pn/e,x13/14,pb/l,x15/6,po/i,x9/11,pj/b,x6/14,pl/n,x0/8,s3,x5/13,s8,x8/0,s7,x10/3,s3,x5/0,s2,pe/c,x11/10,s2,x14/8,s1,x5/15,s7,x11/10,s8,x3/1,s10,x14/5,s5,x10/0,s8,x1/5,s8,x2/15,s14,x14/0,pn/g,x8/5,s3,x14/9,ph/l,x1/15,s8,pi/g,x7/14,pl/b,s7,x11/12,pn/k,x5/7,s8,x1/8,s2,x6/9,s7,x12/14,pj/e,x15/13,pl/i,x3/2,s10,x7/13,pe/h,s11,x8/11,pc/i,s4,x7/4,po/k,x6/11,ph/f,x15/1,s8,x4/6,s2,x12/3,s12,pj/g,x8/6,s2,x2/13,pc/i,x15/1,pl/n,x6/2,s13,x0/10,s12,x1/5,s8,ph/j,x7/12,pp/a,x6/15,s9,x1/2,s1,x10/9,s5,ph/c,x15/8,s4,x6/10,pe/a,x12/9,s12,x0/1,s8,x12/14,pn/o,s12,x9/1,s7,pf/p,x11/4,s15,x7/3,s2,x15/12,s6,x0/2,s3,x3/14,pb/i,x1/2,pd/c,x4/7,s1,x5/3,pk/o,s3,x11/1,s13,x6/13,s1,x2/10,s5,x5/4,pj/p,x1/0,pn/i,x5/15,s2,x12/6,s12,x9/0,s7,x3/5,s2,x10/9,s6,x4/7,pm/o,x14/3,s8,x15/0,pk/p,x3/5,pf/n,x4/1,s8,x7/9,s1,x13/3,s6,x7/6,ph/i,x1/0,s7,x3/13,pa/o,x9/0,pm/p,s13,pn/j,x14/2,s8,x7/13,s15,x10/1,s2,x3/8,pc/k,s5,x1/7,s15,x15/11,pl/h,x6/0,pi/g,x9/11,pa/l,x3/0,pf/b,x15/2,pe/i,x13/0,pd/k,s1,x1/12,s13,x9/0,s6,x11/7,s12,x2/6,ph/j,x12/3,pg/l,x1/13,s14,x8/10,pb/o,x3/6,s10,x2/10,s14,x6/1,pf/m,x9/13,pc/n,x1/3,s12,x6/12,pi/l,s13,x15/10,s10,pm/a,x14/13,s2,x15/0,s6,x1/4,po/k,x13/14,pl/a,x15/8,s6,pe/g,x1/6,s14,x12/13,ph/l,s12,pg/m,x1/15,po/i,s6,x8/5,s5,x15/13,pm/g,x4/8,s7,x9/7,pj/n,s8,pb/i,x12/4,ph/a,x14/7,pb/e,x4/3,s15,x6/13,pc/k,x0/8,s6,x9/13,pf/p,x1/7,s10,x10/6,s13,x2/1,pj/i,s14,x10/3,s14,x7/15,s11,x10/1,s14,x2/7,s2,x14/9,pf/b,x0/11,s12,x6/5,s8,x10/4,s4,x0/14,s3,pa/l,x8/10,ph/f,x6/5,pd/p,x7/11,pn/h,x9/10,s2,x15/1,pf/k,x13/11,ph/l,s2,x6/3,s4,x15/9,po/n,x0/8,s6,x4/1,pc/k,x8/2,s13,x11/12,s13,x0/14,pl/i,x4/5,s5,x9/6,s3,x7/15,s10,x12/11,s15,x15/5,s1,pj/a,x12/8,pl/f,x2/5,pe/g,x4/7,pk/o,x1/11,s1,x8/3,pc/f,x0/15,pj/i,x10/13,pn/d,x1/12,s4,x4/3,pf/a,x0/6,pj/i,x3/11,s10,x8/9,s5,pc/a,x3/0,s13,x5/12,s6,x13/14,s4,x7/15,pn/g,x4/5,pc/d,s6,x13/12,s7,x15/1,s11,x14/6,pf/l,x2/7,s10,pk/p,x4/14,pa/c,x5/2,s11,x1/10,s5,x2/7,s8,x10/1,s3,x12/6,pf/e,x8/10,pd/c,x13/3,pg/f,x10/11,pa/c,x0/15,s6,x11/2,s1,pm/j,x7/13,s2,x8/4,pg/a,x11/10,pe/d,x4/6,s3,x12/7,s11,x2/13,s10,x9/11,s8,x15/6,ph/j,x13/4,pm/i,x8/1,s13,pp/b,x4/7,s14,x12/15,s6,x2/13,pd/j,x0/11,s4,x7/5,pp/n,x6/2,s4,x5/1,s14,x4/11,s2,pg/e,x5/0,pm/c,s8,pj/i,x4/2,pb/l,x0/11,pp/f,x9/8,pb/h,x11/15,s4,x5/3,s15,x11/12,s12,x14/9,pn/p,x0/11,s7,x12/8,s7,pj/d,x4/6,s9,x10/8,s8,x7/4,po/i,x13/1,pg/p,x6/2,pk/n,x3/0,s7,x10/6,pd/b,x13/8,s15,x3/12,pf/p,x9/15,s5,x10/3,pc/o,x7/2,pn/p,x0/9,pa/j,x1/15,s5,x12/0,s9,x1/3,s10,pn/p,s15,x2/13,s4,pa/i,x3/7,pm/e,x5/14,s11,x0/3,s6,x11/8,s4,x1/13,s4,x2/12,s10,x15/6,s6,x10/11,s15,x12/5,pg/h,x7/6,pi/k,x10/2,pm/l,x7/5,s10,x13/2,s2,x6/7,pa/d,x0/12,s11,pm/e,x3/13,pc/j,x5/1,pe/b,s4,x6/14,s2,x10/8,s13,x6/4,s1,x0/7,ph/j,x5/10,s2,x1/3,s11,x15/9,pk/l,s6,x2/8,s15,x6/14,s12,x4/5,s13,x11/9,pc/f,x15/12,pj/e,x3/5,s14,x6/15,pg/p,x12/4,ph/e,x5/1,po/b,x8/9,pk/l,x6/14,pn/e,x11/4,pk/g,x5/2,s11,x9/11,s4,x3/7,s15,x13/14,pf/c,x4/8,s14,x13/10,s13,x1/2,pd/a,x0/3,s12,x5/2,pi/b,x0/13,pj/c,x9/10,s9,x6/15,ph/n,x7/4,s11,x8/3,s3,x2/0,s6,x10/14,s3,x0/6,s8,x12/7,s10,x14/8,s9,pp/c,x6/10,s3,x1/13,pm/e,x11/6,s9,x1/12,pd/f,s1,po/b,x15/8,s6,x7/9,pd/m,x4/13,s3,x10/2,s14,x13/3,s13,x14/1,s3,x15/13,s3,pn/p,x11/1,s12,x10/14,pl/k,x8/13,s12,pp/e,x9/4,pf/j,x1/14,s5,x10/15,s10,x9/12,s11,x5/1,pk/p,s5,x10/3,pn/i,x14/13,pk/h,x0/10,s11,x7/4,pp/b,x13/11,s4,x3/15,s6,ph/g,x7/0,pc/m,x8/10,s12,x13/0,s1,x9/11,pd/j,x15/5,s6,pp/b,x7/6,pk/e,x13/10,pc/o,x6/8,pe/g,s3,pc/l,x15/14,s2,x12/10,s15,x4/5,pn/b,x13/11,s15,x10/8,s4,x5/13,s4,x8/2,s4,x4/11,s11,x0/2,s7,x1/12,s7,x2/6,pi/f,s6,x8/13,s5,pg/m,x2/4,s1,x10/15,s6,x9/2,s7,pd/k,x11/14,s15,x15/9,pa/j,x11/0,s11,x13/14,s14,x0/9,s4,x10/12,s3,x4/7,s1,x14/5,s7,x8/15,s2,pd/h,x5/11,s13,x8/1,s12,x11/12,s11,pb/f,x13/4,s12,pa/d,x2/14,s8,x5/7,pf/b,s8,x2/1,s2,x15/12,s10,pi/g,s13,x9/14,s11,x2/0,pp/m,x10/4,pl/o,x5/0,s7,x3/6,pd/f,x7/8,s8,x15/14,s13,x9/2,s11,x8/13,s5,x5/10,s15,x1/8,s9,x3/10,s14,x9/4,pe/p,x8/0,s2,x5/2,pd/i,s15,x8/14,s13,x0/12,s12,x13/15,s15,x12/2,s14,x3/8,pe/c,x7/4,s13,x11/6,ph/k,x2/7,s4,x6/15,pp/e,x14/2,s14,x1/10,s13,x14/15,s1,x0/13,s13,x8/9,pl/g,x1/6,pp/a,x15/12,s3,x13/4,pf/o,x11/9,s7,x15/3,pa/p,x4/6,pb/k,x7/3,s1,x11/12,s11,x8/5,s2,x11/7,s13,x13/3,po/d,x10/15,pm/l,x7/8,pj/g,x2/15,s4,x13/7,po/k,x4/0,s1,x14/2,pe/j,x3/11,s14,x5/1,s1,x10/9,s15,x14/6,pa/d,x10/0,s10,x9/14,pl/k,x8/10,s14,x3/1,s5,x6/15,s7,x13/2,s1,x10/12,s12,x9/5,po/j,x1/10,ph/f,s15,x2/13,pi/b,x10/12,pa/e,x1/0,pn/m,x6/12,s15,x5/13,s8,x11/12,pl/f,x8/0,ph/a,x14/11,s2,x8/4,s6,x15/3,s13,x13/7,s9,x5/4,s10,x0/14,s10,x4/9,s3,x11/2,pj/d,x15/14,s3,x4/5,s2,x1/3,s2,x10/0,pp/i,x11/2,s13,x10/14,pm/f,x11/7,pl/o,x4/5,pm/c,x14/12,s4,x11/10,pg/o,x8/4,pe/i,x13/10,s15,x6/11,pk/h,s4,x8/13,s14,x4/0,s3,x11/5,s2,x4/8,s8,x2/3,s10,x12/11,s6,x13/7,pl/i,x0/2,pd/a,x15/11,s10,x10/12,s8,x5/1,pn/j,x12/2,s2,x5/6,pb/l,x2/12,pa/n,x15/9,ph/e,x0/6,s15,x15/2,pj/b,x10/12,s11,x5/13,s4,x12/1,s15,x8/13,s8,x6/15,s9,x0/2,s11,x9/8,pl/a,x15/14,pi/o,x2/13,pe/p,s1,x15/9,s14,x1/8,s3,x7/9,s14,x4/12,s2,x14/15,s4,x6/8,s10,x9/14,pl/a,x12/10,s7,x4/13,s10,pe/n,x1/14,s5,pj/o,x15/6,s11,x8/5,s4,x14/3,s3,x0/15,pg/p,x1/6,s1,x9/11,po/l,x8/14,pf/e,x4/11,s6,x5/14,pc/d,x7/12,s3,x1/8,po/p,x6/12,pi/b,x15/5,pl/f,x8/0,pe/c,s7,x15/1,s14,pf/m,x5/9,s11,x4/11,s8,x13/3,s9,x10/9,s14,x8/2,pd/e,x12/6,s3,x7/4,s6,pc/a,x14/10,s5,x2/6,s9,x13/11,s10,x8/4,s3,x15/2,s14,x12/6,ph/n,x10/11,s14,x1/14,pj/g,x8/0,pp/f,s2,x9/11,pd/e,s4,x6/10,s10,x5/9,s12,x7/6,pa/f,s8,x3/8,pm/k,x13/6,s9,x10/11,s3,x5/12,pc/h,x13/3,pb/p,x1/12,s15,x6/14,s15,x5/15,s1,x14/13,s10,x15/4,s1,x2/10,s7,x15/5,s2,po/d,x14/0,s14,x8/13,s15,x14/0,s14,x9/13,pi/l,s3,x12/5,po/a,x7/13,pp/m,x9/2,s10,x1/10,pk/b,x7/0,s6,x1/5,pi/l,x2/11,pm/p,x1/7,s7,x5/2,po/k,x7/0,pf/b,x8/4,pl/m,x14/13,pf/i,x7/2,s15,x13/5,s15,x9/12,s14,x10/1,s12,pj/l,x5/14,s2,x9/3,s6,pd/c,x0/5,s11,x14/12,pl/o,x11/13,s9,x15/0,pd/h,x1/6,po/j,x13/8,s4,x9/10,pk/e,x0/3,pa/l,s8,x13/14,s9,x2/5,pe/p,s1,x11/8,s5,x6/10,pf/l,s11,x12/5,s14,pc/n,x0/6,s1,x10/8,s14,x14/4,s5,pa/m,x12/0,pj/h,x15/2,s9,x8/1,s4,x2/3,po/b,s1,x13/6,ph/d,x10/7,s9,x12/9,pe/j,x5/15,pk/p,x14/3,pf/a,x6/4,pc/g,x0/9,s13,x8/12,s12,x10/9,s9,x14/7,s14,x2/8,pj/k,x4/6,pf/e,s13,pp/b,x14/3,s9,x2/5,pi/e,x9/10,s13,x8/2,s4,pp/m,x4/12,s4,x11/8,s2,x10/6,pg/a,x15/7,pl/j,x11/8,s11,x10/14,s1,x1/5,pf/o,x0/13,s1,x11/3,pm/b,x1/15,pg/o,x14/4,s13,x12/13,s3,x2/10,s15,x1/6,s5,x7/12,s2,x6/4,pd/j,x11/13,po/n,x0/7,s9,x15/3,s11,x0/6,pc/m,x7/15,s3,x6/2,s12,x9/3,pb/f,x5/6,s11,x10/13,pd/a,s7,x4/8,s11,pp/n,x6/12,pk/l,x7/9,s10,x6/1,pg/e,x5/7,s5,x8/14,s1,x3/10,s12,x13/15,pc/p,x7/8,pk/e,x6/13,pn/o,x15/14,s14,x4/6,s1,x7/1,pc/m,x8/5,pl/p,x1/10,pd/m,x14/5,s6,x9/10,s12,x14/15,pc/b,x3/9,pf/h,s15,x0/12,pa/l,x15/4,s11,x0/6,pb/i,x10/1,s11,x3/2,s14,x5/4,s4,x3/15,s5,x0/11,pp/m,x4/1,pi/c,x0/3,pa/n,x10/5,pp/o,x12/13,s6,pi/g,x8/9,pj/f,x6/11,s11,x9/14,s13,x13/4,s15,x8/6,s15,x12/9,s6,ph/d,x5/7,pa/e,x2/1,pc/j,x9/8,s1,x7/13,s14,x11/14,s2,ph/k,x12/9,pb/i,x13/14,s15,x12/0,s9,x15/11,pc/p,x14/4,pi/k,x1/6,s11,x3/0,pa/j,x2/8,s1,pe/k,x11/0,pc/f,s7,x1/9,s6,x3/0,s12,x4/6,s12,x2/13,s13,pm/l,x1/12,s13,x4/2,pd/k,x5/11,s15,pb/e,s4,x13/4,s12,x0/5,pf/k,x6/12,s13,x13/15,pj/a,x2/14,s6,x4/1,pi/c,s1,x14/13,pm/e,x4/2,pn/g,x6/5,s15,x13/1,pj/c,x5/10,s2,pf/o,x12/13,s9,x10/0,pp/h,x14/15,pf/e,x11/0,s2,x6/10,s13,x7/13,s5,x10/6,s1,x1/12,s1,x0/11,s4,x8/3,pi/a,s9,x12/15,s9,x8/4,s13,x7/2,s13,x11/10,s1,pe/j,s2,x12/13,s11,x3/5,s3,x6/9,s4,x10/7,s10,x4/5,s2,x12/15,s3,x5/4,po/d,x15/14,s2,x13/10,pf/i,s11,x15/4,s11,x1/11,s8,x9/4,s1,pn/a,x15/10,s8,x1/8,pg/c,x11/12,s12,x8/2,s9,pi/n,x10/5,s11,pd/a,x6/9,s4,x10/3,s13,x12/14,s7,x8/7,s15,x15/14,s15,x9/13,s2,x6/3,s9,x7/0,s12,x14/12,s13,x1/9,pl/m,s5,x7/3,pn/o,x13/10,pa/p,x14/4,s3,x7/13,s6,x12/6,s3,x7/5,s3,x13/2,s5,pb/n,x1/14,po/a,x11/9,s3,x7/8,s12,x15/14,s12,x13/7,pg/m,x3/5,s11,x9/13,s9,x1/8,pl/f,s11,x13/11,pp/m,x9/2,s6,x15/4,s6,x11/2,s11,x3/14,s1,x9/10,s13,x3/14,s12,pa/c,x7/0,pi/h,x2/11,s6,x3/4,pa/o,x11/8,s7,x7/9,s10,x3/0,pe/i,x10/5,po/p,x4/6,pc/m,x0/10,pk/g,x2/7,s1,x14/6,s8,x0/3,s6,x14/12,s14,x3/1,s3,x6/7,s7,x5/10,pl/f,x7/15,s15,x8/9,pe/h,x4/10,pb/o,x13/15,pe/i,x1/4,ph/d,s5,x11/10,s7,x1/7,s4,x11/14,s14,x1/4,s15,x10/6,po/j,x5/2,pg/m,x10/0,pn/h,x11/1,s3,x0/6,pk/c,s2,x3/7,s1,x8/14,s11,x12/3,s14,x2/11,s13,x14/12,pp/d,x4/10,s8,x3/6,s2,x5/0,s9,x8/14,s4,x15/9,pj/a,x2/6,ph/m,x5/15,s4,x8/0,s6,x5/3,s8,x11/13,pg/c,x14/12,s3,x8/13,s8,pb/f,x12/11,s2,x4/5,s14,x1/7,s11,x8/4,s8,x6/2,pg/d,x3/8,s14,pn/b,s10,x11/6,pi/c,s6,x10/15,s6,x6/2,s13,x7/11,pe/d,x15/2,pm/o,x5/9,s5,pk/b,x2/10,s13,x1/0,s5,x12/4,pm/i,x11/0,pn/o,x2/5,ph/d,x3/13,pl/a,x15/0,s2,x6/5,s11,x11/4,s5,po/f,x6/8,pj/e,x5/12,pc/l,x2/1,s8,x12/9,ph/o,x2/11,s13,pg/a,x9/4,pi/c,x1/14,s5,x6/15,pn/a,x7/10,pp/k,x11/12,s5,x15/0,s3,pn/j,x4/6,s4,x3/10,s2,x6/1,pb/h,s6,x3/7,pj/d,x10/0,s5,x11/15,s3,x8/14,pg/k,x10/3,pp/f,s8,x2/12,s9,x3/10,s7,x14/5,s15,x12/3,pa/l,x1/15,s13,x2/12,pk/f,x6/7,pe/l,x1/13,s3,pa/f,x0/7,s10,x14/9,s8,pm/h,x2/12,pp/o,x7/9,s14,x2/5,s10,x8/13,s15,x0/3,pa/n,s8,x13/7,s15,x4/5,s2,x9/15,s11,x8/10,pf/c,x1/12,s9,x0/3,pe/l,x7/14,pk/o,x3/9,s10,x4/12,pf/c,x15/10,s5,x8/14,s6,x4/7,s1,x15/10,s12,x0/1,s11,x8/3,pb/i,x0/12,s3,x7/5,s3,x4/2,pg/a,x9/3,s8,x1/15,s13,pi/n,x8/13,s6,pf/m,x4/15,s5,x1/3,pg/n,x2/5,s8,ph/p,s12,x8/6,pe/n,x2/15,pj/b,x0/14,pp/d,x6/3,s4,x8/2,pg/c,x0/12,pk/o,x14/7,s14,x10/9,s15,x7/8,s5,x5/9,pb/e,x15/3,s8,x7/2,s4,x6/14,s13,x8/11,pl/f,x6/2,s15,x14/7,s3,x1/15,s1,x9/3,pi/e,x7/6,s7,x0/15,s8,x11/14,s2,x15/7,ph/k,s2,x9/1,pi/d,x0/12,po/k,x9/4,pd/l,x8/15,s13,x2/3,s6,x7/9,s11,x0/10,s11,x11/12,s2,x14/5,s15,x12/8,s8,x3/13,pi/o,x2/6,s9,x10/8,s5,x12/5,s13,x2/4,s12,x15/8,pa/h,s11,x0/13,s5,x15/7,s1,x13/5,s10,x1/14,s5,x4/2,s12,x3/9,pm/c,x6/12,ph/o,x10/3,pc/m,x13/12,s11,x3/8,pi/p,x12/15,pe/l,x13/7,s10,x11/4,pm/n,x9/5,po/k,x15/7,s8,x12/3,s12,x13/6,s9,x11/14,pl/m,x13/1,s15,x11/15,s13,pk/o,x0/14,pn/e,x11/13,pp/m,x5/9,s8,x10/12,s15,pf/o,x8/11,s11,x2/7,s5,pd/i,x11/12,s2,x8/2,s3,x7/4,pj/o,x6/13,pb/k,x4/5,s3,x3/12,s4,x5/4,po/f,x0/1,pe/i,x6/15,pl/p,x14/13,pn/i,x5/8,s3,x7/4,pc/g,x1/12,pn/f,x13/9,pl/j,x5/7,s1,x8/2,s7,pp/b,x12/3,s10,pj/l,x9/15,s12,x3/10,pc/a,x14/6,pl/f,x3/0,s12,x9/15,s13,x0/6,s14,ph/o,x11/7,pl/g,x4/8,pd/h,x2/3,s1,x9/14,s6,x2/10,s6,x0/6,s15,x4/15,s2,x8/14,pe/m,x2/11,s9,pn/g,x7/6,po/c,x15/0,pd/e,x12/4,pk/n,x1/11,pf/i,s13,x8/13,pj/c,s9,x7/6,s10,x4/9,pa/l,x14/10,s4,x1/11,s6,x6/9,s8,x0/10,pg/d,x15/2,pf/l,s9,x8/9,s1,x6/11,s12,ph/k,x1/13,s2,x8/9,pj/l,x0/6,pb/p,x9/2,po/a,s9,x0/12,pk/l,x6/2,s3,x5/0,s5,x1/15,s12,x5/0,pn/o,x2/14,pk/f,x9/1,pg/n,x2/4,pe/a,x15/10,po/k,x3/13,pl/g,x4/10,s1,x1/0,s9,x3/9,pm/p,x1/13,s14,x5/14,pj/f,s10,x3/12,s13,pb/p,x10/8,s6,x15/4,s2,x3/10,s14,x13/4,s5,pe/o,x1/11,pj/b,x10/3,s7,x4/8,pn/e,x3/6,pj/h,x14/1,s8,x10/9,pb/o,x15/2,pa/i,x13/6,pl/e,x9/14,pn/o,x8/6,pl/k,x15/5,pi/p,x8/1,s14,x13/3,s8,x8/12,pc/n,x14/11,s4,x12/0,pa/o,x5/11,s5,x6/7,s3,x11/8,pf/e,x3/2,s10,x13/9,pp/j,x6/1,s10,x10/7,s13,x12/13,s6,x1/14,pk/g,x13/7,pf/c,s3,x14/4,pe/b,x6/1,pc/j,s4,x4/15,pi/l,x1/6,s1,x15/7,pn/d,x1/3,pf/a,x7/5,s10,pg/p,x8/9,pk/n,x3/13,ph/l,x14/9,pj/d,x7/13,s12,x15/12,s8,x11/7,pi/c,s1,x14/2,pp/a,x1/5,s3,x9/14,pe/l,x8/2,pp/b,x11/5,pm/c,x0/6,s10,x12/5,s9,pa/i,s9,x13/14,s1,x7/0,s14,x5/12,s8,x11/6,s13,x5/12,s11,pn/b,x9/13,pm/o,x2/6,pc/a,s8,pn/p,x5/15,pb/a,x14/10,s9,x9/5,s2,pd/e,x11/13,s8,x1/3,s3,x5/0,pp/b,x8/2,s12,x9/4,pd/f,x7/0,pm/c,x6/11,s14,x8/13,s2,x7/9,s10,x12/3,s11,x11/8,s6,x15/3,pa/h,x9/14,pd/f,x4/0,s5,x6/14,pg/m,s4,x12/0,pk/p,x15/14,s4,x9/11,pm/a,x10/4,s10,x0/3,s9,x10/14,s10,x13/0,s10,x5/3,ph/n,x11/0,s8,x13/15,s2,x10/7,s8,x4/5,pm/b,s4,x14/13,pk/g,x9/11,pf/o,s6,x7/13,pc/a,x4/3,pb/g,x14/15,pa/p,x13/7,s15,x2/9,s14,x1/15,pf/l,s13,x11/7,pj/o,x1/3,s11,x4/6,s8,x15/3,s4,x7/14,pp/l,x3/8,pf/n,x10/13,s4,x0/15,s4,x4/5,s5,x2/6,pe/j,x13/1,pm/g,x9/6,s6,x3/2,po/b,x8/10,s6,x3/12,pe/c,x5/8,pk/f,x2/13,s1,x15/0,s7,x10/7,s9,x3/8,pp/e,s9,x10/9,pm/h,x5/14,s5,x8/15,s7,x13/2,pk/c,x15/14,po/f,x4/8,pp/g,x11/10,s1,x15/9,s3,x10/7,s13,x9/8,pb/d,x14/11,s1,x2/1,s11,x13/0,s8,x11/15,s5,x14/12,s4,x7/1,s6,x5/10,s3,pj/f,x15/11,pn/h,x8/0,s13,x6/9,s1,x4/5,pj/a,x3/13,pp/i,x5/4,pn/l,s8,x13/3,s10,x12/7,s5,x6/10,s7,x15/0,s7,x14/11,s13,x12/15,s6,x5/6,s1,x13/1,s15,x3/12,s2,x0/7,pk/m,x11/10,s5,x2/3,pp/f,s10,x12/15,s8,x8/1,s2,x3/6,pm/j,s12,x10/1,s1,x2/8,pa/n,x4/10,pi/j,x15/5,s9,x1/14,pf/c,x3/12,s13,x8/13,pb/m,s9,x2/11,s7,x4/14,s2,x12/10,pj/a,s2,x0/14,s15,x13/8,pl/h,x12/15,pi/j,x2/4,s3,x5/7,s7,x6/0,pm/c,x9/12,pp/h,x10/5,pm/i,x15/11,s2,x14/10,s10,x5/6,s13,x1/4,po/h,x5/11,pm/e,x8/6,ph/i,x0/10,s11,x5/8,s14,x6/7,s6,x10/2,pk/m,s13,x3/14,pi/j,x8/2,s5,x3/0,s14,x12/15,pl/p,x6/1,pe/j,s12,x7/2,s8,x11/13,s7,x6/1,s15,pc/f,s8,x4/7,s12,x11/0,pl/n,x15/1,pm/e,x2/9,s14,x8/10,s15,x1/6,s3,x3/10,s14,x2/14,pd/g,x15/0,po/m,s5,x14/8,pa/e,x6/3,s7,x4/5,s13,pm/k,x3/14,s2,x15/12,pb/l,x6/14,s15,ph/e,x1/10,s14,x11/0,s5,x8/1,s3,x5/9,s3,x0/14,s13,x10/6,s12,x1/7,s14,x11/9,pi/f,x2/5,ph/m,x13/7,pn/c,x10/5,pb/h,x8/15,pl/a,x14/13,pn/k,s3,x3/12,s3,x9/15,s6,x13/12,s4,x8/5,s2,x2/10,pd/h,x1/11,po/f,s9,x2/13,pb/g,x7/9,s6,x10/2,s4,x4/9,s2,x12/15,s12,x8/4,po/h,x7/10,s1,x11/1,pf/l,x14/0,po/j,s3,x5/6,s9,x13/0,s8,x15/4,pi/f,x13/3,ph/a,x5/7,s2,x9/4,s11,x0/5,s14,x8/13,pg/p,x0/1,s4,x4/11,s2,x0/2,pd/e,x15/6,s2,x2/0,pa/i,x7/9,s6,x4/1,s1,x14/6,s8,pe/h,s11,x7/15,pi/c,x13/9,pl/a,x4/6,pi/n,x10/5,s10,x14/12,pg/p,x9/11,s2,x7/10,s9,x2/11,ph/c,x1/7,pk/p,x13/4,pm/i,s12,x6/0,s3,x3/8,s3,x1/12,s4,x15/9,s7,x12/1,s8,x7/10,pe/g,x5/12,s8,x7/13,pa/h,x2/15,s7,x4/0,s13,pl/g,x13/10,s2,x11/6,s2,pa/h,x5/2,s6,pp/j,x13/14,s1,x15/4,ph/n,s15,x11/8,s13,pi/f,x12/2,s1,x10/11,pn/j,x14/3,s4,x12/7,s10,x10/5,s8,x9/2,s8,x15/12,pp/e,x2/9,s3,x1/5,s10,x2/15,pf/j,s15,x14/1,s6,x5/15,pd/l,x9/7,s2,x6/5,s14,x0/11,pf/g,x7/10,s13,x6/1,s4,x7/5,s7,x1/9,s4,x15/13,s7,x6/9,pa/c,x1/7,pp/m,x9/15,s13,x11/1,pe/b,x13/4,s3,x1/5,pi/k,x14/3,s12,x0/5,pf/n,x11/2,pm/h,x5/9,pk/c,x3/12,s5,x9/11,ph/p,x6/3,s6,pm/i,s15,x4/7,s11,pn/h,s10,x15/6,pk/c,x4/5,s3,x6/0,pl/h,x4/3,s9,x0/12,s3,x3/7,pk/d,x10/9,s4,x8/7,s2,x13/4,s6,x11/5,s15,x9/2,s5,x1/8,ph/n,s5,x2/0,s10,x9/11,s7,x10/4,pe/c,s8,x9/13,s9,x10/11,pm/i,x1/14,s5,x3/10,s1,x14/15,po/h,x2/4,pg/a,s15,x8/1,pl/e,x7/11,po/d,x8/1,s12,x7/5,s4,x11/15,s11,x5/14,pf/g,x1/11,s5,x9/12,pj/e,x0/8,pk/f,x2/12,pp/h,x8/11,s8,x1/4,s1,x5/0,s11,x10/2,pm/i,x14/3,pn/e,x12/11,ph/f,x7/13,pe/o,x14/5,s1,x15/6,ph/b,x1/0,pa/d,x11/3,pn/h,x10/2,po/e,x12/1,s12,x13/6,pk/p,x12/5,pn/g,x8/10,s1,x6/3,s15,x14/8,s10,x4/10,pm/c,s3,x5/12,pi/o,x0/14,s11,pl/b,x7/4,ph/d,x6/2,s1,x7/10,s2,x0/1,s3,x3/14,pb/k,x4/1,pp/o,s4,x3/2,s14,x12/6,s2,x9/3,pj/l,x10/6,s10,x5/1,s10,x11/15,s3,x6/13,s15,x12/8,s10,x3/15,s15,x13/0,s11,x14/8,s6,x7/2,s11,x9/6,s7,x11/10,pi/d,x3/9,s10,x4/12,s12,x14/6,pg/e,x9/3,pm/n,x10/13,pi/l,x15/12,pa/f,x9/0,s7,x6/8,s3,x13/7,s4,x1/14,s6,x0/5,pn/b,x11/4,s12,x5/9,s13,x8/12,s6,x3/6,pg/l,x9/2,po/c,s11,x11/10,s14,x6/5,s8,x9/2,s14,x1/15,s6,x13/4,pe/d,x8/9,s1,x14/12,pl/b,x6/10,s10,x13/15,po/f,x1/0,pc/a,s7,x12/2,s8,x13/15,s10,x12/0,s14,x9/15,s2,x5/14,pj/i,x11/12,s14,x6/1,pe/n,x3/2,s1,x11/6,s7,x0/10,pa/j,x4/5,s14,x14/15,pl/m,x9/4,s3,x1/14,pn/c,x15/13,s11,x12/2,s11,x6/14,pg/p,x5/11,pj/f,x4/3,ph/m,x9/5,s10,x3/6,pf/l,x11/5,pi/h,s8,pc/k,x14/13,s1,x1/2,pl/e,x10/8,s14,x4/15,s6,x5/6,s11,x9/3,pp/f,x2/7,pd/o,x1/10,pb/c,x12/2,s13,x15/7,s4,x4/9,s9,x2/8,pk/d,x15/1,pn/i,x6/3,pp/c,x7/15,s14,x1/2,pe/b,x11/13,pl/m,x10/14,s13,x5/3,pf/p,x6/2,pk/i,x11/4,s15,x0/6,s11,x1/14,s13,x11/8,pd/o,x0/1,s2,x12/5,s14,x3/14,s12,pj/l,x15/13,s10,x4/9,pp/c,x11/2,s13,x12/9,s13,x14/3,pe/j,x11/8,pc/g,x14/10,s12,x13/15,s2,x3/7,s11,ph/i,x8/11,s15,x9/12,s4,x13/0,pc/a,x4/5,s1,x1/15,s3,x2/10,pl/n,s6,pd/o,x13/12,pj/f,x0/14,s2,x2/10,pk/a,x7/1,s10,x9/10,s8,pb/e,s3,x6/15,s6,x12/14,pm/f,x3/5,s12,x6/11,pn/k,s14,x7/3,s12,x9/4,s8,x10/1,s13,x14/9,s13,x6/5,pm/b,s14,x15/14,s8,x12/2,s9,x8/0,pf/i,x1/3,s2,x5/15,pg/e,x14/0,s15,x4/12,pf/d,x7/10,pk/o,x15/9,pp/l,x7/8,s14,x4/13,s12,x0/7,s10,x12/10,pi/c,s10,x11/9,ph/o,x6/2,pn/j,x4/7,pe/f,x10/11,s4,x14/0,s1,x4/13,s7,x5/11,s9,x1/15,pb/m,x14/7,pi/p,x4/11,pc/o,x1/12,s11,x7/3,s12,x5/0,s12,x15/6,pi/p,x1/9,pf/m,x4/7,s2,x5/12,s7,x1/0,pj/e,x9/8,pf/a,x15/6,s5,x5/4,s10,ph/l,x6/7,s8,x15/12,pc/e,x8/4,s15,x9/13,s5,x0/1,pk/h,s4,x12/6,pj/m,x4/15,s2,x10/12,ph/e,s7,x3/15,s4,x2/4,pn/c,x3/13,pb/p,s1,x0/1,s4,pl/n,x4/11,s5,x15/6,s13,x10/14,s3,x15/1,pj/i,x0/10,s3,pm/a,x9/6,po/f,x2/4,pd/p,s13,x15/7,po/c,x0/6,s8,pp/a,x4/7,s4,x0/12,s4,x2/8,s13,pn/i,s2,x14/0,pc/a,x13/2,s1,x4/3,s13,ph/b,s1,x8/6,s1,x12/7,s9,pa/l,x6/3,s4,x14/13,s14,pd/b,x6/2,pl/j,x0/1,s10,x4/8,s8,x6/9,ph/b,x8/11,s10,x7/14,pc/d,x3/5,s8,x7/9,s5,x8/2,pj/f,x14/0,s3,x5/6,pg/o,x4/1,s13,x9/12,pa/b,x1/10,pe/l,x12/5,pk/p,x2/3,s10,pd/e,x8/0,s15,x13/7,s9,x3/8,s3,x6/10,pp/c,x0/2,pd/n,x15/12,s1,x2/9,s9,x12/11,s15,pf/b,x14/4,pp/n,x0/8,s4,x4/11,ph/j,x3/12,pp/i,x1/7,s1,x9/3,s3,x8/7,s12,pk/m,s15,x14/1,pb/g,x6/2,s12,x0/9,s7,po/a,x4/3,s13,x9/7,s1,x3/11,s14,x10/5,s13,x1/6,s7,x0/7,pi/b,x13/14,po/d,x4/0,s3,x8/15,s14,x2/7,pl/m,x9/14,pd/c,s15,x5/1,s1,x10/2,s9,x3/11,s13,x1/14,pa/b,x6/0,ph/p,x4/9,s1,x7/11,s6,x12/8,pm/c,x4/9,pg/j,x1/12,pk/m,x8/4,s3,ph/a,x15/5,pb/n,x7/6,s5,x13/2,s14,x15/0,s2,x14/11,pf/e,x12/0,pn/j,x10/1,pd/a,x12/13,s12,x0/2,s14,x3/15,s4,pc/p,x7/8,pf/o,x9/13,s3,x1/15,s15,x7/0,s14,x13/1,s8,pk/a,x10/2,pd/m,x0/9,s13,x13/5,s2,pc/k,x9/15,pp/d,x1/10,s6,x3/15,s15,x11/1,s13,x3/4,pn/a,x5/9,pl/o,x11/14,pe/m,s15,x15/3,s7,x12/6,pi/h,x11/5,pd/j,x14/1,ph/l,x10/5,s4,x13/3,pb/m,s9,pk/c,s7,x15/11,pm/d,x13/3,s6,x15/0,s9,x3/10,s1,x4/15,pc/h,x5/14,s14,x8/0,s5,pn/a,x15/6,s7,x13/10,s1,x11/2,s1,x13/8,s15,x7/14,pl/m,x9/0,pb/a,x12/8,s5,x4/15,s14,x9/12,pl/f,s5,x2/13,s4,x0/10,s9,x15/12,s7,x2/7,pe/c,x0/13,pl/h,x3/4,s11,x1/15,s4,x0/3,s7,x13/4,s5,x5/7,pb/n,x4/1,pp/l,x3/2,pg/e,x6/14,s3,x9/8,s7,pd/c,x11/15,s15,x6/8,s2,x9/11,s9,pk/a,s1,x8/2,s9,x1/9,pj/g,x12/5,s10,x10/0,pn/i,x8/3,s7,x0/11,s7,x7/5,pg/b,s10,x14/0,s7,pn/e,x8/2,pj/m,x15/6,s13,x12/11,s8,x0/4,s9,x3/9,s2,x1/4,pk/a,x2/8,s14,x0/15,s5,pj/h,x10/1,s14,x8/2,s10,x4/6,pm/f,s13,pp/j,x3/2,s12,pa/f,s14,x13/12,s1,x15/1,pl/n,x0/12,s12,pa/e,x2/9,s11,x0/11,s5,x12/3,s13,x11/6,pk/b,x13/10,s3,x5/9,ph/g,x15/6,s13,x4/3,s7,x2/8,pl/c,x4/1,pn/m,x7/3,s8,x15/0,s9,x3/4,s10,x0/2,s7,x7/8,s7,pk/h,x0/12,pm/j,x15/7,s10,x9/14,pe/c,x0/15,pp/i,x11/7,s14,x5/3,s15,x2/15,s5,x5/7,s7,x1/12,s9,x8/4,pg/j,x9/2,s10,x12/1,s3,x7/6,ph/d,x13/3,pa/k,x14/7,s14,x13/9,pg/l,x11/12,pa/j,s3,x15/7,pm/o,x3/11,s12,x12/14,s12,x10/3,s7,x1/14,s11,x3/15,pn/e,s13,x7/1,s10,x12/11,s13,pb/j,x1/15,pd/c,s5,x9/14,s2,pp/e,x4/7,s5,x11/3,pn/k,x12/10,pd/o,x8/15,s7,pb/k,x0/9,pg/c,s9,pi/p,x4/5,pn/m,x0/8,s6,x1/4,ph/e,s9,x2/3,s5,x13/7,s8,x11/8,pm/i,x12/15,s2,x14/7,pb/p,x0/9,s6,x11/12,s13,x3/7,s8,x4/0,s8,x7/10,s4,x11/9,po/l,x10/4,s15,x12/3,s2,x10/7,pb/f,x15/3,s11,x0/11,pi/k,s11,x3/10,pf/e,x8/11,pl/a,x12/3,pn/i,x10/11,s10,x8/2,s2,x10/15,s12,x9/12,pb/c,s13,x6/0,pa/n,x14/5,ph/l,x7/8,s15,x11/0,pi/b,x3/10,pd/p,x5/1,pc/i,x15/0,s13,x7/8,s10,x11/3,s12,x12/1,pd/n,x4/14,s2,x7/12,s6,x10/15,s7,x12/2,pk/i,s14,x5/9,pp/f,x12/6,s4,x13/11,s4,x9/15,pg/b,x5/6,s5,x9/10,pm/p,x11/15,pa/b,x0/3,s14,x5/6,s8,x4/8,pk/h,x10/0,pl/m,s12,x3/1,s1,x11/7,pc/a,s1,x3/15,pn/h,x11/1,s8,x12/10,pb/j,x14/9,pi/d,x0/1,s4,x4/5,po/h,x6/11,s8,x8/7,s4,pe/m,s2,x13/12,pk/i,s12,pd/c,x4/8,s13,x0/14,s4,x9/11,s10,x2/12,s6,x10/11,s11,x4/7,pj/n,x8/13,s14,x12/15,s4,x1/0,s12,x4/11,pk/g,s14,x5/15,ph/p,x2/3,s9,x9/8,pc/k,x0/14,s15,x3/12,pj/m,x11/1,s11,x7/8,s9,x15/3,s4,x13/4,pk/l,x11/8,s6,x12/4,s3,x10/14,pp/g,s13,x11/12,s4,x2/5,s1,x7/6,s1,x15/1,s15,x12/14,s7,x6/1,pc/d,x3/14,s11,x7/13,s11,x0/12,pj/e,x7/3,s15,x12/1,pp/c,x15/2,s9,x9/14,pg/j,x3/13,pe/b,x14/5,pf/g,x11/8,s10,x12/14,s6,x0/4,s15,pb/o,s13,x11/7,pk/n,s5,x8/4,s1,x1/9,pe/c,x7/8,s10,x3/15,s9,pb/o,x12/6,s4,x4/10,s9,x12/11,s4,x3/1,pi/f,x4/12,s14,x3/10,s3,x8/14,pe/l,x1/4,s5,x2/13,ph/j,s6,x14/1,pf/e,x15/2,s3,x7/3,s13,pc/m,x10/1,ph/l,x13/4,pc/e,s5,x3/6,s7,x14/4,s6,pp/d,s2,x15/6,pf/a,x9/11,pm/o,s1,x12/6,pa/n,x1/10,s15,pk/l,x3/9,s15,x6/7,pg/p,s13,x14/4,pn/o,s11,x3/6,pl/k,x5/9,s4,x0/4,pa/o,x7/1,s15,x13/8,pc/h,x7/9,s8,x14/0,s14,x2/12,s6,x5/6,pa/n,x13/9,pp/h,x8/14,s2,x13/1,s6,x2/14,s15,x10/3,pm/o,x11/6,s11,x7/2,pl/g,s14,pp/f,x4/3,s7,x1/7,pc/j,x0/14,pm/i,x3/15,s15,x13/7,s5,x6/5,s11,x0/11,s4,pf/n,x12/5,s7,x10/2,pb/k,x0/8,pe/p,x11/6,s5,x3/5,s15,x6/15,s2,pg/f,x0/2,pa/p,x10/12,s4,x1/3,s11,x9/5,pn/m,x3/1,s11,x12/15,s7,x14/1,pd/f,x9/3,s2,x1/4,s15,x9/10,pn/i,s4,x0/14,pe/j,x6/15,pd/g,x0/7,pp/e,x6/4,po/m,s12,x9/0,s7,x10/14,s3,x0/4,s4,x1/3,s14,x9/2,pd/l,x3/1,pp/i,x13/15,s2,x5/4,pg/k,x12/1,pd/f,x3/9,s6,x2/11,s2,x13/7,pi/o,x0/11,s4,x2/8,s8,x12/10,pk/c,x8/6,pf/p,s3,x5/13,pn/b,x0/2,s13,x13/15,s4,x6/14,s9,x4/8,pm/p,x13/1,s5,x14/10,s15,x3/7,s11,x2/13,s6,x14/8,pf/c,s7,x10/7,pd/h,x6/5,s15,x4/0,s10,pa/k,x12/9,s11,x10/13,s15,x14/0,pm/d,x6/7,pa/b,x12/5,s6,x7/6,pj/i,s9,x12/9,pc/m,x6/4,pj/l,x15/10,s13,x1/0,s8,x6/5,pb/n,x11/4,pg/j,s4,x0/12,s8,x1/8,pa/n,x3/9,s3,x7/0,s7,pp/d,s2,pm/o,x12/9,s10,x4/11,pk/h,x6/1,s5,x5/11,s5,x6/7,s4,x9/10,pb/c,x11/5,s5,x13/15,s9,x6/9,pp/a,x4/12,s13,x0/2,s6,x12/1,pd/h,x7/14,s14,x1/15,s8,x0/8,s3,x10/9,s13,x4/13,s15,x5/1,pa/n,x11/7,s8,x5/15,pf/k,x2/12,pj/b,x10/0,s15,x12/9,pc/e,x15/5,s3,x13/4,s4,x2/12,pd/n,x3/4,s12,x9/10,s5,x15/8,s5,x4/5,s9,x8/11,s15,x12/5,pl/m,x7/4,s1,pj/n,x10/3,s12,x7/13,s4,x0/12,pk/c,x2/13,pn/b,x3/9,s3,x11/8,s4,x13/2,s3,x8/3,pi/d,x1/13,pk/f,x7/10,s12,x8/14,s2,x11/9,s2,x15/10,s1,x2/4,s4,x6/9,s8,x2/4,s11,x3/11,s12,pj/o,x9/12,s4,x7/8,s5,x10/11,pi/n,x8/9,ph/c,x5/10,s3,x13/4,s1,x1/8,s15,x4/15,s11,x10/8,s5,x9/11,s6,x3/5,s7,x15/1,pd/m,x12/10,po/c,x1/8,ph/f,s9,x11/12,pe/a,x15/5,s3,x1/2,ph/o,x11/9,pb/c,x5/8,s10,x7/2,s9,x14/9,pm/j,x10/3,s9,x15/12,pa/h,x10/0,s6,pb/e,x4/9,s12,x8/15,s12,x6/0,ph/m,x1/13,pa/c,x15/4,po/g,x7/1,pe/j,s5,x3/0,s7,x6/13,pp/c,x14/15,s14,x4/3,s9,x10/15,s13,x3/6,pg/o,x13/7,s7,x12/15,s15,x7/13,pe/d,x8/11,pg/k,x9/13,pm/l,s15,x5/10,s1,x12/8,pa/o,x4/11,s3,x10/1,s14,pg/n,x5/6,pm/h,x2/13,s5,x5/3,po/p,x1/4,pb/f,x2/10,s6,x7/15,s2,x0/8,s6,pm/d,x2/11,ph/g,x4/9,s2,x6/13,po/e,x9/4,ph/n,x0/3,pe/o,x4/6,s3,pf/h,x13/0,pk/j,x7/14,s6,pc/d,s8,x4/8,s10,x7/0,pa/l,x8/15,s14,x1/2,pi/c,x11/8,s9,pf/d,x7/4,s11,x10/15,pn/e,x13/11,pc/l,s14,x4/12,pf/k,s5,x6/7,pb/e,x5/14,s1,x11/13,pj/n,x10/12,pf/a,x7/4,pc/d,x12/13,s4,x8/9,s15,x15/3,po/e,x9/11,s3,x2/4,pp/l,x14/8,s3,x15/2,pe/j,x7/1,s11,pf/k,x14/6,s10,x8/4,s1,x7/11,pn/g,x14/8,s3,x5/12,ph/m,x3/9,s8,pe/k,x15/6,po/a,s9,x9/7,s13,x11/0,pl/p,x13/2,s13,x12/8,s13,x15/14,pf/o,s15,x4/9,pc/k,x11/5,pj/h,x13/0,pi/d,s9,x9/10,s5,pk/h,s2,x13/12,pc/a,x0/15,s4,x4/9,pi/k,x5/8,s2,x15/11,pe/o,x9/14,s1,x1/8,s5,x13/2,pa/k,x6/4,s1,x9/2,pg/p,s4,x6/7,s1,x13/1,pf/e,x14/12,pd/m,x11/10,s1,x12/6,pl/a,x0/10,s6,x14/2,s14,x7/6,s15,pe/n,x15/0,s12,x11/10,pb/h,x1/9,s2,x12/2,s15,x0/1,s7,x11/14,s3,x5/8,pg/l,x2/9,pj/p,s13,x14/10,s5,x9/2,pi/o,s11,x14/11,s8,x8/15,s14,x12/9,s6,x7/11,pn/d,x0/12,s13,x3/4,s9,x9/14,s9,x2/12,pe/a,x5/13,pk/b,x0/1,pd/e,s13,x8/9,s6,x10/7,s15,x2/8,pm/f,x3/5,s5,x4/2,pn/p,x8/3,s7,x12/7,s11,x0/6,pb/k,x4/7,pm/f,s8,x9/11,s13,x0/1,s4,x7/2,po/b,s9,x10/5,pd/a,x11/14,pj/l,x12/7,ph/c,x8/11,s12,x6/3,s11,x2/1,pi/d,s5,x13/9,pf/p,x1/6,s9,x15/10,pj/i,x7/4,s5,x13/5,s8,x10/14,s5,x12/5,s14,x2/4,s9,x5/12,s12,pb/m,x7/1,s4,pd/c,x9/4,s8,x2/7,s6,x11/1,pn/h,x15/3,s15,x1/12,s14,x5/4,pk/c,x1/7,s10,x15/2,pp/n,x0/3,s9,x5/1,pc/j,x3/7,s13,x10/1,pp/i,x15/13,pe/o,x3/1,s5,x2/4,pj/a,x12/15,pk/f,x4/13,s14,x12/1,pm/g,x13/15,pi/b,x5/2,s3,x11/8,s14,x15/6,s2,pp/k,x2/12,pl/n,x0/7,pk/e,x11/8,s10,x14/7,s10,x10/1,s13,x4/6,s10,x13/1,pf/b,x15/6,s4,x9/8,s11,x0/14,s15,x10/9,pg/k,x0/8,pl/p,x2/4,pg/o,x5/11,s14,x9/8,s2,x13/10,s13,x8/9,s3,x14/7,pk/c,s11,pn/e,x15/5,s4,x0/11,ph/a,x2/6,s10,pp/o,x4/14,s15,x3/1,s8,x7/0,s3,x10/12,pk/f,x14/7,s8,x15/4,pn/i,x9/11,pl/k,x3/5,pb/o,x7/6,s7,x5/2,s3,pi/h,x9/6,s13,po/n,x3/5,s6,x11/9,pm/j,x5/7,s1,x2/1,pc/a,x6/7,s15,x2/8,s8,pb/f,x13/12,pn/g,x3/5,pc/l,x13/4,pg/n,x8/0,pf/i,s3,x9/2,pc/d,x13/14,s3,x12/15,s13,x13/6,pk/b,x7/0,pc/g,s6,x11/4,s7,x3/8,s13,x14/12,pn/j,x8/0,s5,x9/13,s10,x10/7,s12,x8/3,pd/c,x2/10,pk/m,x8/7,pl/c,x9/15,s7,x13/6,pb/j,x2/15,pl/k,x13/7,s9,x12/10,ph/f,s8,x9/5,s2,x2/11,s11,x15/8,pk/o,x9/3,s8,pg/b,x4/7,s3,pm/c,x13/12,s3,x14/8,pf/n,x11/10,s10,x1/0"""
steps = make_steps(real1)
s = dance(steps)
s0 = s.copy()
print('real1', "".join(s))
seen = set()
for i in range(1000000000-1):
s = dance(steps, s)
if i%5==0:
print(i, s, len(seen))
if tuple(s) in seen:
print('circle', i)
break
seen.update((tuple(s),))
s = s0.copy()
n = (1000000000-1)%(i)
print('foo', i, n-1)
for j in range(n):
s = dance(steps, s)
print(j,",", "".join(s))
print('real2', "".join(s))
|
def factorial(n):
# base case should be 0. n=1 is wrong. If testcase contains n=0 => dead.
if n == 0 :
return 1
return n*factorial(n-1)
n = int(input("Enter n : "))
print(factorial(n)) |
#!/usr/bin/python3
"""
Good morning! Here's your coding interview problem for today.
This problem was asked by Google.
An XOR linked list is a more memory efficient doubly linked list. Instead of each node holding next and prev fields, it holds a field named both, which is an XOR of the next node and the previous node. Implement an XOR linked list; it has an add(element) which adds the element to the end, and a get(index) which returns the node at index.
If using a language that has no pointers (such as Python), you can assume you have access to get_pointer and dereference_pointer functions that converts between nodes and memory addresses.
"""
class Node:
def __init__(self):
# eg. 0b1001 ^ 0b0110 = 15
# 0b1001 ^ 0b1001 = 0
self.both = None
def set(self, previous_node=0, next_node=0):
self.both = previous_node ^ next_node # XOR of next node and previous node
class XORLinkedList:
def __init__(self):
pass
def add(self, element):
pass # adds an element to the end of the linkedlist
def get(self, index):
pass # returns the node at the index
n1 = Node()
n2 = Node()
n3 = Node()
# Split into set method so that there isn't Name error undefined if prev and next nodes are in constructor
n1.set(0, n2)
n2.set(n1, n3)
n3.set(n2, 0)
xll = XORLinkedList()
|
x = 344444444
b0,b1,b2,b3 = [c for c in x.to_bytes(4,"big")]
y = b0 << 24 | b1 << 16 | b2 << 8 | b3 << 0
print(b0,b1,b2,b3)
print(y) |
def newlist(size):
list = []
for i in range(size):
list.append(i)
return list
for i in range(5):
n = pow(10, i)
print("%s: list(%s)" % (i+1, n))
x = newlist(n)
|
# Given a binary tree, determine if it is a valid binary search tree (BST).
#
# Assume a BST is defined as follows:
#
# The left subtree of a node contains only nodes with keys less than the node's key.
# The right subtree of a node contains only nodes with keys greater than the node's key.
# Both the left and right subtrees must also be binary search trees
# Definition for a binary tree node.
class TreeNode:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution:
def isValidBST(self, root):
def helper(node, lower, upper):
if not node:
return True
val = node.val
if val <= lower or val >= upper:
print("entered 1")
return False
if not helper(node.right, val, upper):
print("entered 2")
return False
if not helper(node.left, lower, val):
print("entered 3")
return False
return True
return helper(root, float("-inf"), float("inf"))
node = TreeNode(5)
node.left = TreeNode(4)
node.right = TreeNode(7)
node.right.left = TreeNode(6)
node.right.right = TreeNode(8)
print(Solution().isValidBST(node))
|
class salaryError(Exception):
pass
while True:
try:
#salary = int(input("Enter your Salary"))
salary = input("Enter your Salary")
if not salary.isdigit():
raise salaryError()
print(salary)
break
#except ValueError:
except salaryError:
print("Enter a valid Salary amount, try again...")
finally:
print("Releasing all the resources")
|
x, y = 10, 20
def foo():
nonlocal x,\
y
x = 20
y = 10
print(x,y)
foo()
print(x,y) |
#!/usr/bin/env python
vcfs = "$vcf".split(" ")
with open("vcfList.txt", "w") as fh:
for vcf in vcfs:
print(vcf, file=fh)
|
vel = float(input('Qual é a velocidade atual do carro? '))
if vel <= 80:
print('Tenha um bom dia! Dirija com segurança!')
else:
print('Tu ta correndo irmão, ta crazy?')
multa = (vel - 80) * 7 #Pega a visão, a variavel multa recebe a variavel vel - o valor - o numero permitido pelo flinstons * 7
print('Você foi multado e tera de pagar a multa no valor de R${}'.format(multa))
#multa = 7 reais a mais por km ecedente |
def grau(valor,v1,v2):
for i in range(valor):
v1.sort()
v2.sort()
if v1[i] != v2[i]:
return "nao"
return "sim"
def funcao(alf,num,lista,j,grau):
a = lista[1:len(lista)]
if alf in a:
return grau[j]
elif num in a:
return grau[j]
else:
return 0
def repetido(lista):
l = []
c = 0
for i in range(len(lista)):
if lista[i] not in l:
l.append(lista[i])
else:
c += 1
return c
num = input()
num = num.split(' ')
num_grafo = list(map(int, num))
if num_grafo[0] != num_grafo[1]:
print('nao')
else:
mtx1 = [[0 for x in range(num_grafo[0])] for y in range(num_grafo[0])]
mtx2 = [[0 for x in range(num_grafo[1])] for y in range(num_grafo[1])]
vertg1 = []
i = 0
while(i < int(num_grafo[0])):
vert = input()
vertg1.append(vert)
i += 1
vertg2 = []
o = 0
while(o < int(num_grafo[1])):
vert = input()
vertg2.append(vert)
o += 1
vertg1.sort()
vertg2.sort()
grau_g1 = []
for i in range(len(vertg1)):
f = vertg1[i].split(' ')
rep = repetido(f)
if rep == 1:
grau_g1.append(len(f))
else:
grau_g1.append(len(f) - 1)
grau_g2 = []
for i in range(len(vertg2)):
f = vertg2[i].split(' ')
rep = repetido(f)
if rep == 1:
grau_g2.append(len(f))
else:
grau_g2.append(len(f) - 1)
alf = ['a', 'b', 'c', 'd', 'e', 'f', 'g', 'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y', 'z']
num = ['1','2','3','4','5','6','7','8','9','10','11','12','13','14','15','16','17','18','19','20','21','22','23','24','25']
for i in range(num_grafo[0]):
for j in range(num_grafo[0]):
k = funcao(vertg1[j][0],num[j],vertg1[i],j,grau_g1)
mtx1[i][j] = k
for i in range(num_grafo[0]):
for j in range(num_grafo[0]):
k = funcao(vertg2[j][0],num[j],vertg2[i],j,grau_g2)
mtx2[i][j] = k
for i in range(len(mtx1)):
mtx1[i].sort()
for i in range(len(mtx2)):
mtx2[i].sort()
valor = grau(num_grafo[0],grau_g1,grau_g2)
if valor == "nao":
print("nao")
else:
contador = 0
for i in range(len(mtx1)):
if mtx1[i] not in mtx2:
contador += 1
if contador == 0:
print("sim")
else:
print("nao") |
# -*- coding: utf-8 -*-
"""
Copyright 2016 Anthony Shaw
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.
winexe library
winexe is a library, written to ease remote management of windows
machines. Basic Usage:
>>> import winexe
>>> kwargs = {
'user': 'user',
'password':'password',
'host':'10.0.0.1'
}
>>> output = winexe.cmd('ipconfig', **kwargs)
"""
__title__ = 'pywinexe'
__name__ = 'pywinexe'
__version__ = '1.0.2'
__author__ = 'Anthony Shaw'
__license__ = 'Apache 2.0'
__copyright__ = 'Copyright 2016 Anthony Shaw'
|
ano = int(input('Digite qual ano voce deseja saber'))
if ano % 4 == 0:
print(f'O ano de {ano} é bissexto')
else:
print(f'O ano de {ano} não é bissexto') |
def moving_zeroes(arr):
idx = 0
moved = 0
while idx < len(arr) - moved:
if arr[idx] == 0:
arr.pop(idx)
arr.append(0)
moved += 1
else:
idx += 1
return arr
|
"""
Day 6
"""
class LanternSchool:
"""
Implementation of a school of lanternfish.
"""
def __init__(self, start):
self.school = [LanternFish(age) for age in range(9)]
for age in start.split(','):
self.school[int(age)].add_fish(1)
def __next__(self):
reset_count = self.school[0].count
for i in range(1, len(self.school)):
self.school[i - 1].count = self.school[i].count
self.school[8].count = reset_count
self.school[6].add_fish(reset_count)
return self
def __repr__(self):
return ','.join(str(fish.count) for fish in self.school)
def __str__(self):
return ','.join(str(fish.count) for fish in self.school)
def total(self):
return sum(fish.count for fish in self.school)
class LanternFish:
"""
Implementation of a lanternfish.
"""
def __init__(self, age, count=0):
self.age = age
self.count = count
def add_fish(self, count):
self.count += count
return self
def __repr__(self):
return str(self.age)
def __str__(self):
return str(self.age)
def main():
with open("input.txt", "r") as file:
ages = file.read().strip()
fishes = LanternSchool(ages)
for _ in range(256):
next(fishes)
print(fishes.total())
if __name__ == '__main__':
main()
|
""" Una juguetería tiene mucho éxito en dos de sus productos: payasos y muñecas. Suele hacer venta por correo y la
empresa de logística les cobra por peso de cada paquete así que deben calcular el peso de los payasos y muñecas que
saldrán en cada paquete a demanda. Cada payaso pesa 112 g y cada muñeca 75 g. Escribir un programa que lea el número
de payasos y muñecas vendidos en el último pedido y calcule el peso total del paquete que será enviado. """
payasos = int(input("payasos vendidos: "))
muñecas = int(input("muñecas vendidas: "))
peso_paya = 112
peso_mun = 75
peso_total = (peso_paya * payasos) + (peso_mun * muñecas)
print("El peso total es: '{}' de la venta ".format(peso_total)) |
# -*- coding: utf-8 -*-
# ==============================================================================
# SET THE SCREEN SIZE
#
# default values:
# SCREEN_WIDTH = 1000
# SCREEN_SIZE = 600
# ==============================================================================
SCREEN_WIDTH = 1000
SCREEN_HEIGHT = 600
SCREEN_SIZE = (SCREEN_WIDTH, SCREEN_HEIGHT)
# ==============================================================================
# SET THE BLOCK'S COLOR AND THE COUNTER'S COLOR
#
# BLOCK's name is not used, but do not set the same name.
# You can use your customized color (R, G, B) .
#
# default values:
# LOWER_BLOCK = {'Name': 'Lower',
# 'color': BLUE}
# UPPER_BLOCK = {'Name': 'upper',
# 'color': RED}
# COUNT_C = GREEN
# LEVEL_C = GREEN
# ==============================================================================
BLACK = ( 0, 0, 0)
WHITE = (255, 255, 255)
BLUE = ( 0, 0, 255)
GREEN = ( 0, 255, 0)
RED = (255, 0, 0)
LOWER_BLOCK = {'NAME': 'Lower',
'COLOR': BLUE}
UPPER_BLOCK = {'NAME': 'upper',
'COLOR': RED}
COUNT_C = GREEN
LEVEL_C = GREEN
# ==============================================================================
# SET THE LEVEL
#
# B_MIN DISTANCE: the minimum distance between blocks
# 'NAME': the name of the level displayed (DO NOT forget ' at each side.)
# 'MOVE_X': set the movement distance par frame
# 'BLOCK_FREQUENCY': set the block frequency [D, D+U, D+U+None] par frame, where D
# is 'DOWN_BLOCK', U is 'UPPER_BLOCK, and None is 'NOT_APPEAR'
# LEVEL: list of the LEVELs you use this game
# CH_LEVEL: change the level when the counter of passing blocks reaches
# that number ((Change LEVEL(i+1) to LEVEL(i+2) when the counter
# reaches CH_LEVEL[i])) Be sure that CH_LEVEL[i] <= CH_LEVEL[i+1] for
# all i.
# ** You can change the number of the LEVELs. **
#
# default values:
# B_MIN_DISTANCE = 100
# LEVEL1 = {'NAME': 'Level 1',
# 'MOVE_X': -3,
# 'BLOCK_FREQUENCY': [4, 5, 500]}
# LEVEL2 = {'NAME': 'Level 2',
# 'MOVE_X': -5,
# 'BLOCK_FREQUENCY': [4, 5, 500]}
# LEVEL3 = {'NAME': 'Level 3',
# 'MOVE_X': -5,
# 'BLOCK_FREQUENCY': [16, 20, 500]}
# LEVEL4 = {'NAME': 'Level 4',
# 'MOVE_X': -8,
# 'BLOCK_FREQUENCY': [8, 10, 500]}
# LEVEL5 = {'NAME': 'Level 5',
# 'MOVE_X': -8,
# 'BLOCK_FREQUENCY': [16, 20, 500]}
# LEVEL = [LEVEL1, LEVEL2, LEVEL3, LEVEL4, LEVEL5]
# CH_LEVEL = [10, 30, 50, 80]
# ==============================================================================
B_MIN_DISTANCE = 100
LEVEL1 = {'NAME': 'Level 1',
'MOVE_X': -3,
'BLOCK_FREQUENCY': [4, 5, 500]}
LEVEL2 = {'NAME': 'Level 2',
'MOVE_X': -5,
'BLOCK_FREQUENCY': [4, 5, 500]}
LEVEL3 = {'NAME': 'Level 3',
'MOVE_X': -5,
'BLOCK_FREQUENCY': [16, 20, 500]}
LEVEL4 = {'NAME': 'Level 4',
'MOVE_X': -8,
'BLOCK_FREQUENCY': [8, 10, 500]}
LEVEL5 = {'NAME': 'Level 5',
'MOVE_X': -8,
'BLOCK_FREQUENCY': [16, 20, 500]}
LEVEL = [LEVEL1, LEVEL2, LEVEL3, LEVEL4, LEVEL5]
CH_LEVEL = [10, 30, 50, 80]
# ==============================================================================
# SET THE MOVEMENT DISTANCE WHEN THE CHARACTER IS JUMPING AND FALLING
#
# MOVE_UP: when the character jumps up. (a negative number)
# MOVE_DOWN: when the character falls down (a positive number)
# Changing this params is NOT recommended.
#
# default values:
# MOVE_UP = -SCREEN_HEIGHT // 30
# MOVE_DOWN = SCREEN_HEIGHT // 60
# ==============================================================================
MOVE_UP = -SCREEN_HEIGHT // 30
MOVE_DOWN = SCREEN_HEIGHT // 60
|
# 1MB
MAX_DATASET_SIZE = 1048576
MAX_TRAINING_COST = 100
|
#
# PySNMP MIB module ALCATEL-IND1-UDLD-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ALCATEL-IND1-UDLD-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:20:18 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)
#
softentIND1Udld, = mibBuilder.importSymbols("ALCATEL-IND1-BASE", "softentIND1Udld")
OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, SingleValueConstraint, ValueRangeConstraint, ConstraintsIntersection, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "ValueSizeConstraint")
InterfaceIndex, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndex")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
ObjectGroup, NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "ObjectGroup", "NotificationGroup", "ModuleCompliance")
MibIdentifier, IpAddress, Unsigned32, Gauge32, Integer32, ObjectIdentity, TimeTicks, Bits, iso, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, Counter32, ModuleIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "MibIdentifier", "IpAddress", "Unsigned32", "Gauge32", "Integer32", "ObjectIdentity", "TimeTicks", "Bits", "iso", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "Counter32", "ModuleIdentity")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
alcatelIND1UDLDMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1))
alcatelIND1UDLDMIB.setRevisions(('2007-02-14 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: alcatelIND1UDLDMIB.setRevisionsDescriptions(("The UDLD MIB defines a set of UDLD related management objects for ports that support UniDirectional Link Detection (UDLD) Protocol. UDLD as a protocol provides mechanisms to detect and disable unidirectional links caused for instance by mis-wiring of fiber strands, interface malfunctions, media converters' faults, etc. It operates at Layer 2 in conjunction with IEEE 802.3's existing Layer 1 fault detection mechanisms. This MIB comprises proprietary managed objects as well the objects required for conforming to the protocol.",))
if mibBuilder.loadTexts: alcatelIND1UDLDMIB.setLastUpdated('200702140000Z')
if mibBuilder.loadTexts: alcatelIND1UDLDMIB.setOrganization('Alcatel - Architects Of An Internet World')
if mibBuilder.loadTexts: alcatelIND1UDLDMIB.setContactInfo('Please consult with Customer Service to insure the most appropriate version of this document is used with the products in question: Alcatel Internetworking, Incorporated (Division 1, Formerly XYLAN Corporation) 26801 West Agoura Road Agoura Hills, CA 91301-5122 United States Of America Telephone: North America +1 800 995 2696 Latin America +1 877 919 9526 Europe +31 23 556 0100 Asia +65 394 7933 All Other +1 818 878 4507 Electronic Mail: support@ind.alcatel.com World Wide Web: http://www.ind.alcatel.com File Transfer Protocol: ftp://ftp.ind.alcatel.com/pub/products/mibs')
if mibBuilder.loadTexts: alcatelIND1UDLDMIB.setDescription('This module describes an authoritative enterprise-specific Simple Network Management Protocol (SNMP) Management Information Base (MIB): For the Birds Of Prey Product Line UDLD for detection and disabling unidirectional links. The right to make changes in specification and other information contained in this document without prior notice is reserved. No liability shall be assumed for any incidental, indirect, special, or consequential damages whatsoever arising from or related to this document or the information contained herein. Vendors, end-users, and other interested parties are granted non-exclusive license to use this specification in connection with management of the products for which it is intended to be used. Copyright (C) 1995-2002 Alcatel Internetworking, Incorporated ALL RIGHTS RESERVED WORLDWIDE')
alcatelIND1UDLDMIBObjects = ObjectIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1))
if mibBuilder.loadTexts: alcatelIND1UDLDMIBObjects.setStatus('current')
if mibBuilder.loadTexts: alcatelIND1UDLDMIBObjects.setDescription('Branch For UDLD Subsystem Managed Objects.')
alcatelIND1UDLDMIBConformance = ObjectIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2))
if mibBuilder.loadTexts: alcatelIND1UDLDMIBConformance.setStatus('current')
if mibBuilder.loadTexts: alcatelIND1UDLDMIBConformance.setDescription('Branch for UDLD Module MIB Subsystem Conformance Information.')
alcatelIND1UDLDMIBGroups = ObjectIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2, 1))
if mibBuilder.loadTexts: alcatelIND1UDLDMIBGroups.setStatus('current')
if mibBuilder.loadTexts: alcatelIND1UDLDMIBGroups.setDescription('Branch for UDLD Module MIB Subsystem Units of Conformance.')
alcatelIND1UDLDMIBCompliances = ObjectIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2, 2))
if mibBuilder.loadTexts: alcatelIND1UDLDMIBCompliances.setStatus('current')
if mibBuilder.loadTexts: alcatelIND1UDLDMIBCompliances.setDescription('Branch for UDLD Module MIB Subsystem Compliance Statements.')
alaUdldGlobalStatus = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldGlobalStatus.setStatus('current')
if mibBuilder.loadTexts: alaUdldGlobalStatus.setDescription('This variable is used to enable or diable UDLD on the switch. The value enable (1) indicates that UDLD should be enabled on the switch. The value disable (2) is used to disable UDLD on the switch. By default, UDLD is disabled on the switch.')
alaUdldGlobalClearStats = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("reset", 1))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldGlobalClearStats.setStatus('current')
if mibBuilder.loadTexts: alaUdldGlobalClearStats.setDescription('Defines the global clear statistics control for UDLD. The value reset (1) indicates that UDLD should clear all statistic counters related to all ports in the system. By default, this object contains a zero value.')
alaUdldGlobalConfigUdldMode = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("aggressive", 2))).clone('normal')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldGlobalConfigUdldMode.setStatus('current')
if mibBuilder.loadTexts: alaUdldGlobalConfigUdldMode.setDescription('Defines the mode of operation of the UDLD protocol on the interface. normal - The UDLD state machines participates normally in UDLD protocol exchanges. The protocol determination at the end of detection process is always based upon information received in UDLD messages. aggressive - UDLD will shut down all port even in case it loses bidirectional connectivity with the neighbor for a defined period of time.')
alaUdldGlobalConfigUdldProbeIntervalTimer = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(7, 90)).clone(15)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldGlobalConfigUdldProbeIntervalTimer.setStatus('current')
if mibBuilder.loadTexts: alaUdldGlobalConfigUdldProbeIntervalTimer.setDescription('Maximum period of time after which the Probe message is expected from the neighbor. The range supported is 7-90 seconds.')
alaUdldGlobalConfigUdldDetectionPeriodTimer = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 15)).clone(8)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldGlobalConfigUdldDetectionPeriodTimer.setStatus('current')
if mibBuilder.loadTexts: alaUdldGlobalConfigUdldDetectionPeriodTimer.setDescription('Maximum period of time before which detection of neighbor is expected. If Reply to the Sent Echo message/(s) is not received before, the timer for detection period expires, the link is detected as faulty and the associated port state is marked Undetermined/Shutdown (depending upon the UDLD operation-mode is Normal/Aggressive).')
udldPortConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6))
alaUdldPortConfigTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6, 1), )
if mibBuilder.loadTexts: alaUdldPortConfigTable.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortConfigTable.setDescription('A table containing UDLD port configuration information.')
alaUdldPortConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-UDLD-MIB", "alaUdldPortConfigIfIndex"))
if mibBuilder.loadTexts: alaUdldPortConfigEntry.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortConfigEntry.setDescription('A UDLD port configuration entry.')
alaUdldPortConfigIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6, 1, 1, 1), InterfaceIndex())
if mibBuilder.loadTexts: alaUdldPortConfigIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortConfigIfIndex.setDescription('The ifindex of the port on which UDLD is running')
alaUdldPortConfigUdldStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldPortConfigUdldStatus.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortConfigUdldStatus.setDescription('This variable is used to enable or diable UDLD on the interface. The value enable (1) indicates that UDLD should be enabled on the interface. The value disable (2) is used to disable UDLD on the interface. By default, UDLD is disabled on the interface.')
alaUdldPortConfigUdldMode = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("normal", 1), ("aggressive", 2))).clone('normal')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldPortConfigUdldMode.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortConfigUdldMode.setDescription('Defines the mode of operation of the UDLD protocol on the interface. normal - The UDLD state machines participates normally in UDLD protocol exchanges. The protocol determination at the end of detection process is always based upon information received in UDLD messages. aggressive - UDLD will shut down a port even in case it loses bidirectional connectivity with the neighbor for a defined period of time.')
alaUdldPortConfigUdldProbeIntervalTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(7, 90)).clone(15)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldPortConfigUdldProbeIntervalTimer.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortConfigUdldProbeIntervalTimer.setDescription('Maximum period of time after which the Probe message is expected from the neighbor. The range supported is 7-90 seconds.')
alaUdldPortConfigUdldDetectionPeriodTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 15)).clone(8)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldPortConfigUdldDetectionPeriodTimer.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortConfigUdldDetectionPeriodTimer.setDescription('Maximum period of time before which detection of neighbor is expected. If Reply to the Sent Echo message/(s) is not received before, the timer for detection period expires, the link is detected as faulty and the associated port state is marked Undetermined/Shutdown (depending upon the UDLD operation-mode is Normal/Aggressive).')
alaUdldPortConfigUdldOperationalStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 6, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("notapplicable", 0), ("shutdown", 1), ("undetermined", 2), ("bidirectional", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldPortConfigUdldOperationalStatus.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortConfigUdldOperationalStatus.setDescription('The state of the interface as determined by UDLD operation.')
udldPortStats = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7))
alaUdldPortStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1), )
if mibBuilder.loadTexts: alaUdldPortStatsTable.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortStatsTable.setDescription('A table containing UDLD statistics information.')
alaUdldPortStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-UDLD-MIB", "alaUdldPortStatsIfIndex"))
if mibBuilder.loadTexts: alaUdldPortStatsEntry.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortStatsEntry.setDescription('A UDLD Statistics entry (per port).')
alaUdldPortStatsIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1, 1, 1), InterfaceIndex())
if mibBuilder.loadTexts: alaUdldPortStatsIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortStatsIfIndex.setDescription('The ifindex of the port on which UDLD is running')
alaUdldNumUDLDNeighbors = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 128))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldNumUDLDNeighbors.setStatus('current')
if mibBuilder.loadTexts: alaUdldNumUDLDNeighbors.setDescription('This object gives the number of neighbors for the interface.')
alaUdldPortStatsClear = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("default", 0), ("reset", 1))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaUdldPortStatsClear.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortStatsClear.setDescription('Reset all statistics parameters corresponding to this port. By default, this objects contains a zero value.')
alaUdldPortNumProbeSent = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldPortNumProbeSent.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortNumProbeSent.setDescription('Number of Probe message sent by a port.')
alaUdldPortNumEchoSent = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldPortNumEchoSent.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortNumEchoSent.setDescription('Number of Echo message sent by a port.')
alaUdldPortNumInvalidRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldPortNumInvalidRcvd.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortNumInvalidRcvd.setDescription('Number of Invalid message received by a port.')
alaUdldPortNumFlushRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 7, 1, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldPortNumFlushRcvd.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortNumFlushRcvd.setDescription('Number of UDLD-Flush message received by a port.')
udldPortNeighborStats = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 8))
alaUdldPortNeighborStatsTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 8, 1), )
if mibBuilder.loadTexts: alaUdldPortNeighborStatsTable.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortNeighborStatsTable.setDescription("UDLD port's PDU related statistics for a neighbor.")
alaUdldPortNeighborStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 8, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-UDLD-MIB", "alaUdldPortNeighborStatsIfIndex"), (0, "ALCATEL-IND1-UDLD-MIB", "alaUdldNeighborIfIndex"))
if mibBuilder.loadTexts: alaUdldPortNeighborStatsEntry.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortNeighborStatsEntry.setDescription('A UDLD Statistics entry (per port, per neighbor).')
alaUdldPortNeighborStatsIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 8, 1, 1, 1), InterfaceIndex())
if mibBuilder.loadTexts: alaUdldPortNeighborStatsIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortNeighborStatsIfIndex.setDescription('The ifindex of the port on which UDLD is running')
alaUdldNeighborIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 8, 1, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 128)))
if mibBuilder.loadTexts: alaUdldNeighborIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaUdldNeighborIfIndex.setDescription('The index of the neighbor to which the Statistics belong')
alaUdldNeighborName = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 8, 1, 1, 3), SnmpAdminString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldNeighborName.setStatus('current')
if mibBuilder.loadTexts: alaUdldNeighborName.setDescription('The name of the neighbor')
alaUdldNumHelloRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 8, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldNumHelloRcvd.setStatus('current')
if mibBuilder.loadTexts: alaUdldNumHelloRcvd.setDescription('This object gives the number of hello messages recieved from the neighbor for this interface.')
alaUdldNumEchoRcvd = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 8, 1, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaUdldNumEchoRcvd.setStatus('current')
if mibBuilder.loadTexts: alaUdldNumEchoRcvd.setDescription('This object gives the number of echo messages received from the neighbor for this interface.')
alaUdldPrevState = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("notapplicable", 0), ("shutdown", 1), ("undetermined", 2), ("bidirectional", 3)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: alaUdldPrevState.setStatus('current')
if mibBuilder.loadTexts: alaUdldPrevState.setDescription('The previous UDLD state of the Port.')
alaUdldCurrentState = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("notapplicable", 0), ("shutdown", 1), ("undetermined", 2), ("bidirectional", 3)))).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: alaUdldCurrentState.setStatus('current')
if mibBuilder.loadTexts: alaUdldCurrentState.setDescription('The current UDLD state of the Port.')
alaUdldPortIfIndex = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 1, 11), InterfaceIndex()).setMaxAccess("accessiblefornotify")
if mibBuilder.loadTexts: alaUdldPortIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaUdldPortIfIndex.setDescription('The ifindex of the port on which UDLD trap is raised')
alaUdldEvents = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 3))
udldStateChange = NotificationType((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 3, 0, 1)).setObjects(("ALCATEL-IND1-UDLD-MIB", "alaUdldPortIfIndex"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPrevState"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldCurrentState"))
if mibBuilder.loadTexts: udldStateChange.setStatus('current')
if mibBuilder.loadTexts: udldStateChange.setDescription('The UDLD-state of port has changed. Notify the user by raising the Trap. Notify the Management Entity the previous UDLD-state and UDLD-Current.')
alcatelIND1UDLDMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2, 2, 1)).setObjects(("ALCATEL-IND1-UDLD-MIB", "udldPortBaseGroup"), ("ALCATEL-IND1-UDLD-MIB", "udldPortConfigGroup"), ("ALCATEL-IND1-UDLD-MIB", "udldPortStatsGroup"), ("ALCATEL-IND1-UDLD-MIB", "udldPortNeighborStatsGroup"), ("ALCATEL-IND1-UDLD-MIB", "udldPortTrapGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alcatelIND1UDLDMIBCompliance = alcatelIND1UDLDMIBCompliance.setStatus('current')
if mibBuilder.loadTexts: alcatelIND1UDLDMIBCompliance.setDescription('Compliance statement for UDLD.')
udldPortBaseGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2, 1, 1)).setObjects(("ALCATEL-IND1-UDLD-MIB", "alaUdldGlobalStatus"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldGlobalClearStats"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldGlobalConfigUdldMode"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldGlobalConfigUdldProbeIntervalTimer"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldGlobalConfigUdldDetectionPeriodTimer"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPrevState"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldCurrentState"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortIfIndex"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
udldPortBaseGroup = udldPortBaseGroup.setStatus('current')
if mibBuilder.loadTexts: udldPortBaseGroup.setDescription('Collection of objects for management of UDLD Base Group.')
udldPortConfigGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2, 1, 2)).setObjects(("ALCATEL-IND1-UDLD-MIB", "alaUdldPortConfigUdldStatus"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortConfigUdldMode"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortConfigUdldProbeIntervalTimer"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortConfigUdldDetectionPeriodTimer"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortConfigUdldOperationalStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
udldPortConfigGroup = udldPortConfigGroup.setStatus('current')
if mibBuilder.loadTexts: udldPortConfigGroup.setDescription('Collection of objects for management of UDLD Port Configuration Table.')
udldPortStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2, 1, 3)).setObjects(("ALCATEL-IND1-UDLD-MIB", "alaUdldNumUDLDNeighbors"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortStatsClear"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortNumProbeSent"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortNumEchoSent"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortNumInvalidRcvd"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldPortNumFlushRcvd"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
udldPortStatsGroup = udldPortStatsGroup.setStatus('current')
if mibBuilder.loadTexts: udldPortStatsGroup.setDescription('Collection of objects for management of UDLD Port Statistics Table.')
udldPortNeighborStatsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2, 1, 4)).setObjects(("ALCATEL-IND1-UDLD-MIB", "alaUdldNeighborName"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldNumHelloRcvd"), ("ALCATEL-IND1-UDLD-MIB", "alaUdldNumEchoRcvd"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
udldPortNeighborStatsGroup = udldPortNeighborStatsGroup.setStatus('current')
if mibBuilder.loadTexts: udldPortNeighborStatsGroup.setDescription('Collection of objects for management of UDLD Port Neighbor Statistics Table.')
udldPortTrapGroup = NotificationGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 44, 1, 2, 1, 5)).setObjects(("ALCATEL-IND1-UDLD-MIB", "udldStateChange"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
udldPortTrapGroup = udldPortTrapGroup.setStatus('current')
if mibBuilder.loadTexts: udldPortTrapGroup.setDescription('Collection of objects for UDLD Traps.')
mibBuilder.exportSymbols("ALCATEL-IND1-UDLD-MIB", alaUdldPortStatsClear=alaUdldPortStatsClear, alaUdldPortNeighborStatsIfIndex=alaUdldPortNeighborStatsIfIndex, alaUdldPortConfigUdldProbeIntervalTimer=alaUdldPortConfigUdldProbeIntervalTimer, alaUdldPortConfigUdldStatus=alaUdldPortConfigUdldStatus, alaUdldPortConfigTable=alaUdldPortConfigTable, udldPortNeighborStats=udldPortNeighborStats, alaUdldPortNumProbeSent=alaUdldPortNumProbeSent, alaUdldPrevState=alaUdldPrevState, alaUdldPortIfIndex=alaUdldPortIfIndex, udldStateChange=udldStateChange, alaUdldPortConfigUdldDetectionPeriodTimer=alaUdldPortConfigUdldDetectionPeriodTimer, alaUdldPortConfigUdldOperationalStatus=alaUdldPortConfigUdldOperationalStatus, udldPortBaseGroup=udldPortBaseGroup, udldPortStatsGroup=udldPortStatsGroup, alcatelIND1UDLDMIBCompliances=alcatelIND1UDLDMIBCompliances, alaUdldGlobalConfigUdldDetectionPeriodTimer=alaUdldGlobalConfigUdldDetectionPeriodTimer, alaUdldPortNumFlushRcvd=alaUdldPortNumFlushRcvd, alaUdldPortConfigUdldMode=alaUdldPortConfigUdldMode, alaUdldPortNumInvalidRcvd=alaUdldPortNumInvalidRcvd, alaUdldCurrentState=alaUdldCurrentState, alaUdldPortNeighborStatsTable=alaUdldPortNeighborStatsTable, alaUdldGlobalStatus=alaUdldGlobalStatus, alaUdldNumUDLDNeighbors=alaUdldNumUDLDNeighbors, alaUdldPortConfigEntry=alaUdldPortConfigEntry, alaUdldGlobalConfigUdldMode=alaUdldGlobalConfigUdldMode, udldPortConfigGroup=udldPortConfigGroup, alaUdldPortNeighborStatsEntry=alaUdldPortNeighborStatsEntry, udldPortTrapGroup=udldPortTrapGroup, alaUdldPortStatsTable=alaUdldPortStatsTable, alcatelIND1UDLDMIBGroups=alcatelIND1UDLDMIBGroups, alaUdldNumHelloRcvd=alaUdldNumHelloRcvd, alaUdldEvents=alaUdldEvents, alcatelIND1UDLDMIBObjects=alcatelIND1UDLDMIBObjects, udldPortNeighborStatsGroup=udldPortNeighborStatsGroup, alcatelIND1UDLDMIBCompliance=alcatelIND1UDLDMIBCompliance, alaUdldNumEchoRcvd=alaUdldNumEchoRcvd, udldPortConfig=udldPortConfig, alaUdldPortConfigIfIndex=alaUdldPortConfigIfIndex, alaUdldPortStatsEntry=alaUdldPortStatsEntry, alaUdldGlobalClearStats=alaUdldGlobalClearStats, alaUdldGlobalConfigUdldProbeIntervalTimer=alaUdldGlobalConfigUdldProbeIntervalTimer, alcatelIND1UDLDMIB=alcatelIND1UDLDMIB, PYSNMP_MODULE_ID=alcatelIND1UDLDMIB, alaUdldNeighborIfIndex=alaUdldNeighborIfIndex, alcatelIND1UDLDMIBConformance=alcatelIND1UDLDMIBConformance, udldPortStats=udldPortStats, alaUdldPortNumEchoSent=alaUdldPortNumEchoSent, alaUdldNeighborName=alaUdldNeighborName, alaUdldPortStatsIfIndex=alaUdldPortStatsIfIndex)
|
#
# PySNMP MIB module CISCO-SECURE-SHELL-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CISCO-SECURE-SHELL-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 17:54:56 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
Integer, OctetString, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "Integer", "OctetString", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, ValueRangeConstraint, ConstraintsIntersection, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "ValueRangeConstraint", "ConstraintsIntersection", "SingleValueConstraint", "ValueSizeConstraint")
ciscoMgmt, = mibBuilder.importSymbols("CISCO-SMI", "ciscoMgmt")
InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressType")
SnmpAdminString, = mibBuilder.importSymbols("SNMP-FRAMEWORK-MIB", "SnmpAdminString")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
ModuleIdentity, IpAddress, iso, Integer32, Unsigned32, MibIdentifier, NotificationType, Bits, Counter64, MibScalar, MibTable, MibTableRow, MibTableColumn, Gauge32, ObjectIdentity, TimeTicks, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "ModuleIdentity", "IpAddress", "iso", "Integer32", "Unsigned32", "MibIdentifier", "NotificationType", "Bits", "Counter64", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Gauge32", "ObjectIdentity", "TimeTicks", "Counter32")
TextualConvention, RowStatus, TruthValue, DisplayString, TimeStamp = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "RowStatus", "TruthValue", "DisplayString", "TimeStamp")
ciscoSecureShellMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 9, 9, 339))
ciscoSecureShellMIB.setRevisions(('2005-06-01 00:00', '2004-04-05 00:00', '2003-09-18 00:00', '2002-10-05 00:00',))
if mibBuilder.loadTexts: ciscoSecureShellMIB.setLastUpdated('200506010000Z')
if mibBuilder.loadTexts: ciscoSecureShellMIB.setOrganization('Cisco Systems, Inc.')
ciscoSecureShellMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 339, 1))
cssConfiguration = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1))
cssSessionInfo = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2))
class CssVersions(TextualConvention, Bits):
status = 'current'
namedValues = NamedValues(("v1", 0), ("v2", 1))
cssServiceActivation = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cssServiceActivation.setStatus('current')
cssKeyTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 2), )
if mibBuilder.loadTexts: cssKeyTable.setStatus('current')
cssKeyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 2, 1), ).setIndexNames((0, "CISCO-SECURE-SHELL-MIB", "cssKeyIndex"))
if mibBuilder.loadTexts: cssKeyEntry.setStatus('current')
cssKeyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("rsa", 1), ("rsa1", 2), ("dsa", 3))))
if mibBuilder.loadTexts: cssKeyIndex.setStatus('current')
cssKeyNBits = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(512, 2048))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cssKeyNBits.setStatus('current')
cssKeyOverWrite = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 2, 1, 3), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cssKeyOverWrite.setStatus('current')
cssKeyLastCreationTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 2, 1, 4), TimeStamp()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssKeyLastCreationTime.setStatus('current')
cssKeyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 2, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: cssKeyRowStatus.setStatus('current')
cssKeyString = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 2, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 255))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssKeyString.setStatus('current')
cssServiceCapability = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 3), CssVersions()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssServiceCapability.setStatus('current')
cssServiceMode = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 4), CssVersions()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: cssServiceMode.setStatus('current')
cssKeyGenerationStatus = MibScalar((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("inProgress", 1), ("successful", 2), ("failed", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssKeyGenerationStatus.setStatus('current')
cssSessionTable = MibTable((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1), )
if mibBuilder.loadTexts: cssSessionTable.setStatus('current')
cssSessionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1, 1), ).setIndexNames((0, "CISCO-SECURE-SHELL-MIB", "cssSessionID"))
if mibBuilder.loadTexts: cssSessionEntry.setStatus('current')
cssSessionID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: cssSessionID.setStatus('current')
cssSessionVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("one", 1), ("two", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssSessionVersion.setStatus('current')
cssSessionState = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("sshSessionVersionOk", 1), ("sshSessionKeysExchanged", 2), ("sshSessionAuthenticated", 3), ("sshSessionOpen", 4), ("sshSessionDisconnecting", 5), ("sshSessionDisconnected", 6), ("sshSessionClosed", 7)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssSessionState.setStatus('current')
cssSessionPID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1, 1, 4), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssSessionPID.setStatus('current')
cssSessionUserID = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1, 1, 5), SnmpAdminString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssSessionUserID.setStatus('current')
cssSessionHostAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1, 1, 6), InetAddressType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssSessionHostAddrType.setStatus('current')
cssSessionHostAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 9, 9, 339, 1, 2, 1, 1, 7), InetAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: cssSessionHostAddr.setStatus('current')
ciscoSecureShellMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 339, 2))
ciscoSecureShellMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 1))
ciscoSecureShellMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 2))
ciscoSecureShellMIBCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 1, 1)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssConfigurationGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoSecureShellMIBCompliance = ciscoSecureShellMIBCompliance.setStatus('deprecated')
ciscoSecureShellMIBComplianceRv1 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 1, 2)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssConfigurationGroupRev1"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoSecureShellMIBComplianceRv1 = ciscoSecureShellMIBComplianceRv1.setStatus('deprecated')
ciscoSecureShellMIBComplianceRv2 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 1, 3)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssConfigurationGroupRev1"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoSecureShellMIBComplianceRv2 = ciscoSecureShellMIBComplianceRv2.setStatus('deprecated')
ciscoSecureShellMIBComplianceRv3 = ModuleCompliance((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 1, 4)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssConfigurationGroupRev1"), ("CISCO-SECURE-SHELL-MIB", "cssConfigurationGroupSupp1"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ciscoSecureShellMIBComplianceRv3 = ciscoSecureShellMIBComplianceRv3.setStatus('current')
cssConfigurationGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 2, 1)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssServiceActivation"), ("CISCO-SECURE-SHELL-MIB", "cssKeyNBits"), ("CISCO-SECURE-SHELL-MIB", "cssKeyOverWrite"), ("CISCO-SECURE-SHELL-MIB", "cssKeyLastCreationTime"), ("CISCO-SECURE-SHELL-MIB", "cssKeyRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cssConfigurationGroup = cssConfigurationGroup.setStatus('deprecated')
cssConfigurationGroupRev1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 2, 2)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssServiceActivation"), ("CISCO-SECURE-SHELL-MIB", "cssKeyNBits"), ("CISCO-SECURE-SHELL-MIB", "cssKeyOverWrite"), ("CISCO-SECURE-SHELL-MIB", "cssKeyLastCreationTime"), ("CISCO-SECURE-SHELL-MIB", "cssKeyString"), ("CISCO-SECURE-SHELL-MIB", "cssKeyRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cssConfigurationGroupRev1 = cssConfigurationGroupRev1.setStatus('current')
cssServiceModeCfgGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 2, 3)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssServiceCapability"), ("CISCO-SECURE-SHELL-MIB", "cssServiceMode"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cssServiceModeCfgGroup = cssServiceModeCfgGroup.setStatus('current')
cssSessionInfoGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 2, 4)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssSessionVersion"), ("CISCO-SECURE-SHELL-MIB", "cssSessionState"), ("CISCO-SECURE-SHELL-MIB", "cssSessionPID"), ("CISCO-SECURE-SHELL-MIB", "cssSessionUserID"), ("CISCO-SECURE-SHELL-MIB", "cssSessionHostAddrType"), ("CISCO-SECURE-SHELL-MIB", "cssSessionHostAddr"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cssSessionInfoGroup = cssSessionInfoGroup.setStatus('current')
cssConfigurationGroupSupp1 = ObjectGroup((1, 3, 6, 1, 4, 1, 9, 9, 339, 2, 2, 5)).setObjects(("CISCO-SECURE-SHELL-MIB", "cssKeyGenerationStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
cssConfigurationGroupSupp1 = cssConfigurationGroupSupp1.setStatus('current')
mibBuilder.exportSymbols("CISCO-SECURE-SHELL-MIB", cssSessionTable=cssSessionTable, cssSessionInfoGroup=cssSessionInfoGroup, cssKeyIndex=cssKeyIndex, cssSessionPID=cssSessionPID, CssVersions=CssVersions, cssSessionInfo=cssSessionInfo, cssConfigurationGroup=cssConfigurationGroup, cssKeyRowStatus=cssKeyRowStatus, ciscoSecureShellMIB=ciscoSecureShellMIB, cssKeyNBits=cssKeyNBits, cssServiceMode=cssServiceMode, cssConfiguration=cssConfiguration, cssSessionHostAddr=cssSessionHostAddr, cssKeyOverWrite=cssKeyOverWrite, ciscoSecureShellMIBGroups=ciscoSecureShellMIBGroups, ciscoSecureShellMIBCompliances=ciscoSecureShellMIBCompliances, PYSNMP_MODULE_ID=ciscoSecureShellMIB, cssServiceCapability=cssServiceCapability, cssKeyTable=cssKeyTable, cssServiceModeCfgGroup=cssServiceModeCfgGroup, cssSessionVersion=cssSessionVersion, cssServiceActivation=cssServiceActivation, cssConfigurationGroupSupp1=cssConfigurationGroupSupp1, ciscoSecureShellMIBCompliance=ciscoSecureShellMIBCompliance, cssKeyEntry=cssKeyEntry, cssSessionHostAddrType=cssSessionHostAddrType, cssKeyString=cssKeyString, cssKeyLastCreationTime=cssKeyLastCreationTime, ciscoSecureShellMIBObjects=ciscoSecureShellMIBObjects, cssConfigurationGroupRev1=cssConfigurationGroupRev1, cssSessionID=cssSessionID, cssKeyGenerationStatus=cssKeyGenerationStatus, ciscoSecureShellMIBComplianceRv2=ciscoSecureShellMIBComplianceRv2, ciscoSecureShellMIBComplianceRv3=ciscoSecureShellMIBComplianceRv3, cssSessionUserID=cssSessionUserID, cssSessionState=cssSessionState, ciscoSecureShellMIBConformance=ciscoSecureShellMIBConformance, ciscoSecureShellMIBComplianceRv1=ciscoSecureShellMIBComplianceRv1, cssSessionEntry=cssSessionEntry)
|
"""
The json-schema for the Molecule definition
"""
__all__ = ["Molecule"]
Molecule = {
"$schema": "http://json-schema.org/draft-04/schema#",
"name": "mmschema_molecule",
"version": "0.dev",
"description": "The MolSSI Molecular Mechanics Molecule Schema",
"type": "object",
"properties": {
"schema_name": {
"guidance": "required properties schema_name within molecule block (instead of 'qcschema_[in|out]put' from one level higher) starts with schema_name=qcschema_molecule and schema_version=2",
"type": "string",
"pattern": "^(mmschema_molecule)$",
},
"schema_version": {"type": "integer"},
"symbols": {
"description": "(natom, ) atom symbols.",
"type": "array",
"items": {"type": "string"},
},
"ndim": {
"description": "Number of spatial dimensions of the molecule geometry.",
"type": "number",
"multipleOf": 1.0,
},
"geometry": {
"description": "(ndim * natom, ) vector of [X,Y,Z] coordinates of the particles.",
"type": "array",
"items": {"type": "number"},
},
"geometry_units": {
"description": "Geometry units. Any spatial unit available in pint is supported.",
"type": "string",
},
"velocities": {
"description": "(ndim * natom, ) vector of [X,Y,Z] velocities of the particles.",
"type": "array",
"items": {"type": "number"},
},
"velocities_units": {
"description": "Velocities units. Any speed unit available in pint is supported.",
"type": "string",
},
"masses": {
"description": "(natom, ) atom masses; if not given, canonical weights are assumed for atomic particles.",
"type": "array",
"items": {"type": "number"},
},
"masses_units": {
"description": "Masses units. Any mass unit available in pint is supported.",
"type": "string",
},
"atomic_numbers": {
"description": "(natom, ) atomic numbers, nuclear charge for atoms.",
"type": "array",
"items": {"type": "number", "multipleOf": 1.0},
},
"mass_numbers": {
"description": "(natom, ) mass numbers for atoms, if known isotope, else -1.",
"type": "array",
"items": {"type": "number", "multipleOf": 1.0},
},
"atom_labels": {
"description": "(natom, ) atom labels with any user tagging information.",
"type": "array",
"items": {"type": "string"},
},
"name": {"description": "The name of the molecule.", "type": "string"},
"comment": {
"description": "Any additional comment one would attach to the molecule.",
"type": "string",
},
"molecular_charge": {
"description": "The overall charge of the molecule.",
"type": "number",
"default": 0.0,
},
"molecular_charge_units": {
"description": "Molecular charge units. Any charge unit available in pint is supported.",
"type": "string",
},
"connectivity": {
"description": "A list describing bonds within a molecule. Each element is a (atom1, atom2, order) tuple.",
"guidance": "Bonds may be freely reordered and inverted.",
"type": "array",
"items": {
"type": "array",
"minItems": 3,
"maxItems": 3,
"items": [
{
"description": "Atom number (0-indexed) at one end of bond.",
"type": "number",
"multipleOf": 1.0,
},
{
"description": "Atom number (0-indexed) at other end of bond.",
"type": "number",
"multipleOf": 1.0,
},
{
"description": "Bond order.",
"type": "number",
},
],
},
},
"substructs": {
"description": "(name, index) list of connected atoms constituting a portion of the structure.",
"guidance": "Order follows atomic indices from 0 till natom-1. E.g. [('ALA', 4), ...] means atom1 belongs to aminoacid alanine with residue number 4.",
"type": "array",
"items": {
"type": "array",
"minItems": 2,
"maxItems": 2,
"items": [
{
"description": "Substructure name this atom belongs to.",
"type": "string",
},
{
"description": "Substructure index this atom belongs to.",
"type": "number",
"multipleOf": 1.0,
},
],
},
},
"provenance": {"type": "object", "$ref": "#/definitions/provenance"},
},
"required": ["schema_name", "schema_version"],
"description": "Representation of an all-atom or coarse-grained molecule",
}
|
number = int(input("ingrese el numero de filas de su triangulo "))
def print_triangle(number):
for i in range(1, number + 1):
print(str(i) * i)
print_triangle(number)
|
def change(n):
if (n < 0): return 999
if (n == 0): return 0
best = 999
coins = [200, 100, 50, 20, 10, 5, 2, 1]
for x in coins:
best = min(best, change(n-x)+1)
return best
t = 0
n = int(input())
while n != -1:
t += n
n = int(input())
t %= 60
print(change(t)) |
tb = 0
lr = 0
for i in range(int(input())):
n = list(input())
for i in range(len(n)):
if int(n[i]) == 0:
if i == 0 or i == 1:
tb += 1
if i == 2 or i == 3:
lr += 1
print(min(tb // 2, lr // 2), tb - min(tb // 2, lr // 2) * 2, lr - min(tb // 2, lr // 2) * 2)
|
#!/usr/bin/python
# -*- coding: UTF-8 -*-
proxy_web_list = {
"http://www.kuaidaili.com/free/inha/",
"http://www.kuaidaili.com/free/outha/",
"http://ip84.com/dlgn/",
"http://ip84.com/gwgn/",
"http://www.xicidaili.com/wn/",
"http://www.xicidaili.com/nn/",
"http://www.ip3366.net/free/?stype=1&page=",
"http://www.ip3366.net/free/?stype=3&page=",
"http://www.mimiip.com/gngao/",
"http://www.mimiip.com/hw/",
"http://www.xsdaili.com/index.php?s=/index/mfdl/p/",
"http://www.xsdaili.com/index.php?s=/index/mfdl/type/3/p/"
}
header_pc = {
'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/49.0.2623.75 Safari/537.36',
'Mozilla/5.0 (Windows NT 10.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/51.0.2704.103 Safari/537.36',
'Mozilla/5.0 (Macintosh; U; Intel Mac OS X 10_6_8; en-us) AppleWebKit/534.50 (KHTML, like Gecko) Version/5.1 Safari/534.50',
'Mozilla/5.0 (Windows; U; Windows NT 6.1; en-us) AppleWebKit/534.50 (KHTML, like Gecko) Version/5.1 Safari/534.50',
'Mozilla/5.0 (compatible; MSIE 9.0; Windows NT 6.1; Trident/5.0;',
'Mozilla/5.0 (Macintosh; Intel Mac OS X 10.6; rv,2.0.1) Gecko/20100101 Firefox/4.0.1',
'Mozilla/5.0 (Windows NT 6.1; rv,2.0.1) Gecko/20100101 Firefox/4.0.1',
'Opera/9.80 (Macintosh; Intel Mac OS X 10.6.8; U; en) Presto/2.8.131 Version/11.11',
'Opera/9.80 (Windows NT 6.1; U; en) Presto/2.8.131 Version/11.11',
'Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1; Maxthon 2.0)',
'Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1; TencentTraveler 4.0)',
'Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1; The World)',
'Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1; 360SE)'
}
proxy_web_loop_number = 5
thread_number = 10
db = 'proxylist.db'
|
REWARDS = {
'star': 1,
'first_quest': 25,
'quest_of_the_day': 5,
'archived_quest': 1,
'personal_share': 3,
'streak_3': 3,
'streak_10': 10,
'streak_100': 100,
}
ONBOARDING_QUEST_ID = 926
COMMENTS_PER_PAGE = 150
WHITELIST_COMMENTS_PER_PAGE = 100
|
# IoT program by MicroPython
# https://github.com/rnsk/micropython-iot
#
# MIT License
# Copyright (c) 2021 Yoshika Takada (@rnsk)
"""App configration"""
# wifi setting
# config.WIFI_xxx
WIFI_SSID = ''
WIFI_PASSWORD = ''
# Device setting
# config.DEVICE_xxx
DEVICE_ID = ''
DEVICE_NAME = ''
# MQTT setting
# config.MQTT_xxx
MQTT_HOST = 'localhost'
MQTT_PORT = 1883
MQTT_USER = ''
MQTT_PASS = ''
MQTT_TOPIC = ''
# CdS setting
# config.CDS_xxx
# ADC Pins 32-39
CDS_PIN = 32
CDS_EXPECTED = 100
# ENV setting
# config.ENV_xxx
# Available Pins 0, 2, 4, 5, 12, 13, 14, 15, 16.
ENV_TEMPERATURE_PIN = 14
ENV_HUMIDITY_PIN = 14
# LED setting
# config.LED_xxx
# Available Pins 0-19, 21-23, 25-27, 32-39
LED_PIN = 12
# Button setting
# config.BUTTON_xxx
# Available Pins 0-19, 21-23, 25-27, 32-39
BUTTON_PIN = 27
|
# -*- coding: utf-8 -*-
amount = int(input())
board = []
for i in range(amount):
board.append(int(input()))
for i in range(amount):
bombs = 0
if i > 0:
bombs += board[i-1]
if i < (amount-1):
bombs += board[i+1]
bombs += board[i]
print(bombs)
|
"""
Projeto: Lista ordenada sem repetições
"""
listNumbers = []
for n in range(0, 5):
number = int(input('Digite um número: '))
if number not in listNumbers:
if n == 0 or number > listNumbers[-1]:
listNumbers.append(number)
else:
for position in range(0, len(listNumbers)): # corre todos os elementos da lista
if number < listNumbers[position]:
listNumbers.insert(position, number)
break
print(listNumbers)
|
class Element:
def __init__(self, value:int, previous = None):
self.__value = value
self.__previous = previous
@property
def value(self) -> int:
return self.__value
@value.setter
def value(self, value:int):
self.__value = value
@property
def previous(self):
return self.__previous
@previous.setter
def previous(self, previous):
self.__previous = previous
class Stack:
def __init__(self, max_length: int=4):
self.__top = None
self.__count_elements = 0
self.__max_length = max_length
@property
def top(self):
return self.__top
def push(self, value: int):
if self.__count_elements < self.__max_length:
self.__count_elements += 1
new_element = Element(value=value, previous=self.__top)
self.__top = new_element
else:
print("stack overflow")
def pop(self):
if self.__count_elements > 0:
self.__count_elements -= 1
poped = self.__top.value
self.__top = self.__top.previous
return poped
else:
print("empity stack")
new_stack = Stack(max_length=4)
print(f"top element: {new_stack.top}")
new_stack.push(1)
print(f"top element: {new_stack.top.value}")
new_stack.push(2)
print(f"top element: {new_stack.top.value}")
new_stack.push(3)
print(f"top element: {new_stack.top.value}")
new_stack.push(4)
print(f"top element: {new_stack.top.value}")
new_stack.push(5)
print(f"Poped element: {new_stack.pop()}")
print(f"top element: {new_stack.top.value}")
print(f"Poped element: {new_stack.pop()}")
print(f"top element: {new_stack.top.value}")
print(f"Poped element: {new_stack.pop()}")
print(f"top element: {new_stack.top.value}")
print(f"Poped element: {new_stack.pop()}")
print(f"top element: {new_stack.top}")
print(f"Poped element: {new_stack.pop()}")
|
# If you can't sleep, just count sheep!!
# Task:
# Given a non-negative integer, 3 for example, return a string with a murmur: "1 sheep...2 sheep...3 sheep...". Input will always be valid, i.e. no negative integers.
def count_sheep(n):
output = ''
for i in range(1, n+1):
output+=str(i) + " sheep..."
return output
|
general_questions = 'general Questions'
computer_questions = 'computer Questions'
python_questions = 'python Questions'
questions = [general_questions, computer_questions, python_questions]
quiz = {general_questions: [("Amartya Sen was awarded the Nobel prize for his contribution to Welfare Economics.", True),
("The Headquarters of the Southern Naval Command of the India Navy is located at Thiruvananthapuram.", False),
("The Captain Roop Singh stadium is named after a former Indian cricketer.", False)],
computer_questions: [("Whaling / Whaling attack is a kind of phishing attacks that target senior executives and other high profile to access valuable information.", True),
("IPv6 Internet Protocol address is represented as eight groups of four Octal digits.", False),
("CPU controls only input data of computer", False)],
python_questions: [("A function cannot be defined inside another function", False),
("None is a Python type whose value indicates that no value exists.", True),
("Regular expression processing is built into the Python language.", False)]
}
result = {"Correct": 0, "Incorrect": 0}
def get_quiz_choice():
while True:
try:
quiz_number = int(input('Choose the quiz you like\n1 for {}\n2 for {}\n3 for {}\nYour choice:'.format(general_questions,
computer_questions,
python_questions)))
except ValueError:
print ("Not a number, please try again\n")
else:
if 0 >= quiz_number or quiz_number > len(quiz):
print ("Invalid value, please try again\n")
else:
return quiz_number
def get_answer(question, correct_answer):
while True:
try:
print ("Q: {}".format(question))
answer = int(input("1 for True\n0 for False\nYour answer: "))
except ValueError:
print ("Not a number, please try again\n")
else:
if answer is not 0 and answer is not 1:
print ("Invalid value, please try again\n")
elif bool(answer) is correct_answer:
result["Correct"] += 1
return True
else:
result["Incorrect"] += 1
return False
choice = get_quiz_choice()
quiz_name = questions[choice - 1]
print ("\nYou chose the {}\n".format(quiz_name))
quiz_questions = quiz[quiz_name]
for q in (quiz_questions):
print ("Your answer is: {}\n".format(str(get_answer(q[0], q[1]))))
|
'''
Biblioteca de funciones para ser empleada en las operaciones de lectura
y cálculo de las variables en una matriz de relaciones.
'''
def init_mat(matriz, n_ec, n_var):
'''
Devuelve la matriz con celdas de valor 1 si la variable interviene en la ecuación y 0 en caso contrario
matriz: es la matriz con las ecuaciones y las variables del modelo matemático en la columna 0 y fila 0 respectivamente
n_ec: es la cantidad de ecuaciones del modelo matemático
n_var: es el número de variables que interviene en el modelo matemático
'''
for i in range(1, n_ec + 1): # recorre las ecuaciones ubicadas en la columna 0
for j in range(1, n_var + 1): # recorre los símbolos de las variables ubicadas en la fila 0
if matriz[0, j] not in matriz[i, 0]:
matriz[i, j] = 0 # la variable no está en la ecuación
else:
matriz[i, j] = 1 # la variable se encuentra en la ecuación
return matriz
def conv_strtofloat(matriz, start_row, start_col, m, n):
'''
Convierte la submatriz del tipo de dato str a tipo float
start_row: índice de la fila de inicio
start_col: índice de la columna de inicio
m: cantidad de filas de la submatriz
n: cantidad de columnas de la submatriz
'''
submatriz = matriz[start_row : m + 1, start_col : n + 1] # obtiene la submatriz de matriz
submatriz = submatriz.astype(dtype=float) # convierte al tipo de dato float la submatriz
return submatriz
def total_row(submatriz, row, n):
'''
Sumar los valores de una fila y lo almacena al final de la fila.
row: índice de la fila a sumar
n: cantidad de elementos a sumar en la fila.
'''
# guarda en la última celda de la fila, la suma de los elementos de la fila
# desde la posición 0 hasta la penúltima celda de la fila
submatriz[row, n + 1] = submatriz[row, 0: n + 1].sum()
return submatriz
def total_col(submatriz, col, m):
'''
Sumar los valores de una columna y lo almacena al final de la columna.
col: índice de la columna a sumar
m: cantidad de elementos a sumar en la columna.
'''
# guarda en la última celda de la columna, la suma de los elementos de la columna
# desde la posición 0 hasta la penúltima celda de la columna
submatriz[m + 1, col] = submatriz[0: m + 1, col].sum()
return submatriz
def resta_unidad_col(submatriz, col, m):
'''
Devuelve una submatriz a la cual se le resta 1 a una columna determinada
col: índice de la columna a restarle uno en cada celda
m: cantidad de elementos en la fila
'''
for i in range(0, m): # recorre toda la columna
if submatriz[i, col] > 0:
submatriz[i, col] -= 1
return submatriz
def leer_datos(unidades, n_var, lista_indices, var_no_disp_user, submat2):
try:
# Inicialización de variables
valor = None
sin_error = False
indice = None
var_disp = []
var_dic = []
val_dic = []
edito = False
elimino = False
# Ciclo para recorrer los índices de todas las variables
for i in range(0, n_var):
esta = False
# Ciclo para recorrer la lista de índices de las variables que se conocen, bien sea porque fueron
# suministradas por el usuario o porque fueron calculadas por el programa
if len(lista_indices) > 0:
for j in range(0, len(lista_indices)):
if i == lista_indices[j]:
esta = True
# Si una variable determinada no era conocida, agregarla a la lista de variables disponibles
# Si una variable determinada es conocida, agregarla a la lista de variables sujetas a edición o eliminación (no disponibles)
if esta == False:
var_disp.append(unidades[i, 0])
variable = input('\n' + 'Seleccione la variable: ' + str(var_disp) + ' ' + '\n' + 'Introduzca ''edit'' si desea editar una variable o ''delete'' si desea eliminarla.' + '\n')
# Edición de variable
if variable == 'edit':
variable = input('\n' + 'Seleccione la variable que desea editar: ' + str(var_no_disp_user) + ' ')
edito = True
encontrada = False
# Si la variable suministrada por el usuario se encuentra en la lista de variables disponibles para editar, buscarla
# en la primera columna del vector unidades para determinar su índice
if variable in var_no_disp_user:
for i in range(0, n_var):
if variable == unidades[i, 0]:
encontrada = True
indice = i
if encontrada == False:
raise ValueError
valor = float(input('Introduzca el nuevo valor de la variable: '))
# Creación de lista de los índices de las variables suministradas por el usuario con los valores correspondientes y
# que contiene el valor actualizado de la variable editada
for i in range(0, len(var_no_disp_user)):
for j in range(0, n_var):
if var_no_disp_user[i] == unidades[j, 0]:
var_dic.append(j)
if j == indice:
val_dic.append(valor)
else:
val_dic.append(submat2[0, j])
# Eliminación de variable
elif variable == 'delete':
variable = input('\n' + 'Seleccione la variable que desea eliminar: ' + str(var_no_disp_user) + ' ')
edito = True
elimino = True
encontrada = False
# Si la variable suministrada por el usuario se encuentra en la lista de variables disponibles para editar, buscarla
# en la primera columna del vector unidades para determinar su índice
if variable in var_no_disp_user:
for i in range(0, n_var):
if variable == unidades[i, 0]:
encontrada = True
indice = i
if encontrada == False:
raise ValueError
# Actualización de la lista de variables suministradas por el usuario
var_no_disp_user.remove(unidades[indice, 0])
# Creación de lista de los índices de las variables suministradas por el usuario con los valores correspondientes y
# que contiene el valor actualizado de la variable editada
for i in range(0, len(var_no_disp_user)):
for j in range(0, n_var):
if var_no_disp_user[i] == unidades[j, 0]:
if not j == indice:
var_dic.append(j)
val_dic.append(submat2[0, j])
# Suministro de una variable por parte del usuario
else:
encontrada = False
# Si la variable suministrada por el usuario se encuentra en la lista de variables disponibles, buscarla
# en la primera columna del vector unidades para determinar su índice
if variable in var_disp:
for i in range(0, n_var):
if variable == unidades[i, 0]:
encontrada = True
indice = i
if encontrada == False:
raise ValueError
valor = float(input('Introduzca su valor: '))
# Creación de lista de los índices de las variables suministradas por el usuario con los valores correspondientes y
# que contiene el valor actualizado de la variable editada
var_dic.append(indice)
val_dic.append(valor)
# Variable booleana que indica que el usuario suministró correctamente un dato
sin_error = True
except:
print('Introdujo una variable incorrecta o un valor incorrecto de la misma.', 'Por favor, introduzca nuevamente la variable.', sep='\n')
return (valor, sin_error, indice, var_no_disp_user, edito, var_dic, val_dic, elimino)
|
"""Iteration utility functions."""
def build_filtered_func(func):
def filtered_func(seq):
"""Filter out Nones and return the return of func."""
if not seq:
return None
seq = filter(None, seq)
if not seq:
return None
return func(seq)
return filtered_func
min_filter = build_filtered_func(min)
max_filter = build_filtered_func(max)
def list_all(seq):
"""Create a list from the sequence then evaluate all the entries using
all(). This differs from the built-in all() which will short circuit
on the first False.
"""
return all(list(seq)) |
#####
# Step 3 - Make your own Python Toolbox!
#####
# Task - Using the code I provide below (basically , including the parameters that I have prepared for you (note, you can
# find all the Python Toolbox Parameters here:
# http://desktop.arcgis.com/en/arcmap/10.3/analyze/creating-tools/defining-parameters-in-a-python-toolbox.htm)
# I want you to attempt to construct a working Python Toolbox. Hint the code is the same as we used before for the
# traditional toolbox, however, I have changed how the arguements are provided to the tool.
# Code for parameters function
params = []
input_line = arcpy.Parameter(name="input_line",
displayName="Input Line",
datatype="DEFeatureClass",
parameterType="Required", # Required|Optional|Derived
direction="Input", # Input|Output
)
input_line.value = "YOUR INPUT LINE HERE" # This is a default value that can be over-ridden in the toolbox
params.append(input_line)
input_polygon = arcpy.Parameter(name="input_polygon",
displayName="Input Polygon",
datatype="DEFeatureClass",
parameterType="Required", # Required|Optional|Derived
direction="Input", # Input|Output
)
input_polygon.value = "YOUR INPUT POLY HERE" # This is a default value that can be over-ridden in the toolbox
params.append(input_polygon)
output = arcpy.Parameter(name="output",
displayName="Output",
datatype="DEFeatureClass",
parameterType="Required", # Required|Optional|Derived
direction="Output", # Input|Output
)
output.value = "YOUR OUTPUT DIR HERE" # This is a default value that can be over-ridden in the toolbox
params.append(output)
return params
# Code for execution function
input_line = parameters[0].valueAsText
input_polygon = parameters[1].valueAsText
output = parameters[2].valueAsText
arcpy.Clip_analysis(in_features=input_line,
clip_features=input_polygon,
out_feature_class=output,
cluster_tolerance="")
# This code block allows you to run your code in a test-mode within PyCharm, i.e. you do not have to open the tool in
# ArcMap. This works best for a "single tool" within the Toolbox.
def main():
tool = NAME_OF_YOUR_TOOL() # i.e. what you have called your tool class: class Clippy(object):
tool.execute(tool.getParameterInfo(), None)
if __name__ == '__main__':
main() |
class Link:
"""A link between a Tatoeba's sentence and its translation"""
def __init__(self, sentence_id, translation_id):
self._src_id = sentence_id
self._tgt_id = translation_id
@property
def sentence_id(self):
"""The id of the source sentence"""
return int(self._src_id)
@property
def translation_id(self):
"""The id of the target sentence"""
return int(self._tgt_id)
|
class Cipher:
letter_number_list = [[' ', '!', '"', '#', '$', '%', '&', "'", '(', ')', '*', '+', ',', '-', '.', '/', '0', '1',
'2', '3', '4', '5', '6', '7', '8', '9', ':', ';', '<', '=', '>', '?', '@', 'A', 'B', 'C',
'D', 'E', 'F', 'G', 'H', 'I', 'J', 'K', 'L', 'M', 'N', 'O', 'P', 'Q', 'R', 'S', 'T', 'U',
'V', 'W', 'X', 'Y', 'Z', '[', '\\', ']', '^', '_', '`', 'a', 'b', 'c', 'd', 'e', 'f', 'g',
'h', 'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p', 'q', 'r', 's', 't', 'u', 'v', 'w', 'x', 'y',
'z', '{', '|', '}', '~'],
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25,
26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48,
49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66, 67, 68, 69, 70, 71,
72, 73, 74, 75, 76, 77, 78, 79, 80, 81, 82, 83, 84, 85, 86, 87, 88, 89, 90, 91, 92, 93, 94,
95]]
def __init__(self, sentence):
self.sentence = sentence
def __repr__(self):
return f"Variable that gets ENC/DEC is \"{self.sentence}\""
# OUT
####################################################################################################################
def out_sentence(self):
print(self.sentence)
def out_letter_number_list(self):
output = ""
for letter in self.letter_number_list[0]:
output = output + "\n" + f"{letter} = {self.letter_number_list[1][self.letter_number_list[0].index(letter)]}"
print(output)
####################################################################################################################
# CREATE
####################################################################################################################
# Creates a Letter Number List
def create_letter_number_list(self, letter_str_or_list):
parameter_type = str(type(letter_str_or_list))
letter_number_list = [[], []]
counter = 1
if parameter_type == "<class 'str'>" or parameter_type == "<class 'list'>":
for letter in letter_str_or_list:
letter_number_list[0].append(letter)
letter_number_list[1].append(counter)
counter += 1
else:
raise TypeError("parameter is not str or list")
Cipher.check_letter_number_list(letter_number_list)
self.letter_number_list = letter_number_list
return self.letter_number_list
####################################################################################################################
# ENC DEC
####################################################################################################################
# Uses Columns to recombine Letters
def enc_columns(self, column_number):
Cipher.integer_check(column_number)
column_list = []
if column_number <= 0:
raise ValueError("column cant be 0 or less")
else:
pass
count = 0
while count != column_number:
column_list.append([])
count += 1
count= 0
for letter in self.sentence:
if count != column_number:
column_list[count].append(letter)
count += 1
else:
count = 0
column_list[count].append(letter)
count += 1
count = 0
new_sentence = ""
while count != column_number:
for letter in column_list[count]:
new_sentence = new_sentence + letter
count += 1
self.sentence = new_sentence
return self.sentence
def dec_columns(self, column_number):
Cipher.integer_check(column_number)
sentence_len = len(self.sentence)
column_len = int(sentence_len / column_number)
column_len_rest = int(sentence_len % column_number)
number_list = []
column_list = []
count = 0
while count != column_number:
column_list.append([])
number_list.append([])
count += 1
count = 0
while count != column_number:
number_list[count].append(column_len)
if count < column_len_rest:
number_list[count][0] = number_list[count][0] + 1
count += 1
else:
count += 1
counter_plus = 0
counter = 0
for number in number_list:
count = 0
while count != number[0]:
column_list[counter_plus].append(self.sentence[counter])
counter += 1
count += 1
counter_plus += 1
new_sentence = ""
current_index = 0
while current_index != number_list[0][0]:
for list in column_list:
try:
new_sentence = new_sentence + list[current_index]
except:
pass
current_index += 1
self.sentence = new_sentence
return self.sentence
# Swaps Letter with Number and Number with Letter
def enc_letter_to_number(self):
Cipher.check_letter_number_list(Cipher.letter_number_list)
Cipher.string_check(self.sentence)
new_sentence = ""
len_last_number = len(str(Cipher.letter_number_list[1][-1]))
for letter in self.sentence:
number = str(Cipher.letter_number_list[1][Cipher.letter_number_list[0].index(letter)])
number_len = len(number)
zero_add = len_last_number - number_len
new_sentence = new_sentence + ((zero_add * "0") + number)
self.sentence = new_sentence
return self.sentence
def dec_letter_to_number(self):
Cipher.check_letter_number_list(Cipher.letter_number_list)
Cipher.string_check(self.sentence)
new_sentence = ""
number_list = []
len_last_number = len(str(Cipher.letter_number_list[1][- 1]))
counter = 1
letter_single = ""
for number in self.sentence:
if counter <= len_last_number:
letter_single = letter_single + number
counter += 1
else:
number_list.append(int(letter_single))
letter_single = number
counter = 2
number_list.append(int(letter_single))
for number in number_list:
new_sentence = new_sentence + Cipher.letter_number_list[0][Cipher.letter_number_list[1].index(int(number))]
self.sentence = new_sentence
return self.sentence
# Caesar_Cipher shifts the letter with the shift_number
def enc_caesar_cipher(self, shift_number):
Cipher.integer_check(shift_number)
Cipher.check_letter_number_list(Cipher.letter_number_list)
Cipher.string_check(self.sentence)
new_sentence = ""
len_list = len(Cipher.letter_number_list[0])
for letter in self.sentence:
if Cipher.letter_number_list[0].index(letter) + shift_number > len_list:
high_len = Cipher.letter_number_list[0].index(letter) + shift_number
multiplier = int(high_len / len_list)
end_len = high_len - (multiplier * len_list)
new_sentence = new_sentence + Cipher.letter_number_list[0][end_len]
else:
high_len = Cipher.letter_number_list[0].index(letter) + shift_number
new_sentence = new_sentence + Cipher.letter_number_list[0][high_len]
self.sentence = new_sentence
return self.sentence
def dec_caesar_cipher(self, shift_number):
Cipher.integer_check(shift_number)
Cipher.check_letter_number_list(Cipher.letter_number_list)
Cipher.string_check(self.sentence)
new_sentence = ""
len_list = len(Cipher.letter_number_list[0])
for letter in self.sentence:
if Cipher.letter_number_list[0].index(letter) - shift_number < 0:
low_len = shift_number - Cipher.letter_number_list[0].index(letter)
multiplier = int(low_len / len_list)
end_len = - (low_len - (multiplier * len_list))
new_sentence = new_sentence + Cipher.letter_number_list[0][end_len]
else:
low_len = Cipher.letter_number_list[0].index(letter) - shift_number
new_sentence = new_sentence + Cipher.letter_number_list[0][low_len]
self.sentence = new_sentence
return self.sentence
####################################################################################################################
# CHECK
####################################################################################################################
# Check letter number list
@classmethod
def check_letter_number_list(cls, list):
if len(list[0]) == len(list[1]):
pass
else:
raise IndexError("more letters or numbers. letters and numbers should have the same number of indexes")
counter = 1
for letter in list[0]:
if str(type(letter)) == "<class 'str'>":
pass
else:
raise TypeError("letters should be from type str")
if len(letter) == 1:
pass
else:
raise ValueError("to much letters in one index. should be one letter per index")
if list[0].count(letter) == 1:
pass
else:
raise ValueError("there should be no letter duplicate")
for number in list[1]:
if str(type(number)) == "<class 'int'>":
pass
else:
raise TypeError("numbers should be from type int")
if number == counter:
counter += 1
else:
raise ValueError("numbers should start at 1 and raise everytime by 1")
# Check for right input Types
@classmethod
def tuple_check(cls, tuple):
tuple_bool = str(type(tuple)) == "<class 'tuple'>"
if tuple_bool:
pass
else:
raise TypeError(str(type(tuple)).replace("<class '", "").replace("'>", "") + "is given but tuple should be given")
@classmethod
def float_check(cls, float):
float_bool = str(type(float)) == "<class 'float'>"
if float_bool:
pass
else:
raise TypeError(str(type(float)).replace("<class '", "").replace("'>", "") + " is given but float should be given")
@classmethod
def list_check(cls, list):
list_bool = str(type(list)) == "<class 'list'>"
if list_bool:
pass
else:
raise TypeError(str(type(list)).replace("<class '", "").replace("'>", "") + " is given but list should be given")
@classmethod
def dictionary_check(cls, dictionary):
dictionary_bool = str(type(dictionary)) == "<class 'dict'>"
if dictionary_bool:
pass
else:
raise TypeError(
str(type(dictionary)).replace("<class '", "").replace("'>", "") + " is given but dictionary should be given")
@classmethod
def integer_check(cls, integer):
integer_bool = str(type(integer)) == "<class 'int'>"
if integer_bool:
pass
else:
raise TypeError(
str(type(integer)).replace("<class '", "").replace("'>", "") + " is given but integer should be given")
@classmethod
def string_check(cls, string):
string_bool = str(type(string)) == "<class 'str'>"
if string_bool:
pass
else:
raise TypeError(
str(type(string)).replace("<class '", "").replace("'>", "") + " is given but string should be given")
####################################################################################################################
|
#: Describe the widgets to show in the toolbox,
#: and anything else needed for the
#: designer. The base is a list, because python dict don't preserve the order.
#: The first field is the name used for Factory.<name>
#: The second field represent a category name
widgets = [
('Label', 'base', {'text': 'A label'}),
('Button', 'base', {'text': 'A button'}),
('CheckBox', 'base'),
('Image', 'base'),
('Slider', 'base'),
('ProgressBar', 'base'),
('TextInput', 'base'),
('ToggleButton', 'base'),
('Switch', 'base'),
('Video', 'base'),
('ScreenManager', 'base'),
('Screen', 'base'),
('Carousel', 'base'),
('TabbedPanel', 'base'),
('GridLayout', 'layout', {'cols': 2}),
('BoxLayout', 'layout'),
('AnchorLayout', 'layout'),
('StackLayout', 'layout'),
('FileChooserListView', 'complex'),
('FileChooserIconView', 'complex'),
('Popup', 'complex'),
('Spinner', 'complex'),
('VideoPlayer', 'complex'),
('ActionButton', 'complex'),
('ActionPrevious', 'complex'),
('ScrollView', 'behavior'),
# ('VKeybord', 'complex'),
# ('Scatter', 'behavior'),
# ('StencilView', 'behavior'),
]
|
def fib(i):
count = 0
x = 0
y = 1
while count < i:
count = count + 1
x, y = y, x + y
return y
|
#!/usr/bin/env python
'''
Copyright (C) 2020, WAFW00F Developers.
See the LICENSE file for copying permission.
'''
NAME = 'pkSecurity IDS (pkSec)'
def is_waf(self):
schema1 = [
self.matchContent(r'pk.?Security.?Module'),
self.matchContent(r'Security.Alert')
]
schema2 = [
self.matchContent(r'As this could be a potential hack attack'),
self.matchContent(r'A safety critical (call|request) was (detected|discovered) and blocked'),
self.matchContent(r'maximum number of reloads per minute and prevented access')
]
if any(i for i in schema2):
return True
if all(i for i in schema1):
return True
return False |
"""Calculate the exponential of a base"""
__author__ = 'Nicola Moretto'
__license__ = "MIT"
def iterPower(base, exp):
'''
Calculate iteratively the exponential of a base
:param base: Base
:param exp: Exponent
:return: Exponential of the base
'''
result = 1
while(exp > 0):
result *= base
exp -= 1
return result
def recurPower(base, exp):
'''
Calculate recursively the exponential of a base
:param base: Base
:param exp: Exponent
:return: Exponential of the base
'''
if exp == 0:
return 1
return base*recurPower(base, exp-1)
def recurPowerNew(base, exp):
'''
Calculate recursively the exponential of a base
:param base: Base
:param exp: Exponent
:return: Exponential of the base
'''
if exp == 0:
return 1
if exp % 2 ==0:
return recurPowerNew(base*base, exp/2)
else:
return base*recurPowerNew(base, exp-1) |
# Definition for a binary tree node.
class TreeNode:
def __init__(self, x):
self.val = x
self.left = None
self.right = None
class Solution:
def pathSum(self, root, sum):
"""
Basically keeps a dictionary that stores the frequency of occurances of
previous sums. Dictionary allows O(1) lookup times vs array of O(n).
Match is found by using current_branch_sum - target_sum and seeing if
that result is in the dictionary
"""
# Hash is init to 0:1 to handle the root node being a match
hash = {0:1}
self.res = 0
self.sum = sum
# Recurse
self.recurse(root, hash, 0)
return self.res
def recurse(self, root, hash, current_sum):
# Handle base case
if not root:
return
# Update current sum
current_sum += root.val
# Lookup the difference in the hash table
self.res += hash.get(current_sum - self.sum, 0)
hash[current_sum] = hash.get(current_sum, 0) +1
# Recurse
self.recurse(root.left, hash, current_sum)
self.recurse(root.right, hash, current_sum)
# New branch, cache is updated
# current_sum is not updated since it is passed by_val while hash is passed by_ref
hash[current_sum] -=1
z = Solution()
a = TreeNode(10)
b1 = TreeNode(5)
b2 = TreeNode(-3)
c1 = TreeNode(3)
c2 = TreeNode(2)
c3 = TreeNode(11)
d1 = TreeNode(3)
d2 = TreeNode(-2)
d3 = TreeNode(1)
a.left = b1
a.right = b2
b1.left = c1
b1.right = c2
b2.right = c3
c1.left = d1
c1.right = d2
c2.right = d3
print(z.pathSum(a, 10))
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.