blob_id
stringlengths 40
40
| repo_name
stringlengths 6
108
| path
stringlengths 3
244
| length_bytes
int64 36
870k
| score
float64 3.5
5.16
| int_score
int64 4
5
| text
stringlengths 36
870k
|
---|---|---|---|---|---|---|
2593cb01da3ffa075e249882ffe4c3032e65461d | TaviusC/cti110 | /p4t1a_Cousar.py | 690 | 4.21875 | 4 | # This program wil use turtle graphics to draw both a square and a triangle.
# 3/18/2019
# CTI-110 P4T1a - Shapes
# Tavius Cousar
# Import turtle
import turtle
# Set up window and turtle (tut)
wn = turtle.Screen()
wn.title('Square and Triangle Drawing')
tut = turtle.Turtle()
# Set up turtle movement for square to repeat four times
for x in range(4):
tut.forward(50)
tut.left(90)
# Move turtle to create space for triangle
for x in [1]:
tut.right(90)
tut.forward(100)
# Set up turtle movement for triangle to repeat three times
for x in range(3):
tut.right(120)
tut.forward(80)
# Allow user to click window to exit
wn.exitonclick()
|
3a11f0df22eb5c8f2ca9252e8795ee1d1ffdba62 | mclavan/Work-Maya-Folder | /2014-x64/prefs/1402/joint_renamer.py | 919 | 3.640625 | 4 | '''
Lesson - Joint Renamer
joint_renamer.py
Description:
Practical use of loops.
Renaming joint based upon a naming convention.
How to Run:
import joint_renamer
reload(joint_renamer)
'''
print 'Joint Renamer - Active'
import pymel.core as pm
'''
Get Selected.
pm.ls(selection=True)
'''
joint_chain = pm.ls(selection=True, dag=True)
print 'Selected items:', joint_chain
'''
Figure out naming convention.
'lt_arm_01_bind' -> 'lt_arm_03_waste'
'ct_tail_01_bind', -> 'ct_tail_06_waste'
'''
ori = raw_input()
system_name = raw_input()
count = 0
suffix = 'bind'
'''
Loop through joint chain.
'''
for current_joint in joint_chain:
count = count + 1
new_name = '{0}_{1}_0{2}_{3}'.format(ori, system_name, count, suffix)
print 'New Name:', new_name
# Rename joint
current_joint.rename(new_name)
new_name = '{0}_{1}_0{2}_{3}'.format(ori, system_name, count, 'waste')
current_joint.rename(new_name)
|
6d69d8c1d5e7fc1b066871a970440b4a9376ccd9 | kirschovapetra/B-PROG1 | /02 26.9/02 for,while/2 1^3+2^3+...+n^3.py | 119 | 3.515625 | 4 | print('zadaj n')
n = int(input())
vysledok = 0
for i in range(1,n+1):
vysledok = vysledok + (i)**3
print(vysledok)
|
70176699d87d479a5933ffc5e6976e16405e8ecd | gerardward3/bbc-technical-test | /gameOfLife.py | 3,698 | 3.921875 | 4 | # BBC Technical Test - Software Engineering Graduate Trainee Scheme
# Author - Gerard Ward
# Date - 03/02/2019
# Game of Life
#
# - Requires Python 3 and Pygame
# - Game is played on 25 x 25 grid, can be changed by editing GRID_HEIGHT and GRID_WIDTH variables
# - Live cells are white, dead cells are black
# - Seeded grid randomly generated at beginning of game
from random import randint
import pygame
# global variables
GRID_HEIGHT = 25 # Change for
GRID_WIDTH = 25 # different sized grid
CELL_HEIGHT = 20
CELL_WIDTH = 20
MARGIN = 5
SCREEN_HEIGHT = ((CELL_HEIGHT + MARGIN) * GRID_HEIGHT) + MARGIN
SCREEN_WIDTH = ((CELL_WIDTH + MARGIN) * GRID_WIDTH) + MARGIN
# colour variables
BLACK = (0, 0, 0)
WHITE = (255, 255, 255)
# setup pygame
pygame.init()
screen = pygame.display.set_mode([SCREEN_HEIGHT, SCREEN_WIDTH])
# creates blank grid as 2D array, each cell = 0 (dead)
def create_grid():
grid = []
for row in range(GRID_HEIGHT):
grid.append([])
for column in range(GRID_WIDTH):
grid[row].append(0)
return grid
# draws grid on screen - dead cell = 0 = black, live cell = 1 = white
def draw_grid(grid):
for row in range(GRID_WIDTH):
for column in range(GRID_HEIGHT):
colour = BLACK
if grid[row][column] == 1:
colour = WHITE
pygame.draw.rect(screen, colour, [(MARGIN + CELL_WIDTH) * column + MARGIN,
(MARGIN + CELL_HEIGHT) * row + MARGIN,
CELL_WIDTH,
CELL_HEIGHT])
# counts neighbour cells of a cell
def count_neighbours(grid, x, y):
# gets all neighbours horizontally, vertically and diagonally
neighbours = [[x - 1, y - 1], [x, y - 1], [x + 1, y - 1],
[x - 1, y], [x + 1, y],
[x - 1, y + 1], [x, y + 1], [x + 1, y + 1]]
neighbour_count = 0
# checks neighbours have valid coordinates then adds value of cell to neighbour total
for n in neighbours:
if n[0] >= 0 and n[0] < GRID_WIDTH and n[1] >= 0 and n[1] < GRID_HEIGHT:
neighbour_count += grid[n[0]][n[1]]
return neighbour_count
# carries out iteration of game
def evolve(grid):
# creates new grid for next iteration of game
next_grid = create_grid()
for row in range(GRID_HEIGHT):
for column in range(GRID_WIDTH):
cell = grid[row][column]
neighbours = count_neighbours(grid, row, column)
if cell == 0:
if neighbours == 3: # Checks for Scenario 4 (Creation of Life)
cell = 1
else:
if neighbours < 2 or neighbours > 3: # Checks for Scenario 1 (Underpopulation), Scenario 2 (Overcrowding) and Scenario 3 (Survival)
cell = 0
next_grid[row][column] = cell
return next_grid
def main():
done = False
clock = pygame.time.Clock()
grid = create_grid()
# Populates initial grid with random live cells
for x in range(GRID_WIDTH):
for y in range(GRID_HEIGHT):
grid[x][y] = randint(0,1)
# Starts game loop
while not done:
for event in pygame.event.get():
if event.type == pygame.QUIT: # Game quits upon close button being pressed
done = True
grid = evolve(grid)
screen.fill(BLACK)
draw_grid(grid)
clock.tick(2) # Game runs at 2 frames per second
pygame.display.flip()
pygame.quit()
if __name__ == '__main__':
main()
|
1e0fb310e7e3446ec241f235dc896b2925481c7c | jewelism/practice-python | /4_1/ch4_ex1.py | 102 | 3.875 | 4 | # -*- coding: utf-8 -*- #
sum = 0;
for i in range(1,100):
if(i%3==0):
sum += i;
print(sum) |
2cf8ba1eeafb8680e5bd4f4bb82831edecf09464 | EstebanAlarconO/Actividad-4---Hash | /functions.py | 3,558 | 3.515625 | 4 | import sys
import random
import math
from datetime import datetime
#se cambia la semilla a utilizar por hora
random.seed(datetime.now().hour)
def entropia(texto):
base = 128 #correspondiente a la cantidad de caracteres ASCII
entropia = len(texto)*math.log(base, 2) #H = L*Log2(W)
return entropia
#Funcion encargada de realizar el cambio según operaciones matemáticas
#En este caso se realizan multiplicaciones, funcion modulo y suma valor por valor
#Luego de realizadas las operaciones, según la posición del caracter en una lista, se le agrega o quita 1
#Para terminar se retorna el resultado como String
def operaciones(lista):
resultado = ''
for i in range(0,2):
for j in range(len(lista)):
lista[j] = lista[j]*random.randint(20, 25)
lista[j] = lista[j]%random.randint(60, 65)
lista[j] = lista[j]+random.randint(40, 45)
for elemento in lista:
if(elemento%2 == 0):
resultado += chr(elemento+1)
else:
resultado += chr(elemento-1)
return resultado
#Función encargada de adaptar el texto de entrada según el largo correspondiente al hash
#En caso de ser menor al valor se agregan valores siguiendo la operacion:
#(valor ordinal(ASCII) del caracter actual en el ciclo + valor ordinal del primer valor de la lista)/2
#Al valor anterior se le extrae solamente el entero correspondiente.
#Por otro lado, en caso de ser mayor al largo del hash se elimina el primer valor y el ultimo de forma alternada.
#Luego de tener el largo necesario se llama a la funcion operaciones()
def adaptacion(texto):
caracteres = []
if (len(texto) == 0):
return 'Linea vacía'
for letra in texto:
caracteres.append(ord(letra))
#Se realiza un cambio en el primer valor para no obtener como resultado un patrón para la primera letra
caracteres[0] = caracteres[0] + caracteres[-1]
if (len(caracteres) < 25):
#aumentar cantidad de caracteres
for i in range(0, 25-len(caracteres)):
add = int((caracteres[i] + caracteres[0])/2)
caracteres.append(add)
elif(len(caracteres) > 25):
#disminuir la cantidad de caracteres
for i in range(0, len(caracteres)-25):
if(i%2 == 0):
caracteres.pop(0)
else:
caracteres.pop(-1)
resultado = operaciones(caracteres)
return resultado
#Funcion inicial del Hash, en caso de ser un archivo, se hace la llamada a adaptacion linea por linea
#Se utiliza 'errors = ignore' para que en caso de recibir una linea de texto vacia en el archivo (largo 0) se continue la ejecución
#En los archivos, los resultados se agregan a una lista.
def hash(argumento, tipo):
if(tipo == 'archivo'):
passw = []
with open(argumento, "r", errors= 'ignore') as archivo:
lista = [linea.rstrip() for linea in archivo]
for pw in lista:
passw.append(adaptacion(pw))
return passw
elif(tipo == 'texto'):
return adaptacion(argumento)
#Funcion para verificar el tipo de entrada recibida
#Luego de verificar se retorna el tipo de entrada (archivo o texto), en caso de ser vacia retorna el string 'Error'
def comprobacion(entrada):
if(len(entrada) < 2 | len(entrada) > 2):
return 'Error'
else:
try:
with open(entrada[1], 'r') as f:
return True
except FileNotFoundError as e:
return False
except IOError as e:
return False
|
6f2ccb192058d71bfbadda459bab078c3049a5b6 | paul-schwendenman/advent-of-code | /2020/day15/day15.py | 1,122 | 3.625 | 4 | from __future__ import annotations
from typing import List
from aoc import readfile
from collections import defaultdict, Counter
def part1(data: str, turns: int = 2020) -> int:
start = [int(num) for num in data.split(',')]
counter = defaultdict(list)
# sequence = []
turn = 0
for item in start:
turn += 1
counter[item].append(turn)
# sequence.append(item)
last_num = item
while turn < turns:
if turn % 3000000 == 0:
print(turn)
if len(counter[last_num]) == 1:
last_num = 0
else:
second_last, last = counter[last_num][-2:]
# print(f'{last} - {second_last} = {last - second_last}')
last_num = last - second_last
turn += 1
counter[last_num].append(turn)
# sequence.append(last_num)
# print(turn, last_num)
# print(sequence[:30])
return last_num
def part2(data: str) -> int:
return part1(data, 30000000)
def main() -> None:
print(part1("6,3,15,13,1,0"))
print(part2("6,3,15,13,1,0"))
if __name__ == '__main__':
main()
|
aa769aba94a8ae513c0bdf506402fddd73519a2e | lucadibello/RimeSegateBot | /classes/config.py | 1,977 | 4.125 | 4 | import json
class Config:
""" This class is used for manage the config file """
def __init__(self, filepath: str):
"""
Constructor method. It saves into an attribute the config file path.
:param filepath: Config file path
"""
self.filepath = filepath
def _write_json(self, data: dict):
"""
This private function is used for writing settings into the config file.
:param data: config dictionary to write to the config.json file.
"""
with open(self.filepath, 'w+') as outfile:
json.dump(data, outfile)
def _read_json(self) -> dict:
"""
This private function is used for reading all the settings stored in the config file.
:return: Dictionary built as "setting_name: setting_value" using the config.json file.
"""
with open(self.filepath) as json_file:
return json.load(json_file)
def check_config_file(self, keys: list) -> bool:
"""
Checks the conformity of the config file. If detects that the config
file is malformed or damaged (ex. non accessible, ...) this function
will generate a new one using the 'create_default_file' function.
:param keys List of keys used for the file integrity check
"""
# TODO: Finish
data = self._read_json()
keys_to_check = data.keys()
if keys_to_check == keys:
print("[Config] Config file is valid")
return True
else:
print("[Config] Config file not valid")
return False
def get_settings(self):
"""
Returns all the settings saved in the config file.
"""
try:
return self._read_json()
except json.decoder.JSONDecodeError:
print("[Config] Error detected while parsing data, check your config.json file.")
|
3de7fad3666c0cc503330cae84a986c0ce7b5afa | rebecahassan/python-challenge | /PyPoll/main.py | 1,482 | 3.59375 | 4 | import os
import csv
file = 'election_data.csv'
with open(file, newline="") as election_data:
electionreader = csv.reader(election_data, delimiter=",")
# Read the header row first
csv_header = next(election_data)
total_votes = 0
candidates=[]
votes=[]
index = 0
for row in electionreader:
total_votes = total_votes+1
if len(candidates)< 1: #Adding the first candidate
candidates.append(row[2])
votes.append(1)
elif row[2] not in candidates: #Adding new candidates
candidates.append(row[2])
votes.append(1)
else: #Counting votes for candidates
index = candidates.index(row[2])
votes[index]=votes[index]+1
lines =[]
lines.append("Election Results")
lines.append("---------------------------")
lines.append("Total Votes: " + str(total_votes))
lines.append("---------------------------")
index=0
for names in candidates:
lines.append(names + ":" + '{:.3f}%'.format((votes[index]/total_votes)*100) + '({:.0f})'.format(votes[index]))
index = index +1
lines.append("---------------------------")
max = max(votes)
index = votes.index(max)
lines.append("Winner: " + candidates[index])
lines.append("---------------------------")
file= open("PyPollResults.txt","w+")
for items in lines:
print(items)
file.write(items)
file.write("\n")
file.close()
|
bf359f264311bd83105764a70207a67360835493 | valerie-bernstein/Moon-and-Magnetotail | /x_rotation_matrix.py | 300 | 3.703125 | 4 | import numpy as np
def x_rotation_matrix(theta):
#rotation by the angle theta (in radians) about the x-axis
#returns matrix of shape (3,3)
rotation_matrix = np.array([[1, 0, 0],
[0, np.cos(theta), np.sin(theta)],
[0, -np.sin(theta), np.cos(theta)]])
return rotation_matrix
|
d63314e061f9ba4f566245ce58e3014a766de361 | Khaleec/newpackage | /newpackage/sorting.py | 1,407 | 4.1875 | 4 | def bubble_sort(items):
'''Return array of items, sorted in ascending order'''
new_items = items.copy()
for i in range(len(new_items)):
for j in range(len(new_items)-1-i):
if new_items[j] > new_items[j+1]:
new_items[j], new_items[j+1] = new_items[j+1], new_items[j]
return new_items
def merge_sort(items):
'''Return array of items, sorted in ascending order'''
my_len = len(items)
if my_len == 1:
return items
mid = int(my_len / 2)
l1 = merge_sort(items[:mid])
l2 = merge_sort(items[mid:])
new_list = []
while len(l1) > 0 and len(l2) > 0:
if l1[0] < l2[0]:
new_list.append(l1[0])
l1.pop(0)
else:
new_list.append(l2[0])
l2.pop(0)
if len(l1) == 0:
new_list = new_list + l2
if len(l2) == 0:
new_list = new_list + l1
return new_list
def quick_sort(items):
'''Return array of items, sorted in ascending order'''
mylen = len(items)
if mylen <= 1:
return items
pivot = items[-1]
small = []
large = []
same = []
for i in items:
if i < pivot:
small.append(i)
elif i > pivot:
large.append(i)
elif i == pivot:
same.append(i)
small = quick_sort(small)
large = quick_sort(large)
return small + same + large
|
6a7d3913d918d32c60ea486a05f0168b74d330e0 | segfaultx/prog3 | /Python/Blatt7/a23.py | 387 | 4.25 | 4 | #!/usr/bin/env python3
lst = list(range(0, 101)) # create list with range 0-100
print(lst[:11]) # print first 10 elements of list
print(lst[-11:]) # print last 11 elements of list
print(lst[0::10]) # print every 10th element of list
print(lst[len(lst) // 2]) # print middle element of list
print(lst[5:-5:3]) # print every 3rd element starting at element no. 5 and without last 5
|
f956a6791151f7647012841eecc204dfd20739d9 | dale-wahl/materials_pipeline | /collect_labs.py | 1,974 | 3.65625 | 4 | import sys
import lab_to_db_updater
import csv_creater
"""
This program creates a master csv to combine lab results with procurement and material processing data. From the SQL database, it relies on the material_procurement, ball_milling, and hot_press tables. It handles ICP and Hall lab results files, recording measurments for the Ball Milling and Hot Press processes, by uploading this information to the SQL database and then combining it into a master csv.
Any updates or formating changes to the lab result files or additional measurements should be handled in lab_to_db_updater.py file, but will also affect the csv_creater file which only handles ICP and Hall measurements.
Changes to the SQL database, particularly column names, will affect the create_master_csv function in csv_creater file.
"""
if __name__ == '__main__':
if len(sys.argv) == 3:
# collect arguements provided
lab_files_directory = sys.argv[1]
connect_statement = sys.argv[2]
try:
# create new tables in database if they do not exist
lab_to_db_updater.create_lab_tables(connect_statement)
except Exception as e:
print(e)
print('Arguement 1 must be an SQL connection argument to your database.')
sys.exit()
try:
# add new lab records if they do not exist
lab_to_db_updater.add_new_lab_results(connect_statement, lab_files_directory)
except Exception as e:
print(e)
print('Arguement 2 must be the directory where only lab.txt files are located.')
sys.exit()
# create the master csv
csv_creater.create_master_csv(connect_statement)
else:
print("Please specify 2 arguements:")
print("1. The directory in quotes where only lab.txt files are located (e.g., 'lab_files/').")
print("2. A SQL connection argument to your database in quotes (e.g., 'dbname=citrine user=dale')")
|
3e7149f32f2c2f969e44a01d3e204fdd96581803 | kalietong/03 | /00_parentheses.py | 649 | 3.953125 | 4 |
ex = input("type something ")
def task1(s):
ret = ""
i = True
for char in s:
if i:
ret += char.upper()
else:
ret += char.lower()
if char !=' ':
i = not i
return ret
print(task1(ex))
def task2(s):
word = task1(ex)
vowels = ('A','E', 'I', 'O', 'U')
for vowels in vowels:
word = word.replace(vowels, "*")
return word
print(task2(ex))
def check_parentheses(ex):
word = task1(ex)
if word.count("(") == word.count(")"):
print("balanced? True")
else:
print("balanced? False")
return ""
print(check_parentheses(ex))
|
a563cd716d0f29d6b4f84ff3001bdc259b5e5172 | megwinslo/final | /main.py | 8,626 | 4.125 | 4 | """"
Name: Megan Winslow
CS230: SN2F
Data: Skyscrapers around the World
URL :
Description:
This program creates a webpage separated into different pages to showcase each function. Included in these pages is:
a bar chart that shows how many skyscrapers were created per year, a pie chart showing percentage of materials used,
statistics on both the number of floors as well as the height in meters, a map that showcases all 100 skyscrapers,
a query that lets you pick a city and then displays the information about all the skyscrapers in the city chosen,
and the last query that lets you chose the city, year, and material and then it displays the name and where its located on the map.
The main function calls all the other functions, while splitting them into different pages and using embedded css to
add background images and change font colors
"""
import csv
import statistics
import matplotlib.pyplot as plt
import streamlit as st
import pandas as pd
import pydeck as pdk
#creates a bar chart with lets you call it with a color and charts how many skyscrapers were created per year
def bar_chart(skyscrapers, col):
skyscrapers["COMPLETION"].astype(int).value_counts().plot(kind = 'bar', color = col)
plt.xlabel('Years')
plt.ylabel('Number Completed')
plt.title('Number of Skyscrapers Completed per Year')
return plt
#creates a pie chart with custom colors of materials used in skyscrapers
def pie_chart(skyscrapers):
colors = ['cadetblue','paleturquoise','darkturquoise','mediumturquoise']
skyscrapers["MATERIAL"].value_counts().plot(kind = 'pie', autopct='%1.1f%%', colors = colors)
plt.axis('off')
plt.title("Skyscrapers Percentage of Material Used", loc='right')
return plt
#gives the max, min, mean, and median of floors using a dictionary
def statistic_floors(skyscrapers):
a = pd.to_numeric(skyscrapers["FLOORS"], downcast='signed')
statistics = {}
statistics["max"] = a.max()
statistics["min"] = a.min()
statistics["mean"] = a.mean().round()
statistics["median"]= a.median()
return statistics
#makes the max, min, mean, and median of the height in meters
def statistics_height(skyscrapers):
b = skyscrapers["Meters"].str.strip('m')
a = pd.to_numeric(b)
max = a.max()
min = a.min()
mean = a.mean()
mean = mean.round()
median = a.median()
return max, min, mean, median
def map(skyscrapers, z =1):
coordinate_tuple = ("lat", "lon") #made a tuple to chnage lat and lon
coordinates = skyscrapers[["Latitude", "Longitude"]]
#rename to lat and lon because have to map that way
coordinates = coordinates.rename(columns = {'Latitude':coordinate_tuple[0], 'Longitude':coordinate_tuple[1]})
coordinates = coordinates.apply(pd.to_numeric) #makes them an number
st.map(coordinates, zoom=z) #maps the coordinates
def pick_city(skyscrapers):
city_list = skyscrapers["CITY"].tolist() #makes list of vities
city_list = list(set(city_list))
city_list.sort() #sorts cities
option = st.selectbox('Which city would you like?', city_list) #makes drop down to let you select city
st.write('You selected:', option) #shows what you selected
df_new = skyscrapers[skyscrapers['CITY'] == option] #grabs database of all skyscrapers within that city
st.write(df_new) #prints it out
#MOST PROUD OF
def find_skyscraper(skyscrapers):
city_list = skyscrapers["CITY"].drop_duplicates().tolist() #changes to a list and then drop cities listed more than once
city_list.sort() #sort them in alphabetical order
make_choice = st.sidebar.selectbox('Select Location:', city_list) #makes drop down box with city
years = skyscrapers["COMPLETION"].loc[skyscrapers["CITY"] == make_choice].astype(int) #gives years based off city chosen
year_choice = st.sidebar.selectbox('Select Year:', years.drop_duplicates().tolist()) #lets you pick year
#gives list of material based on city and year
materials = skyscrapers["MATERIAL"].loc[skyscrapers["COMPLETION"] == year_choice].loc[skyscrapers["CITY"] == make_choice]
#lets you pick choice of material
material_choice = st.sidebar.selectbox('Select Material:', materials.drop_duplicates().tolist())
#put all the pieces together to then find the name
skyscraper = skyscrapers.loc[skyscrapers["MATERIAL"] == material_choice].loc[skyscrapers["COMPLETION"] == year_choice].loc[skyscrapers["CITY"] == make_choice]
#puts name of skyscraper
st.sidebar.subheader(skyscraper["NAME"].to_string(index=False))
#maps the skyscraper chosen on the map
map(skyscraper,12)
#calls all the other functions as well as creates a page layout
def main():
skyscrapers = pd.read_csv("Skyscrapers.csv")
skyscrapers = skyscrapers.drop(labels=0, axis=0)
page = st.sidebar.selectbox("Choose your page", ["Home Page", "Bar Chart", "Pie Chart", "Statistical Data", "Map", "Skyscrapers per City", "Find Skyscraper"])
if page == "Home Page":
main_title = '<p style="font-family:sans-serif; color:Black; font-size: 42px;">Going to New Heights</p>'
sub_title = '<p style="font-family:sans-serif; color:Black; font-size: 22px;">This is the Burj Khalifa - The Tallest Skyscraper in the World</p>'
st.markdown(main_title, unsafe_allow_html=True)
st.markdown(sub_title, unsafe_allow_html=True)
sub2_title = '<p style="font-family:sans-serif; color:Black; font-size: 16px;">by Megan Winslow</p>'
st.markdown(sub2_title, unsafe_allow_html=True)
#lets me add a background image using css
st.markdown(
"""
<style>
.reportview-container {
background: url("https://websaweprd.blob.core.windows.net/cms-assets-international/styles/640w/public/2021-04/News%20article_New%20Record%20World%27s%20Highest%20Revolving%20Doors%20Burj%20Khalifa%20_main%20pic_2880%20x%201620px.jpg?itok=5Kzv7b-J");
background-size: cover;
}
</style>
""",
unsafe_allow_html=True)
elif page == "Bar Chart":
st.title("Bar Chart")
st.pyplot(bar_chart(skyscrapers, 'slateblue'), clear_figure=True)
elif page == "Pie Chart":
st.title("Pie Chart")
pie = pie_chart(skyscrapers)
st.pyplot(pie, clear_figure=True)
elif page == "Statistical Data":
st.title("Statistical Data")
st.subheader("Max, Min, Mean, & Median of Floors in Skyscrapers")
floors = statistic_floors(skyscrapers)
st.write("Max:", floors["max"])
st.write("Min:", floors["min"])
st.write("Mean:", floors["mean"])
st.write("Median:", floors["median"])
st.subheader("Max, Min, Mean, & Median of Height of Skyscrapers in Meters")
max, min, mean, median = statistics_height(skyscrapers)
st.write("Max:", max)
st.write("Min:", min)
st.write("Mean:", mean)
st.write("Median:", median)
#lets me add a background image using css
st.markdown(
"""
<style>
.reportview-container {
background: url("data:image/jpeg;base64,/9j/4AAQSkZJRgABAQAAAQABAAD/2wCEAAoHCBUVFRUVFRIYEhgYGhgSEhIYERESEhgZGBgaGRgYGBgcIS4lHB4rIRgYJjgmKy8xNTU1GiQ7QDs0Py40NTEBDAwMEA8QHhISHjQhISs0MTQ0NDQ0NDQ0NDQ0MTQ0NDQ0NDQ0NDQ0NDQ0NDQ0NDQ0NDQ0NDQ0NDQ0NDQ0NDQ0NP/AABEIAKgBLAMBIgACEQEDEQH/xAAbAAADAQEBAQEAAAAAAAAAAAABAgMABAUGB//EADwQAAECAwUGAgkDAwQDAAAAAAEAAgMRIRIiMUFxBFFhcoHBMrEFEyNCgpGh0fBSssIGM2IUkqLhFdLx/8QAGQEBAQEBAQEAAAAAAAAAAAAAAgEDAAUE/8QAKxEAAgIABQIGAQUBAAAAAAAAAAECERIhMYHwA1EEQWGRocHREzJxsfHh/9oADAMBAAIRAxEAPwD8iWWWX1EMissqEyKwRAVOMEQtJEKkMEywWC4LCEQsmAVQWYBMAsAmASI2YBMAsAmAVSA2YBMAiAmATSC2ABMGJmNTlNIDkIGogKtmawarhBiEDUbKoGFEw1aDZOyjJPZRDVaJiJ2VrK65TPDckELH5ABXCRTOZEOTub01S2VNBWmTfpJIQrOakIQaGmSIRnWoTgDXhJBzPvgpRbJnFCVR9ZVTOZVMGSI811MuISLBk4jqnZDEsFR2J0QbgNFcKOxM8FZZZfEegFGSCYJBAnCVMuRDIhFoWAVohgE0lkySAwBPJKAnaqiMbJMxoWDqSVWtGWKaVgbJyThhWDVVtaYFJIDYjVQFGGMqd1iK0VSA2FqpYmlY1VaxaJGcmFrUWMTykjDCVAbAQckCCnM1QNmEqDiohZWkqWUbKlHYhQ7c0T3ohtJT4zVWQzjJABKg4l5EXtnICpzKDW044LEJSERIWO2qiQrPM0hCEtTSLJEJSDNXNJLMAnvkNVKFiJuO9A4hdj4QtSkMJ4SUHsADTxx6lVxZFJMV2J0QaKDRM7E6JW4DRQSPn0UEV8J6JkQsjJU4wTgpQjJciMYFYLBYK2EYFOEicFJBYQmAQYnCSQGwhhVAEwGOSZjcKLRRM3Im1UDykVms3FVJhkwsI3JjUpGhUaEkBhaFYMO9ZjVRq0ijKUhJJ2UQlVdDJJJAlIAYCnDZIhgKd0BwMiDPGWPkmkZORJsOawZWqqwSWfVdRMTL+ryGEsd5UITHSIDZyxotC8QlnRehsoDbYMyZeLoVaM3Jpdzx9ohyO5SEOfBdMVkyDPHArQ4d1xlOR6I1mbqVI4nskpyXfF2F1oBoLnETsta5x+lVy+rM5bsc/osmszSM00GHDtGRE0pgECfHDqulgsuAG6dUjyC3dXulhRyk7EcTaOndRJJa3gceq6H1fPhlXNUE5QiHBraTE5e8Q67701GJPQ4HeI6LQ8FeNCvODRSU5EowobbLaZDephbHiSR8qiEEV556YQiEEQqcEJkqcKoLMiEJIhUIQnCUJgkiMYJggE7QkgMcPO9Vhvkphv0TMaU1Zm6GEjPersbLCpUAmakmBjtVYeNVNqdoSRnI6xVsp5iQVSyQExXgKSXM1lJz6K8MuABrwWyZhL0Kt2abS6eGNJhKYcuq6YMS44SHHeZKWMqS6zKVIyxO3YYIXqvHtBy91xshtDC7MGUssl2TnE+HunFHzzlb9zzrKtBhAtcSKjBXbKwObuqxPf07FWjnN6CRNnuwzIZdlMQSXvAMp2RMmQqMzkrubNrNR2Vdh2OI9zw0ybSZIm0U8+CLM3PDFuTo6YP9Mkhtt4EsQ0Wp03mS9LZvQcBk7hdPG0SR8hT6Lv2aDYa1toukALRxKcrFtnj9XxfWk2sWXpkeb6Y2oQYRsyaXXWgACpBmZDcJr8/DBJxlgZD6L3f6n2y1Ha0G6wEDmPiP0A6LxT4Xc32VSPc8D0v0+km9XmxnG8J1EuBKi9okRhXuE7vF0UnOunXLVcz7UijYd8zNA2bsjKeXE0HVc73k2SaXhIZAToBwkumO4B1nhafxOEulepK5bVGyPvDzRNEdDvG8/wCISwfCNB5LPN9/KEsLwt0CQHp7HyiKCK8w9kZMEiYFI4KaSUJguQWFqKATBVBGCaaVNJMLCE4KQJgqgMu1ycZUUmKonIkLRMykCWS6GtGGcpqDXLo2cOcZAF3CSUdQS0FarNA0XRB9FuOJDPqfol2uA1jg0OJMpuMqVwEvzFa/pyirapGTnGTpMVr5TEvrT5KtuYGWOim1oI6Y1xReyXllJVWB0z0YP9pxNcJcKb0jIZoJY1FQk2VpsOOX/S653maHyWizPmk6bKNaLDgcZ9wrvEnjl7rliG47m7hVLr/w90jFr7C1txvN3VYkJxDpCZIo0VccpgZ1XV6M9EveG2xYbO1UEOInkO6+ig7MyHN1Afee4ichxyHBFzo+Xq+Kj03SzfZHj+jfQrpNMQkAVsDE6nJe7da3JjRoAF5e3enGMAsC3M2bU5NHc/8AS+f2zb3vc+06YAFluDRTIIU5anzLodbxDxTyR7HpD+oWgtbDE7VLZFByjPqpQ/6hHqolo+0bdaf1E4GW8TrovnJ+D8yUIuD9ewXOKPQh4Ho0lW+5TaqxG1yM/qpsaCHTwBLnb5CVBxJkOqzjebotGusc3Mm07+I+Veo3LmfclojOhguuGdPAfH0/V0rwUWGy1zziHEMH+UxXp5ySvN7opxYhc2pLpGQmZ0mizWKA43undSbg3mHmquabWB8O7ipNFGnK0PNFmiOlxvu5QhC8LdEHG87lCWEbrdAmFI+XRQTLzD1goyQRCpwUwShMqgs00wSpgqgjp2pAEzQTPgmgsIVWMJqkaOCs03Tr9kooEmNZpIBVBGAypwO9K51n5SHcrq2TYy4To3i7sFrGLbpGMpJK2clishWeG9exsHo9zZOdMbgO/wBkrXQ4YcPEd9C4HXIfmSWNtT3yEy0EhtkE6VK3gowdyzfZGE3KWSyXc9ZsUFrnA2g3xSM5cF8+95cS44kzKpBJbbaCZECYnjKtVmsF2mOOKvU6jnQIQUWxWkyzl9FeA604AiYrPKdEzWtsvEpSAs1zxTbLBc5zQ1pe6vhaTlwQSo6UlT8jphRLsRu4yHRWBvM3kGXyXrej/wCm3EOMQ2A4zkCHOlxyHzXo+u2XZyACHOwBF99Ma4D6J4jzep4qGJxgnJ+n5PN2T0LEiA2h6sF0wSKkcBj85L3YOxQYF50p4W3ET6DLpVePtP8AUMRwIhgQwDIuNSAJTJyGO5eXtO0l7wSSRLMzM54ldm9TB9HrdX97wrsj3tu/qNoHsm26ym6YbqBifovE27bHvtW3F1KDBo0C88Oujm7qsQ+LQKpJH09Lw3T6Wiz7+ZmxZWMwaOG8U+qMSGQXymQQCDLKRx3FdbPRbiIdpwApQVOS6IkFrBEbM3hOpnZukTl+YcFTRyS05meLaoz5fT/4pxDR+vYLojbOW+qGJNJdJ45pDDuRZioO/gEaNU1rzUm0Te2eABc7QZdTIdVCLEJDycS4k/Rde0wrJY1tS4W3YYSNkeZ6jcuJ0M2XmWDpGo3hRmsaefNQsZaeBOVCouhmyTkHSn1XaWgRgAJXT5rmcfZu5u4Ur7GnpsWcfanl/kuOdxvOPMrpcfafB/Jck7jeceZXPzFFabFHG87lCWEbrdAg43ncoQhm63QIjSPm0UEwXnHphWCxCIVOGCISJgqmFhTtbNLZ+qoweJJILGazDinaJBwTMYTZkN9cBhvTta0WrTp8G1+q1SM2wN9xdsLYnODpyYJgTcZblBu0ys2WhvHF2G9F8QkOJMyTSuVJ/b5prCtczKVvTI7dt9WxwsTfISDjhiVyxI73Cpk0mUhRJFZalXLumY66ATSeHVNybbWiBSSXmxIgkZBdTYhLG1wI+UyrQPQ0eM4lkN0v1uFlv+40XqQvREGGG/6jaWggzsQhbdPdalIfJGN2zHqdbprK7fZZv4PHGLtB5L1Ng9CR4oYQwtGJc66PrU9AupvpiBCJ/wBPswtAf3IhtGemXzC4to9N7RGsgxHXj4G3QeEhU9ZpWYSl1pftSS7vX2X5PbZ6H2aBadHjh595jZiVMJCp+i6v/NsYGsgQ2tti7aBAwpMNzNMTmvkgA0PDrxxsA8Ped2FdF0f6ppMO7eAoZmyJNuiWcqZjCs00YPwuLPqNy+Fp2Ona/S0WKHhzyRUWRJo+Qx6rnaCXMAxkfJGbXNeG3XT8JNCf8SfI/PJBz7Ja0YkSe7p4Rw37+lVoaxhFKoqv8G2iIA1zW4Wqn9Rn5bkQ+/8AD3XK83Xc3cLvgbE5zrRuNliccdytnNJLM5QDZAxvUlWdV6cHYPEX4Uu/dI3aIcNoDL7pynPj+r7Lj2vbHuDgTIS8IoP+11hpyeWR7rtqaPVtBxo0jw0lILzo0W1EjHKyJaBp/Oq5IjrsDUdk7nVjcWt/alz4CoVz1KMdabABN4eE76eH7fJTkCI052QZu4gAU64dVEOpA/PdVtpiUjkutNM5C1M1AkJZSPko3zY0Uc+dyUd84zCc2k+a53m5F5j5tTxXe1ZynyKg83IvMfNql6miWm39lXn2w5e5XK8+zdzdwrPd7Ucvdczzcdzdwi3ruaRWmxZx9p8P8lyTuN5h5lXcfafD3XLO43m7lFs0itNirjedyhCGbo0CVxvO5QhDN0aI2OjwEZIhHcvhSPQMCmklTtNVUiMEk4YfyiAMxu8kRiVUkQcSkK55fdWhvJJDW1NBS0cFKHDmASbLZ+I58GjMqxeZOawWW5kmruZ27hhrimnQGVLwLMz6x26c2N/9j9NUPWNNq02X+TZNPVuB6SSQ4YpacNAC4/b6qrSwWpMLz/m4hv8AtbI/8ks2ZuhmbPas2HB/DB+H6Dj0mukejIhBJaITZ0dEcIQlTC1U9AVEbfEaGhpEOf6GhhlutC8epUztTiHWr9femXZYO8Q+clcgNTeh6UOFs7DfjOimXhhMk3/e+X0Csz0u1jQYOzsYZ0c+cZ+OM3UB6LzWhhdR1gywdUY5OHcdUvqHSAs4mYMwWyxJtYfVKzJ9NP8Ac2z0I3pKLELrcRxpQWpN+QooscC1uo7oN2d0zhKXjtAs+Yz4YrNiNaG2bxmL5FPhafM/ILRAwxSyVfwVZBkXFxstIEqTcaYtbnrglMaQa1osDA1m46u3cBIKZeS5xJJJFSTM4b0zJGxmcgBMnguO/kLRK2fl8sU7cWadlT1DrxeQyf6jXD9Iqma6G0to6IZU9xmG7FJAbsSGxzrYa0urkCV2jY5Fpe8Mp4ZzeaZAJWba4sihsmATkGiz9cZrjLXWmUMyCeJokZ5u/L/D0HbYxjT6tkzPxu3/AJotHL3xLJfO7alUNx3LicwercSKh0vqF2l3tvh/kkl3BVfJ59q6ObuqvBIcQMBXgtT1baDxYy4lWeQDEp7ooKZFckJ+gr3XYOo7Kj3Xo3KB/wASoONIHAg+SJdWNyj9pXXzY6ubmDqQfzJLFddja9glDqQfzJJFddi69gpfNhqOfO5SK72jOU+RUHuuReY+YTxHe0ZofIrnc65E5j5hS9RqP0We72o5e653G47m7hUe72g5e653G47m7ot6jS02LON/4e65p3G83cqrjf8Ah7rnncbzdyi2NIdxvO0CVhoNFnG87QKYNBoEbHR5ayARXyH2mTjFK1pNAqiEc6D9WI6Sx6LiMVonICtaBdDZNN68f05DmOeg+eSj6yQk2mRd7x+w4JRiqgtWVe8mRJnkDgBwAy0WFZpGkyC6WMmHZHd0SSsMnQG+6nbn9VhDF3j9lVokHj84LVRZm2JanZRdDm1x4/ZO0C5TX5J3+F3N9klHIDfYiQQ6olTuqbLFkJGdl1HAazBA3ggJ44m4Und7qcOFdBn7wH1UcaeR1prM6nPHhbMjxFxAFSJYTMhTfmpsAk2ZzGFT9vqtEZJxAmaDiqMNyHzDzK0rMzehRgE3SbOQE7RkMNwl5rCM+TALoOTRZB+WKcOvROUeRStdSDr2Soz58E5G/Q8acE8JtpzBOWPkqF397T+KLAA6FIZGf+1WsyPTnYZlGxhuJCqXXoOh/aue1djalOXX4Wh/aknzcDXNho7rj+c+YVy72vw/yXJHdcfznzCsXe1+H+S68/YmHL3Jh3s2838irRXVico7rkDvZt5/5FViuq/lHdcmVxz9zPfdgjiOyJdWLyt/aoOdSDqOyYuvRdB+0qXzYWHm4bVIP5kkiuuxdewS2qQvzJLEddia9gpYkubjxHX2aHupOddicx8wi919mh7qTjdfzHspeu4lEq53tBy91zuNx3N3Co43xy91BxuHm7ot6jS0Kude+HuoTut5u6oTe+HuoTut17oN/Y0ihN52gSsNBogTedogw0Gilio84BUAwSNTjJfOkfSwsAk6dJ0njmD2ReBQDKZnKWMvslnQp8+iSSCTAp1TBtTosW06otxOi5IrY8MUbqrz8eg8lFuDdVSfi6eS0joZMq13gn+UWB8amD4PzJMD40rDRVp8H5kmebr+b7KTT4PzJM83Xa/ZK8gNZnQDf+HukBuN5u6zTe+HuptN0c3dK9dw0dYN53KO6Rhuw+YeZQBvO5R3SNddZzDzK6/slc2OoOrE5R5FBrqQteymHXn6DyKDTSFr2SsNc2LF393T+KYOrC0P7VEu/u/nupg6sLQ/tVvm4XHmw1q7F1KcuvQtD+1QtXYupTF16HofJRPm51c2HjOuP5j5hVLvafD3XLFdcfzHzCoXe0+Hurf0TD9ih1xvN3VYjqv5R3XLauN5u6rEdV/KO6iYnEDnUhajsmLr0TQftUHupD6dkxdeiaDyUsuHm4bVIf5kliOuxNewSzpD/Mkr3Ufr2C6ypc3KPN5uhU3Ouv5vss915uikTddzfZG9eeQ0irnXxoouN083dM43hook3Tr3Rb1EkVJvfD3Up3Rr3TE3undSndGqLYkhianRGGaJCanRaGaI2KjkCYZLLLFGzNkUwx6LLJojMDTqqA1OiyySCzNNG6p5+L8yWWVXPYjCD4fzJMD40FkgMYHwfmSZ5uu1+yyyXkEqDe+HukBuDm7rLLiFp1dyjukabrOYeZWWS/7/AGEpO8/QeRQa6kPXsgsrz5Dz4GLv7n5kmDqw9D+1ZZU7nwLapE1KcuvQ9D5LLKHc+BXm67m7hULr/wAPdZZd5+xCIddHN3TvdV2g7rLLloVk3OpD6LF1X6DyWWULz5FteD8ySuNH69gssoLnyZzrzdFMmjtfsssi/MSM43+imTdOvdZZR/kSCTe6d1KdBqssixIxNTojDNEFkSn/2Q==");
background-size: cover;
}
</style>
""",
unsafe_allow_html=True)
elif page == "Map":
st.title("Map of All Skyscrapers")
map(skyscrapers)
elif page == "Skyscrapers per City":
st.title("Find Top Skyscrapers Based on Selected City")
pick_city(skyscrapers)
#lets me add a background image using css
st.markdown(
"""
<style>
.reportview-container {
background: url("data:image/jpeg;base64,/9j/4AAQSkZJRgABAQAAAQABAAD/2wCEAAkGBxIQEhAPEhIPFRUVFQ8VFRYVEA8QFRcVFRUWFxUVFRUYHSggGBolHRUVITEhJSkrLi4uFx8zODMtNygtLisBCgoKDg0NFRAPFSsdFx0tLS0rLS0rLS0rKy0tLS0tLSstLSstLS0tLS0tLS0rLSstLS0tLS0rNy0tLS0rKy03Lf/AABEIAKgBLAMBIgACEQEDEQH/xAAaAAEAAwEBAQAAAAAAAAAAAAAAAQIEAwUG/8QALhAAAgECBQIGAQQDAQAAAAAAAAECAxEEITFBURJhcYGRsdHwoRMiQsEFMuEU/8QAGAEBAQEBAQAAAAAAAAAAAAAAAAECAwT/xAAbEQEBAQEAAwEAAAAAAAAAAAAAARECEiExUf/aAAwDAQACEQMRAD8A+CAB7lC8ndKySsrPv3KEpgdKNdxyea4NtOrZdUc1wefqKdRxd0WVLHuUaqkrosedhq62y7G6E7lSrlXISZUqJIuGQVpJADYHmVqfS2uNPBnGUTfjYXXVx7GTK33T6zFWe3O2QaJi9UTtYyvpWKImTciRUQXpLUodKWn3YQdAiAaZSiblS8KfU7evwBnnK5B1q0rffc5My0nU24PD/wAn5fJXDYXdm41IgADQlmbEUM+uKu91z38TSghZpLjJHAtxd3nqlsux58otOzPebtmzzcclJ9SWmvcxYaxE3IBlQEx1JSvcoqCZRsQAJuQAJ0zNVDE6JmRMkSmPZjUuWPMw1b+L09j0Iz2ZuVMXIAKIbIAIyhq+R51SNm0ekZcbDSXkyVYyMgkgjSpAZaKIIjG51StkQiS4gCAUWN1Cn0rvuZ8LTu78e5sKlc6tLqOVHDWbbz4NIJiaEogIosAGytJRzqVVHx4OVTEbR9fg4E1HSdRyzf8AwhFSblRmr07O+zOSNFaqmrIznOtL1KdnYiLOy559tjnJ/uuVVowvm9CZQTJbyKw3EhXOVNoqaLlJRQwcgWcCpB1w+u5sjLZ6e1v6XPJkoyXn308+y4NcZc+u/ny9+xi/W58doztqXbMyutM0/v3zbNDR0561jqYAA0wFZRumixAHmSjZtFWasZDSXqZjLUUZaBWRaBIqwANAdKVJs6YXDOWextlFKyWwSqQjZWLAFZAAAJRU4VcTtH1+AR3q1VH4MlSo5a+hQDVSSc6lSxxlJsm4Y7TrcHCUm9SAZ1UggIip6h1EAo6xmIs5ExTY0dCCt2iVIui1yGhcAUcS1Oq0SQ0TBsw1TqeT9fuZraPOw0I3zbvtsvU9ATnKddegAg25hAARWpG6aME4tOzPROdan1LvsRZcee0IFpJrIiC18SOiTVhMLfN6F8Lhf5SNM6my0KlpKVlZFEQSisbqQAFClSoo6nPEV+nJa+xkbvmFkdKlVy8OCiILABKViUcq5KRzbIAMtAAABAEoAAoBMACUxfPMgASvQlclQBe5JS5KkBY6U6zjo/I5XJKN9Oun2Op5d7GinWaLrN5awc4VkzoVizAEAI516XUu5XA0V+5vax2AxqdOlSpfLYoQSE3QlEEoCTjXrdOS1Fet05LUx66hqIbJSJsSRdLAAqJE43ViOpcoj9VLn2AztAtUnfYi/Yw2gAAAAiUAAUAAAATLKQFQW6hdAVBdJO5FkBUFukdAwQpHWlKP8k/FHPoHQBpVNP8A1kn2f7WXjOUdU14/0ZFB9vU3YebSsk++43FzXVSvmBePFn6A3Lrj1MqCQCsiJIJI0I5163TluK9TpVzE5BqRYFLkE1rF3JFf1SrRF+y/JNXEuqyrk3yT1P6irRAsAAAAAAAAEAiUAAUAAAAAAAAET3IJTAsmSiIweyb8EztHDye3qUcgaY4R7te5dYWPdlxNjPRpOTPSpw6VZHOOWSDYxPN0nU2RzAK526AWJBgASgqJRTyZhr0ul9j0Cs4JqzDUrzAXrU+l2KGW0oST5/JBZDBWz59yrT+s6pE9NyYbGewOv6Hf8MpKNuBhqoAAAAAEAiUAdoYWb/i/PL3O0P8AHS3cV6soxg9KP+NW8m/BJHSODgtvVtlxNeSXjRk9Iv0PYjBLRJeCsSXxNeXHBTfC8/g6xwHMvRG5lRkS1njg4Ll+L+DrGlFaJehcFQIZJASoAARAJsQESCCJySzYWE5JK7ONKvdy4tf2+TNXquXhfLwEJ2cvBr8f8M2tzn9eiiTJhq1orhO3hfT+zYWVLMAAVFZwUsmZp4N7P1NZKDUeZKm1qmgkeocp4aL7eAxWL7x7knWeFktM/vBz6dvvoRFak7eJmbO1Sluji0SrAAEUFwAAQBB9ACtKopK6LG2ahlUWkURogyCSAqGQWZUlSgACBDJICBBICIBJKQFTz69Xqbe2iNOMqWVt2YVr4Ga3zB6pBavzENSI6kaWpytdco24etpfRr8rX8Znnl4Tay8/NAeqSZ6FXRbbdr7eTy9DSkantmwRIBpQlEF4oJUoiUE9UWJMow4ij06aMxThbZ+57M4XVmYJRtkM1dx57BsnRTOUsM9s/wAEsXXAEtWyZBFAgESj0P8AFX/dx/Z6DPGwlbpknto/A3YzE5Wi9cm1t5moljUUIw0m4q+u5yr4uMd7vt8mpUx2sQZMPjeqVnZJ6eJrLKoVZYNBKqACIEEgCCs5pK7JnK2bPPrTcn2JSTWiUXNdUW21toi9GsrO+2z1XYy059Lv+NhiJLbz1v4Pkmt2KVanU3I57B8CXBAiIkrRkRAiRL2EgBeEre/luvT2PSw1XqXh7bM8pM60avS7r6uCyj1gRGSaTRZRNoRRchIkjISARQrOCeqLAjTNLDcZlOixsIlFMus2MOIaSzSfB57ieji8JJu6z7aGFqzs9SVZHJoHWS0ObIqDf/6oRiopdTsr8XtySAMlXESl2XCyRyAAHqYOv1Kz1WvfuAXn6juADYhogAlShBIDLDiat3ZHAAlbiXmUebIBlSOpDJAE7FUSAExEACESABswGIUbxemq+DdRrKV1o/HVcgFlMdSQCsiABFgAAoAABSpSUtV8kgDysTFRk4p/eDP0MAzVf//Z");
background-size: cover;
}
</style>
""",
unsafe_allow_html=True)
elif page == "Find Skyscraper":
st.title("Find Skyscraper Based on Location, Year, & Material")
st.subheader("Displays Choice on Map")
find_skyscraper(skyscrapers)
main()
#https://towardsdatascience.com/creating-multipage-applications-using-streamlit-efficiently-b58a58134030 (helped creating multiple pages)
#https://discuss.streamlit.io/t/filter-dataframe-by-selections-made-in-select-box/6627/2 (helped with the find skyscraper function)
#https://docs.streamlit.io/en/stable/api.html (used reference for most questions I had)
#https://matplotlib.org/stable/gallery/color/named_colors.html (for list of colors)
#https://discuss.streamlit.io/t/change-backgroud/5653 (help me add image to background)
#https://discuss.streamlit.io/t/change-font-size-and-font-color/12377/3 (change title colors)
|
ec0a5fdd4aa0a9391ba98ef7631fd18b45b04c7b | ADEnnaco/ProjectEuler | /problems/Problem006.py | 1,293 | 4.0625 | 4 | # -*- coding: utf-8 -*-
# Problem6.py>
"""
The sum of the squares of the first ten natural numbers is:
1^2+2^2+...+10^2=385
The square of the sum of the first ten natural numbers is,:
(1+2+...+10)^2=55^2=3025
Hence the difference between the sum of the squares of the first ten natural numbers and the square of the sum is 3025−385=2640.
Find the difference between the sum of the squares of the first one hundred natural numbers and the square of the sum.
"""
# =============================================================================
# The sum of the squares of the first n natural numbers is:
#
# (1/2)(n)(n+1)
#
# The square of the sum of the first n natural numbers is:
#
# (1/6)(n)(n+1)(2n+1)
#
# Some algebraic manipulation shows a simplified form of the difference is:
#
# (1/12)(n-1)(n)(n+1)(3n+2)
# =============================================================================
import time
def main():
start_time = time.time()
n = 100
answer = int((1 / 12) * (n - 1) * n * (n + 1) * (3*n + 2))
total_time = time.time() - start_time
print("The answer is {}.\nCalculation took {}s.".format(answer,
total_time))
if __name__ == "__main__":
main() |
676b7147351998248ca22d30a96f86b346290dc8 | Uche-Clare/python-challenge-solutions | /Uche Clare/Phase 1/Python Basic 1/Day 14/Task 4.py | 106 | 3.515625 | 4 | x = 78
y = 78
z= 54
if x==y==z:
print('They\'re the same value')
else:
print('They\'re different') |
5bda6598d3c2219b986af5c2a2dc8ae202d09a3c | clemencegoh/Python_Algorithms | /algorithms/HackerRank/level 1/random/Find_Particle_Collision.py | 1,078 | 4.09375 | 4 | #
# Given an array of integers representing speeds of imaginary particles,
# find the particles which will 'collide' with position n as given.
# Collision will not affect the current speed or direction of the moving particle.
#
# Examples are given below
#
def collision(speed, pos):
# Here we assume there are no negative numbers
# start from pos, iterate backwards
counter = speed[pos]
collisions = 0
for i in range(pos - 1, -1, -1):
counter += 1
# also add if any number if greater than, since will overtake eventually
if speed[i] >= counter or speed[i] > speed[pos]:
collisions += 1
# start from pos, iterate forwards to determine if it will overtake any
counter = speed[pos]
for i in range(pos + 1, len(speed), 1):
counter -= 1
# also have to add if smaller since will overtake eventually
if speed[i] <= counter or speed[i] < speed[pos]:
collisions += 1
return collisions
print(collision([10, 8, 3, 6, 2, 2, 4, 8, 1, 6], 7)) # should return 3 |
bf7bcff89220864e64991e8cd8b041ee0ccfed8a | mcmalach/real-python-test | /sql/sqla.py | 415 | 3.890625 | 4 | #!/usr/bin/env python
#Create a SQLite3 databse and table
#import the sqlite3 library
import sqlite3
#create new database if the databse dosen't exist already
conn = sqlite3.connect("cars.db")
#get a cursor object used to execute SQL commands
cursor = conn.cursor()
#create a table
cursor.execute("""CREATE TABLE inventory
(Make TEXT, Model TEXT, Quantity INT)
""")
#close the database connection
conn.close() |
4d812860075d5a8e324d3cd2d8c088b5e94583df | jpiland16/sequence-prediction-analysis | /networks.py | 11,356 | 3.53125 | 4 | print("\nLoading PyTorch...\n")
import torch
from torch import nn, Tensor
from tqdm import tqdm
from sequence_utils import one_hot_encode
def get_train_set(train_data: list, seq_len: int,
num_bands: int) -> 'tuple[Tensor]':
"""
Generate a pair of training sequence Tensors (X[], y[]) where y is one
time-step ahead of X.
A note on the shape of the input - 3 dimensions:
For each training example:
For each timestep in the sequence:
There should be a value for each input
(there should be a one-hot vector here)
"""
train_x = [] # a set of little sequences
train_y = []
# Subtract 1 here to accomodate for predictions
for i in range(len(train_data) - seq_len - 1):
# Notice: the input is one-hot-encoded, but the target is not
# Also note: we are subtracting 1 from the values because
# the presentation used 1-based indices rather than 0-based
train_x.append([one_hot_encode(value - 1, vector_size = num_bands)
for value in train_data[i : i + seq_len]]) # a little sequence
train_y.append([value - 1
for value in train_data[i + 1 : i + seq_len + 1]])
return ( Tensor(train_x), Tensor(train_y) )
class SimpleRNN_01(nn.Module):
"""
A simple recurrent neural network plus 1 hidden layer.
Based on the tutorial available at
https://blog.floydhub.com/a-beginners-guide-on-recurrent-neural-networks-with-pytorch/
"""
def __init__(self, params: dict):
"""
Initializes a neural network with recurrent layer(s) and 1 fully
connected layer.
"""
super(SimpleRNN_01, self).__init__()
# Defining some parameters ------------------------
self.hidden_layer_size = params["HIDDEN_DIM"]
self.n_layers = params["NUM_LAYERS"]
self.input_size = params["NUM_BANDS"]
self.output_size = params["NUM_BANDS"]
self.params = params
#Defining the layers ------------------------------
# RNN Layer
self.rnn = nn.RNN(self.input_size, self.hidden_layer_size,
self.n_layers, batch_first=True)
# Fully connected layer
self.fc = nn.Linear(self.hidden_layer_size, self.output_size)
def forward(self, input_data: torch.Tensor):
"""
Return the output(s) from each timestep in the input sequence.
"""
# Passing in the input and hidden state into the model and
# obtaining outputs
output, _ = self.rnn(input_data)
# Reshaping the outputs such that it can be fit into the
# fully connected layer
output = output.contiguous().view(-1, self.hidden_layer_size)
output = self.fc(output)
return output
def train(self, train_list: 'list[int]', show_stats: bool):
# Define Loss, Optimizer
criterion = nn.CrossEntropyLoss()
optimizer = torch.optim.Adam(self.parameters(),
lr=self.params["LEARNING_RATE"])
# In this case, we are using the same batch
# for each training epoch
training_input, training_target_output = get_train_set(
train_list, seq_len = self.params["SUBSEQ_LEN"],
num_bands = self.params["NUM_BANDS"])
iter = range(self.params["NUM_EPOCHS"])
if show_stats:
iter = tqdm(iter)
for _ in iter:
optimizer.zero_grad() # Clears existing gradients from previous epoch
output = self(training_input)
training_target_output = training_target_output.view(-1).long()
loss = criterion(output, training_target_output)
loss.backward() # Does backpropagation and calculates gradients
optimizer.step() # Updates the weights accordingly
if show_stats:
iter.set_description(f"loss: {round(loss.item(), 3):5}")
if show_stats:
print("\nDone training!\n")
def predict(self, input_list: 'list[int]') -> 'list[int]':
# Surround input_seq with square brackets because it is a single batch
# Subtract 1 from value to convert to 0-based indexing
input_seq = Tensor([[one_hot_encode(value - 1,
vector_size = self.params["NUM_BANDS"]) for value in input_list]])
output = self(input_seq)
# Select the index of maximum probability
# Add 1 to value due to 1-based indexing
return [torch.max(probs, dim=0)[1].item() + 1
for probs in output ]
class RNN_SingleOutput(nn.Module):
"""
A simple recurrent neural network plus 1 hidden layer.
Outputs a single value in the range (0, +infinity).
Is clamped at both ends and rounded before accuracy is tested.
"""
def __init__(self, params: dict):
"""
Initializes a neural network with recurrent layer(s) and 1 fully
connected layer.
"""
super(RNN_SingleOutput, self).__init__()
# Defining some parameters ------------------------
self.hidden_layer_size = params["HIDDEN_DIM"]
self.n_layers = params["NUM_LAYERS"]
self.input_size = params["NUM_BANDS"]
self.output_size = 1
self.params = params
# Defining the layers ------------------------------
# RNN Layer
self.rnn = nn.RNN(self.input_size, self.hidden_layer_size,
self.n_layers, batch_first=True, nonlinearity="relu")
# Fully connected layer
self.fc = nn.Linear(self.hidden_layer_size, self.output_size)
def forward(self, input_data: torch.Tensor):
"""
Return the output(s) from each timestep in the input sequence.
"""
# Passing in the input and hidden state into the model and
# obtaining outputs
output, _ = self.rnn(input_data)
# Reshaping the outputs such that it can be fit into the
# fully connected layer
output = output.contiguous().view(-1, self.hidden_layer_size)
output = self.fc(output)
return output.view(-1)
def train(self, train_list: 'list[int]', show_stats: bool):
# Define Loss, Optimizer
criterion = nn.SmoothL1Loss(beta = self.params["BETA"])
optimizer = torch.optim.Adam(self.parameters(),
lr=self.params["LEARNING_RATE"])
# In this case, we are using the same batch
# for each training epoch
training_input, training_target_output = get_train_set(
train_list, seq_len = self.params["SUBSEQ_LEN"],
num_bands = self.params["NUM_BANDS"])
# get_train_set uses 0-based indexing. Let's use
# 1-based indexing instead.
training_target_output += 1
# Rescale the targets to be between 0 and 1
# training_target_output /= self.params["NUM_BANDS"]
iter = range(self.params["NUM_EPOCHS"])
if show_stats:
iter = tqdm(iter)
for _ in iter:
optimizer.zero_grad() # Clears existing gradients from previous epoch
output = self(training_input)
training_target_output = training_target_output.view(-1).float()
loss = criterion(output, training_target_output)
loss.backward() # Does backpropagation and calculates gradients
optimizer.step() # Updates the weights accordingly
if show_stats:
iter.set_description(f"loss: {round(loss.item(), 3):5}")
if show_stats:
print("\nDone training!\n")
def predict(self, input_list: 'list[int]') -> 'list[int]':
# Surround input_seq with square brackets because it is a single batch
input_seq = Tensor([[one_hot_encode(value - 1,
vector_size = self.params["NUM_BANDS"]) for value in input_list]])
output = self(input_seq)
return output.detach().numpy()
class SimpleLSTM_01(nn.Module):
"""
A simple LSTM plus 1 hidden layer. Code is very similar to that of
SimpleRNN_01. The one difference is marked with a multiline comment.
"""
def __init__(self, params: dict):
"""
Initializes a neural network with LSTM layer(s) and 1 fully
connected layer.
"""
super(SimpleLSTM_01, self).__init__()
# Defining some parameters ------------------------
self.hidden_layer_size = params["HIDDEN_DIM"]
self.n_layers = params["NUM_LAYERS"]
self.input_size = params["NUM_BANDS"]
self.output_size = params["NUM_BANDS"]
self.params = params
#Defining the layers ------------------------------
# LSTM Layer
"""
~ THE NEXT LINE IS DIFFERENT FROM SimpleRNN_01 ~~~~~~~~~~~~
(only in the fact that it says LSTM instead of RNN)
"""
self.lstm = nn.LSTM(self.input_size, self.hidden_layer_size,
self.n_layers, batch_first=True)
# Fully connected layer
self.fc = nn.Linear(self.hidden_layer_size, self.output_size)
def forward(self, input_data: torch.Tensor):
"""
Return the output(s) from each timestep in the input sequence.
"""
# Passing in the input and hidden state into the model and
# obtaining outputs
output, _ = self.lstm(input_data)
# Reshaping the outputs such that it can be fit into the
# fully connected layer
output = output.contiguous().view(-1, self.hidden_layer_size)
output = self.fc(output)
return output
def train(self, train_list: 'list[int]', show_stats: bool):
# Define Loss, Optimizer
criterion = nn.CrossEntropyLoss()
optimizer = torch.optim.Adam(self.parameters(),
lr=self.params["LEARNING_RATE"])
# In this case, we are using the same batch
# for each training epoch
training_input, training_target_output = get_train_set(
train_list, seq_len = self.params["SUBSEQ_LEN"],
num_bands = self.params["NUM_BANDS"])
iter = range(self.params["NUM_EPOCHS"])
if show_stats:
iter = tqdm(iter)
for _ in iter:
optimizer.zero_grad() # Clears existing gradients from previous epoch
output = self(training_input)
training_target_output = training_target_output.view(-1).long()
loss = criterion(output, training_target_output)
loss.backward() # Does backpropagation and calculates gradients
optimizer.step() # Updates the weights accordingly
if show_stats:
iter.set_description(f"loss: {round(loss.item(), 3):5}")
if show_stats:
print("\nDone training!\n")
def predict(self, input_list: 'list[int]') -> 'list[int]':
# Surround input_seq with square brackets because it is a single batch
# Subtract 1 from value to convert to 0-based indexing
input_seq = Tensor([[one_hot_encode(value - 1,
vector_size = self.params["NUM_BANDS"]) for value in input_list]])
output = self(input_seq)
# Select the index of maximum probability
# Add 1 to value due to 1-based indexing
return [torch.max(probs, dim=0)[1].item() + 1
for probs in output ] |
ba6f48e1cad7d4ad3363ddd3854b7b9e2bcafb42 | mtahaakhan/Intro-in-python | /Python Practice/boolean.py | 598 | 4.3125 | 4 | # A student makes honour roll if their average is >= 85
# and their lowest grade should be greater than or equals to 70
gpa = float(input('What was your Grade Point Average: '))
lowest_grade = float(input('What was your lowest grade: '))
# You can also use boolean values
if gpa >= 85 and lowest_grade >= 70: # If this is true. Honour roll will be true: Then it will print the command in line 11. If it is honour roll is false, the condition is not matched and it won't show anything
honour_roll = True
else:
honour_roll = False
if honour_roll:
print('You made honour roll')
|
e0b406c7ab6f81b53a1319de01adc7f39f5ef8b1 | praneesh12/python_review | /edx/Loops and strings/Loops.py | 3,000 | 3.609375 | 4 | #!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Tue May 15 21:51:13 2018
@author: praneeshkhanna
"""
# =============================================================================
# while loo
# =============================================================================
x = 3
ans = 0
itersLeft = x
while itersLeft != 0 :
ans = ans + x
itersLeft = itersLeft - 1
print(str(x) + '*' + str(x) + '=' + str(ans))
# =============================================================================
# Guess and check algorithm using while loop
# =============================================================================
x = int(input('Enter an Integer: '))
ans = 0
while ans**3 < 0:
ans += 1
if ans ** 3 != x:
print(str(x) + ' is not a perfect cube')
else:
if x < 0 :
ans = -ans
print('Cube root of' + str(x) + 'is' + str(ans))
# =============================================================================
# using for loop
# =============================================================================
x = int(input('Enter an Integer: '))
for guess in range(x+1):
if guess ** 3 == x:
print('Cube root of ' , x, ' is', guess )
x = int(input('Enter an Integer: '))
for guess in range(abs(x)+ 1):
if guess ** 3 >= abs(x):
break
if guess ** 3 != abs(x):
print(x, 'is not a perfect cube')
else:
if x <0 :
guess = -guess
print('Cube root of ' + str(x) + 'is' + str(guess))
# =============================================================================
# Assignment 1
# =============================================================================
s = 'azcbobobegghakl'
counter = 0
for i in s:
if i == 'a' or i == 'e' or i == 'i' or i == 'o' or i == 'u':
counter = counter + 1
print('Number of Vowels in s are ' , counter )
# =============================================================================
# Assignment 2 count number of times a string occurs in another string
# =============================================================================
s = 'azcbobobegghakl'
p = 'bob'
length = len(s)
counter = 0
for i in range(length) :
for j in range(length):
if s[i:j] == p:
counter = counter + 1
print('Number of bob occurs in s ' , counter)
# =============================================================================
# Assignment 3 longest substring in alphabetical order
# =============================================================================
s = 'azcbobobegghakl'
maxLen = 0
current = s[0]
longest = s[0]
for i in range(len(s) - 1):
if s[i+1] >= s[i]:
current = current + s[i+1]
# if current length is bigger update
if len(current) > maxLen:
maxLen = len(current)
longest = current
else:
current = s[i+1]
i = i + 1
print('Longest substring in alphabetical order is', longest)
|
8809bd75c714ce946a0a666a06b7c8a7bb909cb7 | shubham3rajput/Practice | /C@SKR/Codevita2/9.py | 645 | 3.546875 | 4 | # a=6
# b=3
# if a>b:
# l=a
# w=b
# else:
# l=b
# w=a
# count=0
# q=l//w
# r=l%w
# count+=q
# if r>w:
# q2=r//w
# r2=r%w
# count+=q2
# if r2==1:
# q3=w
# count+=q3
# else:
# q2=w//r
# r2=w%r
# count+=q2
# if r2==1:
# q3=r
# count+=q3
# print(count)
a=int(input())
b=int(input())
count=0
while a>1:
if a>b:
q=a//b
r=a%b
count+=q
a=r
if r==1:
w=b
elif a<b:
q=b//a;
r=b%a
count+=q
if r==1:
w=a
a=r
if a==1:
count+=w
print(count)
|
9c3c667cfd8b74e46192d7563ee077b7804f104c | JulietteLACOUR/2TP12 | /Exercice 3.py | 170 | 3.8125 | 4 | def pow(x, n, i=0):
if i == n:
return 1
return pow(x, n, i+1)*x
print(pow(42, 0)) # 1
print(pow(1, 10)) # 1
print(pow(2, 5)) # 32
print(pow(7, 2)) # 49
|
b7cbb5552167df4bf543636fa0554ae7b1b75252 | curtesyflush1/Testing | /almost_there.py | 364 | 3.71875 | 4 | # ALMOST THERE: Given an integer n, return True if n is
# within 10 of either 100 or 200
def almost_there(x):
#num1 = range(90,110)
if x in range(90,110,1):
return True
elif x in range(190,210,1):
return True
else:
return False
# Or the following:
def almost_there(x):
return (abs(100-x) <= 10) or (abs(200-x) <= 10) |
05c61cc389f1c6ba8cbd4a6097b8cb25eac286d2 | sajid2612/data-structure | /number-system/binary-decimal.py | 514 | 4.0625 | 4 | print "Enter a Binary Number:"
binary_num = input()
rem = len(str(binary_num)) % 3
binaryStr = str(binary_num)
if rem == 2:
binaryStr = "0" + binaryStr
if rem == 1:
binaryStr = "00" + binaryStr
index = 0
octalCandidates = []
octalIndex = 0
decimalNumber = 0
strLength = len(binaryStr)
j = 1
for i in binaryStr:
bitPosition = strLength - j
# print "position :", bitPosition
decimalNumber = decimalNumber + int(i) * (2 ** bitPosition)
j = j + 1
print "Decimal Number is :", decimalNumber
|
9316ed311bfd8977e97628b933323f69b26d8c53 | RobertVallance/block_breaker_game | /block_breaker.py | 27,294 | 3.875 | 4 | # BLOCK BREAKER WITH CLASS
''' A very simple version of the block breaker game, with 2 blocks
that the user must destroy by bouncing the ball on them using a controlled bar
at the bottom'''
import pygame, sys
from pygame.locals import *
import random as rm
# This is the level number that our class will read in and generate
level = 3
# I want to define a class to put everything associated with our blocks to be broken
class Block_objects(object):
# These are some initial values that are used throughout the class
block_length = 75
block_width = 40
block = []
block_colour = []
sub_block = []
blockx = []
blocky = []
# my init function. I only want to read in the level number for now
def __init__(self, level):
self.level = level
# This will generate two arrays: one for the x-positions of the blocks and the other for the y-position
# Note the positions will depend on the level number
def block_positions(self):
if self.level == 1: # if in level 1, just have a single row of 8 blocks side by side
for i in range(0, int(screen_pixel_width/self.block_length)):
self.blockx.append((self.block_length)*i) # blocks nestled next to one another
self.blocky.append(self.block_width*1.5)
elif self.level == 2: # in in level 2, just have a single row of 4 blocks equally spaced
for i in range(0, int(screen_pixel_width/(2*self.block_length))):
self.blockx.append(self.block_length/2 + 2*self.block_length*i)
self.blocky.append(self.block_width*1.5)
elif self.level == 3: # two rows of 4 blocks
for i in range (0, int(screen_pixel_width/(2*self.block_length))):
self.blockx.append(self.block_length/2 + 2*self.block_length*i)
self.blocky.append(self.block_width*1)
self.blockx.append(self.block_length/2 + 2*self.block_length*i)
self.blocky.append(self.block_width*2)
#self.cat = pygame.image.load('surprise.png')
#DISPLAYSURF.blit(self.cat, (100,100))
elif self.level == 4: # three rows of 4 blocks
for i in range(0, int(screen_pixel_width/(2*self.block_length))):
self.blockx.append(self.block_length/2 + 2*self.block_length*i)
self.blocky.append(self.block_width/4)
self.blockx.append(2*self.block_length*i)
self.blocky.append(self.block_width/4 + self.block_width*1.2)
self.blockx.append(self.block_length/2 + 2*self.block_length*i)
self.blocky.append(self.block_width/4 + 2*self.block_width*1.2)
# Now that we have chosen the positions of our blocks, let's actually create them using this function, create_blocks
# Note this depends on the previous function, which itself depends on the level number
def create_blocks(self, block_positions):
# So our number of blocks, block_count is the same as the number of array elements in blockx (or blocky).
# This is just to make it a bit clearere when we remove blocks throughout the game
self.block_count = len(self.blockx)
# Now I want our blocks to be created and appended to another list, called block.
# My blocks actually consist of a smaller one inside another (both different colours) to give the illusion of borders to our blocks
for i in range (0, len(self.blockx)):
# larger blocks
self.block.append(pygame.Surface([self.block_length, self.block_width])) # need to use pygame.Surface to blit
self.block[i].fill(block_border_colour)
# smaller blocks inside larger blocks
self.sub_block.append(pygame.Surface([self.block_length-2, self.block_width-2]))
self.sub_block[i].fill(RED)
# Let's append the names of the colours of the sub-blocks to another array, block_colour. This will make it easier to change the colour
# of the sub-blocks when they are hit by the ball
self.block_colour.append('red')
# If the ball collides with a block, I want the ball to bounce off it. Then, I want the block to change colour to yellow, then to green and then
# for it to be removed (actually I am placing the block outside the observable screen and giving it zero size.
# Then the block_count will be made 1 smaller. If block_count reaches zero, then user has completed the game
# I need to do this first for if the ball hits the left or right sides of a block. You see, when it does this, I want the
# x velocity to reverse direction. I then want this value retured.
# If I have both the x and y velocity returned, calling these two returned numbers in the same function becomes problematic:
# I esentially got two colour changes in a row because I called the block_colour_change funtion twice.
# Thus, I am doing 1 function for x colour change, and another for y colour change
def block_colour_change_x(self, create_blocks, ball_x_velocity, ballx, bally):
for i in range(0, len(self.blockx)):
# if ball travelling right and hits left edge
if ball_x_velocity >= 0 and \
ballx + 2*ball_radius >= self.blockx[i] and \
ballx +2*ball_radius <= self.blockx[i] + ball_x_velocity and \
bally + 2*ball_radius >= self.blocky[i] and \
bally <= self.blocky[i] + self.block_width:
ball_x_velocity *= -1
ballx += ball_x_velocity
bally += ball_y_velocity
print ("ball x velocity after bounce: ", ball_x_velocity)
colour_change = 'initiate'
# if ball travelling left and hits right edge
elif ball_x_velocity < 0 and \
ballx >= self.blockx[i] + self.block_length + ball_x_velocity and \
ballx <= self.blockx[i] + self.block_length and \
bally + 2*ball_radius >= self.blocky[i] and \
bally <= self.blocky[i] + self.block_width:
ball_x_velocity *= -1
ballx += ball_x_velocity
bally += ball_y_velocity
print ("ball x velocity after bounce: ", ball_x_velocity)
colour_change = 'initiate'
# if no hit, then we won't have a colour change
else:
colour_change = 'deactivate'
# now, if there was a hit, (i.e. colour_change is set to 'initiate', then I went the block to actually change colour)
if colour_change == 'initiate':
colour_change = 'deactivate' # once in if statement, immediately deactivate colour change to ensure 1 colour change at a time
# if block colour is red and is hit, then first turn yellow
if self.block_colour[i] == 'red':
self.sub_block[i].fill(YELLOW)
self.block_colour[i] = 'yellow'
print ('block colour: ', self.block_colour[i])
elif self.block_colour[i] == 'yellow':
self.sub_block[i].fill(GREEN)
self.block_colour[i] = 'green'
print ('block colour: ', self.block_colour[i])
# if block colour is green (i.e. already having being hit twice), and is hit again, then 'remove' block from window
elif self.block_colour[i] == 'green':
# this puts the block position outside the observable window
self.blockx[i] = -100
self.blocky[i] = -100
# shrink block and sub-block to zero size
self.block[i] = pygame.Surface([0,0])
self.sub_block[i] = pygame.Surface([0,0])
# take 1 from block_count number
self.block_count -= 1
print ("Blocks remaining: ", self.block_count) # just for de-bugging - shows the number of remaining blocks now
# give our new reversed x velocity which we shall use later
return ball_x_velocity
# Same for y
def block_colour_change_y(self, create_blocks, ball_y_velocity, ballx, bally):
for i in range(0, len(self.blockx)):
# if travelling down and ball hits top of a block
if ball_y_velocity >= 0 and \
bally + 2*ball_radius >= self.blocky[i] and \
bally + 2*ball_radius <= self.blocky[i] + ball_y_velocity and \
ballx + 2*ball_radius >= self.blockx[i] and \
ballx <= self.blockx[i] + self.block_length:
ball_y_velocity *= -1
ballx += ball_x_velocity
bally += ball_y_velocity
print ("ball y velocity after bounce: ", ball_y_velocity)
colour_change = 'initiate'
# if ball travelling up and hits bottom of a block
elif ball_y_velocity < 0 and \
bally >= self.blocky[i] + self.block_width + ball_y_velocity and \
bally <= self.blocky[i] + self.block_width and \
ballx + 2*ball_radius >= self.blockx[i] and \
ballx <= self.blockx[i] + self.block_length:
ball_y_velocity *= -1
ballx += ball_x_velocity
bally += ball_y_velocity
print ("ball y velocity after bounce: ", ball_y_velocity)
colour_change = 'initiate'
else:
colour_change = 'deactivate'
if colour_change == 'initiate':
colour_change = 'deactivate'
# if block colour is red and is hit, then first turn yellow
if self.block_colour[i] == 'red':
self.sub_block[i].fill(YELLOW)
self.block_colour[i] = 'yellow'
print ('block colour: ', self.block_colour[i])
elif self.block_colour[i] == 'yellow':
self.sub_block[i].fill(GREEN)
self.block_colour[i] = 'green'
print ('block colour: ', self.block_colour[i])
# if block colour is green (i.e. already having being hit twice), and is hit again, then 'remove' block from window
elif self.block_colour[i] == 'green':
# this puts the block position outside the observable window
self.blockx[i] = -100
self.blocky[i] = -100
# shrink block and sub-block to zero size
self.block[i] = pygame.Surface([0,0])
self.sub_block[i] = pygame.Surface([0,0])
# take 1 from block_count number
self.block_count -= 1
print ("Blocks remaining: ", self.block_count) # just for de-bugging - shows the number of remaining blocks now
# now return new reversed y velocity
return ball_y_velocity
# This function I am deliberating about keeping in this class. It's purpose is if the block_count reaches zero, then to throw a
# success message and then end the game
# It takes in the block_colour_change function (to pass the block_count to it)
def get_completed_status(self, block_colour_change_x, block_colour_change_y):
if self.block_count == 0:
self.textSurfaceObj = fontObj.render('WELL DONE!', True, WHITE) # our success message
print ("Level complete!")
# The following just display the success message, the ball, bar and blocks to the screen when we complete the game
DISPLAYSURF.blit(self.textSurfaceObj, textRectObj) # copy message to DISPLAYSURF, our screen
DISPLAYSURF.blit(bar, (barx, bary)) # copies bar to DISPLAYSURF
DISPLAYSURF.blit(ball, (ballx, bally)) # copies ball to DISPLAYSURF
DISPLAYSURF.blit(textSurfaceObj2, textRectObj2) # copies quit instruction to DISPLAYSURF
for i in range (0, len(level_number.blockx)):
DISPLAYSURF.blit(self.block[i], (self.blockx[i], self.blocky[i])) # copies blocks to DISPLAYSURF
DISPLAYSURF.blit(self.sub_block[i], (self.blockx[i]+1, self.blocky[i]+1)) # copies sub-blocks to DISPLAYSURF
pygame.display.update() # show on screen
pygame.time.wait(2000) # pause this many milliseconds
pygame.quit() # quit game
sys.exit()
# random number function to give number between two values
def my_random_number(lower, upper):
r = round(rm.random() * (upper-lower) + lower, 3)
return r
# If the user doesn't pass level, then give a fail message.
# Might integrate into above class function get_completed_state
def level_fail():
textSurfaceObj = fontObj.render('FAIL!', True, WHITE) # our fail message
print ('Level failed!')
DISPLAYSURF.blit(textSurfaceObj, textRectObj) # copy message to DISPLAYSURF
DISPLAYSURF.blit(bar, (barx, bary)) # copies bar to DISPLAYSURF
DISPLAYSURF.blit(ball, (ballx, bally)) # copies ball to DISPLAYSURF
DISPLAYSURF.blit(textSurfaceObj2, textRectObj2) # copies quit instruction to DISPLAYSURF
for i in range (0, len(level_number.blockx)):
DISPLAYSURF.blit(level_number.block[i], (level_number.blockx[i], level_number.blocky[i])) # copies blocks to DISPLAYSURF
DISPLAYSURF.blit(level_number.sub_block[i], (level_number.blockx[i]+1, level_number.blocky[i]+1)) # copies sub-blocks to DISPLAYSURF
pygame.display.update() # show on screen
pygame.time.wait(1000) # pause this many milliseconds
pygame.quit() # quit game
sys.exit()
'''Right, now we have declared our class and functions, let's set up the game'''
# initiate game
pygame.init()
FPS = 30 # frames per second
fpsClock = pygame.time.Clock()
# set up the user window
screen_pixel_width = 600
screen_pixel_height = 400
DISPLAYSURF = pygame.display.set_mode((screen_pixel_width, screen_pixel_height)) # size of screen
pygame.display.set_caption('Block Breaker') # heading on screen
# set up the colours for our game
BLACK = (0, 0, 0)
WHITE = (255, 255, 255)
RED = (175, 0, 0)
GREEN = (0, 155, 0)
BLUE = (0, 0, 255)
LIGHT_BLUE = (100, 200, 200)
YELLOW = (255, 255, 0)
AWESOME_COLOUR = GREEN
TRANSPARENT_COLOUR = (0, 0, 0, 0)
background_colour = BLACK # needed as want screen and box surrounding ball to be the same colour
block_border_colour = WHITE
# I want my background to be a nice picture, which I took off the internet
#background = pygame.image.load('bckrd.jpg')
# welcome message
fontObj = pygame.font.SysFont("arial", 50)
textSurfaceObj1 = fontObj.render('BLOCK BREAKER', True, WHITE)
textSurfaceObj = fontObj.render('Press left arrow key to start.', True, WHITE)
textRectObj1 = textSurfaceObj1.get_rect()
textRectObj = textSurfaceObj.get_rect()
textRectObj1.center = (215, 250)
textRectObj.center = (300, 300)
# How to quit game
fontObj2 = pygame.font.SysFont("arial", 15)
textSurfaceObj2 = fontObj2.render('q = quit game', True, WHITE)
textRectObj2 = textSurfaceObj1.get_rect()
textRectObj2.center = (screen_pixel_width+80, 30)
############################################
# NOW SET UP OUR OTHER OBJECTS IN THE GAME #
############################################
# Maybe these could be classes later on as well
# User-moved bar at the bottom
bar_length = 100
bar_width = 15
barx = screen_pixel_width - bar_length - 50
bary = screen_pixel_height - bar_width - 35
bar = pygame.Surface([bar_length, bar_width])
bar.fill(AWESOME_COLOUR)
# Moving ball
ball_radius = 15
ballx = screen_pixel_width - 2*ball_radius - my_random_number(0, screen_pixel_width-2*ball_radius)
bally = ball_radius + my_random_number(110, 110)
ball_x_velocity = my_random_number(5,8)
ball_y_velocity = my_random_number(5,8)
ball = pygame.Surface([ball_radius*2, ball_radius*2])
ball.fill(TRANSPARENT_COLOUR) # ensures box surrounding circle is background colour
ball.set_colorkey(TRANSPARENT_COLOUR)
pygame.draw.circle(ball, GREEN, (ball_radius, ball_radius), ball_radius)
# Our blocks, which we are now calling
level_number = Block_objects(level)
level_number.block_positions()
level_number.create_blocks(level_number.block_positions)
##################
# MAIN GAME LOOP #
##################
# some initial states of our variables
beginning = 'yes'
colour_change = 'deactivate'
while True:
#DISPLAYSURF.blit(background, (0,0))
DISPLAYSURF.fill(background_colour)
#if level == 3:
#DISPLAYSURF.blit(level_number.cat, (50,50))
# I want the use to have to press the left key to start the game. This will tell the user to do so.
if beginning == 'yes':
DISPLAYSURF.blit(textSurfaceObj1, textRectObj1)
DISPLAYSURF.blit(textSurfaceObj, textRectObj)
DISPLAYSURF.blit(textSurfaceObj2, textRectObj2)
for event in pygame.event.get():
# if user presses a key:
if event.type == pygame.KEYDOWN:
# if user presses left key, move bar left only if it won't go outside the screen
if event.key == pygame.K_LEFT:
beginning = 'no'
# if user presses q key, then quit game
elif event.key == pygame.K_q:
pygame.quit()
sys.exit()
elif beginning == 'no':
# make ball move in time
ballx += ball_x_velocity
bally += ball_y_velocity
# get numbers from block_colour_change functions in our class and set to variables
ball_y_velocity_from_class = level_number.block_colour_change_y(level_number.create_blocks, ball_y_velocity, ballx, bally)
ball_x_velocity_from_class = level_number.block_colour_change_x(level_number.create_blocks, ball_x_velocity, ballx, bally)
if ball_y_velocity == - ball_y_velocity_from_class and abs(ball_y_velocity) > 0: # if y vecloity from class is minus that of ball_y_velocity, then we have hit a block
ball_y_velocity = ball_y_velocity_from_class # so rename ball_y_velocity with this new negative velovity
bally += ball_y_velocity # and update
level_number.get_completed_status(level_number.block_colour_change_x, level_number.block_colour_change_y)
elif ball_x_velocity == - ball_x_velocity_from_class and abs(ball_x_velocity) > 0: # if x vecloity from class is minus that of ball_x_velocity, then we have hit a block
ball_x_velocity = ball_x_velocity_from_class # so rename ball_x_velocity with this new negative velovity
ballx += ball_x_velocity # and update
level_number.get_completed_status(level_number.block_colour_change_x, level_number.block_colour_change_y)
# if ball hits left or right sides, then reverse x velocity
# NOTE shape co-ordinates (e.g. ballx, bally) are always for top-left corner
if ballx + 2*ball_radius >= screen_pixel_width or ballx < 0:
ball_x_velocity *= -1
ballx += ball_x_velocity
# if ball hits top of screen, reverse its y velocity
if bally < 0:
ball_y_velocity *= -1
bally += ball_y_velocity
# if top of ball hits bar below the top of the bar, reverse x velocity (solves bug)
if ball_x_velocity > 0 and bally >= bary and ballx + 2*ball_radius + abs(ball_x_velocity) >= barx and ballx - abs(ball_x_velocity) <= barx + bar_length:
#ballx = barx - 2*ball_radius - 2
ball_x_velocity *= -1
ball_y_velocity = 5
elif ball_x_velocity < 0 and bally >= bary and ballx + 2*ball_radius + abs(ball_x_velocity) >= barx and ballx - abs(ball_x_velocity) <= barx + bar_length:
#ballx = barx + bar_length + 2
ball_x_velocity *= -1
ball_y_velocity = 5
# if ball hits bar, then reverse its y velocity and change its x-velocity depending where it hits on the bar
elif ballx + 2*ball_radius > barx and ballx < barx + bar_length and bally + 2*ball_radius >= bary:
ball_y_velocity *= -1
bally += ball_y_velocity
#x_velocity_change = [0.1*i**2 for i in range(int(-bar_length/2), int(1+bar_length/2))]
#print (x_velocity_change)
# if going right and ball is within 1/6 of bar length, then reverse x velocity
if ballx + ball_radius <= barx + bar_length/6 and ball_x_velocity > 0:
if ball_x_velocity < 8: # if x velocity magnitude small, then increase its magnitude and reverse its direction
ball_x_velocity = -ball_x_velocity*1.5
else:
ball_x_velocity *= -1 # if x velocity magnitude large, then just reverse its direction
# if going left and ball is more than 1/6 of bar length along, then reverse x velocity
elif ballx + ball_radius >= barx + 5*bar_length/6 and ball_x_velocity < 0:
if ball_x_velocity > -8:
ball_x_velocity = -ball_x_velocity*1.5
else:
ball_x_velocity *= -1
# if going right and ball is between 1/6 and 2.5/6 of bar length, then half reverse x velocity
elif ballx + ball_radius > barx + bar_length/6 and ballx + ball_radius < barx + 2.5*bar_length/6 and ball_x_velocity > 0:
ball_x_velocity = -0.5*ball_x_velocity
# if going left and ball is between 3.5/6 and 5/6 of bar length, then half reverse x velocity
elif ballx + ball_radius > barx + 3.5*bar_length/6 and ballx + ball_radius < barx + 5*bar_length/6 and ball_x_velocity < 0:
ball_x_velocity = -0.5*ball_x_velocity
# if in middle 1/6, then bounce ball straigtht back up
elif ballx + ball_radius >= barx + 2.5*bar_length/6 and ballx + ball_radius <= barx + 3.5*bar_length/6 and abs(ball_x_velocity) > 0:
ball_x_velocity = 0
# these ensure that if it bounces straight up, then on the next bounce it can angle off again
elif abs(ball_x_velocity) < 2:
if ballx + ball_radius <= barx + bar_length/6:
ball_x_velocity = -6
elif ballx + ball_radius >= barx + 5*bar_length/6:
ball_x_velocity = 6
elif ballx + ball_radius > barx + bar_length/6 and ballx + ball_radius < barx + 2.5*bar_length/6:
ball_x_velocity = -3
elif ballx + ball_radius > barx + 3.5*bar_length/6 and ballx + ball_radius < barx + 5*bar_length/6:
ball_x_velocity = 3
# if ball sinks below bar, end game
if bally >= bary + bar_width:
level_fail()
# Now let's look for events the user does in the game (e.g. key presses)
for event in pygame.event.get():
# if user presses a key:
if event.type == pygame.KEYDOWN:
# if user presses left key, move bar left only if it won't go outside the screen
if event.key == pygame.K_LEFT and barx - bar_length/2 >= 0: # remember barx refers to LHS of bar, not centre
barx -= 50
# if user presses right key, move bar right only if it won't go outside the screen
if event.key == pygame.K_RIGHT and barx + bar_length < screen_pixel_width:
barx += 50
# if user presses up key, increase ball_y_velocity up to a certain limit
if event.key == pygame.K_UP and abs(ball_y_velocity) < 10:
ball_y_velocity *= 1.5
ball_x_velocity *= 1.1
# if user presses down key, decrease ball_y_velocity down to a certain limit
if event.key == pygame.K_DOWN and abs(ball_y_velocity) > 2:
ball_y_velocity *= 0.5
ball_x_velocity *= 0.7
# if user presses q key, then quit game
if event.key == pygame.K_q:
pygame.quit()
sys.exit()
# if statment for ending game
if event.type == QUIT:
pygame.quit()
sys.exit()
# Copy the bocks, ball and bar to the screen
DISPLAYSURF.blit(bar, (barx, bary)) # copies bar to DISPLAYSURF
DISPLAYSURF.blit(ball, (ballx, bally)) # copies ball to DISPLAYSURF
DISPLAYSURF.blit(textSurfaceObj2, textRectObj2) # copies quit instruction to DISPLAYSURF
for i in range (0, len(level_number.blockx)):
DISPLAYSURF.blit(level_number.block[i], (level_number.blockx[i], level_number.blocky[i])) # copies blocks to DISPLAYSURF
DISPLAYSURF.blit(level_number.sub_block[i], (level_number.blockx[i]+1, level_number.blocky[i]+1)) # copies sub-blocks to DISPLAYSURF # copies sub-blocks to DISPLAYSURF
pygame.display.update() # makes display surfaces actually appear on monitor
fpsClock.tick(FPS) # wait FPS number of frames before drawing the next frame
|
1f0008bf8e38c041b0e971c8516aa74c712b8a3e | d4nmerron/python_learn | /practice/ex1.py | 404 | 4.03125 | 4 | #http://www.practicepython.org/exercise/2014/01/29/01-character-input.html
print "what is your name"
name = raw_input()
print "what is your age"
age = raw_input()
print "give me a number between 1 & 100"
number = raw_input()
print "%s" % (number) * 100
print "You will be 100 in year: " 2016 + 100 - age
name2 = raw_input("give me your name blad")
print ("your name is" + name2) |
3a65103eaea0e209e501d6a8f9a372bcb99ec461 | Pnickolas1/Code-Reps | /AlgoExpert/Linked List/sum_of_linked_lists.py | 987 | 3.640625 | 4 |
"""
sum of linked lists:
"""
# This is an input class. Do not edit.
class LinkedList:
def __init__(self, value):
self.value = value
self.next = None
def sumOfLinkedLists(linkedListOne, linkedListTwo):
# create a new node
newLinkedList = LinkedList(0)
currentNode = newLinkedList
carry= 0
nodeOne = linkedListOne
nodeTwo = linkedListTwo
while nodeOne is not None or nodeTwo is not None or carry > 0:
nodeOneValue = nodeOne.value if nodeOne is not None else 0
nodeTwoValue = nodeTwo.value if nodeTwo is not None else 0
nodeSums = nodeOneValue + nodeTwoValue + carry
newValue = nodeSums % 10
newNode = LinkedList(newValue)
currentNode.next = newNode
currentNode = currentNode.next
carry = nodeSums // 10
nodeOne = nodeOne.next if nodeOne is not None else None
nodeTwo = nodeTwo.next if nodeTwo is not None else None
return newLinkedList.next
|
12556c0445d83d0b3016ca4d2bc8d8de6db673b4 | jcp0578/practise-Python | /leecode/二叉树的最大深度/maxDepth.PY | 2,483 | 3.625 | 4 | #!/usr/bin/python3
# -*- coding: utf-8 -*-
'''
AC but not a good solution
'''
import time
# Definition for a binary tree node.
class TreeNode(object):
def __init__(self, x):
self.val = x
self.left = None
self.right = None
def stringToTreeNode(input):
input = input.strip()
input = input[1:-1]
if not input:
return None
inputValues = [s.strip() for s in input.split(',')]
root = TreeNode(int(inputValues[0]))
nodeQueue = [root]
front = 0
index = 1
while index < len(inputValues):
node = nodeQueue[front]
front = front + 1
item = inputValues[index]
index = index + 1
if item != -1:
leftNumber = int(item)
node.left = TreeNode(leftNumber)
nodeQueue.append(node.left)
if index >= len(inputValues):
break
item = inputValues[index]
index = index + 1
if item != -1:
rightNumber = int(item)
node.right = TreeNode(rightNumber)
nodeQueue.append(node.right)
return root
class Solution(object):
def maxDepth(self, root):
"""
:type root: TreeNode
:rtype: int
"""
if root is None:
return 0
depth_list = []
depth = 1
def add_Depth(root, depth):
if root.left is not None:
add_Depth(root.left, depth + 1)
if root.right is not None:
add_Depth(root.right, depth + 1)
if root.left is None and root.right is None:
depth_list.append(depth)
return 0
add_Depth(root, depth)
return max(depth_list)
if __name__ == "__main__":
t0 = time.perf_counter()
add_list = str([1, 2, 3, -1, -1, 4, 5, 6])
test_head = stringToTreeNode(add_list)
test = Solution()
print(test.maxDepth(test_head))
print(time.perf_counter() - t0)
'''
class Solution(object):
def maxDepth(self, root):
"""
:type root: TreeNode
:rtype: int
"""
def maxd(node):
ld = 0; rd = 0
if node.left :
ld = maxd(node.left)
else:
ld = 0
if node.right:
rd = maxd(node.right)
else:
rd = 0
return max(ld,rd) + 1
if root:
return maxd(root)
else:
return 0
'''
|
265a648ff37bbedb12b04330a8e0750a5f0afc73 | rockchalkwushock/pdx-code-labs | /adventure_game.py | 2,672 | 4.0625 | 4 | import random
width = 10 # the width of the board
height = 10 # the height of the board
# create a board with the given width and height
# we'll use a list of list to represent the board
board = [] # start with an empty list
for y in range(height): # loop over the rows
board.append([]) # append an empty row
for x in range(width): # loop over the columns
board[y].append(' ') # append an empty space to the board
# define the player position
player_y = 4
player_x = 4
# add 4 enemies in random locations
for i in range(4):
enemy_y = random.randint(0, height - 1)
enemy_x = random.randint(0, width - 1)
board[enemy_x][enemy_y] = '§'
# loop until the user says 'done' or dies
while True:
# get the command from the user
command = input('what is your command (l=left,r=right,u=up,d=down)? ')
if command == 'done':
break # exit the game
elif command == 'l':
if player_x == 0:
player_x = 10
player_x -= 1 # move left
elif command == 'r':
player_x += 1 # move right
elif command == 'u':
if player_y == 0:
player_y = 10
player_y -= 1 # move up
elif command == 'd':
player_y += 1 # move down
print(player_x, player_y)
# check if the player is on the same space as an enemy
try:
if board[player_x][player_y] == '§':
print('you\'ve encountered an enemy!')
action = input('what will you do? ')
if action == 'attack':
print('you\'ve slain the enemy')
# remove the enemy from the board
board[player_x][player_y] = ' '
else:
print('you hestitated and were slain')
break
except IndexError:
if player_x == 10:
player_x = 0
if player_y == 10:
player_y = 0
if board[player_x][player_y] == '§':
print('you\'ve encountered an enemy!')
action = input('what will you do? ')
if action == 'attack':
print('you\'ve slain the enemy')
# remove the enemy from the board
board[player_x][player_y] = ' '
else:
print('you hestitated and were slain')
break
# print out the board
for y in range(height):
for x in range(width):
# if we're at the player location, print the player icon
if y == player_y and x == player_x:
print('☺', end=' ')
else:
print(board[x][y], end=' ') # otherwise print the board square
print()
|
97d024ae38e6403dd5db63ab2ce574b43ab8dc75 | jenjohmar/superpy5 | /sell.py | 4,242 | 3.703125 | 4 | import argparse
from helpers import *
def sell(prod_name: str, sell_price: float, sell_date: str, amount: int):
#checks if format of date is correct, if not error message
checkSellDate = checkDate(sell_date)
# if format date is correct executes code
if checkSellDate == True:
# sell_date is converted to datetime object
date = dt.datetime.strptime(sell_date, '%Y-%m-%d')
# current date is stored as a datetime object
today = dt.datetime.today()
# code only executes if both dates are NOT in the future
if date <= today:
create_csv("sold.csv", header_sold)
# sets number_of_lines in csv file to 0
number_of_lines = 0
# opens and reads csv file
with open('sold.csv', 'r') as csv_file:
for line in csv_file:
# looks at current line count adss 1 to number_of_lines for each line,
# skips header
if "sold_id" in line:
continue
# increments number_of_lines with 1 for each line in csv file
number_of_lines += 1
# id is the same as number of lines counted
id = number_of_lines
# returns total inventory of today
inventory = check_inventory(sell_date, prod_name)
# list to hold only those items from inventory that are == to passed in product
items_to_be_sold = []
# creates new dict from data passed in, adds sold_id + stand-in value for bought_id
new_product_dict = {
"sold_id": id,
"bought_id": 0,
"product_name": prod_name,
"sell_price": sell_price,
"sell_date": sell_date,
}
# all items with the same name as product passed in are added to list
for item in inventory:
if prod_name in item:
items_to_be_sold.append(item)
# checks if items to be sold >= amount given, if true executes code
if len(items_to_be_sold) >= amount:
# reduces items in items_to_be_sold to amount given
items_to_be_sold = items_to_be_sold[:amount]
# writes to sold amount times
for product in items_to_be_sold:
# stores bought_id
bought_id = product[0]
# increments sold id with 1
id += 1
# replaces sold_id with new sold_id
new_product_dict["sold_id"] = id
# replaces bought_id with new bought_id
new_product_dict["bought_id"] = bought_id
# writes dict to sold
write_to_sold(new_product_dict)
console.print(f"Product {prod_name} sold succesfully!", style="bold green")
# error message if there are not enough items in inventory to sell on current day
else:
console.print(f"Amount exceeds product count in inventory! You can sell {len(items_to_be_sold)} of {prod_name}.")
# error message if sell date is in the future
else:
console.print(f"ERROR: Sell date cannot be in the future!", style="bold red")
# error message if sell date is entered in the wrong format
else:
console.print("Please enter the date in correct format yyyy-mm-dd.", style="bold red")
if __name__ == "__main__":
parser = argparse.ArgumentParser(description="Sell product(s).")
parser.add_argument("prod_name", help="Enter product name in lowercase (i.e. 'orange').")
parser.add_argument("sell_price", type=float, help="Enter product sell price (format: 0.00).")
parser.add_argument("sell_date", help="Enter product sell date (format: yyyy-mm-dd).")
parser.add_argument("amount", type=int, help="Enter amount (number) to sell.")
args = parser.parse_args()
sell(prod_name=args.prod_name, sell_price=args.sell_price, sell_date=args.sell_date, amount=args.amount)
|
659a8250c1a6697dad43d2c9c91add0532aa020c | gu3vara/gu3vara.Python | /1_Chinese vs Python/8_你在哪个level?.py | 898 | 4.125 | 4 | import 游戏设定
###############上面是定义##############################
###############下面是主要功能##############################
def 创建角色():
游戏角色名 = input("请输入你的角色名:")
print("创建角色成功,你好," + 游戏角色名 + ",欢迎来到游戏联盟!")
return 游戏角色名
你现在的角色=创建角色()
print(你现在的角色+"进入了新手村!")
捡到经验书 = input("请输入下一个指令---")
if 捡到经验书 == "捡到经验书":
游戏设定.主角.等级 = 游戏设定.主角.等级 + 20
print("恭喜你捡到经验书,"+游戏设定.主角.姓名+"现在的等级为:"+str(游戏设定.主角.等级))
if 游戏设定.主角.等级 > 10:
游戏设定.主角.升级到十级增加技能(游戏设定.主角,增加技能={"重击":"1级"})
print(游戏设定.主角.技能) |
8e2f06ef303eec8aec1402b55476c5b4373ab5dc | xiaotuzixuedaima/PythonProgramDucat | /PythonPrograms/python_program/binary_to_hexadecimal.py | 284 | 3.9375 | 4 | # 54. Python Binary to Hexadecimal ????
binary = input("Enter any number in Binary Format: ");
if binary != 'x':
temp = int(binary, 2)
print(binary,"in hexadecimal =",hex(temp))
'''
output ==
Enter any number in Binary Format: 101011010
101011010 in hexadecimal = 0x15a
''' |
9bba8462211bc1dc06fae841d37c461ad1ab3c3c | armcburney/practice | /python/data_structures/trees/pre_order.py | 503 | 4.15625 | 4 | #!/bin/python3
"""
Node is defined as:
self.left (the left child of the node)
self.right (the right child of the node)
self.data (the value of the node)
"""
def preOrder(root):
"""
Pre-order traversal. Example:
Input:
3
/ \
5 2
/ \ /
1 4 6
Output:
3 5 1 4 2 6
"""
print(root.data, end=" ")
if root.left is not None:
preOrder(root.left)
if root.right is not None:
preOrder(root.right)
|
22287c402be26db25877b00556caadb32182bf22 | DZ521111/Dz-Algo-Expert | /Find Closest Value In BST/fullCode.py | 721 | 3.640625 | 4 | '''
Author : Dhruv B Kakadiya
'''
class BSTree:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
def addVlaue(root, value):
if root is None:
return BSTree(value)
else:
if (root.value < value):
root.right = BSTree(root.right, value)
elif (root.value > value):
root.left = BSTree(root.left, value)
else:
return root
if __name__ == "__main__":
r = BSTree(10)
r = BSTree(r, 5)
r = BSTree(r, 15)
r = BSTree(r, 2)
r = BSTree(r, 5)
r = BSTree(r, 13)
r = BSTree(r, 22)
r = BSTree(r, 1)
r = BSTree(r, 14)
target = 12
print(findClosestValueOfBst(r, target)) |
1ba0e39a5b02104f8b805d9fc45d1d518df1db7f | jyryuitpro/pythonProject | /01. 자료구조 이론/28.트리(Tree)-7.py | 5,622 | 3.875 | 4 | class Node:
def __init__(self, value):
self.value = value
self.left = None
self.right = None
class NodeMgmt:
def __init__(self, head):
self.head = head
def insert(self, value):
self.current_node = self.head
while True:
if value < self.current_node.value:
if self.current_node.left != None:
self.current_node = self.current_node.left
else:
self.current_node.left = Node(value)
break
else:
if self.current_node.right != None:
self.current_node = self.current_node.right
else:
self.current_node.right = Node(value)
break
def search(self, value):
self.current_node = self.head
while self.current_node:
if self.current_node.value == value:
return True
elif value < self.current_node.value:
self.current_node = self.current_node.left
else:
self.current_node = self.current_node.right
return False
def delete(self, value):
searched = False
# 삭제할 노드
self.current_node = self.head
# 삭제할 노드의 부모 노드
self.parent = self.head
while self.current_node:
if self.current_node.value == value:
searched = True
break
# 왼쪽
elif value < self.current_node.value:
self.parent = self.current_node
self.current_node = self.current_node.left
# 오른쪽
else:
self.parent = self.current_node
self.current_node = self.current_node.right
if searched == False:
return False
# Case1:삭제할 Node가 LeafNode인 경우
if self.current_node.left == None and self.current_node.right == None:
if value < self.parent.value:
self.parent.left == None
else:
self.parent.right == None
del self.current_node
# Case2:삭제할 Node가 Child Node를 한 개 가지고 있을 경우
if self.current_node.left != None and self.current_node.right == None:
if value < self.parent.value:
self.parent.left = self.current_node.left
else:
self.parent.right = self.current_node.left
elif self.current_node.left == None and self.current_node.right != None:
if value < self.parent.value:
self.parent.left = self.current_node.right
else:
self.parent.right = self.current_node.right
# Case3-1: 삭제할 Node가 Child Node를 두 개 가지고 있을 경우 (삭제할 Node가 Parent Node 왼쪽에 있을 때)
elif self.current_node.left != None and self.current_node.right != None:
if value < self.parent.value:
self.change_node = self.current_node.right
self.current_node_parent = self.current_node.right
while self.current_node.left != None:
self.change_node_parent = self.change_node
self.change_node = self.change_node.left
if self.change_node.right != None:
self.change_node_parent.left = self.change_node.right
else:
self.change_node_parent.left = None
self.parent.left = self.change_node
self.change_node.right = self.current_node.right
self.change_node.left = self.current_node.left
# Case3-2: 삭제할 Node가 Child Node를 두 개 가지고 있을 경우 (삭제할 Node가 Parent Node 오른쪽에 있을 때)
else:
self.change_node = self.current_node.right
self.change_node_parent = self.current_node.right
while self.change_node.left != None:
self.change_node_parent = self.change_node
self.change_node = self.change_node.left
if self.change_node.right != None:
self.change_node_parent.left = self.change_node.right
else:
self.change_node_parent.left = None
self.parent.right = self.change_node
self.change_node.left = self.current_node.left
self.change_node.right = self.current_node.right
return True
# 0 ~ 999 숫자 중에서 임의로 100개를 추출해서, 이진 탐색 트리에 입력, 검색, 삭제
import random
# 0 ~ 999 중, 100 개의 숫자 랜덤 선택
bst_nums = set()
while len(bst_nums) != 100:
bst_nums.add(random.randint(0, 999))
# print (bst_nums)
# 선택된 100개의 숫자를 이진 탐색 트리에 입력, 임의로 루트노드는 500을 넣기로 함
head = Node(500)
binary_tree = NodeMgmt(head)
for num in bst_nums:
binary_tree.insert(num)
# 입력한 100개의 숫자 검색 (검색 기능 확인)
for num in bst_nums:
if binary_tree.search(num) == False:
print('search failed', num)
# 입력한 100개의 숫자 중 10개의 숫자를 랜덤 선택
delete_nums = set()
bst_nums = list(bst_nums)
while len(delete_nums) != 10:
delete_nums.add(bst_nums[random.randint(0, 99)])
# 선택한 10개의 숫자를 삭제 (삭제 기능 확인)
for del_num in delete_nums:
if binary_tree.delete(del_num) == False:
print('delete failed', del_num) |
a601ff4902bee57c728f12896a89a76c67eda826 | RayHubb/Sweepstake | /sweepstake.py | 782 | 3.5625 | 4 | import random
class Sweepstake:
def __init__(self, name):
self.contestant_list = {}
self.name = name
self.winner = name
def register_contestant(self, contestant):
key = len(self.contestant_list) + 1
self.contestant_list[key] = contestant
def pick_winner(self):
# should return a contestant
sweepstake_winner = random.randint(1, len(self.contestant_list))
self.winner = self.contestant_list.get(sweepstake_winner)
print(f'{self.winner.first_name} {self.winner.last_name} is the chosen winner!')
def print_contestant_info(self, contestant):
print(self.winner.first_name)
print(self.winner.last_name)
print(self.winner.email)
print(self.winner.registration)
|
ddfc3b78477d0d622d99d3211d96cf7dc0ac0079 | sbuckley02/python_programs | /tictactoe.py | 2,452 | 4.1875 | 4 | '''
This is a 2-player Tic-Tac-Toe game. Players input the number of the box they
want to place an X or O in.
'''
board = []
turns = 0
gameOver = False
def clear_output():
#clear the terminal window
for num in range(0,50):
print('')
def startUp():
#executes before a game is played
clear_output()
q1 = input('Welcome to Tic Tac Toe\nEnter YES to play ').upper()
if q1 == 'YES':
clear_output()
print('To play, input the number of the box you want to place your X or O (1-9, going from the top left to the bottom\nright) in the input asking for it.')
q2 = input('Got it?(type YES) ').upper()
if q2 == 'YES':
clear_output()
startGame()
def startGame():
#executes when the game starts
global p1, p2, board, turns, gameOver
board = [" "," "," "," "," "," "," "," "," "]
turns = 0
gameOver = False
printBoard()
playGame()
def playGame():
#this combines other functions/variables to play the game
while gameOver == False:
askForInput()
checkIfFull()
checkIfOver()
endQuest = input('Play again?(type YES) ').upper()
if endQuest == 'YES':
startUp()
else:
clear_output()
def checkIfOver():
#contains a bunch of checks
check(0,1,2)
check(3,4,5)
check(6,7,8)
check(0,3,6)
check(1,4,7)
check(2,5,8)
check(0,4,8)
check(2,4,6)
def check(ind1,ind2,ind3):
#check if three boxes are all Xs or all Os and end the game if so
global gameOver
if board[ind1] == 'X' and board[ind2] == 'X' and board[ind3] == 'X':
gameOver = True
print('Player 1 (X) Wins!')
elif board[ind1] == 'O' and board[ind2] == 'O' and board[ind3] == 'O':
gameOver = True
print('Player 2 (O) Wins!')
def checkIfFull():
#checks if the board if completely full, if not, the game is over
global gameOver
gameOver = True
for box in board:
if box == " ":
gameOver = False
break
def printBoard():
#display the current board to the user
clear_output()
print(f'{board[0]}|{board[1]}|{board[2]}\n-----\n{board[3]}|{board[4]}|{board[5]}\n-----\n{board[6]}|{board[7]}|{board[8]}')
def askForInput():
#get the user's input
global turns
if turns%2 == 0:
p1inp = int(input('Player 1, enter a number from 1-9 (you are X)'))
for index,box in enumerate(board):
if box == " " and index == p1inp-1:
board[index] = 'X'
else:
p2inp = int(input('Player 2, enter a number from 1-9 (you are O)'))
for index,box in enumerate(board):
if box == " " and index == p2inp-1:
board[index] = 'O'
turns+=1
printBoard()
startUp() |
e8538c147d69b6777217ea93dd96fbff0aa3b354 | go4Mor4/My_CodeWars_Solutions | /5_kyu_Simple_Pig_Latin.py | 551 | 4.40625 | 4 | '''
Instructions
Move the first letter of each word to the end of it, then add "ay" to the end of the word. Leave punctuation marks untouched.
Examples
pig_it('Pig latin is cool') # igPay atinlay siay oolcay
pig_it('Hello world !') # elloHay orldway !
'''
#CODE
def pig_it(text):
words, new_phrase = text.split(' '), ''
for i in range(len(words)):
if words[i] == '!' or words[i] == '?':
new_phrase += words[i] + ' '
else:
new_phrase += words[i][1:] + words[i][0] + 'ay '
return new_phrase[0:-1]
|
fa0e7e4c8c7597147626916e88444fe5ec230d15 | tjhamad/CheckiO | /Sum in a Triangle.py | 4,535 | 3.96875 | 4 | # -*- coding: utf-8 -*-
'''
The musical notes shine as a melody begins to drift through the air. Harmonies intertwine and come to a crescendo. With the final note resonating through the air, a
circular hole opens up in the center of the chamber floor. Sofia, Nikola and Stephen peer over the edge and see the top of an underground Pyramid.
“Well isn’t that something.” Breathed Nikola.
“It looks ancient. Maybe so prehistoric civilization constructed it?” Stephen pondered.
“Why would they make a Pyramid underground though?”
”That’s what we’re gonna find out!” Sofia exclaimed giddily and dropped through the hole and onto the cap of the Pyramid. Nikola and Stephen drop down after her as she
begins to make her way down. “Oh, WOAH!” Sofia slips as a pile of rubble crumbles beneath her footing.
“Gotcha!” Stephen extends his arms out and snatches her out of thin air, saving her from a long fall.
“We’re going to have to be careful climbing down.” Nikola said once the dust settled. “Let’s try and take this one step at a time and try to find the sturdiest route
down.”
“Okay, maybe you can lead the way then. I’d rather not fall all the way down.” Sofia shivered nervously recalling her slip.
Consider a list of lists in which the first list has one integer and each consecutive list has one more integer then the last. Such a list of lists would look like a
triangle. You must write a program that will help Nikola and Stephen look for a route down the pyramid by stepping down and to the left or to the right. Your goal is
to make sure this program will find the sturdiest route, that is, the route with the highest possible sum on its way down the pyramid.
Tip: Think of each step down to the left as moving to the same index location or to the right as one index location higher.
sum-in-triangles
Input: A list of lists. Each list contains integers.
Output: An Integer.
How it is used: This is a classical problem, which shows you how to use dynamic programming.
'''
import copy
def count_gold(pyramid):
c = copy.deepcopy(pyramid)
for l_index,level in enumerate(pyramid):
for e_index,entry in enumerate(level):
if l_index == 0 and e_index == 0:
c[l_index][e_index] = pyramid[l_index][e_index]
elif l_index == 1 and e_index == 0:
c[l_index][e_index] = pyramid[l_index][e_index] + pyramid[0][0]
elif l_index == 1 and e_index == 1:
c[l_index][e_index] = pyramid[l_index][e_index] + pyramid[0][0]
else:
try:
#print "We are now on level" + ' ' + str(l_index)
if e_index-1 < 0:
c[l_index][e_index] = pyramid[l_index][e_index] + max(c[l_index-1][e_index],0)
else:
c[l_index][e_index] = pyramid[l_index][e_index] + max(c[l_index-1][e_index],c[l_index-1][e_index-1])
#print "First on the next level:" + ' ' + str(c[l_index-1][e_index-1])
#print "Second on the next level:" + ' ' + str(c[l_index-1][e_index])
#print "Adding:" + ' ' + str(pyramid[l_index][e_index]) + " at " + str((l_index,e_index)) + ' and ' + str(max(c[l_index-1][e_index-1],c[l_index-1][e_index])) + " = " + str(pyramid[l_index][e_index] + max(c[l_index-1][e_index-1],c[l_index-1][e_index]))
except:
#print "Posiiton of a current entry:" + ' ' + str((l_index,e_index))
c[l_index][e_index] = pyramid[l_index][e_index] + max(0,c[l_index-1][e_index-1])
#print "Out of the list"
return max(max(c))
'''
count_gold([
[7],
[4,8],
[1,8,9],
[2,4,6,7],
[4,6,7,4,9],
[4,9,7,3,8,8]])
'''
if __name__ == '__main__':
#These "asserts" using only for self-checking and not necessary for auto-testing
assert count_gold((
(1,),
(2, 3),
(3, 3, 1),
(3, 1, 5, 4),
(3, 1, 3, 1, 3),
(2, 2, 2, 2, 2, 2),
(5, 6, 4, 5, 6, 4, 3)
)) == 23, "First example"
assert count_gold((
(1,),
(2, 1),
(1, 2, 1),
(1, 2, 1, 1),
(1, 2, 1, 1, 1),
(1, 2, 1, 1, 1, 1),
(1, 2, 1, 1, 1, 1, 9)
)) == 15, "Second example"
assert count_gold((
(9,),
(2, 2),
(3, 3, 3),
(4, 4, 4, 4)
)) == 18, "Third example"
|
04e0f2c2ee3de78a9fccfa025e90ddec11d87213 | Muttakee31/solved-interview-problems | /leetcode/374.guess-the-number.py | 494 | 3.546875 | 4 | class Solution(object):
def guessNumber(self, n):
"""
https://leetcode.com/problems/guess-number-higher-or-lower/
another binary search
"""
low = 1
high = n
while(low <= high):
mid = (low+high)//2
f = guess(mid)
if f==0:
break
elif f==-1:
high = mid - 1
else:
low = mid + 1
# print(mid)
return mid |
e1c9fcfb20d117d97410f0c85c880f2f4e4eb982 | Th3Lourde/l33tcode | /169_majority_element.py | 2,277 | 4.1875 | 4 |
'''
Given an array of size n, find the majority element.
The majority element is the element that appears more than ⌊ n/2 ⌋ times.
You may assume that the array is non-empty and the majority element always exist in the array.
Ok so we are given that the majority element always exists in the array
It is also true that the majority element happens the most amount of times
in the array. This means that we can simply just figure out which element
occurs the most and then return that.
loop through the list
keep a dictionary that keeps track of occurrences
after we are past n/2 elements, start checking the value of
the elements in the dictionary. Return the element with the
highest occurrence.
'''
class Solution:
# faster than 5%
# less memory than 100%
def majorityElement_1(self, nums):
d = {}
max = nums[0]
elem = int(len(nums)/2)
for i in range(len(nums)):
try:
d[nums[i]] += 1
if i > elem:
if d[max] < d[nums[i]]:
max = nums[i]
if d[nums[i]] > len(nums)/2:
return nums[i]
except:
d[nums[i]] = 1
return max
# get all of the unique elements in the list
# make a copy of the list, cast as string
# for every unique element in the list, remove
# it from the string-copy, if the length is below
# a certain threshold, return the element.
# else: make another copy and move on to the
# next element
'''
This may not be faster because this requires us
to loop through the entire list in order to cast
it as a string. Is casting a cariable from 1 datatype
to another an isomorphism? It might be. Very cool :D
'''
def majorityElement(self, nums):
unique = list(set(nums))
list1 = [1, 2, 3]
str1 = ''.join(str(e) for e in list1)
for i in range(len(unique)):
cpy = ''.join(nums)
print(cpy)
cpy = cpy.replace(str(unique[i]), "")
print(cpy)
if len(cpy) < len(nums)/2:
return unique[i]
if __name__ == '__main__':
s = Solution()
print(s.majorityElement([2,2,1,1,1,2,2]))
|
4db062896087090d4b4fa6ede9cce3825c2647d4 | JacobAMason/Project-Euler | /10.py | 1,087 | 3.875 | 4 | #!python3
"""
The sum of the primes below 10 is 2 + 3 + 5 + 7 = 17.
Find the sum of all the primes below two million.
"""
import logging, time
logging.basicConfig(level=logging.INFO,
format="[%(levelname)s] %(message)s")
def sieve(n):
l = list(range(n+1))
for i in range(2, n+1):
logging.debug("i {}".format(i))
if l[i] != 0:
for e in range(2*i, n+1, i):
logging.debug(" e {}".format(e))
l[e] = 0
logging.debug("! l {}".format(l))
return sum(l) -1
if __name__ == '__main__':
print()
s = time.time()
n = sieve(10)
e = time.time()
t = e-s
minutes = t // 60
seconds = t % 60
print("sum of all the primes below 10 is", n)
print("Found in %d minutes and %f seconds." % (minutes, seconds))
print()
s = time.time()
n = sieve(2*pow(10,6))
e = time.time()
t = e-s
minutes = t // 60
seconds = t % 60
print("sum of all the primes below 2 million is", n)
print("Found in %d minutes and %f seconds." % (minutes, seconds))
|
8b3a8af746aa9cda4768312465d254b892fc8b49 | locnt1195/hackerrank | /Algorithms/multi_big_int.py | 1,418 | 3.578125 | 4 | # Libraries Included:
# Numpy, Scipy, Scikit, Pandas
def plus_big_int(a, b):
a = a[::-1]
b = b[::-1]
len_a = len(a)
len_b = len(b)
greater = len_a > len_b and a or b
smaller = len_a > len_b and b or a
res = []
num = 0
for i in range(0, len(smaller)):
s = int(a[i]) + int(b[i]) + num
num = s > 9 and 1 or 0
res.append(str(s % 10))
# print('res', res)
for i in range(len(smaller), len(greater)):
s = int(greater[i]) + num
num = s > 9 and 1 or 0
res.append(str(s % 10))
res = res[::-1]
return ''.join(res)
def multi_big_int(a, b):
a_negative, b_negative = False, False
if a[0] == '-':
a = a[1:]
a_negative = True
if b[0] == '-':
b = b[1:]
b_negative = True
negative = (
(a_negative and not b_negative) or
(not a_negative and b_negative)) and '-' or ''
result = '0'
a = a[::-1]
b = b[::-1]
for index, value in enumerate(a):
res = '0'
for i2, val2 in enumerate(b):
number = '%s%s' % (int(value) * int(val2), i2 > 0 and '0'*i2 or '')
res = plus_big_int(number, res)
res = '%s%s' % (res, i2 > 0 and '0'*index or '')
result = plus_big_int(result, res)
return '%s%s' % (negative, result)
res = multi_big_int('132312313', '-25123123123')
print(res == str(132312313 * -25123123123))
|
6e20280979840f853a04b8b6ccab06b518ba70bd | KleinTong/Daily-Coding-Problem-Solution | /shuffle_cards/main.py | 383 | 3.640625 | 4 | from random import randint
def rand_num(k):
return randint(0, k)
def shuffle(arr):
def exch(i, j):
item = arr[i]
arr[i] = arr[j]
arr[j] = item
for i in range(len(arr) - 1, -1, -1):
index = rand_num(i)
exch(index, i)
if __name__ == '__main__':
arr = [i for i in range(10)]
print(arr)
shuffle(arr)
print(arr)
|
8800b958cdd526b3018dc3336b285245bc25ee0b | yangxiyucs/leetcode_cn | /leetcode/69. square of X.py | 855 | 4.125 | 4 | # 实现 int sqrt(int x) 函数。
#
# 计算并返回 x 的平方根,其中 x 是非负整数。
#
# 由于返回类型是整数,结果只保留整数的部分,小数部分将被舍去。
#
# 示例 1:
#
# 输入: 4
# 输出: 2
# 示例 2:
#
# 输入: 8
# 输出: 2
# 说明: 8 的平方根是 2.82842...,
# 由于返回类型是整数,小数部分将被舍去。
#
# 来源:力扣(LeetCode)
# 链接:https://leetcode-cn.com/problems/sqrtx
# 著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
from math import e,log
class Solution(object):
def mySqrt(self, x):
"""
:type x: int
:rtype: int
"""
if x<2:
return x
left = int(e**(0.5 * log(x)))
right = left+1
return left if right*right>x else right |
7701e23553ef46831b41be67ae5d1693e31e0003 | bozhikovstanislav/Python-Fundamentals | /Class-HomeWork/06.Animal.py | 3,156 | 3.65625 | 4 | class Animal:
def __init__(self, name, age, number_l="", iq="", cruelty=""):
self.__name = self.set_name(name)
self.__age = self.set_age(age)
self.__number_l = self.set_number_of_legs(number_l)
self.__iq = self.set_IQ(iq)
self.cruelty = self.set_cruelty(cruelty)
def set_name(self, name):
if isinstance(name, str):
return name
def get_name(self):
return self.__name
def set_age(self, age):
if isinstance(age, int):
return age
def get_age(self):
return self.__age
def set_number_of_legs(self, number_l):
if isinstance(number_l, int):
return number_l
def get_number_of_legs(self):
return self.__number_l
def set_IQ(self, iq):
if isinstance(iq, int):
return iq
def get_Iq(self):
return self.__iq
def set_cruelty(self, cruelty):
if isinstance(cruelty, int):
return cruelty
def get_cruelty(self):
return self.cruelty
class Dog(Animal):
def __init__(self, name, age, number_l):
super().__init__(name, age, number_l=number_l)
def prodice_sound(self):
return f"I'm a Distinguishedog, and I will now produce a distinguished sound! Bau Bau."
def __str__(self):
return f'Dog: {self.get_name()}, Age: {self.get_age()}, Number Of Legs: {self.get_number_of_legs()}'
class Cat(Animal):
def __init__(self, name, age, iq):
super().__init__(name, age, iq=iq)
def prodice_sound(self):
return f"I'm an Aristocat, and I will now produce an aristocratic sound! Myau Myau."
def __str__(self):
return f'Cat: {self.get_name()}, Age: {self.get_age()}, IQ: {self.get_Iq()}'
class Snack(Animal):
def __init__(self, name, age, cruelty):
super().__init__(name, age, cruelty=cruelty)
def prodice_sound(self):
return f'''I'm a Sophistisnake, and I will now produce a sophisticated sound! Honey, I'm home.'''
def __str__(self):
return f'Snake: {self.get_name()}, Age: {self.get_age()}, Cruelty: {self.get_cruelty()}'
dog = []
cat = []
snacke = []
data = input()
while data != "I'm your Huckleberry":
data_l = data.split(' ')
if data_l[0] == 'talk':
for x in range(0, len(dog)):
if data_l[1] == dog[x].get_name():
print(dog[x].prodice_sound())
for x in cat:
if data_l[1] == x.get_name():
print(x.prodice_sound())
for x in snacke:
if data_l[1] == x.get_name():
print(x.prodice_sound())
else:
animal = data_l[0]
name_animal = data_l[1]
age_animal = int(data_l[2])
ability_animal = int(data_l[3])
if animal == 'Dog':
dog.append(Dog(name_animal, age_animal, ability_animal))
elif animal == 'Cat':
cat.append(Cat(name_animal, age_animal, ability_animal))
else:
snacke.append(Snack(name_animal, age_animal, ability_animal))
data = input()
for x in dog:
print(x)
for x in cat:
print(x)
for x in snacke:
print(x)
|
e026dd21ed7e1dccc33d65468ceb0ae1ac6403f1 | MiloszBoghe/School-Y1- | /IT Essentials/IT-essentials Oefeningen/H6_Strings/Voorbeelden/Oef 6.10.py | 260 | 3.9375 | 4 | # tekst omzetten naar hoofdletters zonder gebruik te maken van de methode upper
tekst = input("Geef een tekst in: ")
nieuw = ""
for letter in tekst:
if letter.islower():
nieuw += chr(ord(letter) - 32)
else:
nieuw += letter
print(nieuw) |
bcfad320c943ae3ecb200ce65aa45947771cf30a | zinderud/ysa | /python/first/functions01.py | 1,050 | 4.09375 | 4 | def greet_user(isim):
print("merhaba "+str(isim)+"!")
greet_user("ali")
def greet_user_fullname(firstname,lastname):
print("Hello "+firstname+" "+lastname)
greet_user_fullname("cemal ","süreyya")
def user_dob(day, month, year):
return str(day)+':'+str(month)+":"+str(year)
birthday = user_dob(day=12, year=1923, month='ocak')
print(birthday)
# explicitly assigning values to function argument
def greet_user_fullname2(firstname,lastname):
print("Hello "+firstname+" "+lastname)
greet_user_fullname2(firstname="cem", lastname="sadece") # use same names of parameters in the function’s definition.
# add optional param by assigning it an empty string.
# optional param can only be listed last in the definition.
def get_formatted_name(first_name, last_name, middle_name=''):
if middle_name:
full_name = first_name + ' ' + middle_name + ' ' + last_name
else:
full_name = first_name + ' ' + last_name
return full_name.title()
fullname = get_formatted_name('mehnet', 'neredek')
print(fullname)
|
b743be233bee1c6ca2ab8e92c9d993d57dee2546 | rgrohit80/trypython | /binarySearch.py | 412 | 3.875 | 4 | arr = [2, 3, 4, 10, 40]
def binarySearch(arr, num, li, ri):
if ri >= li:
mid = li + (ri - li) // 2
if num == arr[mid]:
print(mid)
elif num > arr[mid]:
return binarySearch(arr, num, mid + 1, ri)
elif num < arr[mid]:
return binarySearch(arr, num, li, mid - 1)
else:
print('Not present')
binarySearch(arr, 10, 0, len(arr) - 1)
|
4299de5cb96e82315260b11567b610395ea0c37a | CruzerNexus/Repo | /pythonFullStack/creditCardValidation.py | 1,001 | 3.96875 | 4 | # creditCardValidation.py
def creditCardValidation(num):
# turns string into list of ints
num = list(num)
print(num)
for i, digit in enumerate(num):
num[i] = int(num[i])
# print(i)
# print(num[i])
# check digit
checkNum = num.pop(-1)
print(checkNum)
print(num)
# reverse digits
num.reverse()
print(num)
total = 0
# doubling every other element
for i in range(0, len(num), 2):
num[i] = num[i]*2
# subtract 9 from every number over 9
# find sum of all values
for i in range(len(num)):
if num[i] > 9:
num[i] -= 9
total += num[i]
print(num)
print(total)
# if second digit of sum is the check number, valid
if total % 10 == checkNum:
return "valid!"
else:
return "invalid."
cardNum = input("Please enter card number: ")
print(f"The card you entered is {creditCardValidation(cardNum)}")
print(creditCardValidation("4556737586899855"))
|
8a28a6357133442872bb357a812213af9446c210 | Nurgazy24/task19_Palindrome | /task19Palindrome.py | 91 | 3.6875 | 4 |
string = "tenet"
if(string == string[:: - 1]):
print("True")
else:
print("False") |
9c1dae13e310463e81915648c8614a71517309ae | luvlee-liu/Flask_Tutorial | /code/create_table.py | 565 | 3.859375 | 4 | import sqlite3
connection = sqlite3.connect('data.db')
cursor = connection.cursor()
# entries = [
# (1, 'bob', 'asdf'),
# # (2, 'jose', 'asdf'),
# # (3, 'ana', 'asdf')
# ]
create_table = "CREATE TABLE IF NOT EXISTS users (id INTEGER PRIMARY KEY, username text, password text)"
cursor.execute(create_table)
# insert_entries = "INSERT INTO users VALUES(?, ?, ?)"
# cursor.executemany(insert_entries, entries)
#
# select_query = "SELECT * FROM users"
# for user in cursor.execute(select_query):
# print(user)
connection.commit()
connection.close()
|
c31df7016ac65c4797c8a6e4048969c39265bc68 | raulhernandez1991/Codewars-HackerRank-LeetCode-CoderBite-freeCodeCamp | /Codewars/Python/6 kyu/Clocky Mc Clock-Face.py | 101 | 3.65625 | 4 | def what_time_is_it(angle):
return str(round(angle/30))+":"+angle%30
print(what_time_is_it(360)) |
6afeb743b2ccbb6c7319b498ff8869cad14f177f | keshav955/Python-Machine-Learning | /Assignment Monday/use this for assignment.py | 199 | 3.6875 | 4 | # -*- coding: utf-8 -*-
"""
Created on Mon Aug 31 14:57:45 2020
@author: keshav
"""
n=int(input("enter a number"))
sum=0
while(n>0):
t=n%10
sum=sum+t
n=n//10
print(sum)
|
cba7564ae14e13650be3d25eea5f495dc2f9e6fe | erickccuern/Programas-Simples | /minutos em horas.py | 349 | 3.765625 | 4 | print("""--------------CONVERSOR DE MINUTOS EM HORAS------------------
""")
minutos = int(input("Digite quantos minutos se passaram: ",))
horas = minutos//60
print("""..........
..........
..........
CALCULANDO
..........
..........
..........""")
print("RESULTADO:",minutos,"Minutos, equivalem a:",horas,"Horas e",minutos%60,"Minutos")
|
ac57a0cdd3111024339c369abfc7640eccdfe6b4 | PageCHogan/portals-and-portals | /Tile.py | 881 | 3.546875 | 4 | class Portal:
# very simple class to define a portal as an object
files = [
"images/portals/portalBurgundy.png",
"images/portals/portalCyan.png",
"images/portals/portalGreen.png",
"images/portals/portalRed.png",
"images/portals/portalYellow.png",
]
def __init__(self, origin, dest, image=None):
self.origin = origin;
self.destination = dest;
self.image = image
class Tile():
# Things declared here are considered *class* variables
# CLASS VARIABLES ARE SHARED BY ALL INSTANCES
# SERIOUSLY PYTHON!?!?!? SERIOUSLY!?!??!
# players = [];
# tileNumber = 0;
# portal = -1;
# constructor
def __init__(self, number):
# things defined here are
# *INSTANCE* variables!!!!!
self.players = [];
self.tileNumber = number;
self.portal = None; |
656303e6b8b6e613f2a43ba62394ad915c65b462 | xing3987/python3 | /base/基础/_10_card_admin_main.py | 1,044 | 3.53125 | 4 | #! /usr/bin/python3
# 使用“#! python3路径在linux中再赋予可执行-x权限,则该文件可以在Linux中直接执行”
from 基础 import _10_card_admin_tool
from helper import _helper
# 设计一个名片管理系统
while (True):
_helper.print_line("*")
print("欢迎使用【名片管理系统】v1.0")
print()
print("1.新建名片")
print("2.显示全部")
print("3.查询名片")
print()
print("0.退出系统")
_helper.print_line("*")
control = input("请选择操作功能:\n")
if (control == "1"):
_helper.print_line("-")
print("功能:新建名片")
_10_card_admin_tool.add()
elif (control == "2"):
_helper.print_line("-")
print("功能:显示全部名片")
_10_card_admin_tool.show_all()
elif (control == "3"):
_helper.print_line("-")
print("功能:查询名片")
_10_card_admin_tool.find()
elif (control == "0"):
break
else:
print("请输入正确的操作。")
|
4e209afb97c76617fd9bc1f03977829e7eea3e2c | US579/US579 | /unicorntest/q1.py | 1,698 | 3.5625 | 4 | class Sudoku:
def solveSudoko(self, matrix):
self.matirx = matrix
self.solve()
def solve(self):
row, col = self.findUnassigned()
if row == -1 and col == -1:
return True
for num in [str(i) for i in range(1, 10)]:
if self.canFill(row, col, num):
self.matirx[row][col] = num
if self.solve():
return True
self.matirx[row][col] = '.'
return False
def findUnassigned(self):
for row in range(9):
for col in range(9):
if self.matirx[row][col] == ".":
return row, col
return -1, -1
def canFill(self, row, col, T):
boxrow = row - row % 3
boxcol = col - col % 3
if self.checkRow(row, T) and self.checkCol(col, T) and self.checkSqure(boxrow, boxcol, T):
return True
return False
def checkRow(self, row, T):
for col in range(9):
if self.matirx[row][col] == T:
return False
return True
def checkCol(self, col, T):
for row in range(9):
if self.matirx[row][col] == T:
return False
return True
def checkSqure(self, row, col, T):
for r in range(row, row+3):
for c in range(col, col+3):
if self.matirx[r][c] == T:
return False
return True
if __name__ == "__main__":
matrix = []
with open('task_1_input.txt') as f:
for i in f.readlines():
matrix.append(i.split())
ans = Sudoku()
ans.solveSudoko(matrix)
for line in matrix:
print(line)
|
19f8cb1431b432f0c0e951449ad27eea1d3e1b04 | fwk1010/python-learn | /io-example.py | 1,710 | 3.875 | 4 | #!/usr/bin/env python3
'''
This file is to learn about io more detail.
'''
import os
from io import StringIO
from io import BytesIO
class TestCase():
def in_input(self):
s = input('input a word\n')
print('You key in', s)
def in_file(self, file_name, file_path):
with open(file_path + file_name, 'r') as f:
f.read()
def out_print(self, s):
print(s)
def out_file(self, file_name, file_path, s):
with open(file_path + file_name, 'w') as f:
f.write(s)
class TestStringIOCase():
# case 5
def write_to_memory(self,s):
f = StringIO()
f.write(s)
print(f.getvalue())
f.close()
# case 6
def read_in_memory(self):
f = StringIO('I in memory now!')
s = f.readline()
f.close()
print(s)
class TestBytesIOCase():
# case 7
def write(self,s):
f = BytesIO()
f.write(s.encode('utf-8'))
v = f.getvalue()
f.close()
print(v)
# case 8
def read(self):
f = BytesIO(b'\xe4\xbd\xa0\xe5\xa5\xbd\xe4\xb8\x96\xe7\x95\x8c')
s = f.read()
f.close()
print()
if __name__ == '__main__':
current_path = os.path.abspath('.') + '/'
test = TestCase()
# case1
test.in_input()
# case2
test.in_file('hi.py', current_path)
# case3
test.out_print('hello,world\n')
# case4
test.out_file('outTest.txt', current_path, 'Test emmmm')
test2 = TestStringIOCase()
# case5
test2.write_to_memory('hi,string io.')
# case6
test2.read_in_memory()
test3 = TestBytesIOCase()
# case7
test3.write('你好世界')
# case8
test3.read()
|
9011c19a3b5be1c7fb176d52fecefa19efc01084 | lcbc-epfl/data_management | /script/create_metadata.py | 8,268 | 3.53125 | 4 | #!/usr/bin/env python3
"""Generate a README file for metadata based on some input information."""
import os
import datetime
# ADD POSSIBLE README FILE TYPES HERE
allowed_types = ['main', 'calculation']
# ADD POSSIBLE SUBJECTS HERE
allowed_subjects = ['perovskites', 'biochemistry', 'photochemistry', 'methods']
class metadata(object):
"""This class is used to control the main information regarding a metadata README file."""
def __init__(self, filename=None):
print("\n CREATING NEW README FILE METADATA TEMPLATE")
print(" ==========================================\n")
if filename:
self.__read_file(filename)
else:
# ask user for input through setters
print("Please fill in the following mandatory information:")
self.mtype = None
self.filename = None
self.subject = None
self.title = None
self.author = None
self.email = None
# --- CREATION DATE ---
@property
def date(self):
# export formated date
return datetime.datetime.now().strftime("%Y-%m-%d")
# --- METADATA TYPE ---
@property
def mtype(self):
return self.__mtype.capitalize()
@mtype.setter
def mtype(self, mtype):
if mtype is None:
mtype = input("Metadada type ({}): ".format( ', '.join( allowed_types ) ) )
# make sure mtype is part of allowed types
assert mtype.lower() in allowed_types, "Metadata type not allowed!"
self.__mtype = mtype
# --- README FILENAME ---
@property
def filename(self):
return self.__filename
@filename.setter
def filename(self, filename):
if filename is None:
filename = input("Name for the README file? [README.rst]: ")
# make sure filename is a non-empty string
if filename=='':
filename = "README.rst"
self.__filename = filename
# --- SUBJECT ---
@property
def subject(self):
return self.__subject.title()
@subject.setter
def subject(self, subject):
if subject is None:
subject = input("Subject ({}, ...): ".format( ', '.join( allowed_subjects ) ) )
self.__subject = subject
# --- TITLE ---
@property
def title(self):
return self.__title.title()
@title.setter
def title(self, title):
if title is None:
title = input("Project title: ")
self.__title = title
# --- AUTHOR ---
@property
def author(self):
return self.__author.title()
@author.setter
def author(self, author):
if author is None:
author = input("Author: ")
self.__author = author
# --- EMAIL ---
@property
def email(self):
return self.__email.lower()
@property
def __guess_email(self):
firstname = self.author.lower().split()[0]
surname = self.author.lower().split()[-1]
return "{}.{}@epfl.ch".format( firstname, surname )
@email.setter
def email(self, email):
if email is None:
guess = self.__guess_email
email = input("Email [{}]: ".format( guess ) )
if email=='':
email = guess
self.__email = email
def __str__(self):
"""Generate a formatted header of the mandatory information."""
head = "| **Creation date:** {} \n".format( self.date )
head += "| **Metadata type:** {} \n".format( self.mtype )
head += "| **Subject:** {} \n".format( self.subject )
head += "| **Project title:** {} \n".format( self.title )
head += "| **Author:** {} \n".format( self.author )
head += "| **Email:** {} \n".format( self.email )
head += "\n\n"
return head
def __read_file(self, filename):
"""Parse input file to get headers elements."""
read_mtype = False
read_filename = False
read_subject = False
read_title = False
read_author = False
read_email = False
with open(filename,"r") as inp:
for line in inp:
if line[0] == '#':
# do not consider comments
continue
l = [x.strip() for x in line.lower().split('=')]
if "mtype" in l:
self.mtype = l[-1]
read_mtype = True
if "filename" in l:
self.filename = l[-1]
read_filename = True
if "subject" in l:
self.subject = l[-1]
read_subject = True
if "title" in l:
self.title = l[-1]
read_title = True
if "author" in l:
self.author = l[-1]
read_author = True
if "email" in l:
self.email = l[-1]
read_email = True
if not read_mtype:
self.mtype = None
if not read_filename:
self.filename = None
if not read_subject:
self.subject = None
if not read_title:
self.title = None
if not read_author:
self.author = None
if not read_email:
self.email = None
def print_readme(self):
"""Generate a README file based on the collected information."""
# read and format template
if self.mtype == "Main":
main_tmp = os.path.dirname(os.path.abspath(__file__)) + '/main_template.rst'
with open(main_tmp, 'r') as tmp:
template = tmp.read().format(
self.title,
self.author,
self.email,
self.date,
)
elif self.mtype == "Calculation":
calc_tmp = os.path.dirname(os.path.abspath(__file__)) + '/calculation_template.rst'
with open(calc_tmp, 'r') as tmp:
template = tmp.read()
# Write header plus formated template to README file
with open(self.filename,"w") as readme:
readme.write( self.__str__() )
readme.write( template )
print("\nThe {} file has been created sucessfully!".format(self.filename) )
print("Open it and fill in the missing information.")
print("Continue to update it until the end of your project.")
def create_config(self, filename):
"""Use the metadata information to generate a configuration file."""
with open(filename,'w') as config:
config.write('# Configuration file for python script create_metadata.py\n')
config.write('# mtype = {}\n'.format( self.mtype ))
config.write('# subject = {}\n'.format( self.subject ))
config.write('# title = {}\n'.format( self.title ))
config.write('# author = {}\n'.format( self.author ))
config.write('# email = {}\n'.format( self.email ))
if __name__=="__main__":
import argparse
# check if the script was called with an input file
parser = argparse.ArgumentParser(description=__doc__)
parser.add_argument("-c","--config", type=str, help="Configuration file.", default=None)
args = parser.parse_args()
main_config = os.path.expanduser('~') + '/.config_metadata'
if args.config:
print("Configuration file from command line: {}".format(args.config))
# set up metadata info using input configuration file
readme = metadata( args.config )
elif os.path.isfile(main_config):
print("Found main configuration file: {}".format(main_config))
# set up metadata info using main configuration file
readme = metadata( main_config )
else:
# set up metadata info from user input only
readme = metadata()
# generate readme file
readme.print_readme()
# generate configuration file
# readme.create_config( main_config )
|
32e8ee35a37799075dd4ca1bafbcabacbb28923c | Ana-Vi/Homework | /Pythons/l1q9.py | 301 | 3.765625 | 4 | x= str(input("nome: "))
quantidade= int(input("qtd: "))
pu= float(input("preo unitrio: "))
total= quantidade* pu
if quantidade<= 5:
total= total*0.02
elif quantidade>5 and quantidade<=10:
total= total*0.03
else:
total= total*0.05
print("O preo do produto", x ," %.2f"%total)
|
ee0bf44d1b6dbf7e965ff42f12353dc809d23aa6 | hardik96bansal/Algorithm-DS-Practice | /Algo/Greedy/egyptianFraction.py | 283 | 3.859375 | 4 | def egypt(num,den):
ciel = 0
if(num==1):
print('1/',den)
elif(num<den):
if(den%num == 0):
print('1/',den//num)
else:
ciel = den//num +1
print('1/',ciel)
egypt((num*ciel-den),(ciel*den))
egypt(12,13) |
f7efa90efc3de2e5711d15ffb6d069039a546a2e | grawinkel/ProjectEuler | /025/p25.py | 194 | 3.53125 | 4 | # Problem 25
# What is the first term in the Fibonacci sequence to contain 1000 digits?
n=1
n1=1
n2=1
x = 2
while 1:
n=n1+n2
n2=n1
n1=n
x+=1
if (len(str(n))>=1000):
print x
break; |
19c23519ce2aa5fb7867f47c92380c999c3d4d20 | marcusshepp/dotpy | /training/finished/iterables-gens-yield.py | 1,060 | 4.46875 | 4 | # -- Iterables --
# mylist is the iterable (reading the list one by one)
mylist = [x*x for x in range(3)]
for i in mylist:
print "This is an iteration list ", i
for i in mylist:
print "This is the second iteration list ", i
# -- Generators --
# notice () rather then [] - *only in interators*
# generators don't stay in memory which is why the list won't print twice.
mylist = (x*x for x in range(3))
for i in mylist:
print "This is a generator list ", i
for i in mylist:
#this won't print because the list wasn't saved in memory
print 'This is the second generator list ', i
# -- Yield --
def createGenerator():
mylist = range(3)
for i in mylist:
#keyword like 'return' that returns a generator
yield i*i
#Create a generator
myGenerator = createGenerator()
print 'myGenerator', myGenerator
#myGenerator is an object -- prints out: myGenerator <generator object createGenerator at 0x10959b0a0>
#-- this is where the 'myGenerator' object is stored in memory
for i in myGenerator:
print 'for loop', i
#Output list: 0, 1, 4 |
f28923e93b0d08ebd1b444db117a30c6175fc94b | WangYoudian/Algorithms | /LeetCode/Day10/BinarySearchTree.py | 3,857 | 3.890625 | 4 | from queue import Queue
# 使用链表结构实现二叉查找树
# 定义节点类型
class Node:
def __init__(self, key):
self.left = self.right = None
# self.ltag = self.rtag = 0
self.key = key
# 定义二叉树结构
# 包含的操作有:插入、删除、查找
# 次级的有查找前驱、后继节点
# 若指明要用线索二叉树,例如中序的线索二叉树结构,这样Node类中就得加入ltag和rtag,并对BST进行线索化
# 再有遍历(DFS、BFS)
class BST:
def __init__(self):
self.root = None
# 作为是否线索化的标记,为True则不再进行线索化
def minValueNode(self, node):
current = node
while current.left is not None:
current = current.left
return current
def insert(self, key):
if self.root is None:
self.root = Node(key)
return
if key < self.root.key:
self.root.left.insert(key)
elif:
self.root.right.insert(key)
def delete(self, key):
if self.root is None:
return False
if key < self.root.key:
self.root.left.delete(key)
elif key>self.root.key:
self.root.right.delete(key)
else:
# with only one children
if self.root.left is None:
self.root = self.root.right
del self.root.right
if self.root.right is None:
self.root = self.root.left
del self.root.left
temp = self.minValueNode(self.root.right)
self.root.key = temp.key
self.root.right.delete(temp.key)
# return True of False
def find(self, key):
if self.root.key == key:
print('Result found!')
return True
if key < self.root.key and self.root.left:
return self.root.left.find(key)
elif key > self.root.key and self.root.right:
return self.root.right.find(key)
print('No result will match the key!')
return False
# return True and a value if key has a parent
def getParent(self, key):
if self.root is None:
return False
if self.root.key == key:
return True
if self.root.left.getParent(key) or self.root.right.getParent(key):
print(f'Parent of {key} is:',self.root.key)
return True
return False
def getChildren(self, key):
if self.root is None:
return False
if self.root.key == key:
children = []
if self.root.left:
children.append(self.root.left.key)
if self.root.right:
children.append(self.root.right.key)
return children
if key < self.root.left.key:
return self.root.left.getChildren(key)
if key > self.root.right.key:
return self.root.right.getChildren(key)
def inOrder(self, l):
if l:
l = []
if self.root.left:
self.root.left.inOrder(l)
l.append(self.root.key)
if self.root.right:
self.root.right.inOrder(l)
return l
def postOrder(self, l):
if l:
l = []
if self.root.left:
self.root.left.postOrder(l)
if self.root.right:
self.root.right.postOrder(l)
l.append(self.root.key)
return l
def preOrder(self, l):
if l:
l = []
l.append(self.root.key)
if self.root.left:
self.root.left.preOrder(l)
if self.root.right:
self.root.right.preOrder(l)
return l
def bfs(self, l):
if l:
l = []
if self.root is None:
return l
queue = Queue()
current = self.root
l.append(current.key)
queue.put(current)
while queue:
current = queue.get()
if current.left:
queue.put(current.left)
l.append(current.left.key)
if current.right:
queue.put(current.right):
l.append(current.right.key)
return l
# driver code
if __name__ == '__main__':
tree = BST()
keys = [10,5,1,7,40,80]
for key in keys:
tree.insert(key)
print(tree.getParent(7))
print(tree.getChildren(5))
print(tree.find(40))
tree.delete(40)
l = []
print(tree.inOrder(l))
print(tree.postOrder(l))
print(tree.preOrder(l))
|
a71c7153e26c8ab47b305c78d8222219a2d127a5 | cleancodenz/pythonbasics | /collections/test35.py | 494 | 4.0625 | 4 | # in operator
#it can be applied in list, dictionary, Tuples, and strings
my_list = [1, 3, 4, 5, 6]
my_dict = {"S": "Small", "M": "Medium", "L": "Large", "XL": "X-Large"}
my_tuple = (10, 13, 15, 17, 11)
name = "Elvis Presley"
list_included = 1 in my_list
dict_included = "S" in my_dict
tup_included = 11 in my_tuple
string_included = 'vi' in name
print(list_included)
print(dict_included)
print(tup_included)
print(string_included)
list_not_included = 1 not in my_list
print(list_not_included)
|
457504799a30436c711bfca11aab213fdae61553 | aijian139/FirstPythonDemo | /Demo03.py | 881 | 3.71875 | 4 | # 循环
# for in 循环
names = ['tom','rose','jack']
for name in names:
print(name)
# 计算1-10 的整数之和
sum = 0
for x in [1,2,3,4,5,6,7,8,9,10]:
sum+=x
# 注意代码的缩进的不同效果也不一样
print(sum)
print(sum)
# rang()函数 生成一个整数序列
# list()函数 可以转换为list
a = list(range(5))
print(a)
# 生成0-100的整数序列 然后相加
sum = 0
for x in range(100):
sum += x
print("0-100相加得到的结果为:",sum)
# while 循环
# 只要满足条件就不断循环,条件不满足时就退出循环
# 计算100以内所有奇数的和
sum = 0
n = 99
while n > 0:
sum = sum + n
n = n - 2
print(sum)
sum = 0
n = 1
while n<100:
sum+=n
n+=2
print(sum)
# 练习
# 请利用循环依次对list中的每个名字打印出Hello, xxx!:
L = ["Bart","Lisa","Adam"]
for name in L:
print("hello,",name,"!") |
d2338466fc928a2a2a3a86e7677e7921f21be606 | popkovatatyana/try | /words collocations.py | 1,451 | 3.625 | 4 | import random
import csv
with open('file.csv', 'r', encoding = 'utf-8') as f:
reader = csv.reader(f)
d={}
m=[]
for key in reader:
d[key[0]]= key[1:]
print (d)
for slovo in d:
m.append(slovo)
slovonovo=random.choice(m)
for slovo in d:
if slovonovo == slovo:
phrase=random.choice(d[slovo])
print('.......', phrase)
while True :
requirement = str(input('Введите слово, которое, по вашему мнению, наиболее часто встречается с данным словосочетанием\n Пиши "сдаюсь", если не знаешь, что за слово!\n'))
requirement = requirement.lower()
if requirement == slovonovo:
win=['вы восхитительны!', 'Пожалуй, вы мастер своего дела!', 'Как пить дать!', 'Ух-ты Пух-ты!', 'Поздравляю! Но в следующий раз я придумаю что-нибудь посложнее']
w=random.choice(win)
print(w)
if requirement != slovonovo and requirement != '':
lose = ['Ну, ну, попробуй еще раз!', 'Почти... Подумай еще немножко','Ты уверен?' ]
l=random.choice(lose)
print(l)
if requirement == 'сдаюсь':
print(slovonovo)
|
0720e18e9cf8a0f699d6a85543ebfcbd5a2367d2 | WitheredGryphon/witheredgryphon.github.io | /python/Python Challenge/equality.py | 448 | 3.84375 | 4 | #!/usr/bin/python
puzzle_string = """kAewtloYgcFQaJNhHVGxXDiQmzjfcpYbzxlWrVcqsmUbCunkfxZWDZjUZMiGqhRRiUvGmYmvnJIHEmbT
MUKLECKdCthezSYBpIElRnZugFAxDRtQPpyeCBgBfaRVvvguRXLvkAdLOeCKxsDUvBBCwdpMMWmuELeG
ENihrpCLhujoBqPRDPvfzcwadMMMbkmkzCCzoTPfbRlzBqMblmxTxNniNoCufprWXxgHZpldkoLCrHJq
vYuyJFCZtqXLhWiYzOXeglkzhVJIWmeUySGuFVmLTCyMshQtvZpPwuIbOHNoBauwvuJYCmqznOBgByPw
TDQheAbsaMLjTmAOKmNsLziVMenFxQdATQIjItwtyCHyeMwQTNxbbLXWZnGmDqHhXnLHfEyvzxMhSXzd
BEBaxeaPgQPttvqRvxHPEOUtIsttPDeeuGFgmDkKQcEYjuSuiGROGfYpzkQgvcCDBKrcYwHFlvPzDMEk
MyuPxvGtgSvWgrybKOnbEGhqHUXHhnyjFwSfTfaiWtAOMBZEScsOSumwPssjCPlLbLsPIGffDLpZzMKz
jarrjufhgxdrzywWosrblPRasvRUpZLaUbtDHGZQtvZOvHeVSTBHpitDllUljVvWrwvhpnVzeWVYhMPs
kMVcdeHzFZxTWocGvaKhhcnozRSbWsIEhpeNfJaRjLwWCvKfTLhuVsJczIYFPCyrOJxOPkXhVuCqCUgE
luwLBCmqPwDvUPuBRrJZhfEXHXSBvljqJVVfEGRUWRSHPeKUJCpMpIsrVMuCmDTZPcAezRnyRTJkYyXk
oLEmjtaCsKmNOKNHygTixMKNaSifidWNbeZYYHCGMtgJiTSlzRMjzOAMuhmYwincvBydQMDPaZclRsYU
SeEnkclzGopkBozDQfXrQqHjRvlAQsijPCsrnUawvyskbTAnjctFftReVrIBFBKiLSFGmrLSrcnZKfOU
wnCGYaMNKNhadSGMXwBaefDrMXoNeJsUaSGlWgttAqovosuhyBWwqQLkVKnRseXaaPwrMtdWjGiVXPvd
sxbXzJwjxAITPpPWoGOnPWcSbHFZjBizKEBUECMLUKQRvVvWgIudKQkNjJmlUoUCaAHiTKVKcIpMeltJ
AYlVsrjBTLsWuyYwCJuJaewQSrzwXJNLAflzrZXBBEOCTtItNptaJkriIEhufpNysjJpeWbWcFqdEsiG
feIJbjRkOfNLjKIiIqbLfYRtldJPJEdsDJrZreCQGUhiIkjPwxrQfjPvsASxJnsqHKAKMJIPuOHYzxuI
THEobVZUgmAlVBlqvPgHEGpelbIfzYKHmAmJFlwbhQHWeSLuvPQrUWEQcLwdkalMnyLVyZiFzomxyhHX
LhFYswiIPrhmHVHQSJFzWSGUIaKytHzUTSlwSoPkBDPYJBUhXZuNrlPKzVtNoWnKrngtEkazGaWWNlfR
RdYbWMbtMyqlOtyNVFyovtOfTqFaMVSmkApgbyffXFgSNqKxCtrjegbSaChypYNUqcfKxYEbgSiIzEqM
lsHiHfJOdvhwFLIGAlecFxXxLLlgkAkJehUMZLrOROOArPPhNiVfPvFPrUPqmVZslfhprVpHoyvkAiux
hIrGesluecMjJGkvQkzYpLefAPTGcPlQngoaKzrvnlhtudzYMpKxMUEJfsxihneGfwPVeKqmaLGqIFRV
siZNppfwZZhfbaqznpIqZRMiyhBgBLCRqqDRgqQMUknFCGZqjqWSAubRCLQZnIbKDRhJrAQeboQctKmz
SaFlMXjNqkujGmgtsWbcfEkRWluWBzwIKlvjCMDtnpGlHKXzouovFOySfqjnjWWlOtEbpbpVtGkWzqis
JxASqiDLkjpozYyXnkovzHFCklyKQqiJHWtxMjpvDnVEzcXggQbdryUppwiiWzxDZEGzckGXATnTLuiT
SvcQsrZPSmbcHPQEYeXCfFDlXsJdjRhzilGllXNdlSDSOHzCWwWKePFiQeUoDBhqMtmVPbWCXshWGFWQ
KtsoUdjOqPSjERRCtRdEpApFFwTDsZfNxVqsUTUgbjIXRJTIKHoWJZdUyQaZxrkaYHNAPvawmOgZueju
OCkDgGhIgQvcbqTnovaINOqMvhGDQmgxgoGBZGERWeNwavCHuEqoCNfJlpgSYDWoTbkzMwDptqkTGGZm
ghcVJXkjYIfNjLrJAjOAbXniGjnJZPfBFeICxJbgeZKEQIbmjSSMuyLWfrcqrlvNVuNplvFvpFvtwejU
wdqCWhmhpULzdVCsphBXFOqucjQsGOwrcmQEejhZjeoqQfeShslpmMyYSPVzCwIstLoYVKceHBmRDRMT
lHRjQtEAzRzbjHhleOalUJfwYubSoQwTQuVlLfgYLSwjzJjORHszNNXlvbASfdncJtaggrnWQayCeeHL
hrTBclVDdZZXwnuMsxAdIitDotrUoBDnxNiHEWMFZEIBvGuaJuHlqJjZDJybDCaeeBzctgmxVTHTfyQY
UlgTgJljKvOEAYrtmDRDNtSYephsQxCVfPIRlatlSlFMXwzysWQcogZNkOQhMASZvQlGWQEICTgYjScy
NlJYqhjYnnOguMsqCAjwVbVCyVlwBpNRseONpIGwgKomMbvqYDYXiUpfOCWCzGCxDolcGEUVitfVkWTV
zWFtkDsGXxIttvLoCHhNknOxAFgCmerhdDiRhAUzAdPIQaPIrLvuvJANOFydiZrlmhtySXHhIhXAlxbH
qzrxtWBtnqVnbNYvGisPtzCEPQopkRujbkdLdjeyxKsiaZjroIDVELfFhgzaoVlHehIxQxOgxSRVxtXI
zReYwUTXmZSvtJrCMvzcfJysWvrtniuukisYGdywIgZlmaLuuqoGSwdmRzgbxYPzPAeRZhzsNakETkdL
qbZhzXrKPYTYiWIUvQtmADZIPwoSjsmRxxvAOEJbNjPWenKYWSmHfhHCUGOTucQzXJokqjSmHvodFDtm
mIpCQStfDwPqIMjOWTlwpqXuEjmmguCSvZgVGpvquNLWZutrejvArhhuSistkPHPSVTLKvIPGWjLlCvA
fBvcsqYEuGMGlyGAeikgQsVaVvFXXLTrQeKQCsqoUughmjitWfDAIltxUXBejtRaOyYcmLLPWwYPfZsj
XxCpeINTZABaQukGKxfqeEsPajoNXojSmekpHzWlKZcCDsXilGRPBgLPDQVMXVzDPOfpmhGvboAXxmAU
RILBSCAZefqpBhHtfQhfezJOXObJYIQuuAYFlXmaiGcXtocQEgzpinPkhcGcTiCHEmTtBlDDRBGZoCCp
FOuGAcaQxuQeDMTCmGEHYorVyShXbaaSzIBPXqpnvwBWGIjzhEYjMDblEeMwGwpIwAvruynPjmqyVFKy
ZjLlFysrtkTPIYFlpynOIwGiMIKoUSqCcGEcwaXwUbEtdnMAuzGttGPouVICmFfuCeYMRBbjVitmMkfV
KflCTKRUkxWsKEJcZZuZQmcjMXNJEZLezgYsEuqqSLEMupAhvWpmYWbIeCbSleuPmGkZXeZYPjHrAsAN
LbrdsOoRxhHFcqeMyVlZRdozVMxSMbyIfmJJaALSmwepuIBJCCEatpNtRfhHifPCDpHIVYFVnnJVhoJe
FxWTjgAQHAYXLsUFTTluNZJKFgvUAnbRNxlBPZVAwlEjGVkziQbVBnOCXxhFzIfTklsasbzfdqiwtoqS
TpwRJGdzSyCblVGYpizzyjUvKMkCVKzIKJGpxxsgLBFXaYKGdgrtTuRGAgruwGfNEnDCyranIXHrSUsn
IgMWlWMldVJuLZmfYAhwSjxNIvqjGhdMvHIkDCTWyXYzqnJZPbAfLEINtNziVKnQLIbRBlvWowovBiYA
UkRxoOfInqnFgyaOlwmIcICMCmibsrdSNNWzBFXPQGZfZQdoRgfeCsBRPOpuNWFjBubpYgbJuCgIOWeN
aYCFUuHoeJsEvoBARbcUhpwlUhWLNyXkxaVcyiTAWttuYVTgjmOtnoGIFSfWuUKXNVdEJmrTmdHUfGPp
xrsHmhwDSyvRmXQVfsNoPQcwXWdFhwERobmxIWJxVbMBhthqCSeczJaGTVdFRcXrkiyTvbRVOLtyjVHc
coLphpcuewozwclNhREKjylWqEwVYmJNcmmTejtkfKtgUxfGDNyJFxJQiFYdLkySUVIhHyQScHjjIjig
XgpphuwefbcAOAKpzwbDNvSXCAtdMlpQsrWybYMRsIvEKmBHqpVWHraJctgLRiUJHzEtjcCuICPTHMXM
DQUnEmKcGjBYtKugzrYHLtaoBQQZwoYZcYWyCUxVfhJkCFVYBxuyavphlxNIBjihfYyUkQQGMzKqtnny
GdqIQNlQSLidbDlqpdhoRbHrrUAgyhMgkZKYVhQuIACQpKjhmXbQCkrssyUHaKXgvNNMpadUjfnJYuWu
dEBRzHBwNOtDRouBFUHGNuzQwDISBpkCEgLTVYEFbkUSPIiSzAtRrFUhmJHijAACBuUJTMLyxXmsBqEC
oSajBqlTrwxIUVaeaqgCIMlkshLDBDtODUmyyCCJfFJyDECvwGaSaGiJNMFpLdCebTEGZCZBkZtVOyzT
CVSNKKxefhhODBddsbpeaKvyTmLuSNacOEGCYpLLoLVpdgVfYnfFKwsHiDkEgupQDLnVwIBfJywHulIM
TkyIeBMAZclTtQHcKFppcJLnsSUSqQlpcbjaUTjfjGrdbFmqBeCxGEfBOGhRgWItKDeyndwLrcMolNTH
XAjTqUlUCSnAYQEPkBByKZfebtjOLAwLQAUqyKWupUPkDTnrbBRScmGqrqNjTdmalHjyRapBHlcbFaEE
jKdWXcTKRlqILDBNBPrwsuFptJKxSFdztEPjPghGZnlKhmIrvltPWEDCmJOoXIjmUNlamPbqUeVwfMUV
eihLfSTbezbaRSSGbpWlZwPTJKKSOkIaxJAaCzFSDzWOlMNWwwCrqRBfkZubvvNiAYEQfWFigTxPbOkw
GqqvQguicNCYmKdnxWqWOuhphbHEzzSmWdftLboUZaXMuITrcQgxuRsLdoAtYVJrqKMEseqDmVQsrmWc
dQbKxSwcHyDRgpVPPIMoBkGWzTbZxHMxxNYvudYNueXxAhiAjxwjdXzKrGzitppKeQWJxBnCThVheOdD
DHzbbEOmruVvPDBCRovHfYTgAXiCjEmRHQhyIhBJdgoWzJSgQAuPDOeJUcxBavVRrclzFCRLbkeCbDAx
nKDZsHQJGxtKyQHEhneFbUKVKVIHkHvZXYdEHGHMHeIijduUQxdCBunPLXGlhgRmIvlniLlyLsKrUgpd
QpEvCIHToMPGIhNhcQUxXRqzLLNUATnsHquUDhXqgvwrHgqYrHLdTDQnxDyoEinZNtTmSoseNrrzmCtS
JKVxDizekLuHBjXaeYFitpthjQTZZkZYepsYwXvKpUgSGCCGOBKreneLKzhuVGimMFUvDzGShlXZvpKx
uuXcAtqdzsJedRKIrsSNsKuAGnFuhthNIsWpzoCHIdgWxZBQwhyflaLPiSrZfDBUKAzcmOUQFfVTUmpx
VFUmqjivdLUQUVANaXjATmMzNDaVNjAsmVBNTbxVFGYFspIRpfUCRplmHkXQKRlguhjrCPaMWjpAkkPH
VTjPqipizICoBcXpuaFlIkJuIyYUfINKmWrwPMXgoZUbANizGYCRdTRrCxaZqUwVFgPGDnpjRqPxVNvz
BLTwTpYnDoRGbFpVVpPnlkIlDmayqDiCDuYGWfOoNtUcPYlahTqpuKeAgKGbOApnjNUOyNUzWabUvMcR
RXmhLrpOFfqRVVQotuVKLuIiZeIRzHuprqSNKZOWrdsDpzQpgsYUvNypUlatDynACJxDfHoagkWeHYRA
OdHIZdjjMnfMcWOeazWwYktAhvJQSXzOvVBVXIANnJzRgMGZxzpZkQGuZzPolAPNsDsHpyjmFlKnmMxj
OMDgqLpYTMFmlRsKYqRyUHXHCKmknKTWJTRWXDfEZqBHnBHcQaDseMoUjONIarxTWJwZPfVPEkhQZylK
sIkVuORXFsIvtaPuJUuGwFsyhZHpHWWTvenoaPYfwwFqTYhcYcsjaHliyIotgstirQurQJLyMcwEliIk
EUBkywIQmZLNURadZzPuWEKucvTNConMvILAQekRhmwlnVTbeGqZGEqOqSnJvqxXIzsDOJfcENBdxRkk
mkMFlxpLfDgwiwjFaeJKLaApQLNalgytHcyrVtXRGbNVKCWiWAtiZKkShJbJwEAyEfUYySCGvdigKokL
KgBKMyFFbikGyZioXmFpxbAeFUxijcsFrgxkEzgbLRYiYTJRvQgGqsEaEHLADBVyOXpbVzliNKmxWawY
DVlFmZCtmWCDJUEKtSNvSAotvLewsIgeVDDuwPMuNUWBgdHcPiNMkWFXAyUyMQcmoMiJHoRjsDWFXaDD
beojPtAJrNYwLKUZUUSdOZzFXQiElQfVGNWbyktFQifQQbxPCAQwPFNBGNBqQTCZiNCEKJObmydljteL
WvTDLoliSxlWPkUjjXYGMUtZGzEeYmrbwrsTlpJBkXQYYqxVuqmZUUObeKFmneYetSoJVbhNFIvmpbCK
lkYkezlwPgFbznfFmbWOULkAQxmZalZTHFmilYHFGMBYlsZDtosNLiOjzHRnDTiDgnHkrOUOZHerijvp
obzAyAKNnpXIESqgRYGXmfVtynXTWbNdgOaeZPDOdOXViaSLZqovrEcSHRXORjWFTaCmicmOHCPpNMqI
OnHHRLYqWldlHGukaSwhRQkzmejyojEwtdkQMVmixNoyyCmmNYRRObZULDHGDLspyPZJLrSYzPmZjkSM
IZqsubbQbfVIisfCsSOcrAFCoNzOThldUYgJdOHcqBqAyGduwZEFqvYtERSwgRuJjiuCWssoZaimEYAT
cfFtkYjJRkxAMvEszJExvWFAILMMdjJxxmwzTHfUQuWsoGHrgTJuKPdfPVGmnTjqluacJCNXHcorguCi
tenwLpXRhuqVRKkNlfkRCqtrjOLDelTrahLykzupZKFxlQRxpfarfVTZBjMEgYBMGhFlroPIGsjzNedi
sMQcyrjEIgSCZScrjiJXOYyhXvesWGwNCvpOaYMIxEAhvbekfticnzAbGDcziZezOCTJVylmpdVNdvEy
szxLXwMTcrIILLvIkmiakUHSSpgLPObdnzWCJhAryAARMuEzlHVrnrpTfoUJnWjUWDXzQOPRLXEzcZee
cxVPDEPHYgtqPyIRuRcnijpVkgtFmBdOAthuEUudwcaUfwVwSHpJSZFVLHGsDZTiiJnIwGVsYWYbjLWo
AEWddUfyPmZogFGJhRHvjKLfRldtmwNIhEZsAplmmxikduMmtlKnjWiAaBmtbJMbcLHYSiWamYgvMRQy
CqoXZMIILUAlVaUyuGAREVNzEAghlynWJBmqOcUnDuZhYfsxzbjnFrhvzPHduZUuWDgLLAzNpNilcGzE
AetfaazIagalKIHlQmCYioXsvGExmLaZlodiGTWXtSQrweXIwAkVmuadLdThbqtZCkChIjZEGQzdkIAz
GCPMBftSlYlWksieHzihvgBXMOShthHOidwlGMzqoxrCzPxiEHcWDfKTrzWixSWRbtVWyPxbCqNeiGCX
ooJJemWODeyhlAIKuRJjMcEPhhkDbSNpudalaMDKFSqztExZkMqzvqGDjUyOBGzXhJeqUnHbeorXzJfQ
qkEnQubCNqnzFtmnoqRxIBWpySeuFGHiXduwTbvqNsCUKAaxIxindTmLIcKPwhXeroiKmwAjxcyaldhU
hmPfnvrslckfdgenYNWMjuzawptMJFXXUXbKpCboIUkyNZCDXeFZbtlexJULmBfpNDjdoMXThWARAUKV
xaUxEjKNBUXkttDUxfvWGqyfznxUsTVAVGWtcdngzeQtkZFHFSPWNkaTdiouHQtDsgBFqXzXqKTQlaqI
DwOFWPHFhdhbSeYjoMskpGLjgoTehJlPSVWfOVIvwUztfoMZtdZwTNrrGxqbWsoAjZNvmBikxFklTOeK
LjMdiBwwVQqGtKMDACxInfGbGnZkvyUXiwliPofSclCIPzbFvQHAsfxfxueGkjVUjEerTYLrLnxcsfig
RIyQGzpnUATABTuyfZFPLibeldXzDkiXZBgcfcuPBGTuSJfOYLRNzgdNpVNiCoQMkSoViQFKFXUplSyr
EDkgHtzcePuQoqhDBgLvXaexKKHCCaNjOEVCuuHHolkYAZiGvoyeQnwvsscLQjigUekgqQVLzmEWUcIG
azXXgdnLUYyudqsGTSXUrANUrfAtLQeTqPgRgRXVDpcNtNrIrUTrllYIJIZIvoDQnEMhkMikvHNfcWSM
kkjwzDqTAHsftRnDxXpGMjMdtGHoxusVkIRaTLLrkvugDBmqoWcMcemcNwgyDVwQrUkqItVHNrPoMyyU
ZQhLNworxfWlDzhOkrrMeeYLcUGcYjSSvgRtMvVgGyJFQMTbPFZJIpmFwNCWEHkTGdSxflSLSetMLbPu
sbfQuAzDXGIlRQOwfFMhmuXIVKstDvKCCqLRGNqsxcYjiZGrLKMXDmxroqwBJaSwhxFYPJAmaMcZCNup
RmDOjSVyXoaOBSVPCzSdgfPmJGklmbLYIQAgTRKraWdPViXnPUCkHUaMryMwLvLQSWnfGFjIkZPwHpev
redOKzPsrYCeaJLKVdpyxcuhfQLxiWdLwQlxJDLvqmwjNFuzTFfEefDmVRGYFerEwHbDtxCHQQcJiPSV
NTvkqLSDftWuKBRbYmTpRMwTMzxhFmAuxbmIvWjwyDbDAONFghYsZftVauOvrmlgdJUvjNXJFMQCXEuW
voDQoSXdrdpZDLfbVXskEoLzaQSpuBfCTDpyrumNcjbkFDVbzayyUcQkdAIhwcPRDpfQkHWwJWWfBgRj
yikgYCmELeZGphaAVwzUayZwqbzvGThNUNMSrkYVrIemmMLhsIKGcpKEiyzPTgrZQoGNKsEgOTrKlbUC
HSkPZjxqjsfUPYsYXGUFvOObfbRHhiRnedwCyCkigTLYdnTIjWiOdlOfXFgxTIqWwkgAIaPLxcHuQsRq
LpLwzVrqKmCiilpkvkcxKeufRZciwencGgImsMTpIdxiVuwaMxgvZlXiEcPlIzrKWChmrQCHLghnCUND
kfAwjUfkkYBpydDIcTAegVTcwfYNOJwBYpviSJyzrdLHGuNRwuvoBObmhyZDgtYksOChSMUXRDSDbLUG
jeiqwiTUrKGxMobqMQBcWuDLqwynSgWaPSflZmqyqABmESOJSKWhqEmSMJniqhPHCmTuLruVHADodqnv
noEKzdtovEQLGXQOySOMrLyURHUdbOMZcrJdyJJgbHQzRUiKHRtoydBJudFZiyFCypQolrIaVuNaMiIb
vejGfNTtQVyheIZNyariSyKbjYtbcdKgEDSBtEHqPGjEVRdheDQYtuFMmdsILGOuqVMuYxVdZfXxwdHx
RVCuSckGFUhIrbubeOKkKtTNzxUvedDdETOpzJofUZpQmhcAcaIYTIlgTUmxEBElCdhdinpPOrzbIuXB
JqvVywZdxJnhfExkkxiDTExXmuPSLTVGQMYwseqXuhZBlXSFdGKijhGbqJbPWDFxDaQqPzefZPZKgFYv
BEaPoHgPQfwDxZeJdmhgzKiwgiYZKiqpyuPHTIcclDUuZkgslsrJwHoAiwaElQBWBUULqAosjBBvWIRl
nYkYaycsSARutBqhZQZxsAUiTSeeFgAmKcRxjWweoOkwwVszQMXeeGffviuFtgVpBGGyHevSLyjPICXK
TfTOOTYNRWmzgeXjLLOLdUQSshAZAESaDJIxcExEsIAgKpjCbOsbtGzLRajPZImwrrGDRWsaymUVZEtC
sZvmggRScwSTumcJNmTwOzLchzqaqTMtmQalZdWIfTmbZdIZCyhrVTLYGDVLnKNwhGINmwEradkOAnGM
AtqikrfpKgBcIeZeapqaEslIRGoJPtGebMpUItTHUhTyxLTcqHiDJmRmLNVjEFLZpoqApPuBkAgUsvUh
QyCLHEBWKSnfJPEucAtmqbuRGZCETTqSoCpJbxNBrqZecFaQiVPHtySbxVmwQLqBOsFCIQgMRzjnfIls
FJaCDNyXWNNWBlYBtrtPpOhMArvikRFGjekKrFjtdcarbwUsdfbgomoVevZDFCzgdavVUthzbkgInBXF
ixGvzBzgDEHidSRHSIhgDCPJqzmHTqcUkhhkRNSEXtFEiztfMjdOpWrZYAzJPdiYToxDGczUCrRvNala
SaRqOFEwUrQVjwJkwKrbbezoIypvvlGRGmgLykBhrQfwQjFlvPVOLTCoXSgGMYTsrjgSomAtFyMZWUEp
EFaPCMsDBafhhyeuUKEgXHRERsboOiGAhnVTaghwSAFjnDMivhKkkrBFNdLjwpOcNzzIEzZUWvXeTysT
WXULuSZpRXYBxrtoSPhMepELZWNICqDmCjZbOlabMbFGaDvTwDAPQVQHbitxZvjxXOBKCkmtfvaSeNnS
bkzQEhxWqilWFZJKVXhcovchQXrvAaevLwMFqJVkWzWiEDznczHrpAtDhFPMPpOKsdfZImjXThlnEWZZ
KZxOqyXMvLUbXrLTnUWpoMmRjYXDVVDOTHFNCcVOVPeyWLIbUNIKgwwAyjnzoYjRlgjMupjCVAgjRpSZ
MsiECRbsQxJdeSDHxUdYiGkCvsZtywukCLoaFagyBaKVnHyuRsqihBBYaGnHRvFhTHjFTJCkCzxpcIEY
jibOfyCIrfypFAWdIjgvvXfzsbemxLXWEzgpHvVJLHdhRXJOHYJjwUFObjYrQagrDQZJYhliMeWQMLlA
PVwwxOAaukSDfaBDByUBxVqbvGyJYzlfvwWtplMgMhYLukioxpicGTGWIwYgqtVnNgJPXUYEyvgFxDCe
mbVpvpxahLFlrZqGgKDNjDZfOhIOEQIFDfYEgMOMEWfqZwJsMZibCOrkYUvTUMtmrkDnEuZoiemxLEQr
pgXLhIGsDXJyQgAoFfwAYhZvRyZvSCseHOcjuUXrDyHJUDDJuHikRwOteofczKADHeJnvjUNKWJFKOTS
wGSBYXSDjVKVXcIEMkLfFkzDPdERjpdTZIlcAUqKfrljEhheDjtWtPhxPKQdwNCNStrQKpBcduNctzdI
DmbpzSAwjxkjUpWwkrNBJoMDxMrwCTqNkRlaFtslqFPebkDBbzXPASGwZRWmqCkNLzoGCikObCHfiFjX
aamTRByoYHoUVkYHNrriVTARhKsSxKXYRgBKHAIjelNtUBlDIQJcZrZydPhtDrscEQqzSKcyGuhgVqGk
jqiwnaodmUuAZHeiYOjuZjtVLLizuhhWpdMRImfqsWbgaWFOHVdVrBQNFRtuaomOWnystCFYPYmLnEFw
TxfgnLEAwnFbtgERhXrVCUkRysKSNidrYbukMRAhQuvRxhUfwicQamYmPIvPABUgWAFfPJtFGdIfXGMB
xWgHJcHtyXTWtAIWXWmxKOdwaXVNyEQinVndzxtJiKgtxPSZzvWxnkFFQkOpxtPwsmhINrTuQBYdwpet
qwGsJZAobNrLUnVMOCOwRgQtFXfvQVOBsifMoKBNciBMvpdorQutElOsIeaByGCiNAmrrjZtxlcjnHYU
duwblnoWDoREeimDNltOUcYuIephxkHFadPsNSOAybJWrlWRkuBGVFlGcVFCdXSpxaYncbRyqpVCrKwV
VgLlUwwqzcXwGDpncbyEvcgPeGqaBwfPQegAGxEXHFjPJdRxuANbvwQoMaSUomOtNzunJwleUmUiGNRt
gXcuznYWPisavbywBTDiqSHNYOObaOCIDKELdJFJUmQLGemjFgTvSdfXMNHLOIRQrlvPSzhGOJXmXMkh
ShJIKXfKWMwgdTSnGNByaNJKvgJpzxCYowGRiEGoruXiUKyXtIZsNmDqYVBlRttksVKeauzGlPQufJao
ZVCjITMBlzrKGwrbHKalmhbpcXbFoMHUNRAwxWqVJhSAzNuUeLZlFmWVoDpVCvMIJmZUqNtvfjUKaBIA
pnhnoxvgsxYoGiNXsZaGleJolaiMttVWmkKFnrxMXtDlYQVPetNrTAFQXhwEhtSLUikWuGjGgxMQJnmd
gKLtwyOFznUPXKaZErAzkGxvzHLOEbQrvmDCvCkISxvpMKaMOPPmGotBPamwmamGoNjNQPAEIBZeXBbM
KPcphRoxMwYKdqcoFgZGMBatkbopUhWuqsyJtLIVEFWZstACEzAExVKBrLMvHPGOhbUulaCoMBjxcECo
rhkXLLGrJGbiAQYTzBmWeNlhbgjqjhGNfCFqkqXZhfWNPJkwccXThqPQZeKCAALxRiRcXCaUurcXFgXS
xUksVTZAWsBjqEEaIJEQWPOhTxXYICwEevvSAHSHYhLbbTZYnVegsnPfKlzYbcETlMxHvaobhkfgZpAC
mpCPQSaAqNxODDvXpmatZimnoTDiTBzUvAJsnmjQlVrgcVRKqLiTBLufkIikMYADdaAmlHTzsYfTptvx
ivTpXStEBDDbUMzYhZuKXnpHkGnMAkNiwYoUozrFKkqMtgIgoFQvtYitWZyyzGmQEwczyPBcNnFtWIVc
drwqHwrGVfxaotCzklCQytcHwScKUcCDxvzwXDBpQjvJJJwgpjCFjAhbWPAkeuPjADlVszqmhvICfAxO
pTVSdihIonXuKNlItdVovVeTdDjQUYmegUfVwQvvLiBNITJSBjZQugPYoqNDrYvnPFqbPSdgeFdEUYPN
tWAByhFvczFngjVlkyfVIfGctUNmWKNsvAYGwtscyuDquGZRNBjTjwHHthPuRqZYvlrCSngluqnYnCVH
ApHcEfEVdFQqmNXnchaYcaFUeMaXdRdBDMMRhYtgPHEAoCAQGjrflNempcAzkjVDKMMUvcAAsTHhtyoa
MrXryGtuzPwNALIDXkAxPzlnEdumfyyFoEpVpPxPOPqRfdXUcuMnPEklqscrUaURGIBcRDeFWSQwaQyW
oYzTwbyRkYYKeLcVGhYTjxfgsjlzrpYcejXiMCNJCBLlcgLXXBWjboZiCCcOzQEShdOgJiUppMmXcPWr
MwFyzECocuxUThLXWCeIeCLwJCqhQHRVWrGElvmzYPHOGcrZnqNCTbbfCKJSIKFDkCYvADrIQUcXDtNZ
IgiScZnkrGasaabpdRTSSBoLXgvydvWhJIeMwuDsQGKMZCiSWfZUhMHVqRzWjVQjkSvVcZXenHPxLJEA
WdUszbPlgBpEFIllWUYLSSrCFzRaxnDdmeKMafRJObKINEhXNQNCTNqdJrZgwaiBLPnJEnfaCBeFedLr
UKeKgVgKjMJGHOgPKtDtJuVHSNSKBcIAFuCrpbTeWWXLmTNJjQtSJYWcPFbYkdiLOSGKGXqJrecyCRyN
XYCLLsQIaQBswfBqeRdweHIUXphdGutvfSRpJYBHJJRgdHyTRQHOxJsTNxDVvoHUKWDESaqlFKXsFUjp
YswynCEwuuJxeWCQyqJlgzCsPoPzZzNrXSHSvYSxYiBPWZSxTOxSSfmaVwaHiJbQqPqxKYDxEIzXRwMK
OXpSwUmsJWxOgJpWINZGjhDVzavHaKrZQXHBSMQQfyRUSSqxaCBSkaCfTgkIMiHUfGRVqitkhbtxeNXT
NFWXdDNMsfOKIVBGAhcNRCfdgXRqNBgFBjFDHdkCfmgGIisQRdpBJiSdnEovouHCclqSlxtrxLXiTAuP
iwKdflSSFFpTVmRrnUXnGhRlFXRUDqdTVXBzbVKTNkUPzgesQIFlGTvDHrCOPyPBniEjzMeFzhAgjDme
kpbAGoXMrUTnNzFcuAatWfAfnREdgDCgbwoowdEhxSyMjDgtcrrQrUyOHsaLqlUOHwqJubbypbNeMaWB
shONFhkqHaJjBhqJYMUCYVDlHSJUUdSwzVSMftLcswQTgdrlILUmwgxPXCJtyrkTxiIMnrpMCdTjpbWG
VKXCskRIpnstSOIPZzTFMRVVFXnmYCgZBhqSENxVgZSiPoEtvOvVoaIcEVBEMxBOJVBEBsXKmDViExkT
nIdHxvBOfbHewLetJhpcKucAcIBxdUtNsQpGRPWBHwXZtPkkNYmTelapZlnqubIuzLdyrGmJtvohZOzq
knuzmGoLoLWXoevZhnqUGYTTFDlfwthkaWcnDdFePxCHzxzQeFAydEwbtScanupNEgrcvJHEaTDUDKot
xfAmPalpawdjaWJcrdBbLzovievkqoWfwQOEIWfedXxmwheYzHMhrLLZNXwFiJwSMwFsRfLoWoaJZdWO
ExEeFWCVtdZdHATKEojblqrBRkTiozrhkqWDHtCzKbKWqovUSSfZwADhbRweEcYJwefQrLIpnBpPkEbD
WvblUKqMzQYDUehEhdKmUyztQwYVsQLPIaSbSVLqrbriclOBFBPZSmWuVzXeHBUuNyTyjqaBCLsvposN
ZgQSBxHOeqhJOVQjHOEIIgnTXFMogPRubgGCoAXUbeWOwsKhzwErZFlRhVyekmqVikDmHhoqthHtfPwJ
cyFEiqsvjIqXhnsfdlgrGLRKSSnToQPigyYLDinSwBcWjPZOEIxxTVHNshimQdDkFJlEjRCvpaXeLpAo
AUOSNHPfsqyMvBShSMJTmtjOenUyqIJItAwnajNxQlXvQTmFCASXbzGTdXXbDwZAqaFYSZtVimjYDJSv
eIrjOaMNefCkdbnRppdketixIDyfucQDAseDPfiMrDWDgHtTjcaVshntQCEkycELLQvuPFtzNcozMhEe
tTCSVOGWzgQNXfVEsArjPqYSIruIHpxFDSdOowanKuAjGWyIEMWWLLjyoakBEQXSWGcmtjhkfimMUmdT
aObOONOlFuULDuofFbzwrJuukkCDTSvTPRMaovdcgILDADJgmabOVixkUzHDlCfpYTWPVBKdCvAXZrLc
rerMOoHerwRQzHSsKaJYfRUiFrDnhlSKbbVvCNzKTeLpnrYKqBhJmIcLxYpzymwQXWbaiLIvqYfwokkq
TVgZUHUfpkuPqEigSClUvLpQhFKjyZFeUSJlttPHmwOSSZdbuRhGYYqPeyVQnRBqMyvxTBsYPyZAbgIX
OcHTytvWyKVEAROTmhOqsqVxkNsqJUGWlazLNaPqjHZbdyiAGUONrxmEacqsvGSlGwfuupJRpTOgnxPW
wrYebQZiwCoHcqWWCyKfOExPmKEmIELCJWEuZqrBZhGrJiyMzhjcwJEgAFocJQXKTqtYWAYIHrgHnNKb
cZoExqHxUzeOEKiVEYjRkeiQyLXLRUAiPPviwCyNaOzenFIkNDxKMcKanMNLNVrYociOBCVoqQPgsrpT
OuEIVIrNDpDaYKYmZPxzTBFnvvJcsddsMqNufmMjlgmBezLzIYAbcxjGzteysqbKEjrNyZsmtAjRpZwx
VaBzxBBlwUPqqFFGjrsCMmgLleONXsYRbUuhjilpjWnGmWBOIPyezGfykdVoqXwYogobBuSYiOKAlygl
PpZhzLPVBbpjuoVnFiixHTsLpDzOtXvicTuCWvZTZKEEIGQUVAxfnLWCQvRjTZhtkaKlbNQgXgPxXCbB
qhsBlDzDvfsMDPkWdEqetzqLGTbcMEVfyGNkcuryLRALrnFacZUGFDKlZFnpabuBJfRFnKgPFfQcoXdV
aMPEEYLanBwCorIgVHAGkoByfeKKSKrmHNftXxppyQkRuPlYnuCxVUIOtZAUfYmeVHqkayoJntuwIdSq
JqNaXkkEzlRAAzYmIhyjysMhdmiWoZYbCNjfKTabKHAVPoZuuwGHXJHTwNwHxVthJGIBllCAAEWMwgEY
ZXhBMIVxpBFPVsOHxngupQyzmjeugBPJEeEMIUkJXYrpxstDMuRijoaXHuLIrxYFICrlrZUdnCdNDzsL
uUWxtCMGOEFWESlvsvRmWUZJGjgdeNORVzuThEkxgeubvkuIHoGwIhEbRKzvoOuIejNYfbtWRRhXIhyE
bjhCRhmwiJwxsrtOgJoeLkehKVyJgcjAkcVQLlkJzFjrurajmrbqtoNYCfbdpHWDcPDFKkeNEEuDdzSi
pmBFiayrFfYoKQElCPlZZGukmHmBWaQqFpNqXOrHddEgjUeDLBkhhYDjHASqNqmCMymxqzIdEdySmfJk
BOsnxuaOLJHIHridyuJlyrvPBguFxHaQtRCmKiviTrOPvqBcbkQvYtFzXgIBdRMIeOiJOPGybPBCocgE
CnctEvlfNKaFxddrEQsDDHSSlQPdTwynNrxYdCEHZDvuSernrcpFHHwqdnAWxIYQynKJOppbuadbtQjJ
ckoBSzOalnZoAgnfkcxvQpFWaBMqaTOMsEOepUUDLTNRKYKnolBFJSGbnzdaDUKwKOdPfjMzAxVArQtT
CjZrcUhtaEnnPHbtyqQKnJoilIINLujpMbfPkAgiQnbwkdROzgHYGjalACeiysIipZPhKMqYYUDDfuIv
WTLpFySWHkfOFzbLnBsgNYxUtXRdxOIDBWMAjqkEwLBbghrFRLUPQQghKCUmqWPAlkpzInJQJtpbSIVz
DlWOcKqqKkndFjrCeMolygMcTwegfAEBYPfMoCxWlYqpxUBmczVBCNJTsLnjzsJTRiDVwMBvZKqfCwwZ
MYkyslcYRrWuKehFUHxRNeeZlHeRXjcnhlvfAUKpDBjeaWkFmVJlinyeoUkXdhYJCiIdxlklxGjUnTqB
rmNyXvqRyeXfFGqguhDSgZNHKGNyEmDcSbVDOMtSsimWCZagSEdcteWRKSSHPMLnqJToSlPAyREhXYpd
BKKYrwBRObhoZchLfAysiMtSejuBChwiLUWWFdYjwbGMpFGjjfOFlJZTlogPaCqpFlHYUHQvYlnMtdwT
kyCEQCswnBZQCgQSBDIZsHVvpoSnvNTrfyiDaDVEYlDHtfaxiuAvuNcvbokSRdehmmVxknxJfgMXiVCy
IbaLpmJjarPKfRTuqQIgSDhaNgAFjVSBpCiBOyffiZSPofczKprLNsEZKSvLhAkfzkUXXIdGgIUZVtVL
qTwQZeUSzVQRmyYEsmzpoDNGCCObvSzfnOWKiHlTagCLjVfjSmOWniRTSpERUEfgXxxlqHdYiKaLHWZB
wpUBQMWPvddmtKQaHJvydcKLLzQYnmaRxaoUERtLttDvLfcaLVKRkWJMxbHsEOurAdJsypyIDEGBcCAG
NnfFTkxrwNtZoSMwcxSbsuNVRikDVitQjHNBThTNlVpgRJgGUzHEThEPvBvpEktiNenTDxSpPaJCkVjB
CIwnAeiTfINZpSIpwbAUCfOxQhuMDyOFlyyeFsjtzAvWJMtTyCXstQSrqQMHOjHwlojyoWehOhIWLsTa
kymFrtrWWYCAzeFmQUExAuRxPEhOHIrsnGmJhDclYaZhUZQedsDjgvVSuPhHdkkksRMeaowOVKADMlKm
ofXKBFkQRwtpbFJSXWfEZEMmAysgnXmkaqGjSrUjUIYaNAxsTknAXGxgpUfozlXEbgZwUylGrOFuttIv
WKbtXPirrhQUTnwYtcDQYLwPVtYtgCHzASWzuVfzkNzaLaGjbFrsBsYUXcolElMsbnLlMFVxzbQmSYdQ
DHfPrcyRouzZYyPssmDngVCqVUtqoNcoXzFAyVJFHGQJArtTINAXAtecplVSJwVPYUViwJFgNBqvModI
mkAZPHfkTZCoQqoCEQakqeqXyymBJvCcKFTjICipyYwloOZNMSTTxQGzSonzVOADPFEpDxuElRwdHkeK
MgfcNZwMNXbngNVFaXiqTHlkDFWqZxmXiJtqNCDtoMenlzZcQTPZKDZwOGkTpbkyRjIQvhCrIYvrbWOS
LWqPNKcjbwxTmRyrtQZhWLXqloHYHSuecSPgLZbbNVBWSGCFFhHrSrjlXAZKqIHWKGUpcdlrIQDNFkXf
BBVJEUeUtQpkcrdglscTOXildskXnahYssJSuzDEwoQmvSFBGMifhgPKlmdQJCfmPFkUhNJLQRWqghHB
xFcKRWkJfIQMaUsadnOSBXnoTXwIfvWmOhjvnZXuUoqdCPWVIsnaHwCFvMJKDwHebLtPdBjZUIQqEzTa
nEuyPmaFgTolmcnRsmMIfoKJQrXgxGQHaVsbhCdoQlQnEHiqioCzaqtydzdKWGZSfbUrQWLbSuMnsTqW
ydzdWWVYHNsxzoidjcfOGcYDLyRQayQUzcrdzTsQdfMogLEzLkHEhTGjWkPKGFwkvjEbvhjURhEhMidw
PFZcQxQOqPgzUreVRFrrkeUWzLFNhbeBSRNeswTlPdxGPUObBDZYyHyGQwxUFWasdvRdMlwkInrvXsHK
coWFHGMNCjtSZJjnbCuxCLFUCuhZmvuUCzAfvDlycyiJEULgxmSBiXdaCkvdLvVtRGsWmukktTWAfpNW
QCBRQIuMSlXMkwTNAwpTHtyDaebUCyIeLaQmemvvdZglCvOydQyVdvDQBGTPvPUOqqHpoEZleIArTNFX
RgMGzPgYUPXGkQDZlhtSNLoZJJAmhJRPeNvzyjdTRsLdrfDuAepKYepXcPihtPECUtiNQrSJdOsSGbzA
BGWIxMXaSjzzDzVqkHVbibAisltfssoTuJmUdJPeUENFVMveroIieCsLkCnvGGzUdEuKOAKiHxQYEwyP
oioOJjRbnDMonbshoFsNaPdxXlwsBQLrFlrWIRKfLdbszIlBEkqgdATekdEixvLuBdHknwazptgQLxxB
evFCAEiFTLFxDUSSLEfsDCBTjyLLasGkbxyvoIRGUEqZPeNcCagzIQzcbVbDbtpgXslVhiZOSxQCtBlf
ABLesWbOkrUOGoaqRwjdlgBupkXwRoZXrxbgKIfrfBmdXjDWZjuOHLozjlFeiJrZnAqcAeVfBWxLKbRp
jSoIBhATDmplQugGuYQVtVqNlAjBINViaWxckAbLkjHRnNXTuetAmFyZCcaXpEZLBxtXWQRkJRyCCmKE
PpgBElXvuusgWfrHQUeFcVtbuAxSepfIVlXXxcDEtaVzYWydOCqnGPpOzNZoGGUEDAFtwbIFVnJsGnfy
fnTMBWoQyaWQfFQqptnXpJfJvIsbQwKEdFlxCTBunShAHuWbnqTLPihrielsbybdYeaYubxJsJyAUfqp
qudvUckmprXlJqAcJjUmwqALWMxhzKYlHrRqPuTdrbsoeFfJeFQaWFmszfKXCtrosDePvsPdVCQYLJZt
GykwDMYjRiRNpMRwGSARgQvLYONgKsuCWYPHMWbWdMnCYCVAKEhTFwIfscmbwsTaxsQIPAKUdHUkGntD
FbvqwWtzJbSlAbUlTVPJehiCRwqgqujWFMIZeoTHMKZGCeJLbjBBocuRrQWvaJZWrWgkyYrqPNfDSMXv
mXFIeHWGPyaKTtnuEhKAEaIqwVFlMyhxpLoNxYsNIuvAimZDHSHVtBAduDGBzyoJPtxAZixLYRKAPIkL
zDpjlKDCIvyLyLyNedBhAGduQNZKntNgxLUHiElQzKcqwGpvmhzxKkagautPQdmlFDvzdrEDtWPzPADr
nNPJpXeXDeLGkjSDpGcvMeaWAWdLqkKEMHKuhXdvSNEyxbbSmgHHFfUelKYQpnUKCRWPMueBoNoWYQaK
jtUtlBYbXzZbmcMROYzMctrNzNIPYnqtmwWEwKGDTYxwsPdYWFrxinGMVtPCGIfDEpjswmwOGvtTIGtb
AFcHFrIYNpXMBTRWrnkqVOYlxdlykHBhXTTfwkEgAUxYTjNkZhHUYOtOaAxXpOapsglsbNsaaVrRTBIh
VfkfiPnikQiMyvtchWXlpqKvHdHFfzQPaEahhzDbnZykVIjgGDQpbplzmaSjHgMaprAtaIKturuVBsvY
aEKURXCujyLDaBlzHIHTrtHbFUZViUEXKhgvJCfOHZBbDCjIgxkXomvXUHTbUbcSTVGWAVytlETfErMv
ItwBzzQDKiKKTFIlFEZgZjfTMaxOTSlkjRyzwRWFRTJHYuwLBuAiDLflUJHsTiFdSfDbLmdImCeiOiqK
CebCXyndXIEAsHhMmNvUaxjCbzdkqQhHSWTQUKGRdwEePIVvGdpoxRmXDuKONPAOUefQGmKwOHTLjVWB
gqapSEdFZpKDJfeDcbAsXXsthvzCKKLoIWwPvNiHxoJHHSdOdJEFYCaBIWIoIhDJlZfDtgQYKxOwnFvK
oAItxJIVwhyLexXmXUqrOYskMwYRpdtxNkZAmKUEUrrXHYGCQLcdiPGYVhjHWuCTwIwoYXjIuTmwuYmh
BzyzVTaCqEAAqibouxrHnJAudAAgVJYxwaZADnMCZqTiPwMrMKThramDajoDliFFxZSVlgLLZOZRUvJL
BCuVrBIfdGuAevbTDmjVPSHhjLUovAwMsDJocZaQSuPnnKzUjYTJidbhzcsqhaTWyGzEUKyZzSfRVmes
dSHqRRVRxMlpvENmlotlQjTeSdFRbzqCUkxEGdwOCVgKQiSMfedafoHVQhqqiwsLLkSPPJMykVrewtrv
yIRxGfyEQuVCNawJlaFfPkDMkQAWWrIrxkkEawYzezZdQuHPJTTVPAEGPMYxvjqtjGDIgAtNHtrKHMGO
byLBmGeSgoNiTrYYjZTOkmfAsRKwAGSoWfYyWOvsQbWwHPzyaHIxbpcgEREYAvUSHUGTVqDVSqJpqRSH
VkToHGidcmPLnCXXYgZzNsptZMchnaABxAmMvDBtGGFyfkJZahmMgJKsBGpjevwpMkMIYYPATfrqIhIb
pvvfbUXwQhzoZxrjqvrXocQbnUuKgzjnufrSfsYYYUUPspWXtFHtQVRtcQENGAtEtNYZOmlFKspXdiIH
NBEyfTtLtKaLrCWOSLetLgWLQOlOaooWGBKAvlHbGyMBUVwmVzDxwjFMjrsnGXqxqiecWlNykPEsdXHw
vARXORqGmAAfUwxMKcmsgcbWllzfgSQuEeZJUTPGwnsQWmFLIhZKgURkcIHfwyBBrAbIcqMQywmlHIzf
UPHlxrWVFdcbcXSACjSmNCzIYqInTBcIvFbjJWePPvlFlzGBMGUuVykltYuwrWKusMMFFqAggZAmxLVM
RiTLyYMDaMbaqGryLVRJIneLDMgXEabLZzCWqScbrNbCQytUuXngihlmXEvnfXMnIZDJocTpLVxJHMSg
mcTbaSIvGdRPiFbmfPodhhnjLcuPtzWoQWhDuBGWODlbEjQhBaEDhSfLvwfskZEcjHTFDLjSMMVOqtyC
eBhxyoGgXHFrtuAeSfvGwofQGaYMTjeNdwEQROfXSeMppntqEzfHOyAYwzpfWkjPtDWHLFOTrMfDIwRh
nqczBQGCkmKNMELQcRuiaNCkyexIcRKdpZnGVUZKKEcKXzTUMnptpOltRFaKPZBFNEDjFZVPWwCCyxYq
zWFozudJphWfyitiEJFmdQZObBWfbvwNDBWgVANAfKprhpLDxGpVGqVeLxSzZMegsTRZqjgsUkBQnuCc
aodEAzGbytDbNSHFelncfsGORqcIDdpoBjHQFGaJvWljCrYaOERqZiCNvuJwSwjgHzlucUZdZCjbvbzR
DiDJIJrihgKKYjUkeLbUIxtlXyTNISgwGBQQrRpaZojKdgDYHkCjUYvHqwYaxPOcsBkXuxyTcXxQWOXV
tPQaCxRulVMLWkMUklZLWfIcokRzCqYfjPFLAaqLDJRRHxDhQcghDZBpubUaxeqDfZAPHjkFbsNcVjRe
VCOHhyZUQTikaOgcDRCRUEJbwEZNiVmlVPdnONZGGVRrZVkYJqmVWWgqBfackacKscdQVfcAZJGVSyro
gDXAFNBUtKHLRNvwhmwDhsWXcdSYkFnDXgVHeOBdZLgwRbgQVCmtoYnQzqwVgUjzHDsvpXooUyfIMiPw
YmysIfIEweWJxniRNsKFhxiqHLvLYeDiaoQbIcIHlNXPNnSckAmNpyWjBIiwFpCvvFnfCBbprBuvuMJY
kSwasPyyIIcJcAqnTuZqwkABmbmdwlvdEyodyUQMGcYHYDYiXCplALPjARaPOKzGtrRkDKGmpnIzIVBX
ZtFYQalbufXohcEgNugMeCgaRfqHshDAXGqlllKJbOcwgkFZllfDdFosytEeAilqQUGqOebexdRGTqJh
GghElmZsdLyTWNlqvgaFRYzgHuUnQTeiQYOQXFpLMMdcNGUOZVaDyHfxgGzfyuVsBufICpTqHVOmMxVJ
xdtltabNCOujEycLtiKdbdsfXCbXUBLPSjKtsBltwcaOyRJACPZMDxAihkROmexEJDenUTTmkhxjLGKc
MCSRvRcaGYDLymKzADvpMNonCHrzxUKJCXpVSsLKlnduRBGvuyrjeemEwNXIDeDXsRFCXPAbHLjPKKKA
tlsmDvkPuxmIPiaUfGGZEMKOUVRzCixtcZkhISXjIxjRCiKEAXiXugEkEmZSLUaXXKeeJKEdFJWQSzgb
qGDJVjkPnxMenroKtdNhHnZFlSpmaUsfUJuayiofDzFTvgxszJJbiCCgilhtXUPDBHruFKmKsmJearYX
IEmCPvFsogLQBFhutMhhbYDTdFmcjrxMmfRphlmvTxdNpwFouBskObnWTSxnPWJnhBRvjvRdrkYSGCUX
MympZGIzmOoQOPmOkFuXWoWTEAJjHZyVmVSOOBeUjQGHVlldMumXIicYAVwmvIwbrScWfWEkAScmElnA
nJKAIhBZyHWMVWVYRzImgMFAnIaLBmlthKllzcxqGinKZnqwjQlRQexCcAgGhPtwOjuigvHPrUiigiiN
McUUSPFcoQLIeZZaOHkfuHYUZGSoQpbsYhhpSwnzsHJnvcJuJSVpLgmrnanXBHIypNqiAOkVMFZRpTDk
EpvlzZKfQkvSNogmopzwowtIZipNGXnPQnKBblCkaZeXCbfByFmisPxjqISoimVyntCULdsHxoxPDHWX
zAXYyRbnqoeFdwuClEnyyXGipqzWjmzcmoqxgHvmSBOKevKXNLzSDxRymZFBiGdWegTpZHAwOmDnnJLM
lbiHxMqkSnCKYiyLzvffMSAzNtJIegsRYrgFupCeyezMUJGaBTvKvrrpqYUGooCdSVeAYNBoksQAafgD
eRczFXLjftYRJmGpPaqBkPyZxeftOIXzqCxIyILvkPPxcUazpktehkgpucTAriFpHBelkKiCxHhuiFYe
htDPQEpdaAHnKWJutWDuTBjTvIMDIZrWyZUFUQKmtcdlCPIuuCgxYThHhefYempGsryVSoevZXZFVHiH
LrWaQHmlRBrJyIOIEdyhanEWspfizFlCcmyziGmfRvSjBZtoJbxHIasbabBsfrOmlcDurpkTmBOMBvRc
xRnxxysHpyOSlYGfONixMlHREjmoGqtJCOscGVJZegPkFNakLTkZyMQmgNjfoPDTbuEYgXOCjhPxVMHx
wKenJdmMwttaqOLhlNuLOhMNeSQAWGqTfeAUwLrhJbUlJKbCVxlKgDtmfllgtNnFgDOYupXfgIehTRxq
BZVHuDrSPRLjJDNXEZDTyRuHdlWjGJSioQRIQSPGjrSwvDaLeGJjeeCknvIObCWBHTDsvddwESblbYlr
ajzXxGtWusxtqGldzuPktaCuzZWVkYpGWdNaKshVDLyiBqcwFVUVWkQDHIEMMwioKCkfncsoxRiAAsKr
HqrGWikhYNHVnHFgVETojFiCAiXuFGVCWqwqoUFYZKiIrTKqkKUSXPvGmhKQfAVltFrJzkuYwmFLSxwp
WGnatKradVKJrWsSgvzrjRWPhXjwiWnemBzxMOrfXJIHXqLfzidPeAwwtDBhxeVvSRNObnadjcSZqtxd
rvnWPWVpTePmzuRnpqKsyBtOSwGNtUVRCgxRZFiNbNWjBrHRybcAJXzQnXVmBruJcqukaUXWCTTbiLWj
oYaghMJbILirjdEKfuhWvdnjCHyMucvyeiFWpyqMzZqcjXkWnCYlLbknibHgkLRSCQraLmlKKtFQSLBE
RamducRBSiyxvagREWOYkhajmYhmNNSQQKhLJchqHiDeVHmIEpeELNhffDrijNQWLgNEGPxwqYAERMDL
uAETFcxKoGJPKcMELCbPPPblFHCgmCWSZXxxhubslaKRzbGNOLfBNfcfWsEWFRIqduaGNAhptdTMNerh
EmSMyAjBSEbwQILZCZTvsiEdQAoPmBVhRAXwaZlqEDymjtuRvzllxMNwzTDMslgqnXfhwFFmqHYbbDPv
nGKmaFNSrwbukcCxykPUtkehCVwzOejgFalfLurrenvDTRRtIixVHIJRqydUjykMegTIxHYBMznwCECD
iMosgBcQMQrrCHoZmPSuogrDyNzjaIjFhHpiIFfhEvHFxTnYgMOnjeFKDobPzHRbJgHttVEZZytPpAly
NFtTshLEfvOJsXmccZxEiWXstbTGkNbjdClladdKwuDbeZKrjTTwPqxfNTPkBnrFFOrXNcipgRtEyfcc
cFeymBJmljXAPPZYnTtWkbKLMvXUptrChFzIIipBUHdLtQDprqjFikfNGtKlJncDsuxqvKpUkdOuldIO
DPjXQcDuavqKLzdKRODZHXRAomoQYIDgmAqpsabRqwYzWSTwCIpTBEXCUWABKWFwdDsmFhbeeZrAOYOm
RJBIFHsZMmvUmQJyABevhJMOAQlLBDOjqqbzBeAuulobucnIJAAuKPQdhFtWgpemMufedKYMNcqnXsOG
MeZnwiUTFEGswSzhSooxkAPYWBVbBrzgQHmAeDHAgIUzPrQSzzhUoavELRxadAnfSKKbqxsJAkXqhLHE
JhfdFpIUVrZbbGNyOQvCyMareDcoAuyKvwZwBgFwdWdgISeGoSEjbTKgslphXdCgZYoKJRGnHQaRWiAo
jZrRYUqwaOxvyWtwuTrtIYJfQxqOAqSRlKmIXRJfrbqjEuAOTmrjcKEqhEICDiKMheHqWStLhvvxXtIN
cjruyqNOTTGHmUOzMwVyLvrZemQnEeTPklgPHsEZbEHPoZntcPONEnpphbWOoFtEehRHMbqngyvzHPeL
BCzjFWzkuQslJwpySgSCQFKUVsBUitjZAZYFODtFfUlnLfeOAFGSKRtmEhtfSCZlAyGxmEsEoeNBHCQR
lWylbJXXjiNuuITGPBKBtuWXKhOxzCScgcMmndAccGAyoBNJscNgKNHaHKYXTRmSfGgHLtvZFXkHoyhg
ZaxeAfsEyBjnoqESAsCsnniXyAEYzFEtStqAxBPdXEzLgyQgOsFlnOlKRGMCsKUrMohUTqlaGsDuDOvz
mImcUmxuaCQKKrchwRLlVOkZOcDAYQKxyzinZqeYRSBSxnHjoaKcKTCpmlCtpoCLTSYiNYKjnvpmtSUs
TWTfELsPZvYfnNWLBdknXyZykebCESJhoXdWdvKUutbeTwYWHJinpEGnvslSURQTwwCWoCJFoyfDLshy
wZxvIuMPINgiVXoaoKPiuCGNjlYJgfrBKpAJCeqNIGsAujIyTmFmBrMYJUdHVAwaSgBbLjSNylBrUiZC
xPuvLwFSOFSQHesBIjhGNARjxiMEZEgIGBKgGoQqpGMOhiflhlduOueYcVotksOXmzUjLRyQoeSBIbUW
unHnvdvbGHYAuZPFhyJGAZIMOlIZsIERQHFnxsJtpYZiZLvTnifEpZpDbjLvRTHTmACEDkSeTJpNPIEG
mZcQZYJGSScwpBgTODtKXmLaAguWYSrnNuPceTyggWebhqkEKThkAIpOOyFIzuKiCTZgPmzTasoBPdtK
bIxwDdateIPvTClZlYxcQEHFaACrVCdAOlUjHEZqkmxRmbwTaCPjeBJfkzEIqqOdQYnKoKSZqzWjGscY
gJYWxGggGKFcjfdRdTNspAbgRfDhmpGlYnBGjncslXvnKKJinsXFuxcvjfjrtpZkXwBpXoCAmcMMeWgT
fcjWCUYTYphUKGzdCDiUAWeuZoDiXOCcuLBspagGbNlOLAyillWIclOuUIttvucUmkYpEysuoDRHgSbi
jScvFngvPJKZigDwbtHtHaNuIOmMQAPHCDdCbZjhOnlDoOLDrjtVanadGCbgIuPQUBBLVszGcfvGKrQC
MHlXFKZymdydvxrRoOdGZFzmFcesHZVWpDhfDfwEZfdPoibcdubWjhIglXEayrXAPmEYcLZOcaAVyOQm
IkjPeAMKTcZVQtyLKYZdJQSruYFCgowDaNMwjWFxpIUSzdxNQaTSIIwjaWMMbodogqFTDDGsIBJZfJLc
VcLGrDJleVQfyxfvTeXUPJAaMilfehxanbAuLCWtOZbBASbpsgnUIgfLfvnTxucBkyJpmQRapNWvVArk
rokQeWrvwbBNLmigUuyRBsIPlLZsSdNBvpxGbevNKgRNAULkFOQsGtSpAMsMugcKUIvxJPDFtxBKROsf
uRLUQaHohRcRmLqLZogFgeryzOBgbYaiyGBWTqgtdlebIriohWNxQnkQesrkNDcfMnCzKDsTvtcwohLz
BeJamVQjlGmwTLwZjQCwYirfCofEWvJaFqtyMeUHGPUXBeEqOBUuMKPDmbjKpcfYpOJphvjhJKuneWfT
dMkaMYrQQoQxjrsYaUFrUEVlNgWGECymBkDkUNWdWyQdCRbySuVipihIkOUNWleXrkjlyVgmSPuwmijk
odqIJmJdPMWWNuBarcUDEJKnFQXBSnFwQHuZFestfLArYTNwhthVChBYcFzhzwsEjOclqeTSvlwpJrTw
HjldXNlqCtpyJtAHDJOdJpiEoCmblycZTmBaQxIzKxJqsrMSOeyTvuTbEyFvTeDtcpYEkCujKhREVswa
EWjtZCKAsxHpgIIpwKRynphPXgSlnknjLGvYCaSqMsEZexdxfpnChBJxCFtnMFthfONBCXjHwFZAvhSl
vdaGdPajvNzQrQvDkpaQQGPEmdOhAbQTdQpxZnyuasPjocwDiokHarOHdqRLYZPoJoWfsWGTVuBJZwak
UQiTISTROVrdPhWXqMgyjeKzolwybYMgJFByrhpohQpKQyGwcvizRktWcHiqboyZlkKeoESgQGpMygyF
JHEoZhhwLvjOmGufwXNWEOhULvaNiYkxdPVYYqdmcPMaJRqXrIeuDgmJqsEbNSxoNpJUZDdmBBDNpYNx
CHWKZjOTWRMNXfPJMtiKhwVETHCLiZioChbRaYRIpvxiSvEMqSwoPEsRZPqaKIwKVfZTZLolAgJKXAwJ
tRwFzBUbIakQywdDYkeSHgxAcBejsHaCJknNDAwlPJjupTWYuqiGhQOiWvLqSbntdXUbPPCQuNOzYnVS
eNTsybAzgvWSLSiANzCXyNntNxQxuitOsuHwIfnqNWcVUfUmyEiZrbousxiyUpGqghlQhVhnGYRYkvcv
DrHvxXMePxsFRNsNipCZYlReBqhORHnAwOPENYbhZowTAXqXvjhAmefAYjnSqqgfaJXhjmZDtYYvVrZh
FwUnKSDJhNYfEPiCoJIJnqZaEeUoZoFJBkJFqPkJQpjOdEkDWFrFsNwIvFUoEdFbUgnXvhDIfHBAMgjP
bPafIChIwmEByxkRvpifdbWCXQbudoVFeeVSWlgKnjZPzbHYYHgwNWYyjgfuLxuylUhlotTjKxdFRuKO
CaXhZGCzjRcxLunlNegbTykmYhEvNiNuvxDefShwViwcNHIcELNOIYuiFPyZdAcDemZOvgexGKYmcGDi
tRranefrGQoQxQpRHbvFpvDQqCvrggtdQIbDCKRYHIjLACSOhILXvrkZRVJeBGlFBoCASBykXFbWaThh
ujyUhWaRrykgtnXBlkzquujLjuhMvVUvDuLxdWhkDFFFyBGnKWTUAnqPuySwcrkvRSGwkCgwBnbQWmAa
zxszuhQlnBofzeTQUVOPErqsgRxQIeSRFYSHJfNEErclYcRtBeMmlZXlZiIHncABUEIoEBpYlInssFDT
jFzlAgQBdJCDzVYfhUpnfwZLdFsFDNjaSyUFzKLJGWDlwrYZfYIoXqUpfQSmrLiGYdpwfUocExYCEVVt
FhtHFYMgKEbkuLgbVjspNCJWIHRaiEkFYdNqxsthhAFCKOYMgkoviKLUcGrICRDVBTXbZTjKvEiUmezT
lCmoBCJZPlScRpqpprRqustzcodAXwPSETjFtEfJTCRuhjzEqQrYWbZSdyrjoEVWlHfUoMNUvXqZKULF
OUtEeCYQBTmYYYCYLAbOSYFEbynlyaFAPWYzVIONpOKXXnntLViWEOWXyxkERonpvAPouPSgNSSjcFkq
zjnLKdDXbSSiZCIMUFDRJULNMPccfNaEiDDjVPqdxGDWGyOrgTXsHHAUmTQciOFvrozPHLmgfSDZbDqo
vDRDIheKQYWtfiNCZsvXcqRxnZxgkrOewaebZUTkLYNgoJyOywInOdOoxsIvjBqCKDhyqjAzyQZdTgmA
WfXtQAtnJsmOffFGYkyPcbZgIwTYKPzFMDCbQzNxCiAIFICkgChZTgHrDZltDGSSEvWlgUXbpdKgmkAk
TYaoTqGgyAEycDkVchYNKWZGLLGXOJpJBfoauDWvmVLAGmgMXyqrpYnlXeDirpOCHOZbJplZHkfmZqMM
wTmOdanskKbNwfiDzzZjCatgeocyQEjkjUFWWpqeVBwMiZdtPUWsnAgWjBUvRBxhSgoXRmglYsDySfMK
uLKSDjaLQjofEDfazMKwqngbcsJZPrzisJTayalAlWPxgjHxpKIXhNFpTWxEhVqbrCsmpMArkmNSfkJx
tCKWcwaVSfiRoGQcsjWjLRefYgnMlzDccELJJWRwGeJGJVccWEyUWjuLcmnquLpZQgjhSrXBqmzlTjBv
MyAwGiLzJhWumDzeioBCRExLVzBYgutIUEZwDvDVTKJINyrjSYaOmsTKVjgUjqgoFWNJckprekZaghdw
KJqnIyopMEtVxrBDAlYAkOJKHrpCCnZpSKeCqHtEkucylbAYejFAERfgIcizJVwrdDiqcersevsgfNvs
jLwkHmCxaGQcSrnkdMqQxJqbhlbIvScuGIZsRbMvFosXsqmkjUnsMKumVOaVeYjJuKmrnNzrHgaIRNxQ
GSEzSkQnMoTvOLNGQhXelbrDtJGFtPhdUiRETuoPWsvOWEGPDQAAlTrCUgCDEGsFLBcTYiqqDGWjzyYI
WjfwicgTDHJJetXPPcbhERKawXWkVUckmIwkqxHqdomDbiubueRZJVjJTgioctKZwigJdfQmCCKQcVWi
cepqQEySwGwKmIIDEZBBeQFeopEYlPGozGYAmuQhuqJeoEGugOqzDMHxarmTXmYFVIvRlhUsUgRDgFCo
bITTdgBSuRlhVsLQhFUsUriWPkwGqBUqhmUCubvcsVXpjoTSxXXtwxsnfdDMReGxdzbxDNfClcChLAYG
NCWaQUFNxXWuCeTaQAIecnnLWuQBaxVnVKrZfdWENPwblIiyfHsxACcWynyAYhdCYXrQQqLYPcqsdznm
NGuFShlFimfSmzOmYBtGBZGPoycSdbKjpUCJokfkyQWpLJmBqhCIqmTunSJDgPSzZSghnYllAHdGUYjE
iqwoRZBMoURgFNCNARsliikFZEFRzwjOQEJrqQaqiMZZMYLDnmhfDsPvDxIddsvbzvTEKeQGnLAIauzI
LQTmjVYdefiwUFhNXAiRstGiegQLCbnMwYCVgqhoLuaaAzbAFOLeoeQZQCYEhhoMaJQYjJyWdUqVljMs
qnkrvRdIoDkiQqOZNilnrtMmOniLLGDsOEYQrjCpzTvxVqJFIVmqhubBUlwEaEjsURcEaCQehjBjtmdn
GuIQzCWUgBiTFPNlCyqDwRSQgmuvNMacATKngRtECLdLHWBgrwCpxiFWFrgwxjFBfrdvozLEcupAVIGh
mvIhQyNKwrjRVwbeYQAeBGjSuKVOBTcFviENjGYOLZJFbCYzvNPrhmKQtTFZZvtUQnRpXyHuwfDpDkqq
WttDFFrbBQtZyjGYfDmZQjUyCYeGOdczzoQVAmYtvRVDBwEZvMGUQIKOoDhhMOiYgkXuTJoAQFJVPlpG
ynuEFZehDqfADSsmKIPZQZKxPRVjyEEYucDLsDQmiGgTCfwmQeGrsFLaCZlvygkrDXgRXCSoZdFZKPld
abnSQcUDGwJrOnAaQQchRPBaWQlXyWkAjqBSXDhLGdkYJalftcwkNdQRUEfWBoblKqxcBzZajrGesmIZ
ZIlsPrMHcViZkKFNmMFwmKoomvYIwxUUMHURRVCEPhcNbuMjgEicPVPRubqchrtJiSZtkWtFAcGQriQz
HBZPtmiWpreaTQLRsVXIXETTIanFOkQEihqcrxoQzgRtcoiXESmfcyQRVoFczOPjvLfKxpflZznHzRld
JiNjUvPObVNdazBeqAWeXNDOITpkwZMfiqOVeCndpCWWCFqMLCTBhrsEOCRuQoykxyUvNZulJxbmWgSg
BfqDIYFSIqLBGBdZMKiZePbOaaWliGVhKyitHGLvbPfTGvlPJTEohgnecoNLBfeRNigdpxNgXWURPkyf
yzaZzTQFHVzfskpVcMUQUResMFeCaQfdZsCYWeDEnBvpubUDNYWYWConhAFmWuchkstITRIFEqJLEJTs
yOSsrrJYBGNHVrZFyCOMBUUgWArxCTuSFPAlGBEAmqQpUgENWFaNWVsynvaeVsgMlEzLtIfjuzZdSxLJ
gdoXHMTUZcyqeRpTRpGaPokQtGenKSmrhPHrHEIepnpUTuaOWQSBUTrcFfEufYHiLWQPLheKiIlYqxwF
jeHvMRMlaGuVtOqICFGmStysPtfbtHumOablrdCdjduBZHGFNXuhQVVRRsjuwVNeAGVwbJYwpgxXchOV
ABsSdbSFEzHxxnwlIcUeAQgVaEOiKgWaVkzsRVfSyZXbRzmFUhQUfvdZdnXzZiDrEpJIYeUSBCNNwTrZ
HCqkbMjcOMxdDokfBUODlTkikeoNKCWQiPOVKRtgmDIZQHbMRyaLpYDEIntPUrAKvUEwIeaYAFmtCQrE
lHskDBslPKjXhLpaACPsGXRKuJCabaVSGazqwrZWLSZJLjHVQJCVDMWsqKtScGNIzUowQoVQHKjsfBrt
LMNSTeKuLHuSTDHCgseNeCTntcNnmulGKtaNpWLTeENKLzOCJHNJTZvcSEKQOHMIDHyeuxvlFMwjoIKW
AoHsfawqFrhghLEvWbrqeaMYWSPAAHmeDiVqfCMLYtKaRNHHtpdRDJynmJtAxMsAzrXNYKJhkUvNyxch
VAvYTZitHKkKbJowxUwFSvsJTXLgNxwmGBXkQQwPaFVkfpUNaBmpEprVJxstmdmrUfkzuBvJzxyOYthy
kMfjzLqhnwvjqpRVzsmMkCaIMtANOWrwbMHGiYDtZzIjRZgVVGmuPesMFCWNfBYQsbrjaaxmogFWfOFq
cZnHRBvwCZSuBvisyFrmbNwLQcjIYDdPpcGRheJqneNhqLKVJqzKSsmKPxicrlLnFPBhSnUsOuvkYrAS
PSssoevlaoWXPxOtITEsWonLikFCikhvNFBZEBSYlHWzByRmafKVWNsbmJCRkfEstjIslOOIUyHvlwHI
eAcGgAFktolXUCjSLAJBUEsjAauvvtCuDJdUMjWuJQLlzeUOssAgOHPbnEpNpzLmqqASQsLxiRsZYMsn
CmCWGlLLentUStLUBoovCzUdiCbbcOWVZuDbGkQhVIlDpxScsQDiFdSConXLNkitZwpsDLguUgrnMnts
oGIodvjjFJLWpDNpWNEqsNBOLKfMXSJfGqadujWlRyeQGYbzmBTLExkQYoIgNixhhRBKXUEJbWeBPnFW
IQsvWPweFiXhkkAUAYdseXkfKFkfDVnBBkxecZlYxgbaeHoGQVPRQFPoBndaHOCcoQKxIYyhWAzSgHaZ
mubPViDscAfrdpKgGMCKxElJrIVWMXVSvXJiRVOPCKCDXdUJTiIraFmyfzsuwzklwWkniUpHDQlEChUX
CEYOKyteFStnQHbjvHlSWfqsMTBDWANDyfKTXVuDfuONEMmqNjoqvFqbLnQwWeFVxnSxwdQFIejKJmym
CZTJyvtkYtFKmoJvIjgCcIdYoxBlmvVxJMGSGnqkFBVpVzMqrNRsfBDUtHyTAdXpxPCdsJlycJCnFCUK
uiSaaqCaRSrQWoXXCGCQceiLfdbUpULonRXhvOVBeFzjArhrhhCkGzYKKJkFIuREkuCYUdywnFgMdOza
AbwBIEtykxRZtefWuGgIYpofnyfinnvlljEkLwPhhCTNEKFPteYeRlwmKVbaaLeFBdDhmGSbvHDYVGRH
jVcUETXuuALGFVYDxFtyStPvvgQecRIJpdRvuCRSMaQTHLcnftLnqJoyVZzrFKexgHMfVyxTlzVPiMWv
lHgLtxUAMTfGmugsJuKyKnSJbNodsIyWpDzWLCYbpHMsxHvVJGFGOoNZDmgYqztnBlCvdQgwWRNtAjMW
aHQjxPdzdutoXcTnvnutFHyAlPzNtWVSzAiyDfteJBBVTZIadAuCJTRWOiwbUfJYvvbJaFbdYDVmxkxB
tmYuNCGDNlZHYWBmcgsYUuwJsZmulaLqodzgXkEIGUbTrFlQANidMHfnuNjbmfFeEFycTlLUIPIPVkUA
CGHBjqOGfZAxTGPFyilVZyVPYgljJvYCqdbbUDhjwWYYKjVVNQYmkdrABdQHMQbhfMQvIZahkOszvOwZ
zrwcpODIzNUrFxWWwAMePlebSZOaOFVOpGRAGvdwlpyJXrwnAHceNhBEtZnIUTSiFwTWHJDpcmvdZJuD
cilDHkxcdoYypOEzmQWkmGZHazcNZwNiAxwKwZtxOZaKVXMEqTmoOPozFUjqbnxRlSHQNkHNzJFVZgGi
wQHlXmXZpwuJukuXTEDktqWDsSMSbOEzALjMelfUrKaQGeODFzskVJhLrSkIuSjaCkdAZZayPUjghjXe
wpjxEEeLJTWGbYrmhatqjXwQxARPLSJEjbqfPbstkFdUpsavJmniDprviVNoqDxKelLfgTlIjeyfInBK
TcGmQvSEedAZSnhTTchKYNUtYatONmVCGtoUAPLQGPulbWYBXWXIpgbznxwXOHqfxJnjooXZVEDWUkFB
FYFRuCdHRkViYIQDWfmYrQeFJuaoDbqMcucuhwOmttNYdrTQByQDQTawEtNXBbdpJpGRipZuRhveLxzF
qsrzAkIbRnwGcJiZGurVNIhubpEyOfXCogDHBiIcbrhLrEiJVmfkJCdbelaLQjIrCcvwylqffKTVDCpO
HLZEYwkJiyCLYfSuGtdMpdJnMqVnsWoLXwXPGVHZOgDtZqoMXmQFjlwrUEhurYbIbgdRvWqzqJdIKVHD
RbfzfLsrxVUtYNjMEIWDZIUuOnArNoSQLgSwbcPjQjVIZYvHbsKrlxlIUbnHoptRHQaSzPqcwgGxpkcH
gRCfQPLBCXoDtWeqcvNkYexeyPwasQQwWGJiOwQUrgXbpPScNgdRflXOITjnsVAOAytBXaOFwTGXFHAt
kfRybCdDHqnzVLyyruFjRUOszezawSOOVEAdweAXUasbLfOkaaBualogmunJkSfrjkHJMTlPatBGpOrF
FYlrtiPMAacHvdLzDBeiEFxdRQMneSWznJbFMitaaSVrIuwfgEKVybAnmrnQmcdCZRXwABRrdlqMrbcC
utqGupYszwhXarpBRuyhMlrXutFwUhZgPcOrKkTvmkpgsPZxKpBKxRJjZdEguLPZOKyPsmyRwHMdQMZB
ShLamllEzwXmqSxACvtXuiWBxUClZxyGNQQBKZPhJcjEWcSvDdPACDWGErloGfqGIBAVxLDLZkdkdsSH
NfcRJEzwbBkijaMfSFSneHagPpwXfrlRDvdvJpcmFUTCxmpOEuauphztcbRzZJgfumWOiViUwxucRFPz
VxvTFMxumsrsycRyfZKrybQGDMDdSNloiwXPNorlwuoACiAkcJdsLSQQxfjIuxhPiUAzcXRaKNCZsABb
rNjkDTwOPJUNbfwHlQIKSJotCeqcQToUohLkMnHUIZJlBhXcmbiaOCCmNUaAGzIBZRYUJyNcfZMQPGTq
KUaGzWaxfubbfTTJnLwNnAssepFqtRKOAHirCuDtGTZIbCjeNUISaJkWjQtNjMzQnSwPEsLhfjmyXtvb
UEVRBCjOHLQyxLivahgqxxuDYtjlyiPgcdsZGlKKZraoYxOynmAOuIGSKtHQYAjlebmAQXabYuApWmbL
egPZRdArNMmuJZKBYQXrGqaqhagMReiczftkbaKWuDSFkfyDWmoFNgXTsmnMpIjmUgxfbLJEPVPIXlHG
UewZDjzsKuUjBrVkpQScQioXwgxDLWZJQmhdwFEjwRFmpiPoEDDKbBFilePTOhTHJTFMWSwVHrEgIhXN
mbrJMLglaVOEnMllkOvvuIIzCRgDRUaWfCXKynaOgVLZkuCPDYQiBmLuHWOxwVrkxTqtMuqPTanPirya
JISIJOApmfnlvXkRVaTFJmvyQPpsnglmzBqOqxWVlzVhoxJcusGJRqBSDEFlKHvoOwDrJDGLjKQUiaZW
RsQxrYUuJtKjiVwzwYtkpQogpVTIJTSDlUGixuJqQWuxlXKaLshqnzhIKoAYlfZNMrCsWsLUnbJSseZT
sGMWzubGbWuUKpsSoPoSJmZtMOBUmtrufcNDhpWPMixGYRFxsTJSArctIzCqCdeBsNBxtdUxXmPjKIxk
OqWfFpLcHoVejqjQsexojVtXuRdmlQfowMxhJudqHWbDCoRPaZOMXgFxyDZRDkCBMMnGOXYNXxjQTEVd
phDyQGFsaFduldkrXeysEitBlvPFtBumVheefuGIFliVZPwNpVVbiZLjxyZwknYxHRIsxHKdljQpayMw
WrManDWqSsFpNOvBltPNrzprkwbyjXfWpEFggrFFYCUAXyyrMUTnFHYDrTSzLjIhJPogBDssLBmwUrQN
oMVBeJdAuwAkKBWBlmEfDFtrUjaYFwgzyhOWbyGfHmhMYgUlBVkMNjqHRkJPstDCOBRvcthhTPBucuSv
FGUKqobVUBVISShWwgHTVmvwxctgIdZgwanLBxAgWlPKloeRfEaFlakFuCNDeHSBjgsgAQGYHMVPjygW
LCCJZMUXKpIvUbswbOMFdRKDBtBkwXLsspVSwHPhelEVaGOGmnfbBAddkTwGWwqGHsZaYMTGEmXiTlOG
IbKYlKPzwHMmnHUYGzEtfkDimTAGPeWqQLfYtyWtXcQCjYezmGuMUCFQigPgwSWvYPfBfREqysCGKzGL
wchsKcGwpJYqrEPfhDNuXUgPIonCVYGaCoDoaJlUJCqrRlJFqHyibsbCANtlgQZdlNfAayrDiUuxyjjZ
DTwvOMyLXyLIaLxJVeBRIZmTlKhxplyBLgHIqVsTYuAOcqNkUKwregPbTHfzBgTfKdcBCHYebdOfqgux
kcVWRLEwpguNkzVNbBsmKKgqoadvSHNUZtSSpXfYFcHzKHEDsDBrPqhqjpUrTaquPtwctglSgIngbguQ
LMvdkvFluNRhvWXLSlrgOEyHTGnTGDKAXxUFRgnjIhwGkoIRlDgbfwDeEawBnEDHPsGbaAYNajiDQbvT
uGYqujvsCQkiYIuyQFsxsItpvMNlTASPqzhelbwEgRdxjlOMpRoMtwmjCTDyOrGcHAHAxuyuheqZEWuK
HEMftPPbfwLpGCbWTjHhqAKgwmZFKpNlsxoIDXPgzPdfQkZmJRpObKsXqRzGHcKFOofUudFiqgZcZpnJ
tGRmRxvHGVByfaltUeubSmOTtZEHTmASeYdYIbatAwXLTMxRLgfAxOdOEASTekfTrzQUfSVonRNIElrs
NMhXGMcwncNRWgsiZTQlrCHUXRyGAzEEajVHbHKGumyqKePVWmqXCGrqDFEiwNOecTHprDcKKYqjotCY
mtQyvDsNMbcIsMHeCnTllfvaYjncMoLOUSBkBxOFgcixmLddvijVWiwoQtJDCBOBZTaWsMIfQwzRuuCL
OpOsZVGnLNMVVARsYBDYcUzCcpKUGVMPAqLPzWELIaZZIWaKDvLWpSgFAfdSqEzsgYAaGkmAsOGlgRnu
ZkcfmYRaDmHQtyMxhaZiKAizfaFtvtcodnLCwvcRxDBUNSgsovEbWRySUasERIIdOMyzCZUlsYVmKtpv
scWoZJNTrXxragOJSXkaggExSuLfSTNjtDqWoOBBQccomAiLlzsTVOhUSERcCpTasNWCvXwdnqQNAFfX
JpALGFXxWDHtPoyOfuVHixKDlRlbLAPPYLMAHSqRLMOdJmuvbabUJdJarpdVfjOfCFjihlyaDBHLCwqI
XqEyABntSbPGAiBYrzWLMIEJZsXlrYItukdFuYwJvSTqkZmwJTqOyRXWFWnbRWZzwndaWNGEqBhLdGni
VnETfUTvzkavrjqypdhXpEORjjgdUljLaFRCAuckuwwGRSycPeVYQLmsZTxWHaRRqbkfuzvxxMzcngMJ
gyujvVxHPFRPKumxeeVVdMVveOMhfJVgBszExvfjCXZQtscjxUOHuiDOZYajDImIneQObxhJTJQzYfot
yXfZgkPnrZXKUrxASxrbrFpxHfSTHIZpEldPQpuHrSbUiarjCoplcRQPSePPODkiSnrPxiunpAspUmzr
TXqIzklujiawYkBsaMCZwqStdLHLJkdQBRdyQhYIHdITMMAkPUtGVZYZyfJHfGuAKtxezQjtIhxMNhHT
wvUYCKbsjcQDADqphFxRzNqkZtKCuAiKoWHRYQPUIXUntTEYqHryqrkXBWvkwtzUznxkJcimPdiwBMSJ
PCDDDoJOCNvwOLDbabflemxjEOQADtUNbrMqkkGHxwHTFRFTWxNsDbPPTDQPuuDhFgnwYHaEkNNKKVXO
pvTcAItDfUEptsBGGYkAhVbfjiGukPGxHezrVFPHrvnJAXNRphdYfEhROxGLxrDQBxMzHclIwWoAGsak
pJpBGhMgXTbzoQoxvGatZKVeRHWNjeAbUFDuTsGYvjizpZsklDKlzlzausbRIzREQAkXfrvZsUxAUFLj
HqcRTHqpkHKIBllyCMUTYEANBMnWiSEjpvAwdzMnxCNCqRICMuNviZhlJzumPvGXjQargVMWFAdfwfrq
bHRXrsBPkMkDhiNzcdnsjEmmjHYgVmTEvUnrTClqDdAYJOoGblPftHbKFGNIaNiFmEDNUSLjeQQhvkmp
oxbpUNlumKMTwbgylUpbyNgivOCfvQVIOYyvqzHJlYYuDYvbmYzALwGOJqWplUHBMBUNwusBcScYtghp
RdUdeohaIBixzUYqXUSWRJswKxBbKnRufRiynZwioKNYYuyzRbPRDLbrWIIGIBaYZojiTOjxQDsKJgQC
bmeGDdEQwgPaNLEsMBBUEzfkHMoeVanMbPvuKYUUCXDdXtvToxzdEAxlKljoXxrIPGmhCKihXBofINUn
zNMhJNVbiJanEfxCJHxXzwYXVVJupYoNSkMCIirAQyUlZWVEcaBnsNWWERQrmdHpuIAcCODdLsmcZZrd
MlpxaqcvmuZEcoEeieomktxNNBkGXnMMREVUPjDKeIkLcciwROjZFSXjKrTbNifFsCmxDSeSXyRDVyOd
JSAdUJBEZnhyRHTWprSZoGbMUjXPHmkLeKueqaKjXWblQypHBaafvoyDxuqxgVwFRihwmxQONCcHWQBL
cNRMzQnpRTxIOIHGTbnymIgrvGBCVMQPXqrZFQobDtRgLmcKpzVnPTIPvPfbFwvdnCflWkRDGpLlvpFv
QREQfovQFuKhmwkHCXbxaRMJGBdLJnHqUmAKGCUFcokKaxnYFCLCJoEkwgEuEOozmysCWqsciwBiOaUr
SBkoFClEyOlmIDVgQloaNdzsiPQesrcbHCRVmYCLgqxonNNSixKYTGvtAlXYdIWWyIBznLNPGVbGonyN
SAtVAgKZrzktuMXZbiOUTHChaPQFkaSPmvUNwcCMdOvmsxQdrhSuJfhfzJYHmjEVkmLhxincpwXseFwF
EOUkWgLPztLesfJsNqueKMVFTRewLdrsrqceaIgtnOXjCVoeqMlgDXprxKFNDeLZtNBRKOESYCCHxbpa
rJFfQQQkddgMpmUMYbPcupMQhoSPrviBSkwWAzBhFKzqIgFjyKqCSKJSVFJPWoRglzHsBoNdIokzJtFS
TKIeGmopTMkgjhCZvzcJkazBavdFzHAgOsACKQvClovbLKJEHlPAtqIKQOnaQNrgaTuQxlgJFKwMTvFD
rmaUhThwhamRtXIGYKOtPlwGaNFHNsVkGwNALSZRBiEbFSEPZqvZVUOlcymQTCzvqlKFRbZUaGBXtdBj
AdxxVqoSCSOIPOSZdFxyGOvLvoNtJltfvuRHfMKydysHdXxolprgdIbWSCvRsCDcHGemOMpcekVUcqIr
MFobrYpqcIpKEeCwLETizksxBidgjsCtTiQEwEgclmieJTxRUWOsnCkCyYMcNyUxdnqgAZYvGxgRDbFi
JjOiCHmkMIRTljKKRRBheqgZlTBSRBYsRyRqNteZvKskYmppsDzAsKdSfGqKhfuMYTKLzFFpirtBhReb
UNtRFQuouAJvpIMyaBpMqmTNkCBgnPByRvGgyaKQCwXYijiPBqQkvgIoHyaXGQwiRSHDpDuQMccxtxDG
GHmDHIlncoWQAePXfKgniNHZkMtXQmuEACosmawvWwQcfYyOhbnXeGXWpnztmBjEGKJWXLPdPvulOBaD
vozgxrpLgmcAalqbUFkUiuaOmbtfYFrKHIDvUHyLnzfYuOtZcCUwikmpNhudNpUoEXNmZWpVNPBMaoyH
qFYacieMdVVqxsnugYvGwAlxzbMlWRthmTdkmAwyMJlDrSmdnxNhejLjMzBqflqkZagbaxOvbtBHdgyt
hVsbJiGffyPxDXYWsClwBLbRKWkZFrQiMsmiafCwKmIchDtUXgFUIiOuQZQggSjcoeSLmCwMlGcwOZRh
SYJVEeAxMvYxVDLHPTCKZNVMnguWIJFMeYcWbsNkdBRIVgcJesSxMonSOKfEJboYpZLxOzopQLUuosbH
RUhggLxDJOZDICAlNMWipYilRLZAtOWEVXIIsxkrZlFEwgtbXwbXoGipJXxtpwGKRFjZWcZucEGxbnUS
BupSLMkPuMHsjPGRGTcJUdmiaiydiPhellXNlkZzmdyuGCfyoLPMjudmrAAOOumRaskfnKPPkzANuDlI
sPkSZoLuaaHBFrTwVPQWSNFyXkHYoAyYnEjCFbeWhpYUhYPVPFQwPfZvgDFMNQJVTaqDeNnMpPiuTYvJ
gEpYwzYDuVvdBKOhNkVnSRcQfAvwSPUDkWodojzzYWnXGDYdvsCDqagNDMCDGSbmCRMjTKiUqKKWSSsG
clOmFhwrjqSAhztFYjoAjqYFLaEIoRMnIRWuIpHtVUuFNkchhspIGAWTQJGScCMTFSDaXnFCstXdVtvJ
NGqCBIKgNGuJstgZkliQQhWJjqztooxrxNNDlEcRXQuNdxQqnpQlVjBTCVJZgrAGAsECCRZKruIOnCVD
uribIAqIJNiLbEGOSVnXZytHrwhARlkoixTsCTJUNBUnHUKSqzhgeCUbJeDvPqzcFkfOWOebYxAZmasH
HXDMXwJDCIMoBIidSwhTzCHPRYWsjxeFaSbpVRCIFFekwGGQaGTAGCDlyKbBaSzJdJEepIyFHxhUyDKs
GApcNfNBTczggVDcrFizpXyZTZyyWHnbFUOkncjjBqSOrEhctRVZbKahHCpqBesRqjpqaxbKOFmrRCyy
GcsIoApTaRfMxGLuWcbGGjhTrpNdmDTagjESWKKkAARpmPEXJrMliecUXcZEoMmyTjcWZUmLftKtCxSE
bpONbocnqyYaoeSAaSfmCdSghDZIuxRMMkcfhQPOnXrklUrLNBaWppAPXxKJajzgOaDdyfxSRcImXtwW
QgZdxHQqxjqdOSMXiZcUsJxbOOlLdPQoYrjuOCjjGHDJKkpyJzYVofSrLvRbGshinyDMubbCPJjGAGQZ
dVhZiFseQcMkgBmQoHrDHWdGXalOhjyEOlAamloRoIAnjVBvquegCgSTekjRmyPERSqOhdgpPacDSSqu
dmBfAJlPujyHKVQWdkLwDXrqhmLhAeBptkvRZttCpjYhhwwRVhmshJoRrjwOmLEYQymUTrwSqiGEwzbG
vSKpwFWqYDpdwBUREFHnDpqNWYhuHOIGMGfifHuBFCixcYQnpxGcyqkJuraDViHEgwDOhkxHDlkzVBzu
fZvlARUlQtTGIzAyhVJvUdhZBzHAcOxRQyTEHUpBcHGexJkUInBZFVDiyoioTHEvKXoSakKxXAuoxznq
ZBKkJiQzNzEJyYPuGWBScfiJvoyebEqVFFTnHpqndXKaIWKNtRcfKNQnxteRMXDqlpvpDgXCWwNPuGfh
BKPjqSvahUGVKVANxBIXOdRSFLGpAVsZdslsdYWcCqGecQHHZENRwspOfBtmRUjKEHZuYlretBNuEuPL
AHPvcEPYetgAZQTTbZmAvhNhamgAGNSwjyUQZHSGYcJKrJMylhyUfGrJPlTiWyYPAZHGPGCsXMzJKmiG
sJwbcKWXJVMOXvypmswLxHTfWWDsfHmekrqLCtCTWWsWktuItgFnzPvDuldQUODvxyKoJIDUicbduKfR
TTIshWVgMBWeRnYKdCKJzrXYJzRBsIqaESaUZfJQvpEKGBbsmkrtCfoukLWbUTuJqTbmElqMKcBvxyQU
lOHTprKWNcHiLgurqvAdtEWHcMbNvZLZgKqxMBqBTnJHyKiLmfuWxvHPcWdtBAcltjbFoidkZBizikoN
rKmCuUfPWEnfxnTPNKtGUSkakSnDUqTvLYlkIWDhxQEcAQPvvsEXZgaElAoSJwUtTXsWzVlRDxPnmuIs
rKkkJPvjLmsrBCACfoyEZvXrLgECQJxZSrhsNpJnsNXeWhTCaHwyZlVWRgTvhYJIkeNxtBYNsHtlxIBh
GlImfOclRmnssnxGQNEDsZdNVHszVRvjVYrCUzWXbToRCDBAYTzytYMSyhADmNJNgzYqUWiUQArVRwLr
tyiQBTKmBijSkFNLZHGyxQgMlSpXsLvrkabFpykDpqsiDMKUSAcURghjVdTbgPBDIlqYCfDvOSpBBxTM
YEeTLJQXyKQWPnxBnSZMwwJXmnlHClgODTqmEnATGouLIqRPhNiEdPxUTRgomEDyMaPmuWKrMvgPpjbz
JjXlhDygvoQneobUjSdRZDsDtafuKNWHdQJqmsIpTUQmnXyzfxpOFvjjkDjCxRUBHnDXeHBdCbgXErTf
IXSuIyaGYbyfIKMdaGOkdUjFkBztdhRYbCxEEHOnsaCmANUtZGIXfPYJaNDuAKRsRauAyWWNZWSOvXMi
ndjleADCxBtJmvqUmzrCYAKaWpCqLWeNrrpOUpLkEPewMhsfBxYhUNQXwurrHcWgeVvTfOWfYqujpkjU
tLDwyaayrRHtfaOhNozwunHAAynuGxXrWlIWkoyjtpXxbOwnsmRHnLmvsDLsxpnBjUlXhoLSzTpYmQpu
QFhaWiuEArFDzGenTOuwUMZoGDmUwcJSeEBIfitXOzmJPpdkBQXBzPpMJTYPNjXdobadvwPqCjXpkckx
CkOnkqTUECUEtehRxybMaomLILppsDytYuwepqmkXAYAmqoonziVYKWUYXcMgxPPBzhumigRRJjKJsna
LufdAZdCLgAGSVvPKbUczdXIkpictSZFXLIbqjVXNsKrXOLGSNXLFiIjaxHijORQKkTePEtCxffioZjZ
ERzqLxunnVhOQqJsoJRSZbfCDJQCytWaYxPPWLyVomBOcOvyUdrFlVJhGgiqJFFSSaAzgeGKVgNrjIzV
neZLDSEmKRhOZrOIBoUaxzbIDXTkNGdWMzrUDFAoxYLMHBLMvrVReMRlNuDhJfdQmuiQvtJuiGlqSfyF
NabiivxwTBBccSFdEcdEoGromCHCWhhWSvjibfIhIxcRConCOGYUKecvjDnivyVcYgYnqajaTHjMOdio
kdNYZfpHVbAtqttPgzKYaabklTudxtIAKVTXgVuWvPrhomQrlJMdigxPvRCxXydQAkyQmhPDwneOeVmd
aHWaRQhKqaggLnPtiWgXTHosadLMTIsqktPvFvywoSrfKANxlHDkvvMSXprwaBCpgsihgWhHlzLUOfVz
pyxWkNBlkLxyqMcqjYLRKRGrtZAjNaYwUfMnNbcmPBNaHRLRcIaYMhNKCYXRIBhSFgsFxZAoHjRpOMfI
jgBmJWHaWPLHbjqKrPzMPSvleuvWrMBqaQWtDVhJOwBeHLrYgQAPofzzkolheUEQJAjypBgkgsMtEISq
yDVanPZUPVYAQUrXhAatWRcLpEorrrAKhgSMQLTApyJfirHwZFvOnDUAIMngubOKOSZQrdtxuQarYBTQ
ouxsBiSNvnnlBUVixMvegACKQGiDilDKROpiElEEfsxqCvQdpvLzizKhIZeWFjZmWZWrBezjDDpstUMc
sDUwnOsbUXUAGtXdJmfFMzWfJpkRmWVfDNXgqOPVmhYdGjbRGVNhXqGrRnfWlzRYjbVDRJBiRooxlilc
VAndQvNGunmwtPeswKZhTpXkgsxWnhhMydOKxOTkpmHsXNRzVNqCKbwdWJreSaEMTfiSnXmQNKglLMKI
PYFFnbXYNPugAXXrQgHGBhtJcBnGZRWRHGXatRBkGGFOlJBTCgtLlSHgdkbhPgGVVxVFpgbILFsOFaXj
rLEuugLcudWncrfnszEZTPhLkPOguGiegAnnqKZtDSSqnMaVQNsTejySsPAwhqSIOkVmnUoRtowlNXrk
flHsuxukAozqxvoTjkHKPreyErdSVJcbmEkcUVjscdQAsAVLbregdeeHfFzouBeaUHDCsvzlIbifDRSr
hfITEEHCpdzHMnYimFXptnFUESRjxAsaOTuAEKafZeVWNrpSGJbOpTPWBQiyNWGbJqBclcizbGFcyNoY
yJDOmaOpNpcVlXxPXJjSbxjekgfYKApqaVZFCIFUauFniYsjDEhJSprrskgcMXdrSpSXHhENSMYlOAOZ
OMExXgoWqprIowrrtXtRudBJbkfxYkSjvbjsayovTlYPZHVrjrkTgrZSPXxgOJJHgUIIDFPaUJAHBiGD
nKPIgoyXYZKwmLPBlrtGjDfIzEStNQigDBxnibYSKAMGaPGgcyOaONQYJGvloMBRsfQWKYbIVENbUMzg
pyYgtqyVZsGrQueTHjhZRBHIBAvQcVaNyitztYFYBAwHsvrwhkNKBJSWUyiaiMNNnJsOkgitQNKzKsxq
tHtdNXAYlQcMotpiIfKanptVlNlblMhEhbGqkxKPhwfiTlplzYKqOKpsUxOfRKTpkohgozfTWngSPDEU
UJvFlbUVRIuDbhsyBnCAKrFmnqVWRJBKCyAmtLLGkfkyQKSCibsOLnYbxaMHlHBKeQQWWDqOblGflmuY
MhFZMHOSjEggpwtiCWgPRQoaDrjjWeAgfHWoxTLmLyDRCkFTDRPyxzfBBHLQxAIeQqVaJQWEmSFbZRiN
sEcsHbuOwmdNATmwToxAoTgweebEEDwZUyhXlEfZDypFyCbBlIvoelWTSqZaTQbIeFbQfwhjNzstaVpj
gmLbgKxvvQWSozRvfjfhbNGrBzkatKpLSEMWNPjjDkxzjZVhQlsoEKdhNXknTybcTVqweyHEIXLssasr
pokrhkOlUGtvjzAfVNlccAHwQgGDAHPnHokBoIISUSfGyWIWnzRMTyDFlFSsSglhkezFMOFgEobbzZdd
HyNTuujQvTncpciMeZfiWuSqogtVFumYQDBGtljDkabFZJPPsRXpspNIpWluFvSsclOyTpVFEAukuBwX
ZYDDQfWAQYnnqisDtcgBIWIwNlBjStrSfISdOhHidMIoyTFSNunNyltJtyQUeCbmHqKTKamaeCQQmSxK
LldRUwQsOIGnrKCjjcEOuMtvbCqFTTPKVrGGsneFTlzbAPGJgWZzSvJYszvbAFDeVTvEbgBeeDWIveTC
mQltjGvPQdfzfVofXSIImGLVAKTJXDiHAbxzxSHyhdhAQjrDeoPcZQMzkqDatMNHnXPxRwcdzVeeCFlu
EhHLDuNufQswfgLHiFLgFHLNgkCaYyuDzjlkFjFTKJEXkhgKXPvFpXZxWKRUopvhAUpOmgPFqqkSEHTv
PwIYKzuWgVWdJHnjkXiJBtzwIWGckYzuUhthJrBxMWTNKSbHdDSZNyRRAhYzAHsNtIDkVDBZplXubFGm
sBdTjehxRBDbnhRrkNOnGsgKWSrzbsBehNKhjNxhYUVchIRVuYMagCuugbXxDocpVpFbwtFQrhMwwIfv
niNWwQfTspKUfdBapEQEujBsVmFLBljEBvAYTpdoZbqAXzXBTrAwzwBjeDwRrrONowjyNFVdeuvSUFlK
CiIVQCBlaxHhmiIrSBNlHDvxDRVRAVUHiXUXHaHdBtMnhBLduVBhdmABKswEEqzxGFnVARmCCLIqtNJE
GkVrXEBaRVpVlRGUoMRaALjKlthnHVaxMaeeUJrqDQidfxNofruYrbkIIowggIXqaHKpuCtNHqYPSyWc
uAEnRllTdjTPICwBIXGjHuZjQycIXIvzDQcpMiElyEOpENXCgkwPartfeUUJtwWXQicUQuczVPbqlRGM
qpLJKQtrvHwQZJrDUABPCXkYZTTdrvOPlbJHZNjDgqGNMnMdNFibnIBawRmahifWEUGRiGabeccnrJTO
JUZgLzpYTRyNChFVFIWHBpZGdqQMtsECFhXlsrqPnQQJBEPZsJgRkWQHLfiKjIlJEUNSrpUIkGOrsAER
KfuXJUUctGQzBZbrXMIBKGLfRDRRdvMNQaIJoHPeUQkhbrVbxbBWMZECNANKiMyPfGSAUphjMAEAjBRf
YkWcWjGyUsgjMqDMkZGhjJTbuiCUGblpIEJMaBxjBldAiESccBYoetHeVuduZIaCPvKtlvoHeVnLZjNh
JFMiUzYQJTvNehBcwbnwjqkADCHDbslWMDfnSzxfEijxguFPbaOanACLdxCzNExOatygqSKCMUJjPNzn
abhaJYjntZtrJJbjYCfNDFCycGrLnPdbaNPSFAfAIXeaEXLjOujBRQysJettISTZNqmaUcBkicFTeOwd
aIqIrGODMBbxcnmmVuVEvgBFbIHNIbiXYYgpNVdIDIhrNFIwZvVNzEDIzfVfGXKyJFKLyBuHUyrTSSgp
xHdTkEaGDRWlvqbuqIuWPEKsOWdtEKHDVxUsUIvkFXXgtCzaagkFaJWpfTQWEwjwWsVzWCDkCZpYsIvM
CArpjZHgewNFLYRyCmJVcnRfSZLrvOdRFwMUNlYcfFHEEvlmgEBfAbTNqKGBdXjMQbxXSnprwAuAMwkD
XCEqkoUIfdCSmBbGTBtdJgZEcEyVoxKZtpdPJsTVkdzCUUEXfZiCfaKMttKxWseqgbszpnrOsrljxRBu
IIqPnclXiekaaBFLSIXAVTnteuAxEmDsezrcnaxXPnDjqAOJvtAjMZUGxMHkDcouVjHaYAVAmdCtqDBX
kWaJnJDtXGktmiQvMVQWAXluhbgDGKSiQxwGunqjMVNDIgmXAIKtChuhzjyQnxuexgtNSnRBFIieNrTy
dCluokEUrLCFXEyemXyTjgDKpTmtjezQkohhMUDomReDnMZbDvvaBdttwcAyBxlEwZhPUFfIaQseOXJt
eRFRkoPodzkPDHPpMxwmaJAXxUldjocDKejfIeNZXDHUqDgfgtXczTJyjWFMHTJLjGRpWEnrCVCojnyG
jvAzCjZurYdGAUIesuUvhDtceQgRMXZPJDeczvGBfrRhnWKFoJvVzNKooOCZqvcglBMTltXxNlvZnVLr
zegyEWtyEUPwzAFIKkaGjDxXpJQWWMhgTEQSITiftIzfEatMnEeMXCIsqlDGluFYNeUStjDjDquawhLh
IiREjCkphawFOqyIGCBmKisFVKBlDsowkWAqaZAVWZycInCizCidSEEGoQykLHJVhWWpJuGqZQlklfpK
uBEVRxLWcKrggxvmPHmXwzbTafMmTzVHamYBQyomWJSXFGLSnDOaOvBfAhSMBPVWmqnosUfZyIoqfqWv
pYoOaXolEzNaTPKxSwacRWmoOsafXgDOTbBzpjIjpAeEbcdzqFkqiDVpOHwEvFTsJLKdPnyPZSzdvTSe
CANLBuVknNXBFjXtMtyqABwqfcmJgvBQmrCBzgzvXBkyDCUvPknsCoMEoqJTLiayawndSFiBepUloUwE
EjxOlVbstNygxFoOZHzpMswcxsxsZkSDoARNJLqnQGWnkOIXdKBFhFJqqwRrasvDcGYzSDnOOLPPkats
PLNBzVZegVfuGGIqkKIsoeQcmQDKaERsOetqyumfNouTiYNtGTidVUdGNbnBSOCoiSisOtiXLndRpPaV
uFJWacEAIhYTeKsYJhdLlEncmvRMLBrGqYGcUHjdFVeZYTtUdQTowScQAbNqwhwEPNMgzKMtiJYTnKtK
hsqQyNyVLeGOJDEfXjYIHkgvBplTiYgVVLEPApuzDIXFYbOValCirqCpTcBVmhKuZWwhefyIZGQgMFYs
UZnxeAlzeXVsPHxwggNiuYYtEinNkaYEEECTkjJqWilLkmLnwwGaEaGIEiiutPLMHoyHwkGVarvIXLDI
ZaxaPwvBuWNmcxXPWyyTBsMdxZFLflLeZJpabUCmOnQGcjTLKhCGFEGdFdbbsJFMjbYgKDQuYFybOIQK
eqtMAvqGciqgVHtUBXiPPhXZtbHigVaiTAfLFjTEkgMwrwbIHpROGAUasuqnVUdGazjsecBFMWyGiThf
llwuozcPZpByuLYqWSISCrjxnDhSZmJpiXLhEgkfkktFVsMsgzVnlKVgReiyfVnTFCozFvoVLpkRZAbn
TDPSBAiJWUTWktFtuMCxdWwKsLVoCcZsHNFbzjYfAmNekwMveWFaXzJlKLFaaIZTXQZhxZIIHHnqOzNK
rAiPzGSnYPMtbdFPSJCCMZnCmGvQDnWrxTVqQGMiYMsXRMZrSxHYYINRRuBZQDaZtChjNGVvKgkSDDGu
oSTKQTHbJpqARbCnrsywJVepXCvHzxAKcAsUbEtIZUyQwQdkTshbMhdaBavcYnrskjfTyfHVKCAYOxfT
tGHyLVWztxfwiAPGScwEYybRhIIRnJNCITXkBbzdQEKOAxZhBwZZhBduXKMRMPbTSakrYSLOXoigkwjU
NagFiwfzFOOAPIwxHhYNFjEnEljBkSqhgCRExQgyNHVvBUvuntMANfoXakCUTcJapLCCUeiIhVJMJBNZ
DRKojHtwTJdYGQtsMGSHoKdpdFmZkiVjoiUpcJySJQqmKkXLSgTBxKNTqclTeWhvZUopRZdXJVlGZVme
UGifoAYdYMikXHwxsABrPekGdVQcsktAnJYpyrRsAJCfyKNrBUjukiAGqNmCkDGfUyKJBDtkbBFjtJJt
KvWuGDfMtdEtBwhZsOGJupEIHmglfpNIqZaPcspKgCsCWapdmPXwrguHpnsbylxVPECQxPeIdbIvBhOn
qWuaNZspQMaeayjBwqUkBConuzEayesviGgpzzqEchvvIuEIlxAxqLwiAukGITvEtjuCYBAyoJfmurEG
PgkSJePOakIuzOyJSkhePaCoMJVNgkqmKIeKrTmCfEpiQhRWbfWaryfbgaomIoTsHZGksZlBMZuRhgbI
ZNofNbIqCGCYajHPmJlPmmHUlrUkSLQWnqiRNQEPodjuINuGxfKhTsvgsDLONCOGvsxgXuowqVzMNlVI
EGQRIWOvBeXHiIxSrmPiHoLgmrNvzgdViaNLmoMsuNlounoLCOzNZjrDaWOlfwDamDMFRIcRmpRjujEy
ItZRRldRgbnMIaZhZonGSYHzRwvrTbXCwSbNLBXzKVilkenPyjSWewbNbqtJUAPlobAuMPEDecJzZLij
CUuRpvuTDLfgKifGiBqQwdWDrLFdWUaEbOaPHisawvWqqWEOSVHxOeqndTPCttyjTddpgpSadJCBjjbb
qRbWzEIbLOMSAZSVhuSnTzeFtNUPSEYVetppXjDRHtyATwajhlTcgxnjouHfGnDPPFwBfWXsjhXbAQxn
zRLCYPrCXGlLkTFIfGtcQEyZQkQpWQmfusErnaxBmBxHNrhBeBYXAYWAfvEZcRAbgYpXEgfrlsQCpKZA
oJHOKqFiKxAsUROBgMdajzkaDlrNErQWcciuiMTyNsumxZQXBXnVifvmhQUCsGhgyLroKXytZiLkFfpH
XpnBXUuppHLTQzjvOkTofroLZAKsRDmRlcoxXAhglLXmpozQIZCUarFLYAvGjOQHiHBBGHkfEIIiYGcc
sJybSqlXMIDkehivzTmIfBhjApaUklHmCWfIHSKOCJsfIEdaXMAwKHWOOtdYwYUzrgmkvzzpnKcPjtIm
XujqDfphWzVCMvnkDkinwQVhDSxlxPeAUmonwEXNtDNnRHexlomxcMaOskEXcWlKjqpUPVxaXKKAfteB
MqDkimZRaOapZFHtyDhrIUmdqpsXTMrcZpkEMrkOEOgMZPCbafrXYrCmmOmmHaDPcTvFLrbuQxrWskHA
yYHToynVVpVjQFDHJmnJVjNuJIaoHwDvRGusLtSdWfmagxsaeJKHQHLCNCRiFTbpBLbofRNDpeLwEFOi
RIlrIpyHqwHYnRiAIRxvwPnShmWMxoRlAKZdqfFiGjCFJOIZDBfsZQfirHeEOOgzAhKylqFTBfhjVRpd
KlYzsqJJubibZPlSaDkaOGtCxwEUOkvfjhzBbsycEUMlwQEveEaaJyCknxfqrOhHcxKPSkwrluPRubYa
YmQBTACWGwIvVVPxtPfeeXGwWnGUqtsbhwmtrDcJRThTAjWpGSwFfZoYHeSdbteZPhOaQLKIdnaTQxRM
aeoZBrVJbRgaVupkRsslucxFlUXnDwdePFYRKkDMHkXxUyPYsQwYqlZnoQkoggPDZAFbeJSFoSTvJvOl
SqADhQocVkkbQroGeiFmbzUvubIvCRSKzXwVnauHssYsbfKqzvqxuzzAjIbraWvirWuBLkFpNaPCoWho
tbWevDIsPrfzbxmtgCNcjtQRppXILEHfaLFftwtjbpZNudUAelcuRdIQOKmymvDuMCZLNNiFiEZBvJAm
KrxRhxUEGjwpLMweMDDuXbABnaWRKzjdhrOZokrTXnrcHyuTbvlcWyYSfEiZJRmZcWjYdkPOUiZTvVKd
GiepeYdPzRQSANNpCqgsMnhwfYeOziAypuEfKwmxFbAERUtMOeqYAgEcXjYgRQcIbsTvfLePPCLQJfky
RTPwybZRwcFSkjUQbnWLEfrgUqHZdToQJsNdRyAtOfwDPYuULWXnHvRWMhggjwyomJqZMyXVuKgwOeHM
BdNIGTyCxTCOEECOpkJjVDdoKObtclvkNyoiGUVLFkepwgfVxuXJdjdbQRzVTaDEkjChoAEiieSRkFbI
JkWCdxWvaYshMWnGkNaBdzXBvtWzbodEtYezHjyawfSrgwSkTfbgJnoEaqxhPLwrWskowESlxEKifaoa
SRWYRzPCGWvWDaNxeebheiMxzeBaQhSnSvMxpqImkswTDTYfyYheGbNMRIPwsBoONxFkNmpEqSYSMLCm
IDbHmbhchGBoXBUZIjgmucQyuKsgfqJhuJEICzeSjuQRUbmGbolIeOuxGgcUUiYIXhzIKVVMDKrAVdtO
BvfCwToUPmNeiUzCCmJTNobUgLzevOhpZDOtYfoeNLuJAuWFXiobYsfQTQGPtrOmrJRcZewFmzdJOTsL
AIVDvrIcgCTyiscXnPfmvOWScVkECJDyRVeJfREjZsyaIQMkAcZviDoYLfjFuDSgulbzciUXjvhqXUHn
veCKjHZZqDUkyNjcaGCFQqTUNiuMbLtQeCWJmRceXafDLUlmPskEnAMITGJUTEffEEReveXBEcHQmHMy
jZDqshEFxvCHcNRvSICxrvCfXsroNpmKYUTxNDkUGbKNnMpiZBWGjxAQVHZnNfDvTjikNoGCWzgvIyVx
tBTXeDqaQAxulFCTXKGDvfWBxIAIzyLKKDqvCwGqLbuZZxRaBsDBGozihSAgLEAmxjANUZNgkKLhGFtt
cGJCAlMGLtclsHnstJNIAjmElExMEjGNzIiLbgcFnydxqRWYIEMBMzdbrgkVMQhumJAhYZlawbxAAGCB
NnNqctqHuGknCELfblueUSKGqmaBPGTjUOCPLRFjSNBSvNwFGOeZsQysarPdKRjyXmrBewrznpEwHvvf
mkIOynftsgEmPAaFCIbBTXGeCtNMQZmtlRKdpGHkiWVDOSzHJoiKiJHcKvQmicfupYwrDhDsTdNXRKjp
QBHusNfXizWTOoTKoJTfIluoaUdvoXEkUjzNxTpGdsiWljcgYnzNoLfSjaeOAnltpliavdHZzmKKWVFe
eLRGlhSthSmzbyTcBBWfkeeipDMeAjcjyGsncHtROwpCwSzjBgoMuqnuruLrWzfbRJqCNduVCzTjBaQH
OXGahTUYAACWkvcbbppDBEcMynSvUfcCubPfdFaMadXXTvSnfzExGEZNYjrRmbEkhLzlBEiZNXjJvibJ
zTWuKdkixlvKhSpjLFUdwwbCAIpqGkUqNcAkgTxFNCwwkHpVYRtuCrDOetrSgwfFqSBGsyEvBiOSqqIT
pZZruVgMvblIuvogbHiCUNGigERPWrHqWLztMVIxsKgXJOUeApWgwREaIWfdJOuofDHpimksFQzVrNJQ
pvwNUWjoBqoYOmlfLcrgQLdEoJjeNchZlovGhheXrolhGUKKMEVNMlTwAWPAMjpQTdvWBwlMdEWRSkid
DnOvoYNnPXzDAcGhiSAkRFduHEbfQuWUNtKvaaAQCHhbsWraOqSGyAvJQnSTgzdeFpISFZstSomdMAnT
gUsdUZKVgpxDOCUrGvpvqvsracIxxckATjdCdrLfzFXiXtKJwjSxQujbwAYoiFCUbhcyWOJniKHzzeHR
tEJBsyfSnujCViaZzAciztYqGavWgdkbGAkOEFpBhskEmyaqYixCckdCQCqdTZtDAyLXjPQyRBkUIjFC
FUBstGdAgRBJycsbDjNOjeXQsyJmmHbTchZvJBunTGrodoDIMOqYxLSuNDkgKriArlhAwmKxMSQGqAtz
zMtaiDZQtoGRcGVfhsVCbepWWXUteFIGlizzPiuMpWLzXZrwpXUVYVAHNxxJWdiBgLRFbibuiPewSwPB
AuZEjTfVNztSAsGovjTwLLOHfLeFIymEUeuLhLLNsDPLKvkCbtoLtVsqMtrYSJghrymYHsztsZQqQxdD
fsGOUQZIbwoUIivzolXpECIEqjRjGqbRDFRgvpvzBLqtDkyXFTDSxmbXJNcdnWFYuWMeoPaMuZHWJfol
DgTsuXgPPxjkxEQqKEtxIQzIjAEzDGsrBgJDIjwVBgfOJmiGxChmGaweTwrOZIUeAIzrUQugopWSEMOD
iKIAAkMjcZHlumQbKisJzsgPCDyDJgyMslfeRQGxoAZDVxSYZfJyyqFdmaCxGGHXIRgQYXVVnrvSXFPu
yiwrNlvItDobPQHoaGdzEDypdFHlyrUSqfZSKEJuOWVdUJlKmSQRjcXxoLjXbYZkWqUOIELXJyYAWvMn
uyByOHlGfnGUQJxqBIDGIgoglFMrDjGyWkysuzBBzKOGCEagpREEliSQpAoDISplbIupkQeGJKmlHRWr
mBxYmgpCHRHqgmFocHYLWJtXVrOrJuUAZtmNSFApTqfMyyBXVLassBrYoOKItyJtSvOSfKUnMDrzsdHK
meItUBYhDbRWZhvxLCKeequSAXLAbShPZsmlHtgjouulYhpAoTNCflBzEQcYLRMJOeCwTluqtqqRKkng
XPYrvxBMUalNNxmCmOTyEcyeFLcgfsAdmskNanXxgyVEEDffKUDiQkebEbDGwCATJhzGVwtFqGsZbYpL
obtVYfxMIhbpzuXLTsPwPLKdexVdGFxrZSYmfGUAFYPxUyvssGtsyqHtJBalbMlCZqxfqXRLRRVhDPwn
hWOlEVKRdHuRPnFJyUUPNhUgloUaMcxSfCmzVfkEObYHWBMFQPCwrHCkMIzhGvApNwNPsRrkuDjGPUNz
VIhFQklrAdZqJFaDvOnkvKdrrhTSiAqsLlICODkGLoVghGQIcxONGXdxPcmTUxwdQdAztMITbvUgsfJf
baKhggLrwBGyVxCZDyewpIMSmaHKfopluPquInLJJLiNLnDNZVtlRJAXzsnwQbmnCdHDutUYyVdLPcrf
ApCnuKuGIamUrHQMKtBBBYiBhoklLnmBwHgxJeJGZSWSYgvKMjYcJHaSYlOUDTkuxVyhQAVqJaeauLEt
ZzrwDZKmCckwzpFkJcwfNAEXVSXIRnrUpyuypNKuYUCgkqjLWmhXXLTBjaWNmgtkyfCmbsjZJyiWkZgR
soUnEpeCZXZoAOgKBMEAUCXRmGSprzgeCNIJdOpfCHHEEClZngTnRXCuHKxtyFpUpERihjIbqFYdFKGL
KjmlaYdvSgxQHidEoaRtzfWJENiewjNRvALlIpXHKOJMfOOPRqQHcYyFodKNjTtFgsvzXPfffvlcqfWG
eQSZOPAwrzwuOCGavjjQPSUNUXvnxbohHCAZJgmDvoCanaTzpvCWjzmgtXHOYGSRAFyEBcjTCOqaFzTe
qmlFdAboFDjhuGWUDTcMTvJPVyKdiGKFnkdhqPeiWDrgphWkoJDKaklHHxsMPChUsQYLibMIZekhVYxb
iHnMDNPiLqpQZUFVlJnDWtZbSXzYKuDmohbTAaxrmmqTJcZGcNEyITZmdzFNqhuKEJJRueswdstRtReS
DoUuBQwIArXHLmPnldwJkkoVpedHtKZaqktSyHhMSJAxemglHsERKAYwICoUKcgJjhnxhKWWNALZWhaH
KGNPFjwUjptyLDAKqEpxFvgBfxlnXItzbbLXkBofEVYWMpymbhgahXeLvfJuvkhdgMGuecwArNnvmPdO
wMCXEQCeAixXdJYnYdTMGioYkyiWnLBOWjNSbAmbMJFktlWepmYHkRYMyMkdfOAZKDwDnZmLAxrrrMSy
MKllAuquwTDGBEhTfouwrwMZmDOLCKkfcdYwkAmDYTxpXwgIERNYgVtoDjYXOgwXEqgRcCvmPWDVYCLd
hGsDnlBnxtxCuRSSGNOVvhOnDYHZegKkeoUHQwJzJTcbJKzjQqlDefjmciWxizzhxfaKRyzEBKmdYqZc
rXjpiYNtJgFvUMcslFXTXNgraYnCHiIaborpdiSotUZGsIETMVZBaRZTjiNbuqeepuEHuAXpoUpJIbzJ
cbLLcMTknTEUDqMkRFoZkXVBbdICJIBjYzsqBpoaJXCBPejtGatjdvOQgkjRDBJPLFZlKIgNuosArlpT
EbzzSFYeSvwzdBwZEnelUJYjAdDqUVYjmSdZuwiGSGTXjedLlNlxSJAWzlxYmihnRqMGyHAoJKApcucR
AwwFOCEtVLGupCWrDATnTevzjFqMlIbigjYdXfziSZBfsOHMvvlGjKWelTviXTSPDDYTeornBXTaHHwT
jSnFdVanRtjMqZUMlbfusqXlkKJjpUruTjjhkUlWLReIRIOYkLlvySpGbjOjcfPzKeciXvbXyNICLrnP
puaJZFJPeWvynePTTjMASIhMpLgWTfnLxBXGYvlxMaWCUHXnTwwsiGXTULUyVFhypUppDXeoVHZDUsAI
rqDqNuCqtsnLZjiBLnkqovwRxSsgpkIiWrYYeTOqfRCkphtnAtNakmZhgoxHtOWdBHKjjyTDNatEpeZu
HrPhUOHmaIYCpRLjLCiPVrwgNhfIUYzPJsCtcTPAUcmuOjsXKwvdMUmhtXlpQAGsZAwFPpRTLWmJBNcH
fcmTTfOgHTvfSLMSbmpxSipqfvCwUpZSITKjlUzJCvsmJLJgkUVIDdPDIJAvMcbytXCqlHcjgpYWrxJt
rntOLbRdGUayFWCZMQKhUjGGbaIjKTUxxYyGHGWLgBBldMaCtXcCNchrlSnRTlcMmtFWztroJaprtxeK
XnYgpRAyBqruWEXLEFEoSchAvBGHsbUugdSbrEpZqidvxOwlksJJVCwAWSsrdhnnvwzqQRtSswcmVSeG
tUWjZgcvRPiGzEgUdbaLxwedAXYkXBHRRbNWXmgOwxHBsRlMLLAvWytARbSVPsnXtlpdppBCKImyfUry
TyPbDNzAywzzBdNXCJsBhyGKALMfVStREpvvZvGjGDqEVdJNepVbZMbcdLeHgzJQRfkaBDffyMnAdvNE
hqnoXneFWELWHTzHfeHMvXIYPTAOzEEqcKEsynONmmJKYqDBwmiWXSeTjQneihoitIEHppMgYnuymSGF
SAelsNIfRqnxrPWhmZhUmEhooamTFqobCczcnLfPURKAJExipKXtxpCsrzddjUAohvMernogQwfYJXai
UmgCsepyhDAPfFTCDhwbwoKSUxndJGcZwJDsyQfyNXjQMNmnEGRlyiquhdWIBCiiBcDlAwngIBGCiJge
YwWEOTMsDxojwBpEyFGMoCfMlFBAbJXZEpPaimoecLninPREgOCnMSonRURAIaIpLgDTLmCTvHkIIiwt
lQtjleIcnXGaYiawGMzYIZSJETWqMfEQMKupkgIINOzLcDXjyFzjVlfvsJyNwPWDnRzXVkKguyjJnQvn
LgnDvEMYdlsTniLvSNylLPNcNaQjqsjTubjnKNWNhmyofEYLwyvkknCdjfMoJyvomSqJkrcleSYqFWlF
mUThIGGoaNhkqtJoMFIzYqjYSkjoQLJBWIQyatCxOYuNgPvbVkOmYPiFrGteSujpeFwpXhHSLUYfchqj
awijQPzKYezozqYvmcPdJvbltuKLokKhjuFPIvbLXznClkqNbpMBtAzvLQAaGmCxfSlHdsjlFZdBOROX
bcgvgYLBzULENStfFdaweSEFEKCopCQXrhIVEIcNxcryvhTIrYxUtPHfiSVZNBbtqpIguVesjQGmUATC
UkUqScDbfHYvXqdknoIuOglytdUVIPUMXfKaUotaQlyLDMWHYmHiHQZNuPgneZnhPfsorOLSCIBhjyOv
NPBmyRtLbcSfoivllBtRyMGlfeISxcgzkZDQCaElGIWpDaRAhFLSxZzldHnCUoLvCVAHXLHqlMUcgCmn
LkPGxRLjpwSFlCnHQcWJuWvpfcxtqKAOnPHpHBqHdDCNCQkkISHpdfcMsWajkHNxrzZpyDdiOAyhtOKL
pcxulgBokhlXWVOCqcWDkgkbNOSBsuOfDRwnQmVNtzETyswrZiWGNNekHfPLphaYQPgQEzZYpksZlBgS
zwKJxKaJipMOvFQmgnDwYLdOYmpEsADjxTqpiTugxarjFwxomipXDilXZCJjOwKBWnzYDrRsxshSHvTL
rRyDDCEiAXSxRcBKxFfwKXWyQgNmXfmBliQFPRIGHxzzqpfiADgQciqBMMAyMkrHOQqulNKikbhkoMCc
dOpEvBGMqjfNqadBXqclwnwLZbDSBnQywqBuMqUXAkObeWdqyzBLlJjkhOmkBrYAsinFBibjuoiNvZYu
tjtkcyWjOFQhhxhhASsCtyOkZkblteTGzEFtvcsjUVeKiRIpuzKHqIXNurlhYQXfOZGZfsMOowrXrtWO
PouxOGzlgVXrsJTZYIVQrgLqURRWiAcdIiBrbtruonbGVpAnhNcXojnHheOBTbUlqxTYcCSKOfvYfMDb
aPeJysqpOwsZLgIajzncorKnHVXmeTraNGUUnNopiTvbxQgWUSGctFHBDFZrSnJKFHqeKbuywDqzudxE
xvKCwELWcXqhRVqrxoQDdnKhOyktNJwqzMiDnddkBcLzIQDIQSdOwTaIhuyEgqHPQAdFDSkpefZhgEad
KwfladpvTxGfrGXokDqwKSrKslwbXUFYrOUdLOUdIbEwRSpcVlTFOAkMWQfYfBTdfTlRRNxiZDOlnuAC
iRcTJZBpXoIJyuVZUkgtCRqFDIZOFAhcERDnCBUJYESskOPFUXLKKxgxdnlbNJtwuKYrRvrgVEElweqf
flcBuYQTQzasDzsaUeEzZpitQbEYBXYRIogcCIcWVaCeMQhNveogLqrqYDLKJGpWxrNHvqgTRWzCzuii
izKQuVHILCCsqsJtZKNEgzXEtIaEmwRtdVwpfsiSKAgkjcksBWGIVJcCrbNDUXGbAWeSlcPrOJrDvnrt
BKgFbaVqlivDzikqjlNcKQOYPkaaPGRrToQFTKoqOYOuMNwruxyfxpXZVjnAeohrRKdyBXXRyVzLEMxl
zKdINNJDxvJpUTWjbTapMfkGQADTYFpCSCIUCTcYErBMYhOLumfxkYVpcdyYyCuCEiSZXaLrdPEoGNqx
foxPXyePeREommNrFhjZpGvNHlhxsHXvLYHdHyJtVjdsmSKqtmjIFrRRuBFloyLShipzPMdPeNPJBWUP
aMEVzShKZPufeiOkoIjYaEkyRLsEYGJBESbxBUGLeqCbPKtYPqyEHPtxyQDeqFkNGDyRpySeYoglKkVi
AgIhUnYepVIUsvtqdYmevPSHOXhEuWRBDQtgChmDHZPWCkvofJUmKedILKNvxkbaunCICVGdwrHZAlBE
hXeQfpyqgQxIGEHGnGOiaPbJTEIUNITNrBwPdLwaBGgMzzTcEuhavFvBHYnppgAhbjITsNtUWtmCekZt
RaCzvMnchMcqyEAkTYbJAowHRbLkkspweEIFfNzqlEmDsShaIUFEiUdmqQRxqMddopHvBFoVQXcLEULN
XcltWsrHaCVlewFOHLXzZgXzkVtANtonzKEWivdPRREfykEKsCFMNOxgMVAEHGioqteJhlXTvaPsypKP
llBkEEQrRDpZAyKsGjrAJBIdFsHnIsfYyjZzdDHihhYWlIIZwExuyvFVzTRmHHZrsRiNrBIlRKiONTDV
kszSKDGewJaKVEqeySljpVueXLTeVqxaXGlLcsZJoeVtwLtPUvfZEFqJCJHXswyiGZRmkPBGXzsLwARK
mkziMiznscuBrNtxdyQHCsPegazWcrzyYpLeotYgTobbJKlbddZBJiOitYZhiyQvosRWohliJBwItzbj
XUFWfNmGFazgPfdWuJtqzCsqWBXxpZkaKeULQUzujjHreSFumKRiLLNTrhajQlbnFWbfVMvhxQBqaIMX
rxLOOqLmeRDGKDZEdHHtfMoKilbjkfrAVYizHtexpdCBOiPEUCQkLlVPUqUeKlIUPmKEQQPIoKdYlQHe
FXCODjfiCPnBdDPQoKmTXEPhSYjzObyGinKlbREjlYreSqmyFvjTngGvxlclyUbeKBGlyJqdMcqKUeNU
WLcpoZnyqmTmxKohLOSpHpKhVMcVyKmSQbOpJhCFSVYXALFwYddZczOAaEXbVTEEvIHFswzZZJYmwKiJ
wckhWxXKUHCUSBtcNKuithyyoNOqZMnfOIDWRdcNCqQavpTbDOJLGrUwxBjKPycclvObfVqrsQWypwAX
NyYuxwXhKEaHqlkeTVEXsrEmTUFvnSAJFskrRkucQWdUDquqHiqPIVZEaFzDUrnDLFFgNzuXslOXoqvO
cACDSfIwhUqNnGzHZniqMOhfDWqyUZorwQMYtZxJcptFLFukhyXywikmMWdkDXkzipIGDkpGRyXAAOWd
cyktXSGscHHYVeACQAsxVVBxfNewNJnvUKQGkSqyGrGESDWmCpulKUTpmHPsPGtmONeovKrqDCznGMIk
dWMHhZNFUSNMvNctLrTvTFvTfnXHTWbytdtYwAmpgbOJQDWoNxyYHdBjPPnQlZleLmJXfYNcpaEMAFww
ykUieBwmBIkrxlySMvRTGQtbwGmDpqFKbLOnOVfTxYHbxeetIelGhhMpTEfccYUcEBvQluslhIbmrxuJ
LRMCWMnfEHDfzFxHZYEDFJeybiumyKsVQTogDnoFqclNDlLZzgkZvBXBEBuflgJZrMZABvYrEonxPyNk
ruxKbsFrbCDMIpBeIMPOorveAMdwBXrlLGtZznRSWxBYBFxpUlhOtKZISQwykNrVaNjsWwcHjsMXIOwl
tGkESLjSfDlaOCSSLpDyqmnJTXOTQuRYocmzHzWfXdQZXJuPSEkBttfyqyyCnGuuCNKrDpGBaiTrTwGP
oIWBenHvMZSHKAOuDeEERFpbrbMLFcxrCTRPCgJRfnRSHUbUNcrhJIfeCRVKdPyrpvYGxVjnPEFhweDi
SynwlyxRiEToTyDBDIOlzemSlOnlGNqdfABXAxKuBprvaRpZWDGdZrEtXBEuSHebUHKSQBMwIKwfIeEf
AsyVSlLTIlrlFNqwgcMdKNROeQVtkyVLwozlBZwVvJOhHUwZWdulIgujTOQHjRBENkVKVVTVkxLtbwII
mchDfzQrgogxhAnpLEHaXNfhlFFdfDSlGtFCaAxqWriczSHWJTnHsOHNihXgzKEATGFZjsZMOUUEkWzN
rACCRxTrSYgiZhNKnuotUKumbacZbaEWjpifkQBPEsCONGjzhaBXAPuIenXghEKZfqugfDWNWTBKojMy
RHQHmicwBdjSuEVXaJxFIYjjTGwfwaWCiRghxCsYwlClrgvDLbSpChlBIczPHXDNYzVYHwjkjMrgqoGh
bRAuYjtXBtKnxGSkAphhdNlqnsjwFMrhYsYZPZWWsbLbQFVjfShRLOyKOtmfzfakHXCbygjUfgVKrMQp
ciYDkbYxMuYgClnGLUDxliIBUiUVtFVajkStGumFNihGClbmFqRdOhOzZBHMWANvUerLhYYKMqTqpHtI
NFmMNSTsMayqaSmLxqjPefZzISfCwqfYYTyqgoSWWIFSVJXKYnTbkQKTwhSBnFGQIKbQHCJCmZxKiuVc
ZaLpNjHPvfQWFAuvMwEWjAxpbbHxoBiSrkcASQRCdldJsSZbaEtqmwZjzfxDbllezrHFwIUGXYiovJsq
ytfnXZlAhaeSXRNIuBxSEzWCJwFeVQkXameHnzteQqgtlurqFSRvGHtHuBWEnrMtjONgOjgOGdbEpKYJ
cnbpuvYHqafHlhEzRtSrndELuthxulTaeGBjFnAkEdrqHzTdSEjiEbxynmazGvcRLNqRwKepcVNJPgQz
hBprMiGWrgZrVeLjUxwRAWSBIByuemUHDzxuEshtHlauVqPtIQziCunEbBVKuSqyDjouIhjLirAsCnKY
vZrrAMHgqHgJniXBqQiHgvmsyJwaltSZmBJcjLogTcRoNSPiQNlksZfjeBaYYnGeENuxkOodUMPzPyhI
ymcWvQwFvPZjoqpIDvVEzoCZwPOsejVpEngvhgRmZDnsjywgHatTXGpfCVYeAzBvcSLAFwArGaxFOugj
lASxfGWavFHkkKxqlzMhNLiIORogcdjsvFUbYsUjzRbTqrvQXyhfwDEWxTVtIWUlzGduiVxkfPOPZFHM
FSaKtDNQFTOswcNTRfXvDsaYNKqlDFjoMWaNXxNcDfCfiWMzoKwWZNqOIjfQfaVbEfjOzEYtJygHlzYr
ZdrEOGdkCjRISrUhPHXvKumxagvWPxhfXRYZKuDDNhrJCnHKYGVCULcSdSylCUjwcAxgfocgxnBOSqrr
orJrHknXAzZlcpOGBzsKHYqAUmKFhAvNbTXfsRhxwiZRqVGszbyUBYEESYyIPTRApDeBVPVlAzGwZKiV
uNbFOpcWCjfBLOQLLSJZesirEhXtxRxxwuxfAasQStQHbzVCVybMLfteweEMiMrgFWduGExswwOCpfCg
XZocOjyoKfSwybQhmjtaVawHEKVESNHZNEijYcKecUauMCGLYMKenIJyILfUjVWUNmNnpOiUqvXNpWni
ubRxRrPCZZSogrRMxXOTxPzWhYGyFpevBreVCjTIlsbjTGDAznAlRhRAtUJxKrXNaqYMrtPpcXKYrJpJ
yywEqkLzYYOrkvlszvYbIYtNebtQFnybgtnERMMRRDsfFsOlUCSIgLXhtelpPafxziMTiCxlNpRaexHi
CkbvfJznHrUGuclebBlCOhSWmCAbFAFPVnHCwmeqBeavrRFketrqXxhtglMRNQpblRkkDQvsVyoAsuxL
dwKbmWmUdciVSAsgRFuEcgZrnIiVUkpjxaCAbCtkSKThylARqBCSeWOlEwmlqcPsbtcEUOEwlfLpSxuJ
glPEWDwrskIUqpeNhBPCxbpngOBuWKncBBnMpmBwatrIdxLMSotpPKPcpffgNTxClultJbckZDbAvVuz
DkLCpxtDTsRLKRCQQtYqoTJZgbwlCgqhQWjmyFAZybxQJhVucTMxZIVrVRliaIpCAobOSqeMaPYqnwmy
LVFIZmlsfDVPLblTHujKCwTbQSrlVGLWXULaxFvISUygsannvfziYcHgJRfspIbgKhDpIPTEHEwGeVnf
FwnlZiJlPYkjECjUlyScZbKkTLjCZNtbeLIKEjwsUZEbukgZSKJIuOSHBMsmnkWuoJdYEnQPymReQCjU
PPJZcwWgRVXTKqjvbhYeyfqNWVTfCmpyvcuLJlHStXmBNVNEBXUJJwoRyLpigahkSBimtPYrjuNctYut
oLowRibuzBhkqeHeSOWvYaQMAWYNQgYyZqsCmOFDsDJenenpMTFpdhDmqJkNuBMbOJAqYzqsZKrCYpLl
whBIanAQrihRScMpDLrWpYsOuDqoRJGCaAoPPuNiMCRTtYTPmDXOEOelCkKjVWOyDyXTIJLqqDYaFQdP
KtWVfTSDQjUMxOlpVxLWyxauVwyzUiSmfTehVKHhGnMUhdjyAmJrJvvJHpmtteyRrXdyoqctpAmYHsxy
tVErfWpoXyreIGBZphnBUQqiyXhITEDDcjnLpISLTGQgkonhzLgGuJINtCMrkwhYKTfjACdsmXjwgrWk
KaTLnsHfdcNYfDaqJdkoEvVazOCuGGwwvpeAonBxOOgrRPNnfqWKlqCIvbRTfaswwLXxlANWLezMqinF
uVEKJsDCKQHqlWysJKwRslrpGfsHkfMTQoUZEHhyRZjkZzNzAZyGruvazaKtsbmixzPrpUuiIzSmDvkH
uaBRAAqYXgHWeCBsklJSOFtabLFECjyTXIHWlewJxVwYnAmnsZPpFbzQhaMiAlCTxkOEuieTGFnGvHfS
zVdrgBnRYNcxhfViUDUrwdlcdyMmSBtUniuTeKiFmObEaxjEkgDfBrxypiMDcLEymMvNqknHjCYGmKaf
pXWflOTrfPkwfhYTDNZjtlrkHjQijhTWSXEdSUuZChWBGCegnlJczLykBxGjAZacLzBZvLBYaccuRzUx
ichhhJRutsGauWawMkYNKWmyqeWNHHmSTNHEEXkyzTEazWslGKxbPjXlJUHAzBzGsRngikeUIbfDlzPg
wjisvqqhSbUPHdTmrptoWnckRHHVlqQowvHqmPOEOpMctzpTHBANmgXIXdCrrnPmQvVSYdkHGNgPkeqX
etMfKDVywVYPZGfaessbsQlRErvlvuSimqFJDnLLqbIsqHfsKOemImmKPLUHKCkJxFDBHFzvvWFFlpEm
JdkUhPJCZlZChNRFmWssSFgIwoLhSPDCrlWjSqSfjPMcaiwDGkXFhRnpjZwuZLvWCEZGeIOzytKuspSO
xoJLNmrnvCZTPkuYfuqQgNgDLUUabmkGGvvbTOcOxfxOdNMPdsVbZihuYfBwHtdlwLPbhgYiUBBNREma
fViogJEXxlHlUelWpNUsXSiMLMiTsaNhIUbQzjehVKTqIerVTeJfZcWHsIeSfybrbjHvOohsSWAnekJx
OXoFwyVXHVDNHkReoyCgEthyfIQwLmJNSTpVJPilwtXkUkYPVREwEJrCRSSgFlyUTMlzDIbhVzIsovBJ
udHDlQwQOSYJVOBehMMGbXbURXkweyKHQLiRTXCMSTWIvcTZyuPQyTVKaFDkvquCiZYZtZwEhbALALKP
tzMEjBzLvPPVtdkAWHibBOWeiHXTYpTkNjsqMjihHEChxHkzfFltKpDOSiODejaGFUrClhBCoeQCmdMn
QPljxMEeSyGHBLMjYshBuFFqANBEjpezIEpaOmxRhdLGZklIcYDhvQnoCsGSWTAAPxMXrYrVwPbxWtdH
IUojjbJpnqvIushyHhOdnMwjxajUQmevjPkHkhZIgOzBsMmqWQuXvcFMfxBVyxwJAjXVxuEZFXDKYnbJ
UYFxFvieOiwmzpmwEHeByyVRuFWrTFESRMUmmEKdGdwyoFkEhQrSPrdynmSbiMQlgAoaqTVCLPinDnYG
bLLxVNLWbhBOXWVgAgINWnuReZifkfauKzFznuDCxoVatdzCiLbwqSxNWXPjnSAZCdoREoEbPdAWbAAf
kQpfVCOUAXaNjMuvBHovQEPuGUhYaRcJZKrPbiRExLmUjBvgnIFolOCUvtzDfrdVcjuHwZbHDQEgbLvc
QroWWKtytKQbCYIQVCNqlnAghctRnKDSLjIWQYPBnAedssNOTCFGUdoNZsEUOPLjyJiOoooXMrVlFXBB
XcGTNryNEjkFdstqurJHuBIrdSlkkYweAPYmeXSfZiYCkYCAEDjHDHTvGqDCAqFqEKHCoXNOYktyAKAY
AVkDjLYfSneGeyBVTZexBTIAOTeeVtjHDWMByBBuwnOSdwfkUyjTbkLtqbCzcqgtEBENCkvzodBgXYTo
ZWcHxhdxEMKAOOvkPdzcuLwibwHoDExDneNWrOpFELpJkwkwozIbeRLvPCarVzLEXjYGJPZfgquNQtjf
uZczEOvXxOTkzflIkyeXMhTMpkZsauqZUCZHqTUaWCzDEcGDqCYWYtKOhAdzYkJwLlsODJUDawofaQhG
ZeNzXaNJzHbxgMuqGvbEXJkVZqZcCBndTLLUkzwPyAdKbfcborPosRzOTHWHvbhBBCOwAhNuDiiHdiDc
rhHlFeFuAedRKYqiYGAUikEwkfmUIcefnFfIaQsBOEvojMfctvrenocRNPsBHBGkVZuyEhYeFJbqdgCo
EoudHbDnqJsyduLzNahgeXvqbSpSiWBZEpFCIGFFbDFDbzcpVUimILWSEVOqEfKuLhxZGRBjIzBQPyNJ
PEysTPtjBcRmcdvYVvBkQtCyLdCbWWXLjbuOAJeGhbNflmEKdgEbeOoywXvWiLepktFpecGQrfzpwRwh
rUhivlwwqBUChmdfeWsMBGAcnksaHFHNbehlKDdPPcSJeafxLMVSnDvfIDxsvNxzvWjDWGfWjRyMoSoc
YylVJdhxYsOXkMGYpiIFOYXvSrPUafLTlXsbasLxVdBXfYSmmavmOWuKEiYIZjOzBHnNUsQplTFxlQWY
tPctdnTdBcABexxvrrINkLuYCqAyajzspCjTaHemxpeLQzKMcQTQAVVMjBoLXRGvTrxNnrAXEMwapfqp
mIpMLIwWCVHhZgUaneQMaEzvZVjrakAuVpkoopYUrZNXbkbxTukyyqdSLWDtdkKBYTEAlimnbVxnfegR
HQcZmLHnhNHrrezNPVlBBZDBZIXPWNvlbWjZDDYOinhWLSwcPNdWwzxZNSflmAtwsbCVbgkkBhWDsJWZ
YraeQlNLtbFNPoPGaJjKxAxgEZnNqBAnzDwEHFaiQXMNGLmlSnYldvlfvRLxQMMwhAUWvcxepgZrpDRe
cPFOIEWdIApeNXYFoNPgCkyfLEXrKECXEhbSfVnwbdESNYGawhsfEwiLctYaneUsKRPAcYMgsrlGzRzm
BrdJgXXbkNOxJonYSlbRvoFOHkjGXgVvQqFioBfLRESYYXmXWteJLKbhDoctrkOweZLKPfWzqZdpeYQG
EmccjSPUhlROqqsYtSVJozmbmHTmNsKzTLWoPNHQwzfdeYnjPwpVKEXskdGhLYcicXEQbjcaaFGYAvJn
fPvqcTFyuikqWCkGzuIQCRSAnimgRmEwhClewrLlbCQNtifZSyzicOXHTVyTZsEUXDeAEHZnfuuEcinH
ENsjHEVpencEMwoupsKGjOWIKfXNUyXvEwLfgywfYEFAiJAUlIkyJHKBEnIGoldNjvtzetuJDSNLLuSr
iQdEmwQEYIbKaKzggmqRztHJbWythxhOXQxBdxUFdHyPlFXYklctvVOsOVevnxgaeYCkQPtcelhHtdpP
lWsmZadACOFArbbLIYSVyoILiSwhGuwuJcqqoryaCNqBFIZDQSwCYYzNxINvYBwwkPWWBeGdiXsicMTl
KQWlKogkmkcIAQNngYcHhAhQLdLiwvnntDrWBgCFjfbWSqufRneGvgqeRaBqxGGaUgbTFFVsaCurZbfY
zulyAAaccUGYjcCHlWoTgXJksmDlSojkFNMFxXNhAVHkmXcfqQEtDlbdmJUNBlmUYUYSvuTHCufcxBmj
GSthaqwwunvEuRtEFObChykoVcOMUkpzRuXBOioNNkLsxmdKeRVqztCpglykodVIkRVERKYUtCNpZKRO
RFhfAZEPmPJWqNSKDjypNVlevfXEDKqxarWSlSLWdebXUdpLiBvvznFnbLsObmcxkYJHJrVOIzxCQAmg
BeqQRFTkBZdOtIlcfDqyVmafuDqImlHlEugaQUTSkIuciafdlUCNxXSevvNnAQJNVsVGTSoVQfyUchtv
cInpTdlVHKpPWmrzTIgQdYNSEQGLpVwfJZdJlwdFJQhyquapucUwUljzqPNKQOBAUTRbypEDFLLhAhJQ
RgGpLCbtqvRnGfyGABXHjUyWyOEOkBgggQlyWZovtAxrOMluxkvDXPbxoPhKfIslXwZCFSdhfyVzSXex
jvGbixFRYaGFuHvuABItibVIEUcoalcVpRPMvftpMhAZfFktDHeRgmfjhIjWqIqfbMqNVsubsOwhfxoj
DqcCFnkfHbqiDMjPGpfWDPELymrBPqNExgAKCvrWdlHBFGjQFNfRrMkJwcUmemKExBUPEGkvcVkgDLUK
IVUuwJwqCtIMRHNWJFYsKLPChFsJTRvkwxOtXmcLoiffSOKwQlgNZzRwgwMDFoxWBjlwDCjUvJFnppWe
DbHlhmlXxBoVkZPYtRLKAEsuokcFCsDcoJuVYTNiHubGnfBSdpZkHTEJscarcbMHdQLvTORVbYgcNdKb
WtBdYfLIiyqyekaXtlRAsTWMxqaplluwAsmSPBqwpYMqjqDLvWCqgAyCIthWPsseBMguKCPFYdKVBpdP
rOZrceDVHfsOYmrzWnwlqrRnUlJfuSpMSBQpoATWWrGGeuEmkvwaRfqgdtqjmaOlmRCUifUvsbnqvWIo
AWKbdEhLIEWWWZLjLMHFNlYwKwaEcnlhoomPEvscobLDXeBriBmeDFhOOiLvmJnuvKxQxMfkgyXPgWHL
kEVuavaaUGKAmLVdwZnJpNmUmuJTPUsrPgKwuVOANjKtGflYgnDLhaeSZxlPEsTCJphEJSiCuIsMbQhL
FlgnQoRmqiJRsJFCLRWNOGeyGuflmFPqnKBFhJKROtWxoOsisrOPooOgExTLsOeyXsJryUmuWFOunjSS
EDMnpQqyXexCQOVXxfHjmTGuKALGURUPxBcweMNyvgUkIVbcQujbMFybPYjeClgzqHoZHclWTsiTFCXg
WIKfMRVTOoHmelBlPmSAlMahtEuMKEHhiAfyItWygQfovjBLXfmJtIMqoZPLuVzdMFMwGFSHnGqgQavM
ojqzCbvrovLCbeZjBVqrxDcReGacQZMhUfrKCQUuKrkgpzomMJdKaPSxmfoNsPLWuvheCYMuEzSvcpxF
DsWfQsZKXxVYUKWzxBjJnQoDXHWFRtdYOVVjZjvIgfsKdvJPmifjeZpYZVqBuwpxXFXASuJtcNAaKwom
nEltzFeaHswezwLCEplWAMFfRufIHqBapKnGxnVaMoHOCNLhKVEcBZNJLnXXCWpahPNdKVQlSwnexjSb
ILmjBMrxJsXvtEFAAIqcqoJYzffJgiKuVAZdliWLQOajkaoPnoxIguNTKEAWygczJldqRyKIWlaJGKvv
TJizJOCytQXttiktYYbNbplEqroVrIoCSWpwMRrMrevOYvseqtMAYAERFZMbrawXiNyLKnYwgKWkLMlk
NBlgOiwczdNUkLbDNPZTtECMJrAqnbPoVfLVxqxpwouGZbaBXRWITNsdpTZADBKtQfJzXgPFeFHvPHNa
GznlYfYELxZfDuuaLfhaFyphczWVIQDmUcNDIiViXSODMXKBvRQlUoqXtSzMvATiSMmqrfOaOZZoiNXc
XlnRcriXmwMLolCIEKSYQkRoVbSWwqeikkZKYnUcqcYVgmZlUkTdBaXjnrMZRubnXTqGmOKfFhGKeZEN
eKFowLkascmPbcpEGvDCmFCoagymDKQGWWWrOuOIFgiztPykPEqWqXnkYwmqTxkWKLDUoXnfyGDlSVdi
MvnPcaxDdwzBrAgCmdOOhmrCwiKLryIgrBehXwNUhTJVNPlTToJkySSHkaQolyrnqcvHeDRfdhqxhPPv
LSPGPpEkdoIwANERseHoeiobSLZtSGgjFXFOhTMGRIFckYvVIPMdskUyglwRIolveTpRKUlvjmKEpynu
QOOcxdaBBHJgxZoQWAjaJKNDsXSDeVfwMzgSrQabQbqDeVUTprVAYToUOWqecHnJvHprCTSnwcWefwbG
URVvuHolXmDoJGvQcMAlnjWviqXXElYsAUlpnaSBVtvqUMTGTHhjPVWVvucYMYcpOiZyKWujCCbAYQxA
havaVTVjXyUmBuEqyjAXnFDWbVUwkCWLZLCIrGgbwkEdrvuufZeOSSoWETHDwKmUdQixOPoPlipMCJOb
RsdqcRuhTdukKHLVSTZqwpMbtMiqVHPICekBuKHveBDzWfPYRhuEKeeRGEbYaGtnhVulPghaoOrTcdTq
flgKpTNcgggZTCfkNHPRNZVveBmrUtGgxwkUastoXlfMxfcPKXBUIeShQDNiiIHMsKoGmpXfXzHXShzO
AKejiEhEVkjFgUoJOVGfsYGJEOPdGAaUsBOxVZBwyYwiKpMiFXZXuMtuTseyavSHvjMqlCrEuaNfdywR
yiurnchTGKPQQgYakUekONfGiIJhfCdtKjwZKgPWFeYnBiifBpSyvgDrMFHIpxdqxEbutkmiSIUFKBAf
vcrjILUjyYFcdGCEajRQTfyWqezfDkoOlsYmxYXBNkzsIQnjiqnKUBzGeocLTYbPoqpTPsgNxzzfjpfO
BokfghaJXjqkfcyMflnkvbGvsRTFMRBYHTztdMuFsbYAeMRNEsAHOFmSwUhpTssyXkhBBpZVDIqkQkth
KPMrOaDcarJuLsOzTowjpjEawsmPklWyPuCEPclNQaCTQRUmXICQjZMBPrOwNrixJrufiYWYlwumXPgx
pYzbgdKBFPGLoJCJSwYQsxjKSuWaWPgRCaaWmnhSzRhEcgnSzzHpozQuoRglRMWYoaFDDsjUqVbXEhcQ
nVmkeFacKdHbsUqlHyDqsCYPWQRYFWloKKOxsudeRTnLdMhrVPhktToDPZZxpXVrQOTlAeULyGTMZPeb
yGYOpAHrIHmDXkzpkzNlXPmRepQIXqOJGPzuHWFGGLDZLxtHAHmujfvplrOiLVoTLrFMOHFBVqETxzWR
VWyHqIsnEHrlCRSHypLtIVSeCQbdGAPlflTkzEUhugBdOyKlPrToEACfmkbYAuDlMOFlRntImtzxfmFN
uOmEEQsxxBWqcWdOyhLuCOPUdkLuynBsyRdSeIFCKXAORTonhJKCykDwBrnKzDsfDtWGBdFXdNPWhocv
pvsyITRRgBbrApZerQAhHITbyWJxCxYMlKluPBcZvqsqEKIDCaVuDaFHCbXEcIxzKQIROawplvYEfwhy
iwiUMaQGoEsGwcjutwTcvsYNZQtPENxAtJnQzWTfFKufOMCxeSNVdTAgyYePHjjyuVtKsZXHQQJMSmCW
ZFnzyrKEwmWrKFedevEgAydYgCHiwiyKAguXaZeTzZhmJLViPrLlbvSHpbudaQGaLFMEnhPZbxYWknCH
exvftTUIqExaEfXKOlxSytHhhJeQfwTLRzTlunGBWmUxBfuVXpjeQraRCVWxgywscdltmTbBcxFVzcyy
ZCagaqIpNfOADGtwWBsPCTcUEwKxhTeaKwJCCGiXRaBYvbpYVDLwwyvKvgHNPhhznMgCXvvwoxJQrjkh
fjarEWgBehnCLXKSHUuCBPwPSkLzHlHiffKuvHhgilwPSdzlGsWOuHZiuKbdjttMYDrRlIyfqfLOKENp
mwkniBQjFIPmsQaInrjsugIIuXJbxZAdcUDqzXsdpFyhcpowmyRKNJapNskTOixMHnMlFpgHwgYvvAfF
pGjLaGFgyHOBIOwDFrKzqjSbYtjsVcGouyNbrRJapyNXbSwugcUaUMBKNHHvZCzXxxaWOHMtEaqbnxQN
FzqNhhbKrTvCAyojELAfULKXosOgAbFHbmqZPbuJxbrDblfiBaTamHYQYAndeSSPGUkEqArXTQqhYAJY
LznCOiKaDVMBDOPIochwRckSZnwFPdaZcFTIpEczuUTflPjkImWrbcQKMmNyPXIoGZtMjUnGSzTUgnON
JuxPHNTvZWbrJKcWKJIoNFQbyakwWhaMhdmJKBxIqCHawWIscvanrrLLQduhGDgvfqHqptTZNFcquaNI
heweaGAFjexWUvIszXxnnOjthuxAXztupuHojgesvkaJDPLEPTJNPPxDCDQFCngVnKYDHbOQkFTYFkme
MZLHLITtVnfpbjqFbGAhKsxqnMJALeSfUVIecykZGTJWHOqTOovPIRTFJjRNcgRKQuvqGmSpPUmgSqcH
wmHVyFeERCOlfOolTqcBJidHujeMLzrETucooOVDlHKnlWPystGRwUKAOtysSnmqhCCnJmvANMMiihtx
pqRrhZOvlbZCgkpnrgaLpJRqUQrUrxLHiznEItrgWQekyuOolWFpFvJZhntKSdNfUMUYVDMJRhYSsaFM
QscNPABsmZsSFtIMItyLRZKjJmpjdOirMyocIQPQOGRnpEMnrqpkhrIurLqukILkcRLGMOmryHHfJvlt
pZvGmEdfIuwMFnfYKMhWqixWDXwhHOAIvBSXzqBelMlzIYtCLqSonFvtknAmqsUqcMHizFvCWrxQlowp
ClSoCxwLbBndOeEOXuouRDPRQHeMaICUYdPZyGBmCUMuiZkgHbEWfzxmDGcdxHoiVVTQIHNiaMANkyjj
IjsqjybwhyBRlvuDuLkpJdCZRaKrlDnbNzvYYlhEcgTFfcJFIdOIfDFdaHKynNciLQnyGdgoQwgRHWRx
NuwBHTrZEvsQjDPinPntkBWZzkctuDXgwyZkmaxMNbqZGLNiSLcJZEJRmsdCRchNdqhzrmUgrLBNabgg
IPRYPHcWIzSZwVsquDwhmlbHUeKyqPZKLhdeUUhEhJTRpCEVLEdaRXczhlDRAffkQBIWGvWHPPKkjTaE
jXfLJQRIjuyebFisNjIufjXIycVKRJcaxFEKsyoSQbgcMgLsVYXsMqTfZDYAUZoWpAFWBCSGHNAfnQeM
LnSGwKcxOSsyqwwuqYMFNlpwsRGWuTAoMujZaxNfEqrTEMWTzwIhYZGvYCcwXtPpxZlBIayyVSfPqHbe
BJFFtRXruZOQLBkLUjOVFchJucgVgjqFrTCjRLVQQoigrDRrnxTsHmAyDHldLFzvtOfguWfHzJXaIZcr
eUwMOFcXWjCqrduxpfXrukaRjGsfvUWQnxoZuYfzSIldHuZbpTvUVjkRFJnJMgncxKFSNnXpCApwgcTk
sHYOZPLTWNLeRpDlrLSpRzPHYHctMNbODkXqLAFjLobAjnzOTwmhlnFZwmJLJhCwQhSvZpXUNpROGUxk
ZtnUEvDieFVZCwMLhFCGdUpLoylIZXmLoziehtmmgrHHsdxNdaEkWuxKUAFrfVzEXhbwhCxoSYratFsK
eWpACrEsMGGGZGIsxxscqkEyILkiZtgHCPiIwdLJyxmEESUPkTgvcjShRqNZBjPofEhlOJYWbOuVpdnK
DWiKYvaLGJwqGSNTKvhFBiUhNaFgDuIkmfHzXbfrEsBkZUOrHjlZPVDXZLTaTwhYbdxaPzeOZltLeXEz
wJrxojiZklhyGbpmTUTGRDBjyYKJfqwRxGmTJocpfJEWLPYeVdjAkbqnLpQzzUPlvsHkbbOeOeEQWkrR
rKMDOGUaeZzRpqktMEExzosREwLoureyZKUodbrRTchwlAwGDIvJhpzoJLgeXbMsrmepqCjtTPDpVlNq
oAFrTJNMvgjfQzJAQwXXhxRzbwuyvLeJlUgMgMRCXjXKHENNDkslXLdnkRwDtGaCsNCJurrWaHOHAOYp
BOBylBecTKKAVxgEUkFkGlVnsSKXYYeWZaFcZBErXHqgebvFvRqrFvgFNOztvSeWzdODZmvDNfCcWwcE
AFahUlhbARRKkWXCZmbXOOCRFMsFobcDoHfrTDoskEKCrxrRgOqxUAYDjxytCeOwTNtqWjrXjenaLbYB
wnbdfGwuossdiQtkBZxgivjldNOsBvVtVlGYDdXCbBFLCwRDuzzlitWbvsFNXGgETOKbyYBWbjqnLWGw
mcQeNrOxtXRlPfbCLwHcAXdrIdNzuYghOIVCCiLRQtYdNgBKRNzKjkeAKCozsnMqZUHNBcwVvTkTXjJP
cvQPOCmiefawwenfMLzuABCLMADMnOVmOEjeVCJaEWZBWUzZFnujQKQghcoONRYZelwjjGgbcsxnJsMA
wgFxLloLAQRdDJuDICZJGkwAfBcwnMRKabOZdXwRXrXRJuwtloDStUAhJUVQeKlWTuypsqEQUQqLaBwF
ThyfBEVodGAumZxZchMFINuBUcSidnQHmUrYGCQBbpJqUngyXABXyWKkdxCeTNuYkvotLrAJCMnfTazB
dsXXkuNuQAgPuVPGqrZFfyCBnhIyBbbsyRTaKrOiqtVGQqcjsaMePEOUAmRlOjwTUHGxGawTNodzwFZL
ZPfqYvfEiytWRdmdIGUHqKJByaGpYEutLvKmkRpPJcvLTWgRFXQoKSLeidFWuftZSZCezymCQLQJfSMM
pfJwFwEtuWfnoppbEqJByAhhHNmiYZBRowXXBCrOBWhxZFDbDgOxOsGtUblQDsLPUBhuFGhgDkzjzZDi
MYjBGubJswQrITThMFaUQxrWTmwxzttWlooZhSaRmNfLixGnvZOxWLyMrGeClehUvjbeUFeJJeRmgQgM
yeVhbberBaSRbWkeVgOaCzdvAHusWYdhAZJAhSERyLTCWEbnuIauyVbHCZKhjiotYEoUmyiUUotIJcpz
eAkpyeuVNsCJdcUgLHarCHcltNIfOILYMmFgAJpZXGkHTqpnMOPRmgQpQyXRBXgSkXxXiySGVKskgNGw
PRFYdYxURZShvAvbyEnLZuDjoYKaVrkeApoJFwdAXzQquXScGROqCsFIhpHdUgzqPOUEymrJBvmJzhwY
mclwEUbTlMupnyjkokkIMOoItEJgrMHiHonCzimoEHAChByfckGlWpPhmHwEKuFpBpjlWSGefDptjCzB
IQnaXZHvTAhMvCewaUGHLCmBdBmnHvcCWVMClIytCNFzmOwHCZYuFTFGTvjtrDYSMmxVCFnqiLQCMdyZ
HryFnOlSmwZkPczQqfMaFUuRkEhSemEiyfTaGiEsnxjxMPAsxPAcUDTGfQHQzMvHLjBTpuBBYWQvAjuX
JGHPZqSlfaWhBmUzqCOWptPBfuHxWthbFgVeteEjoOqzfmTDbrKkypaLgWiuJyRctvXmrqhbNGbQXHlK
kzJiKwTIFrWNrzqcctggzxqmlkTLkVaWHMXaLkEooqytahsCjbKhOpyQXzMxLCiWhZKkEtrZOPqQhyNx
cYbpKJdCgmDcXjFwCLOhOGkxfLueOSiNgdUsVKfSEZWAgMNdovAcojlflnLALtjrQsjVyqQkRxQmXKTW
sVOstMHtXzITGITijNnjbKZmsTPqhItXprvHHhzLTlcAaiTfKbPSeNVyFizDgoLDknFRwiBqySTbduNu
rrCJnsYZrpjHpeYKbcxrMlVGSTjiXscGOgEglFBylficsdTsavLHVkgZnheiWWgrAlEukEvEwgDahhiq
dNnBkEKCrfDOBDaoFsFNzmVUPUDGGONcdzlEoEsWhiwaRSwfeRKrlAxqrNpQIAfKuXZROuNcurIMvxrh
mFowHLDOaqNqZPvKdkuWSKEMVxNDFlbelNJBPwmgMkROMfNdBrmLBIohvtKPMWtMOfeAgHjvtzPseJsM
cObmQyceOPtyzymbLQzzIrrqvzJiHjIanBYnlLrBqIRbdOWmXuGzSTHxGXDYQsmUZnSdxVHiCjgDBgCE
HnTolheHbDxtWrOhrvmleIsDISFBSQPBPcBRryfhrinomFPZgpsHDeSuauvOfJHBHZIBklFYXgDpfhRD
NceoGRHFjNfXLsKwbPiNYVmSiHhpJTklzrfvFKvgYKKIgmzCZlrGbRsaLvrixcCrTONHXdahQlxlmgfZ
VDFKLdLhdFfBZhDkDbVEWUMmMenSuCxHMPxaqRuyZErmRWpwNTmJRMedlVmVNDwuxlJOJWERGrdDRluI
nRGhWyZTOYAfjOcKowuUMBBJVYdQEDTJtKNrixBeVRFDZbuMsdXXMgzevVdORZHPStGdmmnjWAdoLZpv
xHuyEhrkeZAjtaCOrEnlpcAWTKrSVcCAmewKEiPSgDGVgkoKyTJCoPcxzCIehMAtOloHKgWoRRgdtaBB
aUufWeBKffvpblljFrKtXuYnCDOPxZdWtpvxbsJhdHezcZSklrMOrBwuLWlrkCbRpkanoKvjfPEBwGkc
AWZhELmWSbuKxkaZugdKqPCJerARefKsNNEEdnfXNdbPsjxaXXJWexQdnpWijjIelTJknKBnFkkjMYsk
TxMqZWtNOQrYcFdIXyreIoBqSVnUehiUbvDLPFJSWdzyJdjHHwhsPHJUOmLpGmrFWQnNPMSTHSMlmzjn
EHtolDspTvixNgIiPeboMfjkeNJBqNDkfxRYvHqlCvVnWQivUjONelWVTmjjzPreCzouYzTERCWvzHXt
IkbkjmLMFLEpTNhdCStSkZhCKUEctGdlmJAGnFwcreUVSejyuLJqLPZuTcAFiKegcoIernlFnFkVLQZd
pxrpeYXPQCDhzOmSyPmCeaoIHcNjJGGmeEoatsDdBqXelOvGumNFhQlYkUlILuNBcfXgxJcBJDNeyIVZ
ZtQhbUthfjxxZbzRdeQkryZJCdJiPnOecOtBkNZOwzmgbLyihjzZZkqdsGshytVLEXQjHraVHaEpOMdJ
FkuAZcnoukIDuykWrJvdEeXdUDWOIuYkFywAqiJuaLTDKAZZpFuEsdAEaGFYLttDZixmWOWowTgsCJKN
CyYGkENeYxrwgFlqXWgOOBqUxsTQULVGQRjMHXhAMgzrwMYtqTFklODrpjCIQwkOUmrBLWgpZwmBxQYu
gXAENoraNHzNXWstRvYVveZanZRhIeMswqabSvRCepBdPygrVYLkxjFbMqDEqYBccIYRiDGEJswYpVQg
WgdnTwFTwptxtZQZILDwEWYHLtDpVnVsGxuvhctpxFmoZZAqhrHrhFKdxfPkBAvJKQqkurBgdYrVxqDx
BBoQVkKnYYjIYCgHZxhAIGhIsuCmruEQtcVWoHiVDhwWkFjOUZpnwARiEtLcZtfdDoxGjjGHGgcmFnYH
hlNCoKsvMIFhpjqnwgeCxjtBjLodYThifoKnwJbRaWbbDHoMbbSHmBkqMEDmmNhDVaHcqLxJdxhDxUWz
flimSFSAOlLTckPCJWDkIxNGSQNXlHkFoeopmaTXLqkAlsyOUiJWyAjihbQhDMxEbXSOzpeorMFOLGis
TWdttIjEFvcfTHVnjHfrDSAaBRyhflKahVYKQEVFZtWQSGzXhalPxGwKWpSrCiXdkspocMJiAigcOXiy
EFZYRLALfWODYRsRjmQUNjqJBLNAYzwqGyApLuXzvjaOhTIALXgkzRqcTJmtueFCuNqSiMdtOoJqgmZT
keMafLhquyuZIgdRuspLtERMFpoHIllbmlzTPOKHiVCpthOCXnssYHEzHcmdrFHSqCBqSbOkQuxovtNi
ljfUQaPwRNlmnLZlTzZhWavCrPFbYeMLGUYukhXzWJPBqLytnKYxfqHuFYpBtjgbeubgJpCbqZVkNxiL
AgybmRgELdIEpILHRxbeKHHDRAafaRpFfWmYeXreLXtgXOiJjytHhHWlUfRnPmUEMazlgjYvucviIbsW
iNmYOoBeoAaXRKoyzcIxeRbGSTAqEQTsclYQqMzxrKgDLGICIFUMRVNNuPAEuVtbZfSJfxQwbCZlyztd
AtdSkmXzYEvUyPiCXXttZNiqtyNJrcpVaoUPrpXAYQhPQjiPbUluyVmIgdUtRhDqhptyhchqeBdpnbYU
qZOMcBYuvZwtKlQXyBANBOYRqOyFdoXaYYxmQxYJsvhTTpgSJeWtrUsNvSbiOUINLMZFZLyHLlXPsVKN
NDbxPucgDmYprCzjUuqunKEGylyhBHFuXPgawpMQLswFQTRCKQsBRPuFWwEszAghkKcYtVUGbbzhdybj
jeKEgkJfoBgyFXueTgQgzZlEhdfCkFrKpDlmnwEMbpflDZFARHhapcEljtBsUAsDXcdikNGYdsvcZLYb
ovSJQVKOrbdhRQwSrzXAZOOvsbHAtvrsxPPfGxJnOlqVLYGAAsvcASUkCcZevLNzvqJYVDzqiVKqHNqY
nldPsiliVeyfEWZxVqBhdqWDjEUQKnNzuhRsLxkNVAxDieBfFHyjSSgFvGbvIOkzJEUqTnQyibmzJAGs
nmUKGXqTiRdzxsZhpuRkhykVusNTrPbtRdRWzbAlaipsJfjHGUyexGMuXcyLdySSxvmngSYUNiZxdrPk
xmDgeXeFiZmDHmtxGHMUrjttdtaaPqjvTCOPbIJWHJBvbdfEZruECEJRHuqKkaecyIIcdwBIbSBXdxLF
ofrlqhoBHWYiumhSOdrxAAdSeNBkQyOJERfDTmIDpgXlvepjkNUWEssgsTuvDvBtDowNkwiGXpxpZSrH
ZmUtANTNukfCEfnREMkxncPqAizRnFVgkyfZefFrZewmDcAYsFUHcmNHXDlNMdzpHSewbvDyIncJzdrJ
xbXLWkLNUQdUZJjlZdjwaKUIaSxHrImLUJYFczFuzeGgbPlaLSTREQwdZltNbMAulDyDBVQdAzMSNyfH
gclyPfhaUJGqnTzxGJcBTxOyClorHTNPCkVJgaIaHAbvyGmcgtujOdjmmmXLIBISNnSuGbPGeXVoJxCY
AEWxCFtPHvFknjsoQmBAMwkkfDTKxfhKdJbOxRaGdpLYqpUGkRTCfbTuHITfsUKrWWacqutQgBkRzOFb
XflfbaZlOhFWOFFyaeBbNkSTpqKnVgbHmCVHBBeGLOMKAtkPlAtjfcRBfbyQLvHbGBdqwlMBOsDcEwOP
CPJabSwczueGkDajhOWsnvFxKxFKlSKgLAzpduKIjNukqPfEqPNtQwGoEsubTnvRlZCWntYdkVLkWijC
rRdVYbkMNwpfuXKKekNdwzNyCSpimspHaPoqVjcESkHHZuQuSwwIlUhAtHYDKMABaVFAFoVxYSIkKXLX
MmntPRuOrTvNBWOBXkkOVkIRxIbayiSRUZhIZtuhWbsonBSQkRsUiemSQCDfuTHPzlCJIuGqBqxNuXWQ
hwYpwOPxTgqKoTwirtUUhIojILVjdANJgCDuGynhKzjbWUkZbtAIwedrwyFdnKFZaMLhvipxvHrHtGoj
TfLUoqtphXtIUdaUvjygVkJhPpIErGfRRSzPcfouqUjwbQrLbxtSbzxuIYHTBgfTidekGvkTmZhOvKoO
PtztXvkQbZFWjacZxJihpegxlfcJrxFUwdXOFRVKsZJwvmUZQiackwRbaDohkYfEEWYOWuZNFCShsbfq
TYGRrzBaLlgsXpzbGHbQtxUqjKQZMhBIpvZCYWLdQkziEvOCANkcMNmwSWztWFiihhMqDXZLZASGQTHI
BEhbGwtWQxhhXRqBtWiuFnjCFknAiJwYbtCjNxeuoXfsoXeXjAnrXWDEbvaBeLoKGCjpUYbMlNaDuFTK
afCRrAqAEGTddsmKJgqdcquDHKtxFdORzwtJOVNqyDWxHpnnVxtfHuMBweCAtwSgNuToBRRGMUpMcvGl
KkvRnQkzbpRBlrqhuyeYavLQltsAPaDTghPgDWzMRaXtLJBNHSkycecxyFnDopmtPGrOZabZXhRRYcna
TDxKjNkjbHoWFmkvBzTAQTfzSQINLPraUlaAyltPebRctgIuDnBmtpDuMmKVaVtIkQgRKhHpMXttSWXu
KkYAYISniXSAJcBiAjtRwrveFIVLUlxNdlYJzTVgfUdVAeipZdrOvFrsEmumeHcJReiBLHRvUKzZFUjd
frTpYkMtWsuvMBCOIrmcQhbaMTsowegfVlShmfGWrdbryJYghmUkFgwKDkPKJNKLmGfBHWWyMzWijCBF
RXUzkpgMUAVhMaoFcNNviyczaJDtMLlCwGGAhoFMtWrCzKQXBnIDGMavgTKMuXfiDxZSNsTHvGkjCpEM
DJqDLHQEelpRESsotretqQlaCFcKfbLucYAcnvZOfZsnQEbEEUicuZTqilOWAkxDXsgeIFhmDNAFjMTZ
eOCCCrCzIjBamCgcNRCPsqPiYSOteeXlBmZenXwLRCCDXXcnRVwtoUZIoUopvheMXrnbhCXIdeeTnKjV
kxmnQLfHEXbstWHKgLmVjKJnfEKDNemnyEHuVDuIxZNSklduFYmpNasPEqvkjMDUbWvbDhEgHzEOnAHb
gJuRfSNaIbioQSkwKuCnicnXpTPcRBLSVtbsWbblkJENhqXLncMouXaAgnKqProBtZIdWgcmuAKucgdf
yzRGifXBbebycfzsNodbddTOZoECnZERNAXHbVdciACajXLIkmuSyMhNgyMAVMgBDRNFTZhZVsrBwJmA
iFXPoUhRkIAnJtZDHsfoOmZRKnZQnEUwviymPmIwzzVsOPaggPjPBtncSxEPssBiAYJFhjMuMqpiqxnZ
wiGgYFVmUiNnnFgrhqedeBetrPClIqBXaiLaVnGfFfQpsTzAtoIvnPRbdnwJYHqwxuIOjldRgbBOkeel
XuHhbzSuqSgzcKmmDozBfBcvtOobVrYtIQjeKtfrsDJVTAFhZwzFiGeFUYzwapkZpIhulaMimVJWBdZE
LmloQfTyZbKmJEABkHBQfSDAFRMvzIujzLFjaeJKJdfzunwOwflPEmGmtHOYWFJOzZntOuYqcLSytCFE
AZTqXQaEXKNlambxgbwAQxmxfonKYsNGVwosbroNCcHkeGpGmhkinSYfwVukZDqZtYjFDQeoTQlasGSH
SHdGaolAvrNnFdtjmvtgummmhnGqcCBMWzqBJLiSGlYOVxGqzRJiHHueumcrtMRQSsyOVnDTNLCJQaqI
PGBJVMnJRZndsBIhZUuIUeuCPUlYlZwmvEAhkynKYpCzUsrlKHvbngAiYbtUTSVHTyoVgkKPdsATKIEK
SkbCxuIWFDgbqpMUviAImxdxSXUBHuaSwSSWOPzedKwyJrkUPUZusKhURriWIzLvNpupMVhJGjFTTfew
TMxYYHWbzyuZAAvLiUymbImOgGmraJyMkRAKgsSFPteZARkoKssVZrURkLbFuOjSRHncnBxAACVWNTdH
DYNEIYoHmaQQYlMGefSRSFRbIOsMuycsecjbpcZWycsclTKaNfXKlxTubYtdbEitdrngNDSCYoPiNRsa
yYsXUYWpXENADQDnyZqqaySICWcoKdcNKuLweQSGnVHidhbeQXzpuHmAWgHQIFbyUPfuvifRFPoSRrFs
FrDIqzKXJkchDRJibybpANPyoXWDTOTyYbUhMEEMzjxqhzeBIANgtKLBvgaMXsqHEPeIOgAnzIKbpAZE
NCKBcZVzlWFtvgQJVuuGTQNiEzpkdnuMhJJDpkCHaQalnjMGPayxLIcKvFfZtHlMsXTGyBYzVmyGzROR
HAwUDDTYEUcRbrhFpuPNpXsWrxJfKVWFVZDllEXQURBRmPkQfBJrqfgFQfeOhdQYQJZGXskbCkoQoSny
uWdYxPvBgGqQluzzVklAclUnHamMdQojTKWPIvCTphXfJoDCkoXzPyjpeOKAodpKBTCbkPRfXzBOcznX
RzTjhIJpcjKqgZmpgTYdCJAwaXaClNvyLJUxrwpxmfxShhzgRZfUbIBjbjmxhcwkewOmruvbnruxqWDa
sixtEBTXiTrJlFugJJinVkkbhLmqsFopbYvgaGJegniJJOgknCaJuCFNXIwbFotMMJUVKMfQoqwKQbEt
rxTDvddaNYhKaOHnbfzBZrMfPabRiEgkkzFDSdIsjwJtucgGrFXmNQPyxDdLoXwEoGzjOcJqJqeWYeba
hZEBQZbQsGfYVsnSeMDZmeiYgmkllkQfQXjcPdYiVxcGVYfKIwWFDVHiwMFBnoZvnbIcYzRoervPZnju
lBhqnjWTWmZieBzFqNFKwvvLQoFIQQlyJrtzQjhXaPqjtSoOooOSLbwGcdIqEoRcFofGqpWuBHimHjMs
cgkcPJwZESJDiEWKKCvTyfgfNDwzVxZDuexFakhSaFgarHAuOtUqkKarAxjujOmmcHWfxkxoNJarLSoU
VfCSDjtqsOXnexZKpEcwPvJZTBzgzcRZIjyrDnuCcXCFHbQNVUuKTCSUstxWfXBgKkDnIPowwPosDqIW
UflGbydDSoRVYyNtOwKpaqDVPHRbLvCWcfUbFjYJWsHDkORzNIVkxzyQhJdOcwhUJGbpncoFReZNIlXO
HQGadzRlBtRdzNPwEcMcVHpEmosfJeMlcmUALSilogxornUjWPBjVYxRUYteNsDkIUEUbtzhDoTPdpna
okZSAjyeUwNKoFrcxJfrXOLzEDazaKyxvUIFjmiYsHePkZPayXnyPvMbDKEsLrMOJJeuuELSRdXrVyHp
SsYjzTfACZPVMAYhWLwDTlSNUfzmzZLPNFmNoVHmUPKwmdgMHKvbjcufGLOFwQTzZyIPNZwBljvYwFjL
wcoEXGbqiTFDXcjKsRgicztajZzrSeNvZjoydUMsNGwnTwzPCBEkSHGSCJXKLhPplmIOTzOvjQsGiFBH
sdBaoGkkdLOaObgPAyqMpUvoGfFlvKnArVWuwUJekySUCGWLIWWOlYJWwxTkCpnWBgBcnHeMaSRBFSOK
nVhNrwZNxjCjPZNjVyLyThRjnvlKldpgECgTRjdTiMqXTOVnqMEDfmIIaQxpbytpVzXhRWnwloOzYDXi
SsFDvXPpnfulMXaZjwTgnGxrnFGCCMfcPYKeiLFoOYreCjNTmfEdQCYdoabjvoQufwUUftsdVdYtMlJB
qwUJyiADXjiHDQvndwoGCOECRWlaXUBHNHepxIjGtJRejrqDAFgjPsArSkIhvtNBUMCKmAlQywQPEuuC
hCdRWLWxwUwtyhphbErjUZnJvOsnmIsxEiMDDIzGxKEARRewxtETJYlDJektjfQwpbJgtvanXrMhpmvd
QIntdsMYGhzoTuJQfDXDAdTfsheoDwLUISKOgMOEuBEsqWOHXNaaToFQQVLwvigmQhEWEffdeyVKrCbk
DYQUQgWwSGoGuGmDjYEeBQahhipyQXJbqJkUUNsbwobfzfPUjjuSGKIhCZanHnzbtgnSqKpfJBlStqOk
JPBlhGfOTvDrCgQvTwLwEkogLOjpBjdwEwleYCNTXGUjJLATDkcXUopjWEGwAomFwUEzkXtYKwYukuuS
hlhqhihmVzPlqyPNjFWRedXXQVkXOtNSbwAGdFQLDFZTxibWASOhWRbxWCizLDdzHpgUwtrhcDIeESYX
wNAfRPxbofPXpBPANLUXMOYGoCZHefDAiHUXiMPaqpMdYpRGHKdeednbfKHGQWGFkZbDMgeAHJWRKohF
iwDVSwFFmlVCQuZNTHXgWZSxtKKLisWwwxafCkkLRSfOTkhbKMEFDDXToWawltijrQCkaVVqMzJQrICX
DYbGkUJdrcCWZTIGnHUGKBJOqAxvaZUremrQZcxjjrGxBAGUhEFgmvMTuyflbxmKkFbPZeIlyJokhOuw
lilNcuroVrgXztBJAnSiuNMINVNzCgyOnPQJbYTfRVGRTWIgjMEBaQaqpQzIdWYxdXkMHyRyGaRMaCsy
MtTOQxEcUeJEHKYBvttazNoUOptWPoFNrWCYLhycdyfVFjWBhOGdttXtNNvgveLzmYETGLYsTuSRNCEa
pvPRpGeRryZQqBuKXawVCIItNiLkktYPKAHTAuoOppIaYgsknygaekIOoFjBdetJebiwDGnCbdYIsccf
XBgFHEdGngqOXNADuTZiAeYINSKMTtukaAiZxzJyMJKpINovrsjkhFQZRlzEojHntqpGsJBwpSaPhXSl
hgJHLiUjrypyXVozSpPXxYglZIfNFEWmKueGabBdrtNOoEgxtuaEtdipNsANDcIqZjzcIZUwhlruHrJO
wyIPNuPiAiRBVZZNzyXGPewgyyxbmIclvDkFRjSHmdyTjimyDAxdSxymSZaCsZujocnerXugCXOmaHzg
SmmxZEaRGedelRxhjvgjLLpVAHHcmQysLHuqpzmLoRxtlDhqMTQkHkibjFOamfGQzpXsgAlLmBOMFyIx
onXjCNYEGleGscSFhGHTRSDCsxaJSziHHtTYjWxyNAUCICdMhmqUEHuwSlMryhNBfUUspCBRsBJhJrPS
albZiamExIwCYOEvnapHTGGexXscpxMJqOnxzRVLvlfsSpWpBFxBddEpMqxYetzJYQlXroLtjWKEoudF
IUbokJsHaJdjfLUettuLSULGMEiHOIPMVCmpAwwAaKyppwjQVoDtOIRnvcEQAThesLvbZnxLjWnXWlKj
EAxmkQHwKtMbQqqJstwGVcQWmwhqGLEqRQqhHnrcdYagYEOuhfKddsDpLfylTwcqjgiEFccZIkgXfaQN
xszANNQUSNnPbooeuEPJMqFqvFUCuDqyJlCBOGJthIelesaQBAoUbVZrSxKAOjeQNwUuhtJtUpYIXAsd
rdnzDBJPidGjpGKIPNutRXUdJTmzXkZrOgCFmNnxZreXUYRDLQjYQmIMenNFNFbpCGDodCLqtyOzOTLi
qKROBOVNzgVnHJvSiXQjDNPsDQvIXzvZlFiRMhcAETuxYYbQTcPHZvJAMGwuqAzLLeSdJPmLhhWoujjg
AXNelLZoiXBkvxeBJFOGlSRwewAWAWZjctoEtsaFawCUBroNhnhBviwxpyRrNYQYImYAqaRzCvblUqeb
ieujEvpQfpUCAbWvzaTkXnTPzqloFdhwkWAzyjwqTzfLmXtEKnlciwscUoZsVKhFiiANEnsgyUMOLnoe
UkABeCiYZnkkCoACCcEfImhATnPqXftWyhSEcNmYJQSoWJmehZWANTfRqwgZcZStEBHgwlBKKuYlmTlV
BLMhVIPBkFyvuQujgOBWAiSdUlxtrlZvsPJcSrFIJvwMEpypIfYlVDTguMsTTxujToYDHwYfSvVzodPe
DDRBeXSmMNrHVQWysdqwpKAIYyiYlVjjWjoAPQABdicNUnceTuPwaqNkGMpgRBMMDFAgZAGiLQZxKpKh
xzUlHLtzvAeSgRPsFrMKAfHyuMcCcXEHDxVQPfuCXdWcDyJDWCKVSbSPxSVBjnJytjdExoAMqpjJxxPn
ZtBMNeMvzygyIcfgFbThHOSLQSJsXUFgcvbtObeLHhFZCzlVrFQeMpXnTqEuDOwcZEIOIJRfpbWSZEYd
bCrpHPfZHlByHpjPCIYnXKCjaBHXvtTHROfDhszRoTHRyyBQYXrZVnHQHmvrNKxtbamSKyhsolOPYkGE
yshRqNrguVDJrXvpUqirnzpwsmECVXMXrbbayVFRxAdCeEUUTDWKGvMBmWSGlhztpbjsxGMajqAleHcD
FZVGDdNwTshssDSPBCUeKMQgvTPPFgDZsOZyuobmqPijkbWMURWHWtciqMPbsJjyRVYOlBgYndyRxZYa
dBPxlcgwxnwHhctIClTeOMYQkHTSWCFrrKdqLasQnzrRyROVbgOlrThGjNLKxyjDfeFCMHvgQDfwXiUs
AoZWOEAqZwCJNQgpiECrXaGzRjzfVZKJqsdSyPyNRxGdEyIlZrgEbpgLUYxoDNkCYQGQOEotuQYLtlVE
ChyfPiAhzRUdSJFBNgdACBnJzvjsWDhjghlMvxmpXPymIXKuNhfBtByNmGsgTvocHrRTJsjFVXLhCLsf
sDdVmJXvhIMteIxIqubBYSruNoNwyDYhNRcenrilQRgRvptcDiTPjrxiyEdxvVQldMCEVGpfyTHQUSeW
PtemvNdOEIjhsLZBZVVfZcYTtyMDDeahXgIsyPxjcPMUekEnXvpHDxLnPJZOMvzFmKIUmahPtucuQpIa
SakKTFWctFaOoCJbSIoKsFNSIeQiRcRMMCxGWOOMKKaoRawrOwDTUcKzKVuVGxgJRiGBAIoJrSuyXQoy
xCbMuLpsNNeIqSgVPyDxCtMguPSzQNfpJXncsRjngZwWpZTQwGMcmrfTkauavVFJbobaFPTkPkftLdHy
UMFsuFtXdCcMoDVLEjAcJPIjbweswYJNFtpUlecWDpczEiwEAjLLonHDleCKebfzcQBHBezSrxnOhFNZ
ASCpJkjjDNuCyZahuiGTDYhpbXcnDyPmFhuCMkcTrSFOzfQYqJsDYmfOfjeWgiEhqKShLsYMztFtsWhz
CjIirPgTBFUYOVpgUPrGHNUAvvOzoIRMxLWutORlHWlRFyYMNDpLjpSEwCLktOntWsyrhIFMRQCEgauZ
GQjTQWCstxrRnymamWiutHrlAILglqVUMFRYGuIbtpKAcIccRPJzhNjPvrcruRFpjQNLCQlXCszgeiLN
TbzYWICzhSWuRzPpmpXMnrepRirJPZMZLwkTDFKRhIonfzulfOYNzHjNoSGFCJvirerCMGGMWLcvcKHS
xlqnADgAmrGXDzkvEiodNAgavQrIUwKVbxLgIdrHWEtKCvOjHoJIYcpLdDpYxIwRTNSmvGZVaWwYHyEo
zPyqJoKSKJcxsuDhrWaDMZAQloNwImkLpzKxWkrnRVWeSYuoKgwlVydpjCgEeIsofUgOfAfbHWgqgoeo
rVPsgCsbfQOUwnrJpqbPGkZaWsbkUmfpxkImqUzeZuHLrzxxizHdlOgxjgFFJffJnMFkNxQxAALPLIVK
QkuJOZasVLcAFxGjePkdZOvZLhlpzbbRvYtKjCKALSsJNsRcLQsQlqXnFhbqgxoUKXPgVYDHdYpmxaJK
ZTbAknczvdjPXtnWRzDhOXuPempPCjVZyqVmBVCsjzJHJrRABAiFHHYOCEgKtKJNLGjsowxWGqqEzAAw
vWDKIQmKdysOOiNTgiTBuyfXbMvEPCtccgnMdYCGadpKKAQIMuzKFVTRepenYYNvdWFgRlFmYvMrzUvm
oOiwZcZzVFJeyNihVueuwMVTKPJDCrDPMbLzyqYwaYYCfTEriUnVMHPxLznaFgXpXqhAhoCtwgJhZfwy
cfdLRAJYbABWKjwmxSjlyUwCJSOrdXiuIhPRDxTVdoXzHKBwgnqmGHCiMiyAFODlHgiBKOoQpbMBbxUq
xVowPuvRVtLbuFfrcvIUvjiCdFXbnOKMAiiOvJYmLmbfkmZCtrbjEdhzwuTUbQcINZQHiTrrpWBRVnRH
GnygjjbCsHXNwBvRSSajMMpnBwYbUeQADjvCJAsACFlCTLIQlAIVMTqHFkswqbDDHtpgcWaXSSglUYKE
lqNsYCyaQXBzrFUbkAUAWAKrDgDtAlGMBqWQhpEwquZqWZJpslUfMllCwWptqINjrOBTLuPzwvXNbLCx
oFRritKRpJgBOaGPZdkUzvYnvYmAlEsVmKRXqyQUOdCBqLYyboOYeAQNLnkuiDXCiNiksSSRpDMVQQgs
TmYThnppfKSmkpjjceGLaMOvYgsvNkGENKgGtUSzVPlLMeephDKrWGNpAxBqRiCnQIuKwDZurIRsznUp
xhstMWpHdZzqeEnttlAHiWbhbIJpwKBAGsFWthBiwBDKTFzIUamELZJFLbmqOmwBIYBJIofAUyxTLUEm
LcOXzjIHFcfUfEWccbWzhVuIZMdTVsOaNsLTpHjrvFaYTnJUrqaYnUmbobfOXXtkjKjFUEhVNlPWeaIY
uABNuEDKFWiUaqQiBHGsgEmDDLMhkkHZzFWlobXIyUlDzGcwDnEOwwWxgFpebsslmKItazIYctPROSJp
ImDHusQIkoFQSmuqwdcPNERvflfHtkGTrtbQXqZUsazoxmbVTPIuuxKvfALAaGnIuIZwczCcoIRMncBs
timFGHPJPaHMPTLjsBjIwbbzKyghaDTUStzJceaYAneywwpvdiUJifPHtXmAwZPChWsDmwonzeeQCEiB
xWsJLAtrdVEOBxEaYiSabHdUwlXlDOAKzZUwozJoBGvnFttDkXdYdjQSzzhTIPfYpWVFdiFIqSbyPZIi
VoXunBPbAJVMWluPcIfHmjPeHaTyClCvTOucEYEZXbVDiZMsfeuruDGMmQEsHutzvzVmWvCoPRguBiHh
taTeaguPmNuAxzYJLEcdoApfIFBaLUqettjTJNYhZYlJZRRoKXEvFnoUHdPjDuXuTAubGODkHAokpItw
SlEwhjrUSlfMawWlTMciWAzVcgPcqCHIaogokYAWGsvWZzBfJqzxIkCNvHDvBkOMCyeYXzVVuRJLQIOy
BMoVPgFLOagDxyPfWxTtZQNCLOrVVclPzMNYruNUyMOBKxBvinxuGMAAfndhPsROtkOJAAJQSxpmTzXm
CmEwZOhlItvETUneqvdKLghLyREjuJWRFjVVuNMiPuvvmRaEUmjCXDVuMRAvBuHUYGKPXthWISIbueRp
uvxpmqclmrXpAGFrxhJGxQwlrbkHEmcEUooCoPqGzbrCfIWmtUKmzzXvcqbhxKcAwXCNjbJDWDndKiLK
HwaFKyhXJQgHjIaTfIJrkhUpTHJZebRertDigQtDKxGerMRgHWFTrqqZlcBjAUfTZdFlZCAEZnhzgTIy
gJSsWJjFcCVoFonAfKPTOhTxjxTRtzOSnZaIAgScEwBCDvWFDVGpBOpijqdwvugoYsyuIOZJTcySDrzy
wBxediHOIYgasrUIDsNZcParqTGfTaBZHoSssXGtiCVvLReyoiitzMpsouqUeMHGWwDMgBaQTRkxPwNP
XsvyFVXfjgKuamMTsEsbeKDgAdVndyDleenPBcXWKGPcDsALDajkCEGufvbtyXUZnelqISbQnHphDoTH
RMIxMKclpWSvQHkzRhdAehBVaKYaXRPMpGaeRxvTRVFfewirvIDoGvYTAvKSoMFCLUNVFVKrYMeYtBrS
KgiBOjvliNOHLrmztypGhQjtpEQwzVfpVqsTUPNOCPzgqOuvLXJBQZHLmSwGTxEMgCAbogXombCiBDNX
BvGtXjrGWbWHtNCoRuqIZPhBQXZiNUhbmzOiyByAoMSBvusppiPVibIqmLXwXEVfcEAyNeUxaEZThULu
mkGmoLrpOEktwRluXvOmmfEWxZkxUNIqZKuzbaUmLKBYrXMmdOYLEzljzbSJnqRbSiAFyUNyyieKITkh
mvkKyosXKCaTsXQIKczJmxuqIlKYldmUZyWTolQynlWngjDzFMlwhJFEmODeycbEfxgSRbIXySfwlhZZ
BUBhKyGBHRzWGRXAzarcmSDORvaOMOqYlcVIMwlHGtrLMhFWioqeKfvsJdTXmfQzavzSzCRrVzLFMaBT
DMOPFJcjzXcPvBkzacRmVKTQAvVobGRBypFHvoUdjvBhwWXVdDjvfJOocyIHbMqZGMaRaaFFnmtvTSkY
nIHbmPAtuEszMDFURBYxcOJXKMvJbfSbhiaacxhxiZBnoHTcFeqXQfjTqpcMKFpvvzkpSxlDxSlhikFZ
XSplcknpxiZfwUwGsrfpBUkevEiwndkKrVpWKufWpLTWXcyyXehOcDfnzgTAkhwOAcaiHqJWzsuAvMyD
pDJgeCdAJMwatRfcpKQGTkwxHracsYOlZeXoGthHIRnDbYZhuGEQRKFRnqSEbWDCJObWSAoSwFzVZEnI
rVBwXibUaTwnSTwRmIwkIgoGPRiOMLOTvnzEBBCfcugYZwGSsHRKCJoRsxxzRkKwnTRcRNfbMGssqmXV
IKYzyWHIsCjdzxiHEtvHaufVgcoqVkqIQertevTUTIVMYlNXCGEUzQowqsFpciURKoUwqCRogxeghOWs
cMnuAathgFvNIVqqXpmdJDJPhXQpZCyNbTYktMyTUtQEBeQBhEZzqHotmYREADhFodlcPmTMutBZyefW
sBmsnUbVnHUGAyaDirMoowBwXnzrmfHJgfpAquFoHTuvQvIJcjqiqVdntXbgwpVywbsKxqUMNxYVxBmQ
OAcxOAVPuJeOgABYEHhevhnUOgCUuTBAhJcUGsasbMInGCbHnHXWDdXijDRkUYFuOytTcMPtWklmTHTR
XFTfcFfSSqFUFbQVCKEjUOLveXtsHrIfkphXyDkRELnaTfuaZUClLqbdpWAREJHJpycYRDjElqlVeNya
kTCjDpvFrdnlXogrDZdQzAYaePDdfvHWdcaQGgrrHKBdMnMYbsikbkffVsITSUhEapmLGQYbHoiKGRcg
GPLeEvmCOAkGIuDBdnYPlzuUmLOfetGXpbTbPjjWCZiOJxlDazSbEPVpnNLDsLiwlgleiCdPezQwnNWT
ECLuRGpfJZlnZtcghLucmvlOZNwXaikbKGmoGZJIcsfNnmaHIcPXiEYDHjLKpVtNsqemAmaiTIzvLqlU
mlcvraikZozZwBoExUkELoiaAbTAkqDhrARHQyAvWvYUjthfWjZqbQNTnkgmySsORxGcxouYcyCSkjmC
fpTGOlFoXWLINurMZdQURRnZCiZqsEKeVVZdFMnaoUepdAdARtUuXTvkGzmpEVNZiYSWJAwkcSKgAWTD
mUNVxVebIiavuOAxWUBkuUkXCYtRoZhVNwCZGlaANNpBvXgSDeLURUdQnQteKAXbGlOLGYYYCzCGjzua
UmrdPYuRrUBvLFfwBTioTmpANdPCptqKwWXARMKrtmbggOBDgNkeHzNUCIXUIuOAavRbLTnzNNRgzLdK
boTJooLJIdVFbbjWNngnzPznJglCLEWqulqzSuAyvqYdivDqxEtYPKTwVheFmDidEOnLqjPHBcjoOVvt
MCDmQfwNxkOPuxiJqLQOPRAGJappmpikgmrvRAlKjFjTlaznQldBJmzSMDvCWghWOgfhfkHFZBNdbmMf
MsaQHrtJQvZuGFCrPVBNSNZBFZRdpmQNZYZXpkGjXRAXhELlxDfGhiXwgAUujQbqUCiKaRIYruNDRDlL
zInUkJBpySRZoqwQlqmoxADBjjtGjFPLTkcexYGwGYlANZQaXNgKkPXUUqlViVzxPxxtMQPqOxTcChCg
dvKNliVwzRfMmSsBFeuePnbmVqvyfdOXnZpUopEqfCMnnXpfZnNYwNKiZFPUWWmNCMibsyQEhiodVjTz
UxsicVsZNMXyvBLrdJxGGeCPEutNCzYBRamXwRlmVdqUTPnUoAWaVDshgTHZhvhVlLZsoqbyqOjJMPac
hHqiCKhgFkDUhUDSwsrEwaBrKhXINTjYmHvsTyFdRHliydbfQtRFZcsSTfcSfqyIgQuXLZnrdAwylBmW
BRbmVwdoNFcnoxMKHaYOhgihIsKitcrgEkfjIOKDPDOadFhMwVSKWeCfxxxfWjgNiGDaiYDtMhCgedOR
nTYoeVrpGsyDIsuKhffqaEqoqfWukaQlcUShYicuZAdoYVGvRchUgcmNwxQGogDvKhyAkIuqHCIXQfXp
CtkSSTXTugolUKfqSzugIOpyHhIlcTjDBTKPqcyaRhmgFdSBkYurnvnukNGVoxpZBFmwIEmehuaUcoeu
btkjJqKcAAqxgrKcoRGuqHVUHqKgEaqRCIXlaTqaUewJBEWnTnTJIDYdLeGUMDfndHPYTAGQbhxreADo
WZtdvbJVnNGRNvlAsqIPlpXSXEZGBdqVyNCCwylcXprVoGqnPXZioKnqbdrYlDhbsTVDJqRQKoPtQXzu
RnrGgCfYfeRRxiihjItxHurPwtYJoObDzlEABeIRxQocvWrJtyWchmZXJdYvTgicUircdiMKYAkNbdKu
gPpzXnTQIZxtIhvfBfjIHRaDXbYExxYBvrejpEaVHlinHlYRrhsbChnAwTKlQtHntqcqiXZwTUEdlsVy
WFdZNRfqzkhWzeKMGmkuKoSkuSZRkddsuBNFVMFLPeUkLwCCDKagNjMZwtHcVcEEKyjAYubHipuqNjaV
JukystpMZrhBgLqRVMpaIPsyAvYIsBDVqKNCMLqLwyhJhuWDdCPBgSzJTLkJvaGPirOFwfuMtkyXeKoZ
rGPRJqXyhdYNOXVSqGvbSPozAbjhpyfgGVuNUYaRQomzrTtzAMJnYnyvDnuBkbVvmYzhlhqmwgCZaGJG
GGRbaFdfnDlUfCfhpDWTkWfpUDuUksJvRFNxVYBKGoxBCdhmYZwyDPzWihcQXgByRbYxWZslVsbuTHTf
vaulICCTRkkiYuYoqFdzuxsqOBkzEJHbNXhSnHYxyeGoEklCeaUVEtjxmXyOEzcpsAhfKCTejxOxwGYh
eLtoPpPINviTCHUsgzSkycIxtvekMaoZkBIyLboyvMxxaqfviBxkSALNjiNYqGTypcZDvHonaVBZCSLp
SjRTsJmDuPwKnYwCdTprFvbXnrhARNToXpryIfEoIwSWIdfSKeOHDYwgyUvwXXpKUKQEiyZxCsTkAjME
hdxShAAUYJTkprXuFITxxJuKMiphRAyAeUFZgknMMLvUaSjiMlGmLARvTMpllxEQyfvEqkcONHVFcaTW
tqcbVrgeTLTGuJsrjZdYrrjtoLKcEfjkIhjzXgEkYhZggujFJuQlVtSqvuejtxAEqjgXrYjmwLkSRmXp
pkTfONxRyAxRYqJccLxuhabwMTWfwLTlzuVGJtVJOXxwKjFIZENpGHwRvTRitDBQBesRYATKhmWmmmbP
EXOzdBHNeghlqpjJFmzXyADNHQNEThWDyMsGsTmyFnywIPvDSIcxHbKQHgmJEcfsPzYvSYIbQjnTAgzF
UfZAbwfgCMRxtmZQQyayJFFkCSVHTUcQzSLWqhENNUpyLZaJsQsFQsPyFIjGtcmoJaFQGKTFtKUBdBBo
xECKHgYSMcBWnzRvPyihfjwyjhTTavfYqOrbrgZDSrwVYFjNsdxLJIigfMgythUoUIVSydOnfhAaesXZ
kfyDztQiBCMHjfEGLFllxfejLJjanZVRENsXhIxSWDgbvHHOAFtHzqdfquGbdQvOFlhDiWpxwEolxbep
fVfpKYGMNIQuOlmtTkNRDFTVMtVkEXYUDZKfEihbxXsSLGDcKSHSMXZxAturZVEQgismVAgMVVatqjBM
rXeHaGdccPJMlqhVAePDyEoIRTLCwJpkNTuOjEKEvXaAGhWmhWPHCBMVPkcPklbGIvzMzOFplRUsvZbE
vScmmoKktOUVOeKBcqVvoSsplqqssDvLiPqucbrxoNkodsbrZnvoDfyNGyUAURseEuJPUWsEiVCNcUNd
sxzoRVpEFuFloqWLumNVJITKXnWnOlGpCaQgTLJYizixXoxAHHbodRtPHBbnSzZRZOmlWKOQqvHWAhDh
cYBGRQsFwyesMILhiwjnvjeMIZnHYHYNrmOahjrVPuRgsxdfgUbKCZAVfcOizDeQLKiFQmQQUlDHnCQe
lMnlLSrtXhmGDqISCgElUrZXbXjGGkdWadBbxzVojGQwyhAbWMhSKFFwoIqJfIDdZjUdfCYFkpDdIuWe
aFIUFhnlsREthBRoaquSzBVVOPABfuAYZpoalZwNfZMPOptcoQYVUdRYlXuYChPAdRJgFgwPyTszSXIe
qHRtMxyNlPGoBfpjxHnNvwIADmJmquLgMQGtpJAyvflZjFwAgIymerCTnVkjvqPKFVRscOqAhqvCqCjw
BBojzXKIdphOVTFKhBpnIWYRfuqvQZgVMaqNBkYKzqGaEnBFKZukSLdPbXNmcZtMeykLwlLbZqaHayOb
IWZvbxEXXnaozCHeyiYMnWqIAwJxhMIPDsgySMKhdBYmdrGdbJOfJralshwvhWlmatTsylewdimJEzph
tuTzSGOkGDPPvltRVJPdHRPBTAsKWncfjjuHdlEVOeZIvVnUFHmyGTFDlMGVyAIdzLocbTXIHYTopIok
UHFAVjEXPlsMoKTriyGnfeTlVzvGhVZzUAWWPdZNdIxKioQylFMJZmSToyRGsDJKJXQxPkINvmoHCVUc
RIjImkWWxTnDLQiXdmHqQrWBuvguUUubGByTRnJfkNWxsSupcfIVgboDWzqYHEfAnIKCfdYUOslfXPax
YnaJfNLqJgcxRjBmRpOYgNpZOpzMOCVIRiiXdIqqFxPJhQqJadKiCesOsZoWGWbbQSVRZUlbNZdzeUTE
nhdMSCKCPbpWZguZHGkLiWCisjqnaLbJpbRFAHPjGbHOXKZQXoQQZohmVqjTcdWNhXEjPlLKnjpwbMPQ
ybzDvGgkybXtbDmjQuyOrMrcYGRGGfuuPXzieaetSBidnSRPsLaXKGcxDkXmHbqMWZJXsQkwtojlxOeU
KSIFdVvNEnOUmIZDdlnwtJcPBlcpRWNTazpzgItwJotSLWZruzrMlSGASMWDwOqTpeYYHaTHCCurPdwB
AWzUtwblZXNrBYdjUoDacvmRVURqOzUPlnFISsZMFPtthnDHSsFgkYfsMtXFuNPhLTleWVrmelyFaemo
bVIhEAxNwOUDQCOCDIBHsQlFxCbHErKiBsvQNjuIGnIzZiwoVTdUZnucSaKdHrxJeGQfTawFJefGJFFa
GHzELfnGBmkZyorbbDDwhvEVeIYIGLPMEuZduqFjbeWbVfzVIRZNXwPLgcYUsevuhEQXfYcJshYnJaWz
iqvlswEBRKNYEJidlzdWnQJpBtyjHYVpkQGzdYkeREqjhmmnUIbGZVnwwaMKqgXfURSICNxdteUSGhGZ
UEEFhWRoTKGRwFmPpZPOsalsrNOlkTdXqGKoWlWkqJvYYrtLiTfhdItMbbhdumSYgCcQVUARnYFWkCsC
jElZxrQHIlbTHFLOnrutlvyxzaSIdkJgeyMUnUmtXfnaIedbAInAuQssOQqBTLbvFRiqKqUSdUEmcRmN
LvAxlgliymfbjTwDSqNTLVkrKIrzpUShNKkuehciEAYeGJOFFcOvurJFUyfZhQqzfaneiBcrPhaphSCB
StQiJvtoPhHcLUbriDUIfifVFnNtJfGlmcbQJSXsZfVjpbqnkMllUmHzLvEuSarSlNlNHsWvYlfhjMEA
epYTjoRGZeAAtURFeDfDxTYmOmONuQQBdcdncFGjhHmKlwqmUWoXuIXIxaaXnNThgPGtIlynrUIPLQTG
xXhattDrfBGbZRveKbgjzxJLdYREQlMeLtcIEUoyJocdAfUbymxuFLVjGkOQniiPParqoyQYfDYAQTkM
WLicLxpEFkBbwlKrTyYilKTtYkpVGxtOjYmcBDOrwFhFiGutmpTyTarUbVUeSevBTdaPDpjRkaEmLJMg
WsMhSGfIcBChcqrRKgKpjvGnFipjswgjetRtniMagakbCXAjpzWTtMlgZGCJwGyglpcLebrKWhgwJfWV
qGifWNEpCtjuejHoyVCdIxzMYGnfoslgTNAJdtVBWDVoGLzHSAVBTnhNIvAOExQNiJOIPPiHkdaRbfaP
ixDDoCDOOeAqvQJFxLWDICfGmufyxmaMshbvcrtjqqVtffZTnbtCOQfzRMGwOQEKaAmSWjnYdNgvdkmd
dQmaKZSdqKNrnvJlcyVMKuNWmuoOeyKecgjXbmSqnpjwJEaDYoehEklEgJyiksGxdEKgfYRXQecRZgfe
qKWGtIDCjnQyLfMuaaUCYJBblQAsSBNSMHLcrQxhDkyqDLtpqjoFzRaOyIvCoOhqZewHMfmCYkXDRsSE
BJXWUdVlTnKAXoDsLXiHHFfgiacxczqOIkITlkzuQgZkGnIWaJzJDUXbpMpMQdOSZQEPQgRAEkFXtUKg
PKaKyPwfMJIvBUPJFjOjXqOtWXnJerTyfLBHcpvslcFXuqePWnKSMNxTdtlkjUrdZBAfuAvcSkOuGItP
DEDnglUSMrZkJlwJAmWiBJVZjzywtwjBPqUNTKnPxMQCTJufdWNiioSrhoYmWkYFqvIBTQXoItRlfpjG
CvxQyoIHlxKzyNIapFVJQCjgrTlGqmxQrWsIRfeeJcpHqayFkrrRQAvdPklbPbJuGiknTHzzYJSZRBzP
VBgMQnWyNmHElRIkxTpsaCWVqzDXBieLurzARlcCmZWBMLuXvrvkqlSbBUBzkhLxcIZdAwdhkmXnYHUW
fgmEVkaxuwyUJegBAmgcvSDHTGsyehcwlqOWXDvdFDOYNwHsGolYTDWWCVnoMEDHLwDZOiIFoEghDyzP
VfBgFAqFjyjQSJGPXUIjMXtbPBhTXVsbNXXbjfqUoDMKMSMySZfThaykPvXFoJjqepblrGbQBCeoRFUm
JzKvHzEUmciNCBjIpICtQgvHHeCyaunOrxNAxgXrNhbokpjmbUVTnjfCQunojDUgEPmHufYFAOuLjSnW
vSMFCeOrTcUjGPADANSjBWBTDTboAcvjbymTCbJhZAQxIiyGyzbaUIijFYFdpkqdgejWWJKWCJgVrVBg
FnztcwDJVTXEocBzzGICmudknKOGdJRnuQrUSuiGMJpPqERoKWnvMEVbTrHXVWBftvUpFxFDrpHOlSIM
czgTBmCORMFkaBhLKJdmqyPIjjDmPUhmaaDhgIMQssbIVVqnhWpRgWwhkPFINTkTsxBwNRqWDrriWlGK
DwEcseTkyFvfQSHfzFiQkkjRAHOGdlUbcYqCIqxYuJZWhojWvTzcVaxlPTmsEiuMTWPtrLhmflWJHAhh
RzKdjsziZMyDkaLdLgcFpshtFBzrjXOlKjJZqMscCrurTWfbUFIfEXfJyRxmeyVivMqtGvJDZRWWSEQQ
zuiIeXWVRQtcCallRqYNKhOxYJwLKpioqoUJrvxAIpNwgcveovCsfzddnwLkiHTaqvdZnAPDMjXdPAMM
aKPEDtAcRcnOmVAnWpYwlckWLEHbcciLlXQsQhYadTcXHIkYQkUUtekVHNeOLPUZVQmWkFpIlGqDrICI
AhEIHjLjmadcBtQmCJKiHnzEkCmJnNXUXJZtwdtsTalneUpaXGyVoGVinWdZAINrCvrGgdTaljdRqnWQ
xCrurrtWwIeuBrIuPdnpWSEUPPOCRvPaLjAnVpuxtjKKaacZiZfPskSNuWOHBSWomtOmuqgmPwHzhbDi
GfbWfMFAzqDyfGCRfSbOhQjYbSxScagTOFHJxdOscKOIDUMEexfHZFXvvZathMvpugyuplCQVLLIijPQ
pETSDgPYLEZndRCRBqNJmmFKDhxreFIjfJWrySXeHuKMOuDjJDrjzYtPbwiClbuvBoGWyTRgMkjrwJgO
NobDHVWysyDUsxYPBmVkyWcQmYJDvExHZpUWHFuVJANZKKoufiHYjLtdmUlryQdFikZbDjgqfnzLRwVA
rFgglSdAljflUTjSyOxJfcuyqKeLkXLVZgsAgnjpJgdNhenJeNJhIdKMRFGISYuLjpdYPueEfOySxZsK
oiAaxnTWGvVyHaLBaQTlAyWTaVOjENThhHZIldJysycKTLZNgOfIWHaeKHzUkuOKIMwZZfWRcmgIMqdH
KDdmwBWFjcOOpPiTWQdYzXGyotjpzRQVJtUiNimtRmVBTLIFKMsfnbXaRDMVpGqJPTUAGYnnQFpHogEh
iNonmFqpgirGRrYouiAQCLLKUrTEDfrAyFLlemtLoqvMyHgMUIDwrrcSHgqoJFKZPgeObPyNKJqhCjzD
wFCJrYjPMGsmCTPZmkfwDjTDvJuqXOUvhASPAtJnshwkSmhQPDMbQEpvJUQVGoMqaGVsJTiDnjDlqzJb
ZpJqCiGHYdfLlozWjGTBfeRccgTSoZGBJVUidJNDPVCwNyQEMUfOkYkopDFoSYimrjhPUSWOVFFslXuH
FwGadAaoxZsyCUBBAwjCDrUmeLCZnknsZYLbnyZFPsfWANnCGXDgGXMnnHWyAhswLClklfyJHWIGRIta
YbvJsyKUxZJPOHikAeMjrWMKkOGIGkXbWaDHYCivWJBGyapZuNoGOTgiboazIgYfhVrlJCQlckwzORqf
YYZDLkPpVVrRBkvPUwAajiBYFsUHCERGKXYoYRSAFAkVVUCcyxTmfiYwrqPabLjiaWZJavgevbPVqeKH
NpYHapQMLleltzWrAMCuBOuDLUsHjmGBkYyZNGKOjIHODUtdiKmacCVxvHVMAkOmwxaxecxfIBeUfYIW
GhVerLKgTnQwDQjfbYDGnyjxXUjJxEIIAIJeCiHLRXFsFqRliwOjhGzvKwUdBNpHhZMKZxKSwsIYbnPB
DdhLBKCIOVLbqqfOGvcQxgzqOBJalnHqpzqGBYGXkzpdEOCtNRYQDyFNgHpVNXUPKspppPWDsJynQiMe
dUjrgKktiuyWgZECYlowmTKIaaZrXqsqDGqUoDbHkYyzdeTjMfwcKZYEcygxXmzOWnPtgeSGSTZIspGe
IqWmbGnFXKYuWsIgebIhMyZgqyCYGAHCABGTccPEsIMgIomuOQBxjCSnBBoZVyHQcpyDUiUInRRQUGnM
xRkBAuyzWcqHaQskvIsWhwJHHqwTnBIKEJQXDVcBeADrTvmWRJCHhlfftoywzyDxeJAXJEHnyKZnCPHf
QfZjPnuDnNvMNXYDrIKPoLEHBcelddIbifWQayzVVgyKuGocVGSDDOfGoDTcAvblCBjPVuOaopqPorvk
XAmPPKhkoHiUXGdoXUDphytuxtmYWOtyTRIZGXaWoQIjYCnJcMFGosGGLBnpkYNyUnjYJHoHJFAOCTUN
AlYiZLbAkeRRadJxMJGyobaGtYGVKdkjgAWwNzdGddBZhrZUbcemTVrXuwcqZJZWEOJgzHkaeRrLHzWh
fRxdGcsYxTPlUfZqNiFSWmpeyUMXBnNoaxgQrJmrMZRSGGNwvRftYOkjnXmfovkXSzUQcaNkRwcaiUvm
zfPxcVtFVzYSJSvHOBNvadIdMPoCoogAaLITTUXDJBQpBDUcKGMGAeXvdiWiqYdzpaApztvWUoyIZsrB
btzduJqYYJPrtYFVahBhumbHKVaFpACqmZxIEfMWaIsKptKrwoBozgUgxyABdDqgEYpZpAzOHcYahErC
brpgPRkjtqHdCFXRogfMdBbJlkevgEGntPozjddKkfTfIlJnpRxXbgcDZxQVJwMTroLvXWwaCvhdlWID
xmwuHRLnAngCMoInIERKeyVHbyVihKCLhOlOcRTInBfxLrXtkGIjiBBCadgQJKnntnimgvOIycZczYLW
FrcmRhBhhwesJsJUXPpzOABCKfIOhkGtGdJVtqDicTNFCjhjVQBCpmiuzdXPHntdWHgYITPWxvcRewrN
eIjczSwYTOtQVxwuUToUOTqjOQrpTmnxvWxaEYioOjZCLBasBIcrZWMNMvSEywdOuNGMNrZeTAeAEcxA
qeNIviyhAgpVtKEhVHexKHvsFNwMKndVlaykRypvEtZgBHimRwheVxYMANImTRwpwRsYngKRKYlwZMoG
OskDgCsdNcOhxvzIpZGDVFdIUtBILTUJSebXAeOuMBwUCSmcRkcoTVQuSuCFuRAvSVOSjxxZbMpsiYxB
lTRBhWBkTbRwbEpTimHCPMktFOJXsrKenghxEkyMpFagzWrGyUKXCieKHfCyLMKnLgQanMeyKSTzwnjs
iNEuVhJZKAYmZAEiBeioVnebOrfvBgjHEKyfTpzNnyPzhNUmRFnnCfLGylzZtKApMkuyrBMSpfplnUBk
PvFBYGcjLmTzdUAtKmtVzuWAXhauatQCqXFBOcyPfEzxzxbZaDYbAYfevxfXwmbquUkZYBtKptOugtre
gSLHvHsCYbZZUIWqNVfbBLuwQxzIdPkDqOdFyAHzcVWzVImWlQwmPdhGavFfwtAZZyBqAxYBpRNLmpOG
pTyfrLlNbtBmZofqsFjpyxlafFhCUSlkHSiWgJQqGikwsJMMzLaiCEJQZXzzdfkmNgpkXFXyUYUKOlrP
NRhnHKvolzGXFmuJQjqUYCgqLQYsHJsodFfHGARGcQuboCWQOmtiwFuMNyrynjxBvpuCuYXQyauYyQyt
CcnnHPNnYwoycvmXQFPHtDfUkrzcfdDeIkMLLnZCcQqGTCdFKxbiwdEZgeAkTnjBOzgqLLiepPNZNgCE
PhDErcNklMuDlQGNIiEPkplmoHYUQxpMvFoqBUNxHEndUrZFZbdYqnHWMjeWnXJIowJEXuitzKWymOHs
UwKnYZaSIOZNdhGQDXfVnhzGpunjqDQXlhjgHYAaklXxBdeGTQbSwOtnKyXWEhScPZoYVEYBcOvbUOpj
PiHYqSvYxEbJFZQBMZwazYhNhopIWhaqNtBINrzkZfdzZgjKimbPZjzXIRpsLPFTNSYKraOJyOAspaFF
RDuRzWGcRQsgEhjdilfLuuvTQqSkoxWQDWjTFqaCVVNqyBeBYrvpEvNWTIeAmwhpxRpncCFDqGuoVLWs
YznqNyddXhXZwTTRwgAHUWECXygmDcwMcMcuGZIVdcRwCHalNiYXbDFYjfFMAUIikCjvUHWCIWuqGyIe
FlbDthXXMTtdtvBRCaRrXSPPkoslEsPvzbBMpTicAwfvXbjUHtQpjnarlfLfvBosWVxXwXMBVCIsRmoQ
nPwNBePyKRlpqpuixKVgVjkVjBqTRgDIJAuglUhlTstwFBPfISaiMveLjxWjwYJYZNhlTLMslbBQyYbu
KjYKosgSmHZKkLDADQCfoMuLVHeeCrzYEqpWLoeRIhcunPXqiwqAdAGAJKBzIWHqNVwmYISdvivfDOfr
MvPbdtztrirPIZtBlmbdfbmVXfvglESZuahISiQFawCiFzjOrAUZlBJmiLJaXLRPebQemgMlrtoxYxhW
eZiNrcmSUangudNSeUNyfouBTdUFlcYblciLRJCmZcYbxrOwYdGJWNqQnYpEQfksXvkiuBIJMbdkmnZQ
AAGSIMRHFEYbDglmfjiFhGFzrFDTtUPuIUdSMfDmbYyOnVBXwFVxMuXEvcLIXQgNXEgmguOCFKSIUfzu
hkJcsfjrpWmZgNhuXpwOPFvrQeMhLeWSZupZoJDwIssgzqeGwCHsLYQGcNKrKOgHFUZMIeASQSYejMRh
AdENpADeBQuHHCbHwKXMEHSxefbBmtTtJDCpMJoSRtgwfmDZrRlJdTxPTWQBWmVpeEXklkcdhknVplUc
TRvDMLLpFEmjNSfSGgBwuvFMXFrgjzHbyZvYGAcUmesKyznkwgpKPzOZZoYMIFHZlOVNTUVWwRMFgjZL
cQNqslzJHcWlnLvCAfRNbOZFnecoSBwliZyTxopHFxLzYiosNfSJatOeKXfMtNGqfIhlPspoMmEjdBMC
nxaQYozMCbAsciQmuBguJuvnajnKyDogidmEbVSiQpvxumJGpPPmwLeTVGatfxEukJGWMnleMoXlBvAU
BFGKSVJZjKEhqEJoktJqRDCZSXSvwsbTAoxmJHwrkyumiINBNRpcGAbiNuNxRBRyzpmSqHhschdrOyat
DUHISNyMSJCnDURDsKBLyESXEbVBcQIlPmJrGBjnjfnyYpLsprNXqhraWfQWqJUyiXItxeNIaYPjgaGe
VKTTmItxeZFUhqIEeFWAskmkPpdndqPHRSVyLpvixIxrSOFcLrQMlIPciRATHBSobPDNTMqDWfhAluRm
fKiyTrVrISmMIcmeEtMCFhaQeuUTWLyyqyxELDTjwjrONibFXzASOGcEllUqZLPGerPaHGHNLFtYoWDQ
SEzQTtahBhkiSUaxuPGukHFwnrFFvUIWfYFYUMiPTgXpnidrnbmakYuKsxazobOamccrheZaAKSRsvZX
hrNjiaJfhsrSFDXhgaqIdQxmpCYfVAxkzLMMruIUkyPTVbdrDbWYktyYGNsHgBEAJopAhZdSvHszEzZV
ibEsuFWmRzyEWRooShySwYCQqdDBfMjhJDbBrlscxDfmkWYiovHsihkuCuSsxRSrPqPipBkUmFAYPSAs
YnuYVpcecBbcKHdvzWYypHLjbkGUIdBNrKwkahKGSiwcurJSISKpVjYftIuiOtfRvywwXWOQERjqSFfz
lrXosQbYuhjuAxhtgXtwbuTeucJVywKgtZyNnhjXRLLiHwMoPfpPPyAQZrFGfbzHgulXsmlxPFbWXpuT
nkGetBrrcvGvlZSzHgKIoJOyMlZurWhDukuwqwZhvYKpKhmLaAeCPMPELAgINyKqpOapcsKHhPfxFDJA
HMkjYdCAmwocWSnEfogJCcGRcKfSjlJMiTSRfPhDqVDEhkCSJNDmOiqXDGVaHzNYecLSWPNIWfBqrHfU
duKBbdnrjUEeYwykGTBbbcmojJTDnpKNOSVViSLMMyBsoKjVHxVADCvLscWaqlJSTODptdPBjWFsBldq
odhhExmXiUxapAkkDyVzhTSsQyJdPsaJrFNmNMnLxVYRDYpfqXUAxwKlZiKWWvJhjEVrwgzCsWoZFtCE
kKjyaqbooOlNkAddgAazFlgKLjlXDGtlvRBYCYQiRfRIfWIYaLZxLrQzrYzBghYOKAaKgXmUpPkCaMmN
GlAXokgPsdyUjsiaKSSoeCqMrMbQXeRZqkNeAQpujYJFGfbeceunpFNYjuUPiQVOZPXTKhiwPMLKZEKP
NoEPPwXtRoVfGYIRyRgZWyJrMjuBQNchjZBNQUwSgIyXniXCMeXRfAcDKxskxYvMyRGyXeSlOFKFItyI
FiUSskVfjqRXgqWOYHdDEWClkYXPjcAcuKkddJrDZqpFYYIlxACJHnfTTOUICdPhknncJRxdkMwSeSVS
QdoxJeCJTcjDogRrnFsOIiHKlhyxucemEexjTFgKjdbffVxXqPQxLhdaawVKLxYRqeQGLhXqIeFykJUD
MatBIGGTCbkQWAeYOYPoWRIHOSYZcStFGQpExtLKWcOwGMxNzgkbaqOMPkcHgudTOdQooljmZryWDUKG
IKGqNZroQwTworzNcXZRBNYSQgMiwoqjgHnCOZYAWMonmDGAYJcPvecBaHeJQWolQZmYhKoBZaVoCQmf
BGRdjBsnBnOYLIQXIeTfmwUxtADmBkhDXEZqGsBGOwMQqyLHOObREqMGkSeHepgonKmvKggqnntwXlxW
juNjEvszhIaFFlEHHgiLrYDAsrfdvHuyXyEgvLYCEmVLnmjlUxrWvcIdFkkJjaaNZqePUSEHhecBbHRN
VLquogLIjUrjRgsXGywAquhfRjUMvmIEDSOXFkupsQARTCqbVjFbKicfFTtVKxbqfSbLlybPvcUSasUP
mkPytpvUSvuPtLFmkeKQIWNaJouCnyPyiaRBSYuvMtBXylHWIKkexawFeNwjIpTJBImSUXAAipljptIj
MoxFBReUIhcyLaoBVPIZSWfJDMJMwEWaZbjFpgUpXQYtmwDUeUdUruxpUcCGdnlpkCXZlEETSCPauRwg
YYCcnRpqBUyMnvWUNyoXhKqwZsrTLteXQVxOSztAxqBwEsKPLLYmXPdkOoUfuEcJYdIfxQXgalSKJfEt
TOKazgVKoiUsuemONwHeyCVCuUBkbAMifDjSeyplNXUSPpvzJCFZmLTJQGPRVuSVtZUujsLwtqcGoEka
UExetgcupdJsrsbhTYULkVBMCPZIEHlLwarcxqTdcfkAmODkhTJZHjKoyGPfpYsHPqHtLOTWGMixunvq
WXxZueyZjieriCSWGRUwIYKmJFjrvkBReOMmvnkprYWTLWNTvzIHtzEtkIzPRGMPidFbewZnqlhYFeYE
fpszkxkhRfwiYEXyERfYBMEJFDHThpvtwBQnemRsLmZVPkitRtMYNsFbZonBvtopMftpspksjzeqdxAL
tWsLrtDqToVGVOQAOvyIdhWOeHKcykQJxjgqlmGKMiKnmUTJrgDRXaroZEQnyXSoGVDmUUXDiclJejRR
wgDEIuvHFxRfQhtqLKnJfONtkcnDORkZqbtPplsjjTEIsquhSsQTwNZuPVxaTqDvwMONBfCsNJuJpJHZ
dCdFLtBQPtFQuCdKOrpndJNUFQIDSbetUKylhSUjcDVtbiQrWMRQhAwGUZyPneCGUjGBBTkLqxLAXXtB
KfErkDaWMFZZeuqDmXKJEGHyToPUhPphfVhgUZgbIuRAtWnroImpJKqqmEZqeNQCKzhjIkKQHURWLXFw
PBuijeoTSpsVLaOGuLVjMZXkBvVXwUuHfBihziiavGSYofPNeKsTXruMUumRRPQJzvSzJkKbtSipiqBd"""
for i, char in enumerate(puzzle_string):
if puzzle_string[i-1].isupper() and puzzle_string[i-2].isupper() and puzzle_string[i-3].isupper() and puzzle_string[i-4].islower() \
and puzzle_string[i+1].isupper() and puzzle_string[i+2].isupper() and puzzle_string[i+3].isupper() and puzzle_string[i+4].islower() \
and puzzle_string[i].islower():
print("Located: " + puzzle_string[i])
|
ae4c530f8bcb7aed692bcac2762282a429019fac | RahulBendre1/Competitive-Programming | /numberfun.py | 329 | 3.6875 | 4 | for case in range(int(input().strip())):
a,b,c = list(map(int,input().strip().split()))
if a+b == c:
print("Possible")
elif abs(a-b) == c:
print("Possible")
elif a*b == c:
print("Possible")
elif (a/b == c) or (b/a == c):
print("Possible")
else:
print("Impossible")
|
3ff164ac75c732bb8d4df86a8557e379475194ed | kruart/python_headfirst | /ch06_storing_and_manipulating_data/playWithInput.py | 921 | 4.0625 | 4 | todos = open('todos.txt', 'a')
print('Put out the trash.', file=todos)
print('Feed the cat.', file=todos)
print('Prepare tax return.', file=todos)
todos.close()
# read from file in loop
tasks = open('todos.txt') # read - default mode
for ch in tasks:
print(ch, end='')
tasks.close()
# write()
try:
somefile = open("hello.txt", "w") # відкриваємо файл
try:
somefile.write("hello world") # пишемо в нього
except Exception as e:
print(e)
finally:
somefile.close() # закриваємо
except Exception as ex:
print(ex)
# the same in more short way: construction with(auto closeable file, even exception would be thrown)
with open("hello.txt", "w") as somefile:
somefile.write("hello world")
with open('todos.txt') as somefile:
content = somefile.read()
print('=====================')
print(content) |
297e26ddb558cf857094a39c7b43319ab2f8a759 | CodeHemP/CAREER-TRACK-Data-Scientist-with-Python | /27_Unsupervised Learning in Python/02_visualization-with-hierarchical-clustering-and-t-sne/02_hierarchies-of-stocks.py | 1,588 | 3.9375 | 4 | '''
02 - Hierarchies of stocks
In chapter 1, you used k-means clustering to cluster companies according to their
stock price movements. Now, you'll perform hierarchical clustering of the companies.
You are given a NumPy array of price movements movements, where the rows correspond
to companies, and a list of the company names companies. SciPy hierarchical clustering
doesn't fit into a sklearn pipeline, so you'll need to use the normalize() function from
sklearn.preprocessing instead of Normalizer.
linkage and dendrogram have already been imported from scipy.cluster.hierarchy, and PyPlot
has been imported as plt.
Instructions:
- Import normalize from sklearn.preprocessing.
- Rescale the price movements for each stock by using the normalize() function on movements.
- Apply the linkage() function to normalized_movements, using 'complete' linkage, to calculate
the hierarchical clustering. Assign the result to mergings.
- Plot a dendrogram of the hierarchical clustering, using the list companies of company names as
the labels. In addition, specify the leaf_rotation=90, and leaf_font_size=6 keyword arguments as
you did in the previous exercise.
'''
# Import normalize
from sklearn.preprocessing import normalize
# Normalize the movements: normalized_movements
normalized_movements = normalize(movements)
# Calculate the linkage: mergings
mergings = linkage(normalized_movements, method='complete')
# Plot the dendrogram
dendrogram(mergings,
labels=companies,
leaf_rotation=90,
leaf_font_size=6)
plt.show()
|
2d20dd87f3e1ca3bcd60c1ad3b423dff094dcb93 | dmlee1/NumberGuessingGameV2 | /main.py | 4,068 | 4.25 | 4 | # Name: David Lee
# Purpose: The purpose of this program is to create a number guessing game that allows the user to continue
# to guess until they correctly guess the actual value of a randomly generated number between 1 and 100.
# It will continuously update the accompanying txt file that holds the current top 5 leaderboard.
# The game is also updated to be able to handle exceptions and leave the user a pretty error message
# detailing the error.
from random import randint
try:
exit_cond = False
print("Welcome to the number guessing game! You may exit the game at any time by entering in Q or q at any time.")
player_name = input("Please enter in your name (less than or equal to 10 characters): ")
# To prevent the player from entering in names that are too long
if len(player_name) > 10:
player_name = player_name[:10]
while not exit_cond:
rand_num = randint(1, 100)
user_guess = input("Please guess a number between 1 and 100: ")
guess_count = 1
correct = False
while not exit_cond and not correct:
# If user inputs the exit command
if user_guess.lower() == "q":
print("Thank you for playing the number guessing game. Please join us again soon!")
exit_cond = True
# Do not accept any non positive integer values
elif user_guess.isnumeric() == False:
print("Incorrect input. Please only enter in an integer value between 1 and 100. ")
user_guess = input("Please guess a number between 1 and 100: ")
# Only accept numbers in the range 1-100
elif int(user_guess) < 1 or int(user_guess) > 100:
user_guess = input("Please only enter a number between 1 and 100. Please guess another number: ")
# If user guesses too low
elif int(user_guess) < rand_num:
user_guess = input("Guess is too low. Please guess again: ")
guess_count += 1
# If user guesses too high
elif int(user_guess) > rand_num:
user_guess = input("Guess is too high. Please guess again: ")
guess_count += 1
# If user guesses correctly
else:
print("That is correct. Good job!")
print(f"It took {guess_count} guesses to reach the correct number.")
print("Thank you for playing the guessing game! See you again next time!")
correct = True
if correct:
file = open("topPlayers.txt", "r+")
list_top_players = []
for line in file:
elem = int(line[:10].rstrip()), line[10:].rstrip()
list_top_players.append(elem)
# inserting new leaderboard score
for i in range(5):
if guess_count < list_top_players[i][0]:
list_top_players.insert(i, [guess_count, player_name])
break
list_top_players = list_top_players[:5]
# To do inplace file replace after reading
file.seek(0)
file.truncate()
# Writing updated top 5 to file in correct format
for i in range(5):
if i != 4:
file.write(str(list_top_players[i][0]) + " "*(10-len(str(list_top_players[i][0]))) + list_top_players[i][1] + "\n")
else:
file.write(str(list_top_players[i][0]) + " "*(10-len(str(list_top_players[i][0]))) + list_top_players[i][1])
file.close()
# Printing updated leaderboard
print("Here is the updated leaderboard:")
for i in range(5):
print(str(list_top_players[i][0]) + " " * (10 - len(str(list_top_players[i][0]))) + list_top_players[i][1])
input("\nPress [ENTER] to continue playing.")
except Exception as e:
print()
print(f"Error encountered. Exiting: {e}")
print("Thank you for playing the Number Guessing Game 2.0!")
|
c3de6492784dd7ec80233f0f945bb57456a21f65 | sinner933/CODEME_Homework | /2/zadnaie 2.4.py | 268 | 3.734375 | 4 | #Napisz program, który wyświetli kolejne wyniki dla silnii liczby naturalnej n.
n = int(input("Give number "))
factorial = 1
list = []
for i in range(2, n + 1):
factorial *= i
for i in range(0, n):
list.append(i+1)
print(n, "!=", list.copy(), factorial) |
ac27f41feaa608168d60dc547672e6cc07979812 | jcass77/pybites | /pybites_bite27/omdb.py | 1,512 | 3.515625 | 4 | import json
import re
from collections import Counter
def get_movie_data(files: list) -> list:
"""Parse movie json files into a list of dicts"""
movie_data = []
for file in files:
with open(file) as f:
movie_data.append(json.loads(f.read()))
return movie_data
def get_single_comedy(movies: list) -> str:
"""return the movie with Comedy in Genres"""
for movie in movies:
if "comedy" in movie["Genre"].lower():
return movie["Title"]
def get_movie_most_nominations(movies: list) -> str:
"""Return the movie that had the most nominations"""
nominated_for_pattern = r"(?:nominated for )(\d+)"
nominations_pattern = r"(\d+)(?: nomination[s*])"
num_nominations = Counter()
for movie in movies:
for pattern in (nominated_for_pattern, nominations_pattern):
try:
num_nominations[movie["Title"]] += sum(
int(num)
for num in re.findall(
pattern, movie["Awards"], re.MULTILINE | re.IGNORECASE
)
)
except AttributeError:
# No match - skip
pass
return num_nominations.most_common(1)[0][0]
def get_movie_longest_runtime(movies: list) -> str:
"""Return the movie that has the longest runtime"""
runtimes = Counter(
{movie["Title"]: int(movie["Runtime"].split()[0]) for movie in movies}
)
return runtimes.most_common(1)[0][0]
|
566d9dec93c6fa7427e12e9b4fa7a88f6bbb47ae | tm24fan8/Learning-Python | /old/objects/ident.py | 178 | 3.578125 | 4 | #!/usr/bin/env python3
name = "Matt"
first = name
age = 1000
print(id(age))
age = age + 1
print(id(age))
names = []
print(id(names))
names.append("Fred")
print(id(names))
|
3c94bd5c7c0f886813bf295997056db0e9c30264 | guskovgithub/Guskov | /Lesson10/task2.py | 1,361 | 3.921875 | 4 | class Point:
def __init__(self,line='0,0'):
self.x, self.y = [float(i) for i in line.split(',')]
def __str__(self):
return 'x = ' + str(self.x) + ' y = ' + str(self.y)
def __add__(self, other):
return Point(self.x + other.x, self.y + other.y)
def __sub__(self, other):
return Point(self.x - other.x, self.y - other.y)
def __mul__(self, other):
return Point(self.x * other.x, self.y * other.y)
def __truediv__(self, other):
return Point(self.x / other.x, self.y / other.y)
def __floordiv__(self, other):
return Point(self.x // other.x, self.y // other.y)
def __mod__(self, other):
return Point(self.x % other.x, self.y % other.y)
def __pow__(self, other):
return Point(self.x ** other.x, self.y ** other.y)
def __abs__(self):
return (int(self.x)**2 + int(self.y)**2)**0.5
print('!!! НАИБОЛЕЕ УДАЛЕННАЯ ТОЧКА !!!')
print(' кол-во точек')
N = int(input())
max = 0
x,y = 0,0
for i in range (N):
a = Point(input())
if abs(a) > max:
max = abs(a)
x = a.x
y = a.y
print('НАИБОЛЕЕ УДАЛЕННАЯ ТОЧКА {', x,',',y,'}')
|
419fcde889af5b9bb09ee80872cc45ee9bb67c0d | microease/Python-Cookbook-Note | /Chapter_3/3.2.py | 356 | 4.03125 | 4 | # 你需要对浮点数执行精确的计算操作,并且不希望有任何小误差的出现。
a = 4.2
b = 2.1
print(a + b)
from decimal import Decimal
a = Decimal('4.2')
b = Decimal('2.1')
print(a + b)
from decimal import localcontext
a = Decimal('1.3')
b = Decimal('1.7')
print(a / b)
with localcontext() as ctx:
ctx.prec = 3
print(a / b)
|
27befae31d0d9965c25c0051a34dae226bcd7f0c | paulovictor1997/Python | /Dicionário/testedic.py | 662 | 3.984375 | 4 | #pessoa = {'nome': 'Paulo', 'sexo': 'M', 'idade':23}
#pessoa['peso'] = 70.5
#for k, v in pessoa.items():
# print(f'{k} = {v}')
#print(f'O nome dele é {pessoa["nome"]} e a sua idade é {pessoa["idade"]}')
#brasil = []
#estado = {'UF': 'Alagoas','Capital': 'Maceió'}
#estado1 = {'UF': 'Pernambuco','Capital': 'Recife'}
#brasil.append(estado)
#brasil.append(estado1)
#print(brasil[0])
estado = {}
brasil = []
for c in range(0,3):
estado['UF'] = str(input('Unidade Federativa : '))
estado['Sigla'] = str(input('Sigla : '))
brasil.append(estado.copy())
for e in brasil:
for k, v in e.items():
print(f'O campo {k} tem o valor {v}.') |
c506e877385a74dfff190618b5544edf189a84c8 | YancyYu1996/self_study | /算法/数据结构/算法/choose.py | 406 | 3.765625 | 4 | # 选择排序,前面有序,选择后面最小的值插入前面
import numpy as np
l = np.random.randint(0,100,13)
def choose(l):
for _ in range(len(l)):
for j in range(_,len(l)):
if l[j] < l[_]:
l[j], l[_] = l[_], l[j]
else:
continue
return l
print(",".join([str(x) for x in l]))
print(",".join([str(x) for x in choose(l)]))
|
7a9b210fa3fc419d88ae01c0e8f97889e71f2b22 | ccubc/DS_self_learning | /leetcode_algorithm/hacker_rank_medium_sherlock_and_anagrams.py | 1,171 | 4.09375 | 4 | #!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
Created on Thu Jan 2 16:16:04 2020
Two strings are anagrams of each other if the letters of one string can be rearranged to form the other string. Given a string, find the number of pairs of substrings of the string that are anagrams of each other.
Given a str, find number of substring pairs that are anagrams
@author: chengchen
"""
#!/bin/python3
import math
import os
import random
import re
import sys
# Complete the sherlockAndAnagrams function below.
def sherlockAndAnagrams(s):
l = 1
ls = len(s)
dic = {}
while l < ls:
for i in range(ls-l+1):
x = list(s[i:i+l])
x.sort()
y = "".join(x)
if y not in dic:
dic[y] = 1
else:
dic[y] += 1
l += 1
c = 0
for k in dic.keys():
v = dic[k]
c += (v*(v-1)/2)
return int(c)
if __name__ == '__main__':
fptr = open(os.environ['OUTPUT_PATH'], 'w')
q = int(input())
for q_itr in range(q):
s = input()
result = sherlockAndAnagrams(s)
fptr.write(str(result) + '\n')
fptr.close()
|
48846258f4e366a6da447dffa3103ae9d24b7988 | Liam-Stow/FIT1045Workshops_Public | /Workshop8/Task1.py | 318 | 3.546875 | 4 | file = open('Small.txt')
locations = []
for line in file:
line = line.strip()
#Split postcode from string
line = line.split('\t')
postcode = int(line[0])
#Split towns appart
line[1] = line[1].split(',')
for place in line[1]:
locations.append([postcode, place])
print(locations)
|
f06b132d16eeceebf3e63683eb2c2877b174cb4d | JitenKumar/PythonPracticeStepByStep | /Decorators/DecoratorExample/decorator.py | 646 | 4.3125 | 4 | # decorator is used to add extra functionalities to the existing function
def i_am_decorator(old_func):
def wrapper():
#print('Extra code can be put here before the old_func()')
print('Do you want to be more powerful???')
print('')
old_func()
print('training you inner strength you should be able to feel the force inside you')
print('Now You are the most decorated Master Jedi bro ')
print('MAY THE FORCE BE WITH YOU ')
return wrapper
@i_am_decorator
def i_need_a_decorator():
print('Yes.... Please Decorate me and make me more powerful')
print(i_need_a_decorator())
|
a0652b7dd9190fe12329f7cc8a0fce4e17220ad2 | andreifortunato/pythonTest | /string2.py | 142 | 3.65625 | 4 | a = "Diego"
b = "Mariano"
concatenar = a + " "+ b
print(concatenar.lower())
print(concatenar.upper())
concatenar=concatenar.lower() |
eb81c64f54072d9b275b846fce22311c732650df | DhirendraPachchigar/daily-coding-problems-1 | /python/378.py | 726 | 3.859375 | 4 | # -----------------------------
# Author: Tuan Nguyen
# Date created: 20200526
#!378.py
# -----------------------------
"""
Write a function that takes in a number, string, list, or dictionary and returns its JSON encoding.
It should also handle nulls.
For example, given the following input:
[None, 123, ["a", "b"], {"c":"d"}]
You should return the following, as a string:
'[null, 123, ["a", "b"], {"c": "d"}]'
"""
import json
def test1():
assert json.dumps(123) == "123"
def test2():
assert json.dumps(["a", "b"]) == '''["a", "b"]'''
def test3():
assert json.dumps([None, 123, ["a", "b"], {"c": "d"}]) == '''[null, 123, ["a", "b"], {"c": "d"}]'''
if __name__ == "__main__":
test1()
test2()
test3() |
c7f81ae25662d447d07b579f77a77571967d0dc2 | josepas/algos2 | /proyecto3/bubbleSort0.py | 599 | 3.53125 | 4 | #!/usr/bin/python3
# Proyecto 3
#
# Algoritmo de Ordenamiento BubbleSort0
#
# Autores:
# Jose Pascarella 11-10743
# Amin Arria 11-10053
#
# Ultima Modificacion: 19 / 12 / 2013
import time
from random import *
def BubbleSort0(A):
n = len(A)
co = 0
cambio = True
while cambio:
cambio = False
for i in range(n-1):
if (A[i] > A[i+1]):
A[i], A[i+1] = A[i+1], A[i]
cambio = True
co += 1
A = [randint(0,15) for i in range(5000)]
start_time = time.time()
BubbleSort0(A)
print(time.time() - start_time)
|
c34fe7579013699cc97fc5efb46e936ba91c7f15 | yulvil/euler-python | /004.py | 565 | 3.859375 | 4 | #/bin/python
# http://projecteuler.net/problem=4
# A palindromic number reads the same both ways. The largest palindrome made from the product of two 2-digit numbers is 9009 = 91 x 99.
# Find the largest palindrome made from the product of two 3-digit numbers.
def is_palindrome(n):
s = str(n)
return s == s[::-1]
#print( is_palindrome('900009') )
#print( is_palindrome('900029') )
r = range(1,1000)
#mult = [x*y for (x,y) in zip(r,r)]
mult = (x*y for x in r for y in r)
pals = (n for n in mult if is_palindrome(n)==True)
print( max(pals) ) # 906609
|
35218d8a03fb191a0a8e55bc5a38cc00e037bc35 | rodrigoc-silva/Python-course | /Lab05_dictionary_and_class/exercise-36.py | 5,292 | 4.1875 | 4 |
#Program to calculate and display the loan for buying a car
class Loan:
#initializer
def __init__(self, annualIntRate, numYearsLoan, loanAmnt, name):
self.__annualIntRate = annualIntRate
self.__numYearsLoan = numYearsLoan
self.__loanAmnt = loanAmnt
self.__name = name
#getters
def getAnnualInterestRate(self):
return self.__annualIntRate
def getNumberYearsLoan(self):
return self.__numYearsLoan
def getLoanAmount(self):
return self.__loanAmnt
def getBorrowerName(self):
return self.__name
#setters
def setAnnualInterestRate(self, annualIntRate):
self.__annualIntRate = annualIntRate
def setNumberYearsLoan(self, numYearsLoan):
self.__numYearsLoan = numYearsLoan
def setLoanAmount(self, loanAmnt):
self.__loanAmnt = loanAmnt
def setBorrowerName(self, name):
self.__name = name
#class methods
def getMonthlyPayment(self):
return self.__loanAmnt*(self.__annualIntRate/1200)/(1-(1/(1+(self.__annualIntRate/1200))**(self.__numYearsLoan*12)))
def getTotalPayment(self):
return self.getMonthlyPayment()*self.__numYearsLoan*12
def main():
#ask input by the user
annual_int = float(input("Enter yearly interest rate:"))
#avoid division by 0
while annual_int == 0:
print("Rate cannot be 0")
annual_int = float(input("Enter yearly interest rate:"))
years = float(input("Enter number of years as an integer:"))
while years == 0:
print("number of years cannot be 0")
years = float(input("Enter number of years as an integer:"))
amount = float(input("Enter loan amount:"))
borrower = input("Enter a borrower's name:")
#create a loan
loan1 = Loan(annual_int, years, amount, borrower)
#output
print("The loan is for", loan1.getBorrowerName())
print("The monthly payment is", format(loan1.getMonthlyPayment(), ",.2f"))
print("The total is", format(loan1.getTotalPayment(), ",.2f"))
#ask for new calculation or finish the program
again = input("\nDo you want to change the loan amount? Y for yes or enter to quit")
while again == 'Y' or again == 'y':
amount = float(input("Enter new loan amount:"))
loan1 = Loan(annual_int, years, amount, borrower)
print("The loan is for", loan1.getBorrowerName())
print("The monthly payment is", format(loan1.getMonthlyPayment(), ",.2f"))
print("The total is", format(loan1.getTotalPayment(), ",.2f"))
again = input("\nDo you want to change the loan amount? Y for yes or enter to quit")
#call main function
if __name__=="__main__":
main()
#case 1
#Enter yearly interest rate:2.5
#Enter number of years as an integer:5
#Enter loan amount:1000.00
#Enter a borrower's name:John Jones
#The loan is for John Jones
#The monthly payment is 17.75
#The total is 1,064.84
#Do you want to change the loan amount? Y for yes or enter to quity
#Enter new loan amount:5000
#The loan is for John Jones
#The monthly payment is 88.74
#The total is 5,324.21
#Do you want to change the loan amount? Y for yes or enter to quit
#case 2
#Enter yearly interest rate:5
#Enter number of years as an integer:10
#Enter loan amount:20000.00
#Enter a borrower's name:Anderson Silva
#The loan is for Anderson Silva
#The monthly payment is 212.13
#The total is 25,455.72
#Do you want to change the loan amount? Y for yes or enter to quit
#case 3
#Enter yearly interest rate:7.5
#Enter number of years as an integer:7
#Enter loan amount:10000.99
#Enter a borrower's name:Mike Tayson
#The loan is for Mike Tayson
#The monthly payment is 153.40
#The total is 12,885.43
#Do you want to change the loan amount? Y for yes or enter to quitY
#Enter new loan amount:99999.99
#The loan is for Mike Tayson
#The monthly payment is 1,533.83
#The total is 128,841.50
#Do you want to change the loan amount? Y for yes or enter to quity
#Enter new loan amount:10000
#The loan is for Mike Tayson
#The monthly payment is 153.38
#The total is 12,884.15
#Do you want to change the loan amount? Y for yes or enter to quitn
#case 4
#Enter yearly interest rate:1
#Enter number of years as an integer:1
#Enter loan amount:11111.11
#Enter a borrower's name:Minotauro
#The loan is for Minotauro
#The monthly payment is 930.95
#The total is 11,171.39
#Do you want to change the loan amount? Y for yes or enter to quity
#Enter new loan amount:10000
#The loan is for Minotauro
#The monthly payment is 837.85
#The total is 10,054.25
#Do you want to change the loan amount? Y for yes or enter to quit
#case 5
#Enter yearly interest rate:0
#Rate cannot be 0
#Enter yearly interest rate:0
#Rate cannot be 0
#Enter yearly interest rate:1
#Enter number of years as an integer:0
#number of years cannot be 0
#Enter number of years as an integer:0
#number of years cannot be 0
#Enter number of years as an integer:2
#Enter loan amount:0
#Enter a borrower's name:
#The loan is for
#The monthly payment is 0.00
#The total is 0.00
#Do you want to change the loan amount? Y for yes or enter to quity
#Enter new loan amount:1000
#The loan is for
#The monthly payment is 42.10
#The total is 1,010.45
#Do you want to change the loan amount? Y for yes or enter to quit
|
9228a52748c7ea521ed616f1e531b3363a67454c | rubberdinghy/auto_nav | /Labs & homeworks & Others/stepper_motor_control.py | 4,398 | 3.5625 | 4 | # -*- coding: utf-8 -*-
"""
Created on Wed Mar 18 19:48:04 2020
@author: tuandung
"""
from time import sleep
import RPi.GPIO as GPIO
import rospy
class Motor(object):
def __init__(self, pins, mode=2):
self.p1 = pins[0]
self.p2 = pins[1]
self.p3 = pins[2]
self.p4 = pins[3]
self.mode = mode
self.deg_per_step = 0.9
self.steps_per_rev = int(360/0.9)
self.step_angle = 0 # assume the way it is positioning is 0 degree
for p in pins:
GPIO.setup(p, GPIO.OUT)
GPIO.output(p, 0)
def _set_rpm(self, rpm):
"""set rotation speed of stepper motor"""
self._rpm = rpm
self._T = (60/rpm)/ self.steps_per_rev # amount of time to stop between signal
rpm = property(lambda self: self.rpm, _set_rpm)
def move_to(self, angle):
"""take the shortest route to chosen angle"""
target_steps = int(angle/self.deg_per_step)
steps = target_steps - self.step_angle
steps = steps % self.steps_per_rev
if steps > self.steps_per_rev:
steps -= self.steps_per_rev
print "moving " + str(steps) + " steps"
if self.mode == 2:
self._move_acw_2(-steps/8)
else:
self._move_acw_3(-steps/8)
else:
print "moving " + str(steps) + " steps"
if self.mode == 2:
self._move_cw_2(steps/8)
else:
self._move_cw_3(steps/8)
self.step_angle = target_steps
def __clear(self):
GPIO.output(self.p1, 0)
GPIO.output(self.p2, 0)
GPIO.output(self.p3, 0)
GPIO.output(self.p4, 0)
def _move_acw_2(self, big_steps):
self.__clear()
for i in range(big_steps):
GPIO.output(self.p3, 0)
GPIO.output(self.p1, 1)
sleep(self._T * 2)
GPIO.output(self.p2, 0)
GPIO.output(self.p4, 1)
sleep(self._T * 2)
GPIO.output(self.p1, 0)
GPIO.output(self.p3, 1)
sleep(self._T * 2)
GPIO.output(self.p4, 0)
GPIO.output(self.p2, 1)
sleep(self._T * 2)
def _move_cw_2(self, big_steps):
self.__clear()
for i in range(big_steps):
GPIO.output(self.p4, 0)
GPIO.output(self.p2, 1)
sleep(self._T * 2)
GPIO.output(self.p1, 0)
GPIO.output(self.p3, 1)
sleep(self._T * 2)
GPIO.output(self.p2, 0)
GPIO.output(self.p4, 1)
sleep(self._T * 2)
GPIO.output(self.p3, 0)
GPIO.output(self.p1, 1)
sleep(self._T * 2)
def _move_acw_3(self, big_steps):
self.__clear()
for i in range(big_steps):
GPIO.output(self.p1, 0)
sleep(self._T)
GPIO.output(self.p3, 1)
sleep(self._T)
GPIO.output(self.p4, 0)
sleep(self._T)
GPIO.output(self.p2, 1)
sleep(self._T)
GPIO.output(self.p3, 0)
sleep(self._T)
GPIO.output(self.p1, 1)
sleep(self._T)
GPIO.output(self.p2, 0)
sleep(self._T)
GPIO.output(self.p4, 1)
sleep(self._T)
def _move_cw_3(self, big_steps):
self.__clear()
for i in range(big_steps):
GPIO.output(self.p3, 0)
sleep(self._T)
GPIO.output(self.p1, 1)
sleep(self._T)
GPIO.output(self.p4, 0)
sleep(self._T)
GPIO.output(self.p2, 1)
sleep(self._T)
GPIO.output(self.p1, 0)
sleep(self._T)
GPIO.output(self.p3, 1)
sleep(self._T)
GPIO.output(self.p2, 0)
sleep(self._T)
GPIO.output(self.p4, 1)
sleep(self._T)
if __name__ == '__main__':
try:
GPIO.setmode(GPIO.BCM)
m = Motor([25,8,7,1])
m.rpm = 5
print ("Pause in seconds: " + str(m._T))
m.move_to(90)
sleep(1)
m.move_to(0)
sleep(1)
m.mode = 2
m.move_to(90)
sleep(1)
m.move_to(0)
GPIO.cleanup()
except rospy.ROSInterruptException:
pass
|
fb359c2a9bbb67ce69f6005e154f343cbd05845d | minhtoando0899/baitap | /Bai_tap_ve _list/Buoi5/Tong2List.py | 420 | 3.703125 | 4 | class HHH:
def __init__(self, list1, list2):
self.list1 = list1
self.list2 = list2
self.tong1 = 0
def Tong(self):
for a in self.list1:
self.tong1 += a
def Append(self):
list.append(self.list2, self.tong1)
def Tong2(self):
for b in self.list2:
self.tong1 += b
h1 = HHH([1, 2, 3], [4, 5, 6])
h1.Tong()
h1.Tong2()
print(h1.tong1)
|
d73d7239f58bb644794f021a3860ec3d83417944 | shaunagm/personal | /project_euler/p31-40/problem_34_digit_factorials.py | 776 | 4.03125 | 4 | # 145 is a curious number, as 1! + 4! + 5! = 1 + 24 + 120 = 145.
# Find the sum of all numbers which are equal to the sum of the factorial of their digits.
# Note: as 1! = 1 and 2! = 2 are not sums they are not included.
import math
def factorialDigitSum(number):
factorialSum = 0
for i in str(number):
factorialSum += math.factorial(int(i))
return factorialSum
sumAll = 0
for i in range(3,99999):
if i == factorialDigitSum(i):
sumAll += i
print sumAll
# Notes:
# It turns out there are only two numbers equal to the sum of their digits factorialized.
# They're both < 99999, so you can get the correct answer in seconds, but to truly rule out
# the others (since there's no upper bound given) it takes longer and longer until there's a
# memory error.
|
7553e4344a47808f07cbb0800e56d583608d261c | arjun289/eopi | /data_structures/graphs/depth_first.py | 921 | 3.578125 | 4 |
class Node:
def __init__(self, name):
self.name = name
self.adjacency_list = []
self.visited = False
self.prdecessor = None
class DFS:
def dfs(self, node):
node.visited = True
print("%s" % node.name)
for n in node.adjacency_list:
if not n.visited:
self.dfs(n)
node1 = Node("A")
node2 = Node("B")
node3 = Node("C")
node4 = Node("D")
node5 = Node("E")
node6 = Node("F")
node7 = Node("G")
node8 = Node("H")
node1.adjacency_list.append(node2)
node1.adjacency_list.append(node6)
node1.adjacency_list.append(node7)
node2.adjacency_list.append(node1)
node2.adjacency_list.append(node3)
node2.adjacency_list.append(node4)
node3.adjacency_list.append(node2)
node4.adjacency_list.append(node2)
node4.adjacency_list.append(node5)
node5.adjacency_list.append(node4)
node6.adjacency_list.append(node1)
dfs = DFS()
dfs.dfs(node1) |
6564e7a36bb95144161d83b4fb274d67f5817406 | 097654321C/lesson-2 | /lesson3.py | 505 | 3.5625 | 4 |
x=input('輸入數字!')
x=int(x)
import random
ans=random.randint(1,2)
y=str('y')
if x==ans:
y=input('恭喜你!:),還要玩嗎?要請按0,不要請按1')
elif y==1:
print('bye bye')
elif y==0:
x=input('輸入數字!')
else:
print('你錯嘞>_<,再試一次')
i=int(i)
while x != ans or i<5:
x=input('再輸入一次數字!')
x=float(x)
print('你錯嘞>_<,再試一次')
i+1
if i==ans:
print('恭喜你!:),還要玩嗎?要請按0,不要請按1')
else:
print('bye bye') |
650e4b1b75817d8b4e44257ec55c1aacd05ccbac | dogeplusplus/Jaipur | /test_game_agent.py | 4,877 | 3.609375 | 4 | import unittest
import jaipur
import jaipur_players
class jaipurTest(unittest.TestCase):
def test_check_hands(self):
j = jaipur.Jaipur(players.RandomPlayer('Alice'), players.RandomPlayer('Bob'))
j.initial_setup()
self.assertEqual(len(j.market),5)
# Check players hand at most 5 cards
self.assertTrue(len(j.hands[j.player1]) <= 5)
self.assertTrue(len(j.hands[j.player2]) <= 5)
# No camels in hands
self.assertTrue('Camel' not in j.hands[j.player1] + j.hands[j.player2])
def test_camel_taking(self):
j = jaipur.Jaipur(players.RandomPlayer('Alice'), players.RandomPlayer('Bob'))
j.initial_setup()
# At least 3 camels in the player's herd and no camels in the hands
j.take_camels()
self.assertTrue(len(j.herds[j.player1]) >= 3)
self.assertTrue('Camel' not in j.hands[j.player1])
def test_card_taking(self):
j = jaipur.Jaipur(players.RandomPlayer('Alice'), players.RandomPlayer('Bob'))
j.initial_setup()
# Arbitrary card from the market
card = j.market[0]
j.take_card(card)
# Check if the card moves into the appropriate pile
if card == 'Camel':
self.assertTrue(card in j.herds[j.player1])
else:
self.assertTrue(card in j.hands[j.player1])
# Create arbitrary hand to test the hand limit
j.hands[j.player1] = [1,1,1,1,1,1,1]
card = j.market[0]
self.assertRaises(Exception, j.take_card(card))
def test_card_exchange(self):
j = jaipur.Jaipur(players.RandomPlayer('Alice'), players.RandomPlayer('Bob'))
j.initial_setup()
# Manual setup
j.market = ['Camel', 'Diamond', 'Silver', 'Gold', 'Gold']
j.hands[j.player1] = ['Cloth', 'Spice', 'Leather']
# Invalid actions
self.assertRaises(Exception, j.exchange_cards, [['Gold'], ['Spice']]) # Card not in the market
self.assertRaises(Exception, j.exchange_cards,[['Cloth', 'Spice', 'Leather'], ['Gold', 'Gold', 'Gold']]) # Too many golds
self.assertRaises(Exception, j.exchange_cards,[['Cloth'], ['Diamond', 'Silver', 'Gold']]) # Exchange doesn't match
# Try a valid exchange and see if the effects work
j.exchange_cards(['Cloth', 'Spice'], ['Gold', 'Gold'])
self.assertEqual(len([card for card in j.hands[j.player1] if card == 'Gold']), 2)
self.assertTrue('Cloth' not in j.hands[j.player1] and 'Spice' not in j.hands[j.player1])
def test_sell_cards(self):
j = jaipur.Jaipur(players.RandomPlayer('Alice'), players.RandomPlayer('Bob'))
j.initial_setup()
# Manual setup
j.hands[j.player1] = ['Diamond', 'Gold', 'Cloth', 'Cloth', 'Cloth']
# Invalid sell actions
self.assertRaises(Exception, j.sell_cards,['Gold', 1]) # Can't sell 1 gold only
self.assertRaises(Exception, j.sell_cards,['Cloth', 4]) # Not enough cloth to sell
# Check cards and tokens
start_cloth_tokens = int(len(j.goods_tokens['Cloth']))
start_triple_tokens = int(len(j.bonus_tokens[3]))
j.sell_cards('Cloth', 3)
self.assertTrue('Cloth' in j.discard_pile)
self.assertTrue('Cloth' not in j.hands[j.player1])
self.assertEqual(len(j.tokens[j.player1]), 4) # 3 goods tokens and 1 bonus token for p1
self.assertEqual(len(j.goods_tokens['Cloth']), start_cloth_tokens - 3) # 3 less cloth tokens
self.assertEqual(len(j.bonus_tokens[3]), start_triple_tokens - 1) # 1 less triple token
# Test if the market is being refreshed after actions
def test_board_replenish(self):
j = jaipur.Jaipur(players.RandomPlayer('Alice'), players.RandomPlayer('Bob'))
j.initial_setup()
# Arbitrary card from the market
card = j.market[0]
j.take_card(card)
# Check the market has been restored
self.assertEqual(len(j.market), 5)
# Swap players around
j.active_player , j.inactive_player = j.inactive_player, j.active_player
# Take a card
card2 = j.market[0]
j.take_card(card2)
if card2 == 'Camel':
self.assertTrue(card in j.herds[j.player2])
else:
self.assertTrue(card in j.hands[j.player2])
self.assertEqual(len(j.market), 5)
# Test if the copy returns a new instance
def test_copy(self):
j = jaipur.Jaipur(players.RandomPlayer('Alice'), players.RandomPlayer('Bob'))
j_copy = j.copy()
j.take_camels()
self.assertTrue(not j == j_copy)
# Test playing
def test_play(self):
j = jaipur.Jaipur(players.RandomPlayer('Alice'), players.RandomPlayer('Bob'))
winner, moves, outcome = j.play()
self.assertTrue(winner in ('Alice', 'Bob'))
if __name__=="__main__":
unittest.main()
|
7a12afe257bd7e69fb6c7c2e31c5473789888c40 | larakollokian/foodalike | /ImprovedCNN.py | 1,765 | 3.53125 | 4 | from keras.models import Sequential
from keras.layers import Dense, Conv2D, MaxPooling2D, Dropout, Flatten
from keras.utils import to_categorical
import pickle
num_classes = 24
input_shape = 50
train_data = pickle.load(open("X_train.pickle", "rb"))
train_labels = pickle.load(open("y_train.pickle", "rb"))
train_labels_one_hot = to_categorical(train_labels)
test_data = pickle.load(open("X_test.pickle", "rb"))
test_labels = pickle.load(open("y_test.pickle", "rb"))
test_labels_one_hot = to_categorical(test_labels)
def create_model():
model = Sequential()
model.add(Conv2D(32, (3, 3), padding='same', activation='relu', input_shape=input_shape))
model.add(Conv2D(32, (3, 3), activation='relu'))
model.add(MaxPooling2D(pool_size=(2, 2)))
model.add(Dropout(0.25))
model.add(Conv2D(64, (3, 3), padding='same', activation='relu'))
model.add(Conv2D(64, (3, 3), activation='relu'))
model.add(MaxPooling2D(pool_size=(2, 2)))
model.add(Dropout(0.25))
model.add(Conv2D(64, (3, 3), padding='same', activation='relu'))
model.add(Conv2D(64, (3, 3), activation='relu'))
model.add(MaxPooling2D(pool_size=(2, 2)))
model.add(Dropout(0.25))
model.add(Flatten())
model.add(Dense(512, activation='relu'))
model.add(Dropout(0.5))
model.add(Dense(num_classes, activation='softmax'))
return model
model1 = create_model()
batch_size = 24
epochs = 100
model1.compile(optimizer='rmsprop', loss='categorical_crossentropy', metrics=['accuracy'])
history = model1.fit(train_data, train_labels_one_hot, batch_size=batch_size, epochs=epochs, verbose=1,
validation_data=(test_data, test_labels_one_hot))
model1.evaluate(test_data, test_labels_one_hot)
model1.save('food_prediction.model')
|
f19f0012a4b733041e599adde6990bad18f703ad | soundaraj/python-practices1 | /pentegonn.py | 201 | 3.796875 | 4 | import turtle
myturtle = turtle.Turtle()
def pent(length,angle):
for i in range(5):
myturtle.forward(length)
#myturtle.backward(10)
myturtle.left(angle)
pent(120,72)
|
55883a42fe926a1f695520cd3dfcf92882bc403b | Agioss/tasks_for_nubip | /task2.py | 7,426 | 3.828125 | 4 | # Підключаємо графічну та математичну бібліотеки
import tkinter
import math
# Функції, які відповідають за введення та виконання стандартних операцій
def add_digit(digit):
value = count.get()
if value[0] == '0':
value = value[1:]
count.delete(0, tkinter.END)
count.insert(0, value + digit)
def add_oper(oper):
value = count.get()
if value[-1] in '-+/*':
value = value[:-1]
count.delete(0, tkinter.END)
count.insert(0, value + oper)
# Функція, яка реалізує виведення результату
def result():
value = count.get()
if value[-1] in '-+/*':
value += value[:-1]
count.delete(0, tkinter.END)
count.insert(0, eval(value))
# Функція, очищає рядок введення
def clear():
count.delete(0, tkinter.END)
count.insert(0, 0)
# Нижче описані фeнкції, які використовують бібліотеку math для обчислення
def sin():
value = count.get()
x = float(value)
value = math.sin(x)
count.delete(0, tkinter.END)
count.insert(0, value)
def cos():
value = count.get()
x = float(value)
value = math.cos(x)
count.delete(0, tkinter.END)
count.insert(0, value)
def tg():
value = count.get()
x = float(value)
value = math.tan(x)
count.delete(0, tkinter.END)
count.insert(0, value)
def ctg():
value = count.get()
x = float(value)
value = math.ctg(x)
count.delete(0, tkinter.END)
count.insert(0, value)
def log():
value = count.get()
x = float(value)
value = math.log5(x)
count.delete(0, tkinter.END)
count.insert(0, value)
def ln():
value = count.get()
x = float(value)
value = math.log10(x)
count.delete(0, tkinter.END)
count.insert(0, value)
def per():
value = count.get()
x = float(value)
if x > 0:
value = x / 100
count.delete(0, tkinter.END)
count.insert(0, value)
def scr():
value = count.get()
x = float(value)
if x > 0:
value = math.sqrt(x)
count.delete(0, tkinter.END)
count.insert(0, value)
# Набір функцій з дизайном та функціоналом для кнопок
def button_number(digit):
return tkinter.Button(text=digit, width=4, font=('Columbia', 18), bd=5, command=lambda: add_digit(digit))
def button_oper(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=lambda: add_oper(oper))
def button_count(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=result)
def button_clear(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=clear)
def button_sin(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=sin)
def button_cos(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=cos)
def button_tg(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=tg)
def button_ctg(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=ctg)
def button_log(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=log)
def button_ln(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=ln)
def button_per(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=per)
def button_scr(oper):
return tkinter.Button(text=oper, width=4, font=('Columbia', 15), bg='#ebb0a4',
bd=5, command=scr)
# Встановлюємо розмір, колір, назву вікна
screen = tkinter.Tk()
screen['bg'] = '#b3e6b9'
screen.title('My calculator')
screen.geometry('480x300')
# Створюємо вікно калькулятора
count=tkinter.Entry(screen,justify=tkinter.RIGHT,font=('Columbia',15), bg='#000', fg='white', width=18)
count.insert(0,'0')
count.grid(row=0, column=0, columnspan=6, stick='we', padx=5, pady=5)
#Викликаємо функції при введенні цифр
button_number('1').grid(row=1, column=0, stick='wens',padx=5, pady=5)
button_number('2').grid(row=1, column=1, stick='wens',padx=5, pady=5)
button_number('3').grid(row=1, column=2, stick='wens',padx=5, pady=5)
button_number('4').grid(row=2, column=0, stick='wens',padx=5, pady=5)
button_number('5').grid(row=2, column=1, stick='wens',padx=5, pady=5)
button_number('6').grid(row=2, column=2, stick='wens',padx=5, pady=5)
button_number('7').grid(row=3, column=0, stick='wens',padx=5, pady=5)
button_number('8').grid(row=3, column=1, stick='wens',padx=5, pady=5)
button_number('9').grid(row=3, column=2, stick='wens',padx=5, pady=5)
button_number('0').grid(row=4, column=0, stick='wens',padx=5, pady=5)
#Викликаємо функції при виборі дії(+, -, *, /)
button_oper('+').grid(row=1, column=3, stick='wens',padx=5, pady=5)
button_oper('-').grid(row=2, column=3, stick='wens',padx=5, pady=5)
button_oper('/').grid(row=3, column=3, stick='wens',padx=5, pady=5)
button_oper('*').grid(row=4, column=3, stick='wens',padx=5, pady=5)
#Викликаємо функції при виборі дії( обчислити, стерти)
button_count('=').grid(row=4, column=1, stick='wens',padx=5, pady=5)
button_clear('C').grid(row=4, column=2, stick='wens',padx=5, pady=5)
#Викликаємо функції при виборі тригонометричний чи інших складних дій
button_sin('sin').grid(row=1, column=4, stick='wens',padx=5, pady=5)
button_cos('cos').grid(row=2, column=4, stick='wens',padx=5, pady=5)
button_tg('tg').grid(row=3, column=4, stick='wens',padx=5, pady=5)
button_ctg('ctg').grid(row=4, column=4, stick='wens',padx=5, pady=5)
button_log('log').grid(row=1, column=5, stick='wens',padx=5, pady=5)
button_ln('ln').grid(row=2, column=5, stick='wens',padx=5, pady=5)
button_per('%').grid(row=3, column=5, stick='wens',padx=5, pady=5)
button_scr('sqrt').grid(row=4, column=5, stick='wens',padx=5, pady=5)
#Встановлюємо розміри для кнопок в колонці
screen.grid_columnconfigure(0,minsize=50)
screen.grid_columnconfigure(1,minsize=50)
screen.grid_columnconfigure(2,minsize=50)
#Встановлюємо розміри для кнопок в рядку
screen.grid_rowconfigure(1,minsize=60)
screen.grid_rowconfigure(2,minsize=60)
screen.grid_rowconfigure(3,minsize=60)
screen.grid_rowconfigure(4,minsize=60)
#Закінчення виконання команд
screen.mainloop() |
c21903404ba90d1c4e660483b139e81df1f04085 | liukai234/python_course_record | /面向对象/面向对象基础.py | 680 | 3.609375 | 4 | '''
@Description:
@LastEditors: liukai
@Date: 2020-04-21 09:05:13
@LastEditTime: 2020-04-21 09:28:07
@FilePath: /pyFile/面向对象/test.py
'''
class Student(object):
def __init__(self, a, b): # 构造函数
self.a = a # self表示为数据成员
self.b = b
def num1(self, c, d): # 成员函数
self.c = c # self表示为数据成员
self.__d = d # 私有成员 format: __var
return self.c
def main():
stu1 = Student('a', 'b')
print(stu1.a, stu1.b)
print(stu1.num1('c', 'd')) # 先对c进行定义才能访问
print(stu1.c)
# print(stu1.__d) # Error __d为私有成员
if __name__ == '__main__':
main() |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.