content
stringlengths 5
1.05M
|
|---|
def intro():
print("Ctrl Everything")
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# ---
# jupyter:
# jupytext:
# text_representation:
# extension: .py
# format_name: light
# format_version: '1.4'
# jupytext_version: 1.1.5
# kernelspec:
# display_name: Python 3
# language: python
# name: python3
# ---
# # s_display_norm_copula [<img src="https://www.arpm.co/lab/icons/icon_permalink.png" width=30 height=30 style="display: inline;">](https://www.arpm.co/lab/redirect.php?code=s_display_norm_copula&codeLang=Python)
# For details, see [here](https://www.arpm.co/lab/redirect.php?permalink=Frechet-HoeffBoundCop).
# +
import numpy as np
import scipy.stats as stats
import matplotlib.pyplot as plt
from arpym.statistics import simulate_normal
from arpym.statistics.norm_cop_pdf import norm_cop_pdf
from arpym.tools import add_logo
# -
# ## [Input parameters](https://www.arpm.co/lab/redirect.php?permalink=s_display_norm_copula-parameters)
j_ = 5000 # number of simulations
mu = np.array([0, 0]) # expectations
rho = -0.5 # correlation
svec = np.array([1, 1]) # standard deviations
# ## [Step 1](https://www.arpm.co/lab/redirect.php?permalink=s_display_norm_copula-implementation-step01): Generate normal scenarios and scenarios for the grades
# +
sigma2 = np.diag(svec) @ np.array([[1, rho], [rho, 1]]) @ np.diag(svec)
x = simulate_normal(mu, sigma2, j_) # normal scenarios
u1 = stats.norm.cdf(x[:, 0], mu[0], svec[0])
u2 = stats.norm.cdf(x[:, 1], mu[1], svec[1])
u_x = np.array([u1, u2]).T # grade scenarios
# -
# ## [Step 2](https://www.arpm.co/lab/redirect.php?permalink=s_display_norm_copula-implementation-step02): Compute pdf and cdf surfaces
# +
# grid in the unit square
grid = np.arange(0.01, 1, 0.01)
n_grid = len(grid)
pdf_u = np.zeros((n_grid, n_grid))
cdf_u = np.zeros((n_grid, n_grid))
for n in range(n_grid):
for m in range(n_grid):
u = np.r_[grid[n], grid[m]].reshape(-1, 1)
pdf_u[n, m] = norm_cop_pdf(u, mu, sigma2) # copula pdf
x = stats.norm.ppf(u.flatten(), mu.flatten(), svec)
cdf_u[n, m], _ = stats.mvn.mvnun(np.array([-100, -100]), x.flatten(), mu.flatten(), sigma2)
u_1, u_2 = np.meshgrid(grid, grid)
# -
# ## Plots
# +
plt.style.use('arpm')
u_color = [60/255, 149/255, 145/255]
# set figure specification
f = plt.figure(1, figsize=(1280.0/72.0, 720.0/72.0), dpi=72.0)
ax1 = plt.axes([0.10, 0.5, 0.35, 0.35], projection='3d')
ax1.plot_surface(u_1, u_2, pdf_u.T, facecolor='k', edgecolor=u_color)
ax1.view_init(30, -120)
plt.xlabel('Grade $U_1$', labelpad=5)
plt.ylabel('Grade $U_2$', labelpad=5)
ax1.set_zlabel('Normal copula pdf')
str = r'$\rho_{1,2}$ = % .2f' % rho
plt.title(str)
ax2 = plt.axes([0.55, 0.5, 0.35, 0.35], projection='3d')
ax2.plot_surface(u_1, u_2, cdf_u.T, facecolor='k', edgecolor=u_color)
ax2.view_init(30, -120)
plt.xlabel('Grade $U_1$', labelpad=5)
plt.ylabel('Grade $U_2$', labelpad=5)
ax2.set_zlabel('Normal copula cdf')
ax3 = plt.axes([0.35, 0.1, 0.3, 0.3])
plt.gca().set_aspect('equal', adjustable='box')
ax3.scatter(u1, u2, s=10, color=u_color, marker='*')
plt.xlabel('Grade $U_1$', labelpad=5)
plt.ylabel('Grade $U_2$', labelpad=5)
add_logo(f, axis=ax1, location=4, set_fig_size=False)
|
from setuptools import setup
setup(
name = "greeksyntax",
version = "0.1.dev0",
license = "Apache 2.0",
author = "Jonathan Robie",
author_email = "jonathan.robie@biblicalhumanities.org",
packages = ["greeksyntax"],
package_data = {
"greeksyntax" : "greeksyntax/*.css",
},
install_requires=[
'BaseXClient',
],
)
|
import pytest
from tempfile import NamedTemporaryFile
@pytest.fixture
def temp_db_file():
with NamedTemporaryFile('w', buffering=1) as temp_file:
yield temp_file
@pytest.fixture
def temp_csv_file():
with NamedTemporaryFile('w', buffering=1, suffix='.csv') as temp_file:
yield temp_file
@pytest.fixture
def temp_json_file():
with NamedTemporaryFile('w', buffering=1, suffix='.json') as temp_file:
yield temp_file
|
import math
import matplotlib
from ai2thor.controller import Controller
matplotlib.use("TkAgg", warn=False)
from PIL import Image, ImageDraw
import copy
import numpy as np
class ThorPositionTo2DFrameTranslator(object):
def __init__(self, frame_shape, cam_position, orth_size):
self.frame_shape = frame_shape
self.lower_left = np.array((cam_position[0], cam_position[2])) - orth_size
self.span = 2 * orth_size
def __call__(self, position):
if len(position) == 3:
x, _, z = position
else:
x, z = position
camera_position = (np.array((x, z)) - self.lower_left) / self.span
return np.array(
(
round(self.frame_shape[0] * (1.0 - camera_position[1])),
round(self.frame_shape[1] * camera_position[0]),
),
dtype=int,
)
def position_to_tuple(position):
return (position["x"], position["y"], position["z"])
def get_agent_map_data(c: Controller):
c.step({"action": "ToggleMapView"})
cam_position = c.last_event.metadata["cameraPosition"]
cam_orth_size = c.last_event.metadata["cameraOrthSize"]
pos_translator = ThorPositionTo2DFrameTranslator(
c.last_event.frame.shape, position_to_tuple(cam_position), cam_orth_size
)
to_return = {
"frame": c.last_event.frame,
"cam_position": cam_position,
"cam_orth_size": cam_orth_size,
"pos_translator": pos_translator,
}
c.step({"action": "ToggleMapView"})
return to_return
def add_agent_view_triangle(
position, rotation, frame, pos_translator, scale=1.0, opacity=0.7
):
p0 = np.array((position[0], position[2]))
p1 = copy.copy(p0)
p2 = copy.copy(p0)
theta = -2 * math.pi * (rotation / 360.0)
rotation_mat = np.array(
[[math.cos(theta), -math.sin(theta)], [math.sin(theta), math.cos(theta)]]
)
offset1 = scale * np.array([-1, 1]) * math.sqrt(2) / 2
offset2 = scale * np.array([1, 1]) * math.sqrt(2) / 2
p1 += np.matmul(rotation_mat, offset1)
p2 += np.matmul(rotation_mat, offset2)
img1 = Image.fromarray(frame.astype("uint8"), "RGB").convert("RGBA")
img2 = Image.new("RGBA", frame.shape[:-1]) # Use RGBA
opacity = int(round(255 * opacity)) # Define transparency for the triangle.
points = [tuple(reversed(pos_translator(p))) for p in [p0, p1, p2]]
draw = ImageDraw.Draw(img2)
draw.polygon(points, fill=(255, 255, 255, opacity))
img = Image.alpha_composite(img1, img2)
return np.array(img.convert("RGB"))
if __name__ == "__main__":
import matplotlib.pyplot as plt
c = Controller()
c.start()
c.reset("FloorPlan3_physics")
t = get_agent_map_data(c)
print(t['frame'].shape)
new_frame = add_agent_view_triangle(
position_to_tuple(c.last_event.metadata["agent"]["position"]),
c.last_event.metadata["agent"]["rotation"]["y"],
t["frame"],
t["pos_translator"],
)
plt.imshow(new_frame)
plt.show()
|
from panther_base_helpers import deep_get
def policy(resource):
return deep_get(resource, 'SSEDescription', 'Status') == 'ENABLED'
|
from PIL import Image, ImageDraw, ImageFont, ImageFilter
from random import randint
def generate_captcha():
# Generate one letter
def gen_letter():
return chr(randint(65, 90))
def rndColor():
return (randint(64, 255), randint(64, 255), randint(64, 255))
def rndColor2():
return (randint(32, 127), randint(32, 127), randint(32, 127))
# Generate a 4 letter word
def gen_wrong_answer():
word = ""
for _ in range(4):
word += gen_letter()
return word
# Generate 7 wrong captcha answers
wrong_answers = []
for _ in range(7):
wrong_answers.append(gen_wrong_answer())
width = 120 * 4
height = 120
correct_answer = ""
font = ImageFont.truetype("assets/arial.ttf", 90)
file = f"assets/{randint(1000, 9999)}.jpg"
image = Image.new('RGB', (width, height), (255, 255, 255))
draw = ImageDraw.Draw(image)
# Draw random points on image
for x in range(width):
for y in range(height):
draw.point((x, y), fill=rndColor())
for t in range(4):
letter = gen_letter()
correct_answer += letter
draw.text(
(120 * t + 32, 3),
letter,
font=font,
fill=rndColor2()
)
image = image.filter(ImageFilter.BLUR)
image.save(file, 'jpeg')
return [file, correct_answer, wrong_answers]
|
import pandas as pd
import os
from csv import writer
dataset = pd.read_csv("All_Year_Player_Points_IPL.csv")
rows = dataset.shape[0]
# players = {}
# print(rows)
for i in range(0, rows):
name = " ".join(dataset["PLAYER"][i].split()) + ".csv"
name = name.replace(" ", "_")
# print(name)
data = [dataset["Year"][i], dataset["Pts"][i]]
if os.path.isfile(name):
ff = open(name, "a", newline="")
csv_writer = writer(ff)
csv_writer.writerow(data)
ff.close()
else:
ff = open(name, "a", newline="")
row = ['Seasons', 'Points']
csv_writer = writer(ff)
csv_writer.writerow(row)
csv_writer.writerow(data)
ff.close()
|
class KnownError(Exception):
def __init__(self, message: str, detail: str = ""):
self.detail = detail
self.message = message
|
from itertools import permutations
def read_input(input_file):
with open(input_file, "r") as f:
return [i for i in f.readlines()]
def parse_segment(input: str):
return [tuple(l.split(" ")) for l in input.replace("\n", "").split(" | ")]
def get_numbers_of_unique_segments(input_file: str):
lines = read_input(input_file)
segments = [parse_segment(line) for line in lines]
unique_digits_len = {2: 0, 3: 0, 4: 0, 7: 0}
for segment in segments:
for s in segment[1]:
if len(s) in unique_digits_len:
unique_digits_len[len(s)] += 1
return sum(unique_digits_len.values())
numbers_repr = {
0: "abcefg",
1: "cf",
2: "acdeg",
3: "acdfg",
4: "bcdf",
5: "abdfg",
6: "abdefg",
7: "acf",
8: "abcdefg",
9: "abcdfg",
}
digits = [
"abcefg",
"cf",
"acdeg",
"acdfg",
"bcdf",
"abdfg",
"abdefg",
"acf",
"abcdefg",
"abcdfg",
]
def decode_wiring(input: str):
patterns, _ = parse_segment(input)
for permutation in permutations("abcdefg"):
if all(decode(pattern, permutation) in digits for pattern in patterns):
break
return "".join(permutation)
def decode(pattern: str, permutation: tuple):
perm = "".join(permutation)
decoded = []
for p in pattern:
decoded.append(chr(perm.index(p) + ord("a")))
decoded.sort()
return "".join(decoded)
def decode_output(input: str):
wiring = decode_wiring(input)
_, outputs = parse_segment(input)
return [digits.index(decode(output, wiring)) for output in outputs]
def compute_score(input_file: str):
lines = read_input(input_file)
scores = [int("".join(map(str, decode_output(line)))) for line in lines]
return sum(int(s) for s in scores)
|
import numpy as np
import time
from meta_mb.logger import logger
import gym
from gym import error, spaces
from meta_mb.meta_envs.base import MetaEnv
from blue_interface.blue_interface import BlueInterface
class BlueReacherEnv(MetaEnv, BlueInterface, gym.utils.EzPickle):
def __init__(self, side='right', ip='127.0.0.1', port=9090):
self.goal = np.array([0.5, 0.41, 0.65]) #When setting a goal, (x, y, z) in mujoco is (-y, z, x) in real life
self.goal_position = np.array([-1.0, -1.5, 1.5, 0, 0, 0, 0])
max_torques = np.array([5, 5, 4, 3, 3, 2, 2]) # Note: Just using the first 5 joints
self.frame_skip = 1
#self.dt = 0.02
self.dt = 0.2 #frequency adjustment
super(BlueReacherEnv, self).__init__(side, ip, port)
self.init_qpos = self.get_joint_positions()
self._prev_qpos = self.init_qpos.copy()
self.act_dim = len(max_torques)
self.obs_dim = len(self._get_obs())
self._low, self._high = -max_torques, max_torques
self.positions = {}
self.actions = {}
gym.utils.EzPickle.__init__(self)
def step(self, action):
self._prev_qpos = self.get_joint_positions()
self._prev_qvel = self.get_joint_velocities()
if (len(action) == 1):
action = action[0]
self.do_simulation(action, self.frame_skip)
#vec = self.vec_gripper_to_goal
vec = self.vec_arm_to_goal_pos
reward_dist = -np.linalg.norm(vec)
reward_ctrl = -np.square(action/(2 * self._high)).sum()
reward = reward_dist + 0.5 * 0.1 * reward_ctrl
ob = self._get_obs()
done = False
if self.actions is not None:
action_num = len(self.actions)
self.actions.update({action_num : action})
if self.positions is not None:
if len(self.positions) == 0:
self.positions = dict({0 : np.vstack((self._prev_qpos, self._prev_qvel))})
else:
arr = np.vstack((self.get_joint_positions(), self.get_joint_velocities()))
self.positions.update({len(self.positions) : arr})
return ob, reward, done, dict(reward_dist=reward_dist, reward_ctrl=reward_ctrl)
def viewer_setup(self):
self.viewer.cam.trackbodyid = 0
def do_simulation(self, action, frame_skip):
action = np.clip(action, self._low, self._high)
assert frame_skip > 0
for _ in range(frame_skip):
time.sleep(self.dt)
self.set_joint_torques(action)
def reward(self, obs, act, obs_next):
assert obs.ndim == act.ndim == obs_next.ndim
if obs.ndim == 2:
assert obs.shape == obs_next.shape and act.shape[0] == obs.shape[0]
reward_ctrl = -0.5 * 0.1 * np.sum(np.square(act/(2 * self._high)), axis=1)
reward_dist = -np.linalg.norm(obs_next[:, -3:], axis=1)
reward = reward_dist + reward_ctrl
return np.clip(reward, -1e2, 1e2)
elif obs.ndim == 1:
return self.reward(obs[None], act[None], obs_next[None])[0]
else:
raise NotImplementedError
def reset(self):
self.set_joint_positions(np.zeros((7,)), duration=5.)
#self.goal = np.array([0.5, 0.41, 0.65])
#self.goal_position = np.array([
# np.random.uniform(low=-1, high=2),
# np.random.uniform(low=-1.5, high=-2),
# np.random.uniform(low=-1.5, high=1.5),
# 0, 0, 0, 0])
while True:
# self.goal = np.random.uniform(low=-.2, high=.2, size=3)
#self.goal = np.array([0.5, 0.41, 0.65]) # Note: this is with fixed goal
self.goal_position = np.array([
np.random.uniform(low=-1, high=2),
np.random.uniform(low=-1.5, high=-2),
np.random.uniform(low=-1.5, high=1.5),
0, 0, 0, 0])
if np.linalg.norm(self.goal_position) < 2:
break
return self._get_obs()
def _get_obs(self):
return np.concatenate([
np.concatenate((self.get_joint_positions(), self.goal)),
self.get_joint_velocities(),
self.tip_position,
self.vec_gripper_to_goal,
]).reshape(-1)
@property
def tip_position(self):
pose = self.get_cartesian_pose()
return pose['position']
@property
def vec_gripper_to_goal(self):
gripper_pos = self.tip_position
vec_gripper_to_goal = self.goal - gripper_pos
return vec_gripper_to_goal
@property
def vec_arm_to_goal_pos(self):
arm_pos = self.get_joint_positions()
vec_arm_to_goal = self.goal_position - arm_pos
return vec_arm_to_goal
def log_diagnostics(self, paths, prefix=''):
dist = [-path["env_infos"]['reward_dist'] for path in paths]
final_dist = [-path["env_infos"]['reward_dist'][-1] for path in paths]
ctrl_cost = [-path["env_infos"]['reward_ctrl'] for path in paths]
logger.logkv(prefix + 'AvgDistance', np.mean(dist))
logger.logkv(prefix + 'AvgFinalDistance', np.mean(final_dist))
logger.logkv(prefix + 'AvgCtrlCost', np.mean(ctrl_cost))
@property
def action_space(self):
return spaces.Box(low=self._low, high=self._high, dtype=np.float32)
@property
def observation_space(self):
low = np.ones(self.obs_dim) * -1e6
high = np.ones(self.obs_dim) * 1e6
return spaces.Box(low=low, high=high, dtype=np.float32)
if __name__ == "__main__":
env = BlueReacherEnv()
while True:
env.reset()
for _ in range(1000):
env.step(env.action_space.sample())
env.render()
|
# The MIT License (MIT)
# Copyright (c) 2021 Tom J. Sun
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE.
from ..settings import settings
class Printer:
"""Printer is a singleton interface for interacting with the device's printer
Must be subclassed.
"""
def __init__(self):
raise NotImplementedError()
def qr_data_width(self):
"""Returns a smaller width for the QR to be generated
within, which will then be scaled up to fit the paper's width.
We do this because the QR would be too dense to be readable
by most devices otherwise.
"""
raise NotImplementedError()
def clear(self):
"""Clears the printer's memory, resetting it"""
raise NotImplementedError()
def print_qr_code(self, qr_code):
"""Prints a QR code, scaling it up as large as possible"""
raise NotImplementedError()
def create_printer():
"""Instantiates a new printer dynamically based on the default in Settings"""
return getattr(
__import__(settings.printer.module, globals(), None, [None], 1),
settings.printer.cls,
)()
|
from copy import deepcopy
# class AvoidPartnerPassDominoesBehavior:
# class SeekEnemyPassDominoesBehavior:
class GreedyDominoesBehavior:
def __init__(self):
pass
def update_world_state(self, world_state, event, value):
return world_state
def eval(self, action, world_state):
if action['action'] != 'play_tile':
return -1
corners = deepcopy(world_state['corners'])
corners_count = world_state['corners_count']
next_points = 0
# Get points for tile
tile = action['tile_value']
target_corner = action['corner']
target_orientation = action['orientation']
corners[target_corner] = tile[(target_orientation + 1) % 2]
corners_count[target_corner] = corners_count[target_corner] + 1
# print(str(corners_count))
if corners_count[1] >= 1 and (corners_count[0] + corners_count[2] + \
corners_count[3]) == 0:
next_points = corners[1] + 2 * corners[0]
elif corners_count[0] >= 1 and sum(corners_count[1:4]) == 0:
next_points = corners[0] + 2 * corners[1]
elif corners_count[0] >= 1 and corners_count[1] >= 1 and corners_count[2] >= 1:
next_points = corners[0] + corners[1] + corners[2]
elif corners_count[0] >= 1 and corners_count[1] >= 1 and corners_count[3] >= 1:
next_points = corners[0] + corners[1] + corners[3]
elif corners_count[2] >= 1 and corners_count[1] >= 1 and corners_count[3] >= 1:
next_points = corners[2] + corners[1] + corners[2]
elif corners_count[0] >= 1 and corners_count[1] >= 1 and \
corners_count[2] >= 1 and corners_count[3] >= 1:
next_points = sum(corners)
if next_points % 5 != 0:
next_points = 0
return next_points
|
import platform
import os
import time
# numpy/opencv
import numpy as np
import cv2 as cv
import pandas as pd
import bokeh
from bokeh.io import curdoc
from bokeh.events import SelectionGeometry
from bokeh.models import ColumnDataSource, HoverTool, Button, Div, BoxSelectTool, CustomJS
from bokeh.plotting import figure, show
from bokeh.layouts import column, row, Spacer
# -----------------------------------------------------------------------------
# set up some global variables that will be used throughout the code
script_path = os.path.realpath(__file__)
image_path = os.path.dirname(os.path.dirname(script_path))
# data source to contain the input image and the crop selection parameters
p1_src = ColumnDataSource(data=dict(input_img=[], x=[], y=[], w=[], h=[]))
cb_dict = dict(p1_src=p1_src)
callback = CustomJS(args=cb_dict, code="""
// get data source from Callback args
var data = p1_src.data;
/// get BoxSelectTool dimensions from cb_data parameter of Callback
var geometry = cb_obj['geometry'];
/// calculate Rect attributes
var width = geometry['x1'] - geometry['x0'];
var height = geometry['y1'] - geometry['y0'];
var x = geometry['x0'];
var y = geometry['y0'];
console.log(x);
console.log(y);
console.log(width);
console.log(height);
/// update data source with new Rect attributes
//data['x'].push(x);
//data['y'].push(y);
//data['w'].push(width);
//data['h'].push(height);
//p1_src.data = data;
//p1_src.change.emit();
""")
#box_select = BoxSelectTool(callback=callback)
# Function definitions
# -----------------------------------------------------------------------------
def get_input():
global detection_windows, results_div, filename_div, image_path
image_name = "D:/Projects/dlib_object_detection/obj_det_lib/images/mframe_05042.png"
print("Processing File: ", image_name)
# load in an image
image_path = os.path.dirname(image_name)
color_img = cv.imread(image_name)
# convert the image to RGBA for display
rgba_img = cv.cvtColor(color_img, cv.COLOR_RGB2RGBA)
p1_src.data = dict(input_img=[np.flipud(rgba_img)])
# Figure definitions
# -----------------------------------------------------------------------------
p1 = figure(x_range=(0,500), y_range=(0,350), plot_height=350, plot_width=500, title="Input image", tools=['pan', 'box_zoom', 'box_select', 'save', 'reset'], toolbar_location="right")
p1.image_rgba(image="input_img", x=0, y=0, dw=500, dh=350, source=p1_src)
p1.axis.visible = False
p1.grid.visible = False
#p1.x_range.range_padding = 0
#p1.y_range.range_padding = 0
get_input()
# -----------------------------------------------------------------------------
def selection_change(evt):
geometry = evt.geometry
x1 = min(geometry['x0'], geometry['x1'])
y1 = min(geometry['y0'], geometry['y1'])
x2 = max(geometry['x0'], geometry['x1'])
y2 = max(geometry['y0'], geometry['y1'])
print("test1")
print(x1)
print(x2)
print(y1)
print(y2)
#p1_src.selected.js_on_change('indices', callback)
#p1.js_on_event(SelectionGeometry, callback)
p1.on_event(SelectionGeometry, selection_change)
# Layout
# -----------------------------------------------------------------------------
layout = column(p1)
doc = curdoc()
doc.title = "Object Detection Viewer"
doc.add_root(layout)
#show(layout)
|
from xendit.models._base_model import BaseModel
class InvoiceRetailOutlet(BaseModel):
"""EWallet data detail in Invoice (API Reference: Invoice)
Attributes:
- ewallet_type (str)
"""
ewallet_type: str
|
# -*- coding: utf-8 -*-
"""
Copyright (c) 2020, Ernest Iu
Created by the Plotnikov Lab at the University of Toronto
Email Contacts:
Ernest Iu: ernest.iu@mail.utoronto.ca
Sergey Plotnikov: sergey.plotnikov@utoronto.ca
This script is part of a software designed for the analysis of cell
spreading assays. This software can be modified/redistributed under
the terms described by the BSD 2-Clause License. A copy of this license
should have been present within the software.
If not, please visit the following link:
https://github.com/ernestiu/Cell-spreading-analysis.git
"""
import PySimpleGUI as sg
import os.path
import re
from skimage import io
from cell_spreading_gui_version import cell_spreading
from kymographs_generator_gui_version import kymo_generator
tab1_layout = [
[sg.Text("Image location", font=('Arial', 11))],
[sg.In(size=(30, 1), enable_events=True, key="-FOLDER1-"),
sg.FileBrowse(target='-FOLDER1-', enable_events=True)],
[sg.Text("Save data to", font=('Arial', 11))],
[sg.In(size=(30, 1), enable_events=True, key="-FOLDER3-"),
sg.FolderBrowse(target='-FOLDER3-', enable_events=True)],
[sg.Text("Output settings:", font=('Arial', 12, 'bold'))],
[sg.Checkbox('Save masks', default=False, key='-MASK-', font=('Arial', 11))],
[sg.Checkbox('Export data', default=True, key='-DATA-', font=('Arial', 11))],
[sg.Checkbox('Save contours', default=False, key='-CONTOUR-', font=('Arial', 11))],
[sg.Text("Segmentation settings:", font=('Arial', 12, 'bold'))],
[sg.Checkbox('Show segmentation (will take longer)', default=False, key='-SEG-', font=('Arial', 11))],
[sg.Text('Smallest cell area (um^2): ', font=('Arial', 11)), sg.InputText(key='-CELL_SIZE-', size=(6, 1)), sg.Text(' (Try 33 um^2)', font=('Arial', 9))],
[sg.Text("Image parameters:", font=('Arial', 12, 'bold'))],
[sg.Text('Acquisition interval (s): ', font=('Arial', 11)), sg.InputText(key='-INTERVAL-', size=(5, 1))],
[sg.Text('Pixel size (um): ', font=('Arial', 11)), sg.InputText(key='-PIXEL-', size=(5, 1))],
[sg.Text('Image bit depth: ', font=('Arial', 11)), sg.Listbox(values=('8', '12', '16'), size=(2, 3), key='-BIT_DEPTH-', font=('Arial', 10))],
[sg.Button("Run", key="-SUBMIT1-", enable_events=True, font=('Arial', 11)), sg.Button('Cancel', key="-CANCEL-", font=('Arial', 11))]
]
tab2_layout = [
[sg.Text("Image location", font=('Arial', 11))],
[sg.In(size=(30, 1), enable_events=True, key="-FOLDER2-"),
sg.FileBrowse(target='-FOLDER2-', enable_events=True)],
[sg.Text("Save data to", font=('Arial', 11))],
[sg.In(size=(30, 1), enable_events=True, key="-FOLDER4-"),
sg.FolderBrowse(target='-FOLDER4-', enable_events=True)],
[sg.Text("Output settings:", font=('Arial', 12, 'bold'))],
[sg.Checkbox('Export data', default=True, key='-DATA2-', font=('Arial', 11))],
[sg.Text("Image parameters:", font=('Arial', 12, 'bold'))],
[sg.Text('Acquisition interval (s): ', font=('Arial', 11)), sg.InputText(key='-INTERVAL2-', size=(5, 1))],
[sg.Text('Pixel size (um): ', font=('Arial', 11)), sg.InputText(key='-PIXEL2-', size=(5, 1))],
[sg.Text('Smallest cell area (um^2): ', font=('Arial', 11)), sg.InputText(key='-CELL_SIZE2-', size=(6, 1)), sg.Text(' (Try 33 um^2)', font=('Arial', 9))],
[sg.Text('Image bit depth: ', font=('Arial', 11)), sg.Listbox(values=('8', '12', '16'), size=(2, 3), key='-BIT_DEPTH2-', font=('Arial', 10))],
[sg.Button("Run", key="-SUBMIT2-", enable_events=True, font=('Arial', 11)), sg.Button('Cancel', key="-CANCEL-", font=('Arial', 11))]
]
# ----- Full layout -----
layout = [
[sg.TabGroup([[sg.Tab('Cell spread area', tab1_layout), sg.Tab('Kymograph generator & analysis', tab2_layout)]])],
[sg.Text("Last updated by Ernest in Mar, 2021", justification='right', font=('Arial', 9), size=(52, 1))]
]
window = sg.Window("Cell Spreading Analysis", layout, font=("Arial", 12))
# Run the Event Loop
while True:
event, values = window.read()
if event in (sg.WIN_CLOSED, '-CANCEL-'):
break
if event == "-FOLDER1-":
filepath = values["-FOLDER1-"]
if event == "-FOLDER2-":
filepath = values["-FOLDER2-"]
if event in "-SUBMIT1-":
try:
image = io.imread(filepath)
fname = os.path.basename(filepath)
fname = re.sub('.tif', '', fname)
print(fname)
save_masks = values['-MASK-']
print(save_masks)
save_data = values['-DATA-']
print(save_data)
show_img = values['-SEG-']
save_contour = values['-CONTOUR-']
print(save_contour)
if save_contour == True:
show_img = True
interval = int(values['-INTERVAL-'])
print(interval)
pixel_size = float(values['-PIXEL-'])
print(pixel_size)
try:
small_obj = int(float(values['-CELL_SIZE-'])/pixel_size**2)
print(small_obj)
except:
small_obj = 1000
print('Default smallest cell size was used.')
bit_depth = int(values['-BIT_DEPTH-'][0])
print(bit_depth)
save_destination = values['-FOLDER3-']
cell_spreading(image, fname, save_masks, save_data, save_contour, show_img, interval, pixel_size, bit_depth, small_obj, save_destination)
except:
print('Error')
if event in "-SUBMIT2-":
try:
image = io.imread(filepath)
fname = os.path.basename(filepath)
fname = re.sub('.tif', '', fname)
print(fname)
save_data = values['-DATA2-']
print(save_data)
interval = int(values['-INTERVAL2-'])
print(interval)
pixel_size = float(values['-PIXEL2-'])
print(pixel_size)
# small_obj = int(float(values['-CELL_SIZE2-'])/pixel_size**2)
# print(small_obj)
try:
small_obj = int(float(values['-CELL_SIZE2-'])/pixel_size**2)
print(small_obj)
except:
small_obj = 1000
print('Default smallest cell size was used.')
bit_depth = int(values['-BIT_DEPTH2-'][0])
print(bit_depth)
save_destination = values['-FOLDER4-']
kymo_generator(image, fname, save_data, interval, pixel_size, bit_depth, small_obj = small_obj, save_destination = save_destination)
except:
print('Error')
window.close()
|
import numpy as np
import os
import struct
# import matplotlib.pyplot as plt
from nn import *
from layers import *
from functions import *
#
def loadMnist(path, kind='train'):
'''
import the MNIST dataset from path, which is the path of the folder
kind should be either 'train', which is the training set or 't10k', meaning test-10k pictures
'''
imagePath = os.path.join(path, '%s-images.idx3-ubyte' % kind)
labelPath = os.path.join(path, '%s-labels.idx1-ubyte' % kind)
with open(labelPath, 'rb') as lbp:
magic, n = struct.unpack('>II', lbp.read(8))
label = np.fromfile(lbp, dtype=np.uint8)
with open(imagePath, 'rb') as imp:
magic, num, rows, columns = struct.unpack('>IIII', imp.read(16))
image = np.fromfile(imp, dtype=np.uint8)
image = image.reshape(len(label),784)
return image, label
path = '../neuralNetwork/MNIST'
train, trainLabels = loadMnist(path)
test, testLabels = loadMnist(path, 't10k')
neural = nn([Dense(784, 200), FunctionLayer(relu), Dense(200,10), FunctionLayer(sigmoid)], 784, 10)
batchSize = 100
for i in range(100):
batchData = train[i*batchSize:(i+1)*batchSize]
batchLabel = trainLabels[i*batchSize:(i+1)*batchSize]
if i % 10 == 0:
count = 0
for j in range(batchSize):
if int(batchLabel[j]) == int(neural.forward(batchData[j]).argmax()):
count += 1
print('accuracy = %f' % (count / batchSize))
else:
for j in range(batchSize):
neural.train(batchData[j], batchLabel[j], sse, 0.1)
|
from SingletonProcess import SingletonProcess, block
from time import sleep
def printListSlow(l: list):
for item in l:
print(item)
sleep(1)
@SingletonProcess
def printListMP(l: list):
for item in l:
print(item)
sleep(1)
if __name__ == "__main__":
print("No Multiprocessing: ")
printListSlow(['a', 'b', 'c'])
printListSlow(['d', 'e', 'f'])
print("\nWith multiprocessing: ")
printListMP(['u', 'v', 'w'], pid='a')
printListMP(['x', 'y', 'z'], pid='b')
block()
print("\nOverrides: ")
printListMP(range(0, 10))
sleep(1)
printListMP(['a', 'b', 'c'])
block()
|
# encoding: utf-8
"""
一个用于调试的WSGI App
"""
import os
import time
import random
import threading
from flask import Flask, request, g
from flask_redis import FlaskRedis
from flask_sqlalchemy import SQLAlchemy
from sqlalchemy import Column
from sqlalchemy import func, text as _text
TMP_LIST = []
class Application(object):
def __call__(self, environ, start_fn):
x = random.randint(1, 5)
time.sleep(x)
TMP_LIST.append(x)
start_fn('200 OK', [('Content-Type', 'text/plain')])
msg = "process=%s thread=%s TMP_LIST=%s" % (
os.getpid(), threading.current_thread().ident, TMP_LIST)
return [msg.encode('utf-8')]
class TestDB(object):
# 并发请求的时候, 每个请求都可以拿到items中的数据(存在脏读)
items = []
def commit(self, x):
self.items.append(x)
# print('Commit %s' % x)
flask_app = Flask(__name__)
flask_app.config['REDIS_URL'] = "redis://localhost:6379/0"
flask_app.config['SQLALCHEMY_DATABASE_URI'] = \
"mysql+pymysql://root:root@127.0.0.1:3306/idict"
flask_app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = True
test_db = TestDB()
redis = FlaskRedis(flask_app)
sqla_db = SQLAlchemy(flask_app, session_options={'autoflush': False})
class TestModel(sqla_db.Model):
__tablename__ = 'test'
id_ = Column('id', sqla_db.BigInteger, autoincrement=True, primary_key=True)
user_id = Column(
'user_id', sqla_db.BigInteger, nullable=False, server_default='0')
name = Column(
'name', sqla_db.VARCHAR(128), nullable=False, server_default='')
_type = Column(
'type', sqla_db.SmallInteger, nullable=False, server_default='0')
create_time = Column('create_time', sqla_db.TIMESTAMP,
nullable=False, server_default=func.now())
update_time = Column(
'update_time', sqla_db.TIMESTAMP, nullable=False,
server_default=_text('CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP'))
@flask_app.route('/ping')
@flask_app.route('/ping/<int:delta>')
def ping(delta=0):
time.sleep(delta)
return 'pong'
@flask_app.route('/user/num')
def get_user_num():
return 'user_num=%s' % TestModel.query.count()
@flask_app.route('/test-db/<int:delta>')
def test_test_db(delta):
test_db.commit(delta)
time.sleep(delta)
msg = "process=%s thread=%s items=%s" % (
os.getpid(), threading.current_thread().ident, test_db.items)
return msg
@flask_app.route('/redis/<int:delta>')
def test_redis(delta):
rd_key = 'gunicorn:test:multi:req:list'
redis.lpush(rd_key, delta)
time.sleep(delta)
msg = "process=%s thread=%s items=%s" % (
os.getpid(), threading.current_thread().ident,
redis.lrange(rd_key, 0, -1)
)
return msg
@flask_app.route('/sqla/<int:delta>')
def test_sqla(delta):
obj = TestModel(user_id=delta, name=str(delta), _type=delta)
sqla_db.session.add(obj)
time.sleep(delta)
sqla_db.session.commit()
msg = "process=%s thread=%s COUNT=%s" % (
os.getpid(), threading.current_thread().ident,
TestModel.query.count()
)
return msg
# app = Application()
app = flask_app
|
# Lint as: python2, python3
"""Specification of a training cluster."""
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
from REDACTED.transformer_lingvo.lingvo.core import cluster as lingvo_cluster
import numpy as np
from six.moves import range
class _Cluster(lingvo_cluster._Cluster): # pylint: disable=protected-access
"""The whole training cluster from a single task's point of view."""
@classmethod
def _JobSpec(cls, replicas):
p = super(_Cluster, cls)._JobSpec(replicas)
p.Define('spus_per_replica', 0,
'The number of spu cores to use per replica.')
return p
@classmethod
def _MakeDeviceString(cls, job_name, task_id, device_name, device_id):
# In REDACTED, we use replica, not task.
return '%s/replica:%d/task:0/device:%s:%d' % (job_name, task_id,
device_name, device_id)
@classmethod
def Params(cls):
"""Defaults parameters for a cluster."""
p = super(_Cluster, cls).Params()
p.Define('inference_client', cls._JobSpec(1),
'The inference graph generator job.')
p.Define('guzzler_server_address', None,
'The address of the data guzzler server pool, if used.')
p.Define(
'guzzler_timeout_ms', 600000,
'The amount of time the guzzler servers have '
'to respond before an error is thrown.')
p.Define('guzzler_graph_dir', None,
'The directory to publish the guzzler Dataset graph to.')
p.Define(
'precompute_cache_path', None,
'The path to the files containing precomputed preprocessed inputs.')
return p
def __init__(self, params):
self._params = params.Copy()
p = self.params
if p.job == 'inference_client':
assert p.inference_client.replicas >= 1
assert p.inference_client.tpus_per_replica >= 0
self._job_spec = p.inference_client
else:
super(_Cluster, self).__init__(params)
@property
def spus_per_replica(self):
return self._job_spec.spus_per_replica
@property
def guzzler_server_address(self):
return self.params.guzzler_server_address
@property
def guzzler_timeout_ms(self):
return self.params.guzzler_timeout_ms
@property
def guzzler_graph_dir(self):
return self.params.guzzler_graph_dir
@property
def precompute_cache_path(self):
return self.params.precompute_cache_path
@property
def input_targets(self):
"""Returns a list of network addresses of the input job.
Typically, p.targets is either a BNS job prefix, or a list
of comma-separated network addresses (host:port, ip:port, or
grpc://) list.
"""
p = self.params.input
if p.targets.startswith('/bns') and (',' not in p.targets):
# We assume it's a bns job prefix.
return ['{}/{}'.format(p.targets, i) for i in range(p.replicas)]
else:
# Otherwise, it's typically a list of comma-separated network addresses.
return super(_Cluster, self).input_targets
@property
def available_devices(self):
"""Returns all compute devices available in a 2D array.
Returns:
A 2D array (python list of python lists) of strings. ret[i, j]
is the j-th visible device on i-th visible replica.
"""
if self.job == 'inference_client':
ret = np.empty((1, self.num_devices_per_split), np.object)
for i in range(self.num_devices_per_split):
ret[0, i] = '/device:TPU:%d' % i
return ret
return super(_Cluster, self).available_devices
def GetPlacer(self, strategy=None):
"""Returns a device function for placing ops within the cluster.
Args:
strategy: A string. Identifier for a placement strategy. By default,
we use a least loaded policy to place variables.
Returns:
Returns a device function can be used in tf.device().
Raises:
ValueError: when strategy is not supported.
"""
if self.job == 'inference_client':
return _InferenceSingleCorePlacer(self).DeviceFunction
return super(_Cluster, self).GetPlacer(strategy)
# TODO(rohananil): Extend this for placing model explicitly to different cores.
class _InferenceSingleCorePlacer(lingvo_cluster.VarPlacer):
"""Placer a variable on core 0 of TPU for inference."""
def _AssignVar(self, var_op):
del var_op
return '/device:TPU:0'
|
from scipy import stats
import matplotlib.pyplot as plt
fig = plt.figure()
ax1 = fig.add_subplot(211)
x = stats.loggamma.rvs(5, size=500) + 5
prob = stats.probplot(x, dist=stats.norm, plot=ax1)
ax1.set_xlabel('')
ax1.set_title('Probplot against normal distribution')
ax2 = fig.add_subplot(212)
xt, _ = stats.boxcox(x)
prob = stats.probplot(xt, dist=stats.norm, plot=ax2)
ax2.set_title('Probplot after Box-Cox transformation')
plt.show()
|
# It's important that these modules are imported automatically,
# so that their classes are registered with KnownArchivedObject and KnownStruct.
from . import nextstep # noqa: F401
from . import appkit # noqa: F401
from . import foundation # noqa: F401
|
# shows how linear regression analysis can be applied to moore's law
#
# notes for this course can be found at:
# https://deeplearningcourses.com/c/data-science-linear-regression-in-python
# https://www.udemy.com/data-science-linear-regression-in-python
# transistor count from: https://en.wikipedia.org/wiki/Transistor_count
from __future__ import print_function, division
from builtins import range
# Note: you may need to update your version of future
# sudo pip install -U future
import re
import numpy as np
import matplotlib.pyplot as plt
X = []
Y = []
# some numbers show up as 1,170,000,000 (commas)
# some numbers have references in square brackets after them
non_decimal = re.compile(r'[^\d]+')
for line in open('moore.csv'):
r = line.split('\t')
x = int(non_decimal.sub('', r[2].split('[')[0]))
y = int(non_decimal.sub('', r[1].split('[')[0]))
X.append(x)
Y.append(y)
X = np.array(X)
Y = np.array(Y)
plt.scatter(X, Y)
plt.show()
Y = np.log(Y)
plt.scatter(X, Y)
plt.show()
# copied from lr_1d.py
denominator = X.dot(X) - X.mean() * X.sum()
a = ( X.dot(Y) - Y.mean()*X.sum() ) / denominator
b = ( Y.mean() * X.dot(X) - X.mean() * X.dot(Y) ) / denominator
# let's calculate the predicted Y
Yhat = a*X + b
plt.scatter(X, Y)
plt.plot(X, Yhat)
plt.show()
# determine how good the model is by computing the r-squared
d1 = Y - Yhat
d2 = Y - Y.mean()
r2 = 1 - d1.dot(d1) / d2.dot(d2)
print("a:", a, "b:", b)
print("the r-squared is:", r2)
# how long does it take to double?
# log(transistorcount) = a*year + b
# transistorcount = exp(b) * exp(a*year)
# 2*transistorcount = 2 * exp(b) * exp(a*year) = exp(ln(2)) * exp(b) * exp(a * year) = exp(b) * exp(a * year + ln(2))
# a*year2 = a*year1 + ln2
# year2 = year1 + ln2/a
print("time to double:", np.log(2)/a, "years")
|
# from pathlib import Path
# from text_utils.ipa2symb import IPAExtractionSettings
# from text_utils.language import Language
# from text_utils.text import EngToIpaMode
# def test_app_merge(tmp_path: Path):
# base_dir = tmp_path / "base_dir"
# text_path = tmp_path / "input.txt"
# text_path.write_text("line1\nline2\n")
# add_corpus_from_text_file(
# base_dir=base_dir,
# corpus_name="corpus1",
# step_name="step1",
# text_path=text_path,
# lang=Language.ENG,
# replace_unknown_ipa_by=None,
# ignore_arcs=None,
# ignore_tones=None,
# overwrite=False,
# )
# app_merge(
# base_dir=base_dir,
# merge_name="merge1",
# script_name="script1",
# corpora=[("corpus1", "step1")],
# overwrite=False,
# )
# assert (base_dir / "scripts" / "merge1" / "data.pkl").exists()
# assert (base_dir / "scripts" / "merge1" / "script1" / "selection.pkl").exists()
# assert (base_dir / "scripts" / "merge1" / "script1" / "selected.txt").exists()
# assert (base_dir / "scripts" / "merge1" / "script1" / "selected.csv").exists()
# assert (base_dir / "scripts" / "merge1" / "script1" / "ignored.csv").exists()
# assert (base_dir / "scripts" / "merge1" / "script1" / "rest.csv").exists()
# def test_app_merge_merged(tmp_path: Path):
# base_dir = tmp_path / "base_dir"
# text_path = tmp_path / "input.txt"
# text_path.write_text("line1\nline2\n")
# add_corpus_from_text_file(
# base_dir=base_dir,
# corpus_name="corpus1",
# step_name="step1",
# text_path=text_path,
# lang=Language.ENG,
# replace_unknown_ipa_by=None,
# ignore_arcs=None,
# ignore_tones=None,
# overwrite=False,
# )
# app_merge(
# base_dir=base_dir,
# merge_name="merge1",
# script_name="script1",
# corpora=[("corpus1", "step1")],
# overwrite=False,
# )
# app_merge(
# base_dir=base_dir,
# merge_name="merge2",
# script_name="script1",
# corpora=[("corpus1", "step1")],
# overwrite=False,
# )
# app_merge_merged(
# base_dir=base_dir,
# merge_names=[("merge1", "script1"), ("merge2", "script1")],
# out_merge_name="merge3",
# out_script_name="script1",
# overwrite=False,
# )
# assert (base_dir / "scripts" / "merge3" / "data.pkl").exists()
# assert (base_dir / "scripts" / "merge3" / "script1" / "selection.pkl").exists()
# assert (base_dir / "scripts" / "merge3" / "script1" / "selected.txt").exists()
# assert (base_dir / "scripts" / "merge3" / "script1" / "selected.csv").exists()
# assert (base_dir / "scripts" / "merge3" / "script1" / "ignored.csv").exists()
# assert (base_dir / "scripts" / "merge3" / "script1" / "rest.csv").exists()
# def test_app_select_rest(tmp_path: Path):
# base_dir = tmp_path / "base_dir"
# text_path = tmp_path / "input.txt"
# text_path.write_text("line1\nline2\n")
# add_corpus_from_text_file(
# base_dir=base_dir,
# corpus_name="corpus1",
# step_name="step1",
# text_path=text_path,
# lang=Language.ENG,
# replace_unknown_ipa_by=None,
# ignore_arcs=None,
# ignore_tones=None,
# overwrite=False,
# )
# app_merge(
# base_dir=base_dir,
# merge_name="merge1",
# script_name="script1",
# corpora=[("corpus1", "step1")],
# overwrite=False,
# )
# app_select_rest(
# base_dir=base_dir,
# merge_name="merge1",
# in_script_name="script1",
# out_script_name="script2",
# overwrite=False,
# )
# assert (base_dir / "scripts" / "merge1" / "script2" / "selection.pkl").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "selected.txt").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "selected.csv").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "ignored.csv").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "rest.csv").exists()
# def test_app_ignore(tmp_path: Path):
# base_dir = tmp_path / "base_dir"
# text_path = tmp_path / "input.txt"
# text_path.write_text("line1\nline2\n")
# add_corpus_from_text_file(
# base_dir=base_dir,
# corpus_name="corpus1",
# step_name="step1",
# text_path=text_path,
# lang=Language.ENG,
# replace_unknown_ipa_by=None,
# ignore_arcs=None,
# ignore_tones=None,
# overwrite=False,
# )
# app_merge(
# base_dir=base_dir,
# merge_name="merge1",
# script_name="script1",
# corpora=[("corpus1", "step1")],
# overwrite=False,
# )
# app_ignore(
# base_dir=base_dir,
# merge_name="merge1",
# in_script_name="script1",
# out_script_name="script2",
# ignore_symbol="2",
# overwrite=False,
# )
# assert (base_dir / "scripts" / "merge1" / "script2" / "selection.pkl").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "selected.txt").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "selected.csv").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "ignored.csv").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "rest.csv").exists()
# def test_app_log_stats(tmp_path: Path):
# base_dir = tmp_path / "base_dir"
# text_path = tmp_path / "input.txt"
# text_path.write_text("line1\nline2\n")
# add_corpus_from_text_file(
# base_dir=base_dir,
# corpus_name="corpus1",
# step_name="step1",
# text_path=text_path,
# lang=Language.ENG,
# replace_unknown_ipa_by=None,
# ignore_arcs=None,
# ignore_tones=None,
# overwrite=False,
# )
# app_merge(
# base_dir=base_dir,
# merge_name="merge1",
# script_name="script1",
# corpora=[("corpus1", "step1")],
# overwrite=False,
# )
# app_log_stats(
# base_dir=base_dir,
# merge_name="merge1",
# script_name="script1",
# )
# assert True
# def test_app_select_greedy_ngrams_epochs(tmp_path: Path):
# base_dir = tmp_path / "base_dir"
# text_path = tmp_path / "input.txt"
# text_path.write_text("line1\nlin1e\nline2\n")
# add_corpus_from_text_file(
# base_dir=base_dir,
# corpus_name="corpus1",
# step_name="step1",
# text_path=text_path,
# lang=Language.ENG,
# replace_unknown_ipa_by=None,
# ignore_arcs=None,
# ignore_tones=None,
# overwrite=False,
# )
# app_merge(
# base_dir=base_dir,
# merge_name="merge1",
# script_name="script1",
# corpora=[("corpus1", "step1")],
# overwrite=False,
# )
# app_select_greedy_ngrams_epochs(
# base_dir=base_dir,
# merge_name="merge1",
# in_script_name="script1",
# out_script_name="script2",
# n_gram=1,
# epochs=1,
# overwrite=False,
# )
# assert (base_dir / "scripts" / "merge1" / "script2" / "selection.pkl").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "selected.txt").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "selected.csv").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "ignored.csv").exists()
# assert (base_dir / "scripts" / "merge1" / "script2" / "rest.csv").exists()
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
import os
from threading import Thread
from flask import Flask
from flask import flash
from flask import redirect, render_template, url_for, session
from flask_bootstrap import Bootstrap
from flask_mail import Mail, Message
from flask_migrate import Migrate, MigrateCommand
from flask_moment import Moment
from flask_script import Manager, Shell
from flask_sqlalchemy import SQLAlchemy
from flask_wtf import FlaskForm
from wtforms import StringField, SubmitField
from wtforms.validators import Required
from app import keys
basedir = os.path.abspath(os.path.dirname(__file__))
app = Flask(__name__)
app.config['SECRET_KEY'] = 'hard to guess string'
#数据库配置
app.config['SQLALCHEMY_DATABASE_URI'] =\
'sqlite:///' + os.path.join(basedir,'data.sqlite')
app.config['SQLALCHEMY_TRACK_MODIFICATIONS'] = True
#email配置
app.config['MAIL_SERVER'] = keys.MAIL_SERVER
app.config['MAIL_PORT'] = keys.MAIL_PORT
app.config['MAIL_USE_TLS'] = keys.MAIL_USE_TLS
app.config['MAIL_USERNAME'] = keys.MAIL_USERNAME
app.config['MAIL_PASSWORD'] = keys.MAIL_PASSWORD
app.config['MAIL_SENDER'] = keys.MAIL_USERNAME
app.config['MAIL_SUBJECT_PREFIX'] = '[Flask Send]'
app.config['ADMIN'] = keys.ADMIN
db = SQLAlchemy(app) #配置数据库
bootstrap = Bootstrap(app) #配置模板
moment = Moment(app) #配置时间
manager = Manager(app)
migrate = Migrate(app,db) #数据库迁移
mail = Mail(app) #配置邮件
manager.add_command('db',MigrateCommand)
@app.route('/',methods=['GET','POST'])
def index():
form = NameForm()
if form.validate_on_submit():
old_name = session.get('name',None)
new_name = form.name.data
user = User.query.filter_by(username=new_name).first()
#检查数据库中的记录
if user is None:
user = User(username=new_name)
db.session.add(user)
db.session.commit()
session['known'] = False
if app.config['ADMIN']:
send_mail(app.config['ADMIN'],'New user register',
'mail/new_user',user=user)
else:
session['known'] = True
#检查name是否改变
if old_name is not None and old_name != new_name:
flash("You have changed your name")
session['name'] = new_name
return redirect(url_for('index'))
return render_template('index.html',form=form,
name=session.get('name',None),
known = session.get('known',False))
@app.route('/user/<name>')
def user(name):
return render_template('base.html',name=name)
@app.errorhandler(404)
def page_not_found(e):
return render_template('404.html'),404
@app.errorhandler(500)
def internal_sercer_error(e):
return render_template('500.html'),500
#web表单
class NameForm(FlaskForm):
name = StringField("What's your name?",validators=[Required()])
submit = SubmitField('Submit')
#ORM数据表
class Role(db.Model):
__tablename__ = 'roles'
id = db.Column(db.Integer, primary_key=True)
name = db.Column(db.String(64), unique=True)
users = db.relationship('User', backref='role', lazy='dynamic')
def __repr__(self):
return '<Role %r>' % self.name
class User(db.Model):
__tablename__ = 'users'
id = db.Column(db.Integer, primary_key=True)
username = db.Column(db.String(64), unique=True, index=True)
role_id = db.Column(db.Integer, db.ForeignKey('roles.id'))
def __repr__(self):
return '<User %r>' % self.username
#导入数据库实例及模型
def make_shell_context():
return dict(app=app,db=db,Role=Role,User=User)
#电子邮件支持
def async_send_mail(app,msg):
with app.app_context():
mail.send(msg)
def send_mail(to,subject,template,**kwargs):
msg = Message(app.config['MAIL_SUBJECT_PREFIX'] + subject,
sender=app.config['MAIL_SENDER'],recipients=[to])
msg.body = render_template(template+'.txt',**kwargs)
msg.html = render_template(template+'.html',**kwargs)
th = Thread(target=async_send_mail,args=(app,msg))
th.start()
return th
manager.add_command("shell",Shell(make_context=make_shell_context)) #导入数据库
manager.add_command("db",MigrateCommand)
if __name__ == '__main__':
# manager.run()
app.run(debug=True)
|
# 递归函数, 自己调用自己
# count = 1
# def func():
# global count
# print('admin是很帅的', count)
# count = count + 1
# func()
# func()
# 递归深度. 你可以自己调用自己的次数.官方文档中递归最大深度是1000. 在这之前就会给你报错
# 遍历 D:/sylar文件夹, 打印出所有的文件和普通文件的文件名
import os
def func(filepath, n): # fullStackPython/p1_basic/day01_07base/
# 1,打开这个文件夹
files = os.listdir(filepath) # 查看当前文件夹中的内容
print(files)
# 2. 拿到每一个文件名
for file in files: # 获取到每一个文件
# 3. 获取到路径
f_d = os.path.join(filepath, file) # fullStackPython/p1_basic/day01_07base/文件名/
# 4. 判断是否是文件夹
if os.path.isdir(f_d):
# 5. 如果是文件夹. 继续再来一遍
print('\t' * n, file, ':') # 打印文件名
func(f_d, n + 1)
else: # 不是文件夹. 普通文件
print('\t' * n, file)
func('/Users/wangyadong/fullStackPython/p1_basic/day01_07base', 0)
|
# Time: O(logn + k)
# Space: O(1)
import bisect
class Solution(object):
def findClosestElements(self, arr, k, x):
"""
:type arr: List[int]
:type k: int
:type x: int
:rtype: List[int]
"""
i = bisect.bisect_left(arr, x)
left, right = i-1, i
while k:
if right >= len(arr) or \
(left >= 0 and abs(arr[left]-x) <= abs(arr[right]-x)):
left -= 1
else:
right += 1
k -= 1
return arr[left+1:right]
|
# coding: utf-8
from models.models import Group
from models.models import Person
from random import randrange
def test_add_group(app):
old_groups = app.object.get_group_list()
group = Group(name="test progon",
header="jhvgvhgv",
footer="khgcvkvv",
)
app.object.create_group_form(group)
new_groups = app.object.get_group_list()
assert len(old_groups) + 1 == app.object.count_group()
old_groups.append(group)
assert sorted(old_groups, key=Group.id_or_max) == sorted(new_groups, key=Group.id_or_max)
def test_add_empty_group(app):
old_groups = app.object.get_group_list()
group = Group(name="",
header="",
footer="",
)
app.object.create_group_form(group)
new_groups = app.object.get_group_list()
assert len(old_groups) + 1 == app.object.count_group()
old_groups.append(group)
assert sorted(old_groups, key=Group.id_or_max) == sorted(new_groups, key=Group.id_or_max)
def test_add_person(app):
old_persons = app.object.get_person_list()
person = Person(name="1",
lastname="2",
address="3",
mobile="4",
email="5",
)
app.object.create_person_form(person)
new_persons = app.object.get_person_list()
assert len(old_persons) + 1 == app.object.count_person()
old_persons.append(person)
assert sorted(old_persons, key=Person.id_or_max) == sorted(new_persons, key=Person.id_or_max)
|
import sys
def main(message):
print message
print('hello world')
|
class Televisao:
def __init__(self):
self.ligada = False
self.canal = 2
def muda_canal_para_baixo(self):
self.canal -= 1
def muda_canal_para_cima(self):
self.canal += 1
tv = Televisao()
print tv.muda_canal_para_cima()
print tv.muda_canal_para_cima()
print tv.canal
|
# https://codeforces.com/problemset/problem/677/A
n, h = [int(x) for x in input().split()]
heights = list(map(int, input().split()))
total = 0
for height in heights:
if height > h:
total += 2
else:
total += 1
print(total)
|
from typing import List
from pathlib import Path
import time
from selenium.webdriver.firefox.webdriver import WebDriver
from selenium.webdriver.firefox.options import Options
from selenium.webdriver.common.by import By
from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.support import expected_conditions as ec
from selenium.common.exceptions import TimeoutException as SeleniumTimeoutException
class SeleniumRunner:
"""
A runner that upload and download Icomoon resources using Selenium.
The WebDriver will use Firefox.
"""
"""
The long wait time for the driver in seconds.
"""
LONG_WAIT_IN_SEC = 25
"""
The medium wait time for the driver in seconds.
"""
MED_WAIT_IN_SEC = 6
"""
The short wait time for the driver in seconds.
"""
SHORT_WAIT_IN_SEC = 0.6
"""
The Icomoon Url.
"""
ICOMOON_URL = "https://icomoon.io/app/#/select"
def __init__(self, icomoon_json_path: str, download_path: str,
geckodriver_path: str, headless):
"""
Create a SeleniumRunner object.
:param icomoon_json_path: a path to the iconmoon.json.
:param download_path: the location where you want to download
the icomoon.zip to.
:param geckodriver_path: the path to the firefox executable.
:param headless: whether to run browser in headless (no UI) mode.
"""
self.icomoon_json_path = icomoon_json_path
self.download_path = download_path
self.driver = None
self.set_options(geckodriver_path, headless)
def set_options(self, geckodriver_path: str, headless: bool):
"""
Build the WebDriver with Firefox Options allowing downloads and
set download to download_path.
:param geckodriver_path: the path to the firefox executable.
:param headless: whether to run browser in headless (no UI) mode.
:raises AssertionError: if the page title does not contain
"IcoMoon App".
"""
options = Options()
allowed_mime_types = "application/zip, application/gzip, application/octet-stream"
# disable prompt to download from Firefox
options.set_preference("browser.helperApps.neverAsk.saveToDisk", allowed_mime_types)
options.set_preference("browser.helperApps.neverAsk.openFile", allowed_mime_types)
# set the default download path to downloadPath
options.set_preference("browser.download.folderList", 2)
options.set_preference("browser.download.dir", self.download_path)
options.headless = headless
self.driver = WebDriver(options=options, executable_path=geckodriver_path)
self.driver.get(self.ICOMOON_URL)
assert "IcoMoon App" in self.driver.title
def upload_icomoon(self):
"""
Upload the icomoon.json to icomoon.io.
:raises TimeoutException: happens when elements are not found.
"""
print("Uploading icomoon.json file...")
try:
# find the file input and enter the file path
import_btn = WebDriverWait(self.driver, SeleniumRunner.LONG_WAIT_IN_SEC).until(
ec.presence_of_element_located((By.CSS_SELECTOR, "div#file input"))
)
import_btn.send_keys(self.icomoon_json_path)
except Exception as e:
self.close()
raise e
try:
confirm_btn = WebDriverWait(self.driver, SeleniumRunner.MED_WAIT_IN_SEC).until(
ec.element_to_be_clickable((By.XPATH, "//div[@class='overlay']//button[text()='Yes']"))
)
confirm_btn.click()
except SeleniumTimeoutException as e:
print(e.stacktrace)
print("Cannot find the confirm button when uploading the icomoon.json",
"Ensure that the icomoon.json is in the correct format for Icomoon.io",
sep='\n')
self.close()
print("JSON file uploaded.")
def upload_svgs(self, svgs: List[str]):
"""
Upload the SVGs provided in folder_info
:param svgs: a list of svg Paths that we'll upload to icomoon.
"""
try:
print("Uploading SVGs...")
edit_mode_btn = self.driver.find_element_by_css_selector(
"div.btnBar button i.icon-edit"
)
edit_mode_btn.click()
self.click_hamburger_input()
for svg in svgs:
import_btn = self.driver.find_element_by_css_selector(
"li.file input[type=file]"
)
import_btn.send_keys(svg)
print(f"Uploaded {svg}")
self.test_for_possible_alert(self.SHORT_WAIT_IN_SEC, "Dismiss")
self.remove_color_from_icon()
self.click_hamburger_input()
select_all_button = WebDriverWait(self.driver, self.LONG_WAIT_IN_SEC).until(
ec.element_to_be_clickable((By.XPATH, "//button[text()='Select All']"))
)
select_all_button.click()
except Exception as e:
self.close()
raise e
def click_hamburger_input(self):
"""
Click the hamburger input until the pop up menu appears. This
method is needed because sometimes, we need to click the hamburger
input two times before the menu appears.
:return: None.
"""
try:
hamburger_input = self.driver.find_element_by_css_selector(
"button.btn5.lh-def.transparent i.icon-menu"
)
menu_appear_callback = ec.element_to_be_clickable(
(By.CSS_SELECTOR, "h1#setH2 ul")
)
while not menu_appear_callback(self.driver):
hamburger_input.click()
except Exception as e:
self.close()
raise e
def test_for_possible_alert(self, wait_period: float, btn_text: str):
"""
Test for the possible alert when we upload the svgs.
:param wait_period: the wait period for the possible alert
in seconds.
:param btn_text: the text that the alert's button will have.
:return: None.
"""
try:
dismiss_btn = WebDriverWait(self.driver, wait_period, 0.15).until(
ec.element_to_be_clickable(
(By.XPATH, f"//div[@class='overlay']//button[text()='{btn_text}']"))
)
dismiss_btn.click()
except SeleniumTimeoutException:
pass
def remove_color_from_icon(self):
"""
Remove the color from the most recent uploaded icon.
:return: None.
"""
try:
recently_uploaded_icon = WebDriverWait(self.driver, self.LONG_WAIT_IN_SEC).until(
ec.element_to_be_clickable((By.XPATH, "//div[@id='set0']//mi-box[1]//div"))
)
recently_uploaded_icon.click()
except Exception as e:
self.close()
raise e
try:
color_tab = WebDriverWait(self.driver, self.SHORT_WAIT_IN_SEC).until(
ec.element_to_be_clickable((By.CSS_SELECTOR, "div.overlayWindow i.icon-droplet"))
)
color_tab.click()
remove_color_btn = self.driver \
.find_element_by_css_selector("div.overlayWindow i.icon-droplet-cross")
remove_color_btn.click()
except SeleniumTimeoutException:
pass
except Exception as e:
self.close()
raise e
try:
close_btn = self.driver \
.find_element_by_css_selector("div.overlayWindow i.icon-close")
close_btn.click()
except Exception as e:
self.close()
raise e
def download_icomoon_fonts(self, zip_path: Path):
"""
Download the icomoon.zip from icomoon.io.
:param zip_path: the path to the zip file after it's downloaded.
"""
try:
print("Downloading Font files...")
self.driver.find_element_by_css_selector(
"a[href='#/select/font']"
).click()
self.test_for_possible_alert(self.MED_WAIT_IN_SEC, "Continue")
download_btn = WebDriverWait(self.driver, SeleniumRunner.LONG_WAIT_IN_SEC).until(
ec.presence_of_element_located((By.CSS_SELECTOR, "button.btn4 span"))
)
download_btn.click()
if self.wait_for_zip(zip_path):
print("Font files downloaded.")
else:
raise TimeoutError(f"Couldn't find {zip_path} after download button was clicked.")
except Exception as e:
self.close()
raise e
def wait_for_zip(self, zip_path: Path) -> bool:
"""
Wait for the zip file to be downloaded by checking for its existence
in the download path. Wait time is self.LONG_WAIT_IN_SEC and check time
is 1 sec.
:param zip_path: the path to the zip file after it's
downloaded.
:return: True if the file is found within the allotted time, else
False.
"""
end_time = time.time() + self.LONG_WAIT_IN_SEC
while time.time() <= end_time:
if zip_path.exists():
return True
time.sleep(1)
return False
def close(self):
"""
Close the SeleniumRunner instance.
"""
print("Closing down SeleniumRunner...")
self.driver.quit()
|
"""General functions for string transformations."""
def convert_chemformula(string):
"""
Convert a chemical formula string to a matplotlib parsable format (latex).
Parameters
----------
string or Adsorbate: str
String to process.
Returns
-------
str
Processed string.
"""
result = getattr(string, 'formula', None)
if result is None:
result = ""
number_processing = False
for i in string:
if i.isdigit():
if not number_processing:
result += '_{'
number_processing = True
else:
if number_processing:
result += '}'
number_processing = False
result += i
if number_processing:
result += '}'
return f'${result}$'
def convert_unitstr(string: str, negative: bool = False):
"""
Convert a unit string to a nice matplotlib parsable format (latex).
Parameters
----------
string: str
String to process.
negative: bool
Whether the power is negative instead.
Returns
-------
str
Processed string.
"""
result = ""
number_processing = False
for i in string:
if i.isdigit():
if not number_processing:
result += '^{'
if negative:
result += '-'
negative = False
number_processing = True
else:
if number_processing:
result += '}'
number_processing = False
if i == "(":
result += '_{'
continue
elif i == ")":
result += '}'
continue
result += (i)
if number_processing:
result += '}'
if negative:
result += '^{-1}'
return result
|
import torch
import PIL
import os
import copy
import numpy as np
from torch import nn
import matplotlib.pyplot as plt
from torchvision import transforms
from skimage import io
# Some basic setup:
# Setup detectron2 logger
import detectron2
from detectron2.utils.logger import setup_logger
setup_logger()
# import some common libraries
import numpy as np
import os, json, random
import cv2
# import some common detectron2 utilities
from detectron2 import model_zoo
from detectron2.engine import DefaultPredictor
from detectron2.config import get_cfg
# from detectron2.utils.visualizer import Visualizer
from detectron2.data import MetadataCatalog, DatasetCatalog
import time
import sys
from tqdm import trange
def do_something():
time.sleep(1)
def cam_to_lidar(pointcloud, projection_mats):
"""
Takes in lidar in velo coords, returns lidar points in camera coords
:param pointcloud: (n_points, 4) np.array (x,y,z,r) in velodyne coordinates
:return lidar_cam_coords: (n_points, 4) np.array (x,y,z,r) in camera coordinates
"""
lidar_velo_coords = copy.deepcopy(pointcloud)
reflectances = copy.deepcopy(lidar_velo_coords[:, -1]) #copy reflectances column
lidar_velo_coords[:, -1] = 1 # for multiplying with homogeneous matrix
lidar_cam_coords = projection_mats['Tr_velo_to_cam'].dot(lidar_velo_coords.transpose())
lidar_cam_coords = lidar_cam_coords.transpose()
lidar_cam_coords[:, -1] = reflectances
return lidar_cam_coords
def create_class_scores_mask(self, img):
transform = transforms.Compose([
transforms.ToTensor(),
transforms.Normalize([0.485, 0.456, 0.406], [0.229, 0.224, 0.225])])
tensor_img = transform(img)
tensor_img = tensor_img.unsqueeze(0).to(self.device)
mask = self.deeplab101(tensor_img)
mask = mask['out'] #ignore auxillary output
_, preds = torch.max(mask, 1)
class_scores = torch.where(preds==3, torch.ones(preds.shape).to(self.device), torch.zeros(preds.shape).to(self.device)) #convert preds to binary map (1 = car, else 0)
class_scores = class_scores.squeeze()
return class_scores
def augment_lidar_class_scores( class_scores, lidar_cam_coords, projection_mats):
"""
Projects lidar points onto segmentation map, appends class score each point projects onto.
"""
reflectances = copy.deepcopy(lidar_cam_coords[:, -1])
lidar_cam_coords[:, -1] = 1 #homogenous coords for projection
points_projected_on_mask = projection_mats['P2'].dot(projection_mats['R0_rect'].dot(lidar_cam_coords.transpose()))
points_projected_on_mask = points_projected_on_mask.transpose()
points_projected_on_mask = points_projected_on_mask/(points_projected_on_mask[:,2].reshape(-1,1))
true_where_x_on_img = (0 < points_projected_on_mask[:, 0]) & (points_projected_on_mask[:, 0] < class_scores.shape[1]) #x in img coords is cols of img
true_where_y_on_img = (0 < points_projected_on_mask[:, 1]) & (points_projected_on_mask[:, 1] < class_scores.shape[0])
true_where_point_on_img = true_where_x_on_img & true_where_y_on_img
points_projected_on_mask = points_projected_on_mask[true_where_point_on_img] # filter out points that don't project to image
# print(points_projected_on_mask.shape)
lidar_cam_coords = torch.from_numpy(lidar_cam_coords[true_where_point_on_img])
reflectances = reflectances[true_where_point_on_img]
reflectances = torch.from_numpy(reflectances.reshape(-1, 1))
points_projected_on_mask = np.floor(points_projected_on_mask).astype(int) # using floor so you don't end up indexing num_rows+1th row or col
points_projected_on_mask = torch.from_numpy(points_projected_on_mask[:, :2]) #drops homogenous coord 1 from every point, giving (N_pts, 2) int array
#indexing oreder below is 1 then 0 because points_projected_on_mask is x,y in image coords which is cols, rows while class_score shape is (rows, cols)
point_scores = class_scores[points_projected_on_mask[:, 1], points_projected_on_mask[:, 0]].reshape(-1, 1).double()
# augmented_lidar_cam_coords = torch.cat((lidar_cam_coords[:, :-1].to(self.device), reflectances.to(self.device), point_scores.to(self.device)), 1)
augmented_lidar_cam_coords = torch.cat((lidar_cam_coords[:, :-1].to("cuda:0"), reflectances.to("cuda:0"), point_scores.to("cuda:0")), 1)
return augmented_lidar_cam_coords, true_where_point_on_img
def semantic_augmentation(pointcloud, calibration_matrix, im):
cfg = get_cfg()
# add project-specific config (e.g., TensorMask) here if you're not running a model in detectron2's core library
# cfg.merge_from_file(model_zoo.get_config_file("COCO-InstanceSegmentation/mask_rcnn_R_101_FPN_3x.yaml"))
cfg.merge_from_file(model_zoo.get_config_file("COCO-PanopticSegmentation/panoptic_fpn_R_101_3x.yaml"))
cfg.MODEL.ROI_HEADS.SCORE_THRESH_TEST = 0.5 # set threshold for this model
# Find a model from detectron2's model zoo. You can use the https://dl.fbaipublicfiles... url as well
# cfg.MODEL.WEIGHTS = model_zoo.get_checkpoint_url("COCO-InstanceSegmentation/mask_rcnn_R_101_FPN_3x.yaml")
cfg.MODEL.WEIGHTS = model_zoo.get_checkpoint_url("COCO-PanopticSegmentation/panoptic_fpn_R_101_3x.yaml")
predictor = DefaultPredictor(cfg)
outputs = predictor(im)
class_scores = torch.zeros(im.shape[0], im.shape[1]).to("cuda:0")
nr_instances = list(outputs["instances"].pred_classes.shape)[0]
aux = torch.zeros(1,im.shape[0], im.shape[1]).to("cuda:0")
for i in range(0,nr_instances):
if outputs["instances"].pred_classes[i]==0:
class_scores = torch.stack([outputs["instances"].pred_masks[i], class_scores], dim=0)
class_scores = torch.amax(class_scores, dim=0)
with calibration_matrix as f:
lines = f.readlines()
for l in lines:
l = l.split(':')[-1]
R0_rect = np.eye(4)
Tr_velo_to_cam = np.eye(4)
P2 = np.array(lines[2].split(":")[-1].split(), dtype=np.float32).reshape((3,4))
R0_rect[:3, :3] = np.array(lines[4].split(":")[-1].split(), dtype=np.float32).reshape((3,3)) # makes 4x4 matrix
Tr_velo_to_cam[:3, :4] = np.array(lines[5].split(":")[-1].split(), dtype=np.float32).reshape((3,4)) # makes 4x4 matrix
projection_mats = {'P2': P2, 'R0_rect': R0_rect, 'Tr_velo_to_cam':Tr_velo_to_cam}
lidar_cam_coords = cam_to_lidar(pointcloud, projection_mats)
augmented_lidar_cam_coords, mask_aux = augment_lidar_class_scores(class_scores, lidar_cam_coords, projection_mats)
reduced_pointcloud = torch.tensor(pointcloud[mask_aux])
augmented_lidar_coords = np.c_[reduced_pointcloud, augmented_lidar_cam_coords.cpu().numpy()[:,4]]
augmented_lidar_coords_tensor = torch.tensor(augmented_lidar_coords).to('cuda:0')
return augmented_lidar_coords
def get_label_anno(label_path):
annotations = {}
annotations.update({
'name': [],
'truncated': [],
'occluded': [],
'alpha': [],
'bbox': [],
'dimensions': [],
'location': [],
'rotation_y': []
})
with open(label_path, 'r') as f:
lines = f.readlines()
# if len(lines) == 0 or len(lines[0]) < 15:
# content = []
# else:
content = [line.strip().split(' ') for line in lines]
num_objects = len([x[0] for x in content if x[0] != 'DontCare'])
annotations['name'] = np.array([x[0] for x in content])
num_gt = len(annotations['name'])
annotations['truncated'] = np.array([float(x[1]) for x in content])
annotations['occluded'] = np.array([int(x[2]) for x in content])
annotations['alpha'] = np.array([float(x[3]) for x in content])
annotations['bbox'] = np.array([[float(info) for info in x[4:8]]
for x in content]).reshape(-1, 4)
# dimensions will convert hwl format to standard lhw(camera) format.
annotations['dimensions'] = np.array([[float(info) for info in x[8:11]]
for x in content
]).reshape(-1, 3)[:, [2, 0, 1]]
annotations['location'] = np.array([[float(info) for info in x[11:14]]
for x in content]).reshape(-1, 3)
annotations['rotation_y'] = np.array([float(x[14])
for x in content]).reshape(-1)
if len(content) != 0 and len(content[0]) == 16: # have score
annotations['score'] = np.array([float(x[15]) for x in content])
else:
annotations['score'] = np.zeros((annotations['bbox'].shape[0], ))
index = list(range(num_objects)) + [-1] * (num_gt - num_objects)
annotations['index'] = np.array(index, dtype=np.int32)
annotations['group_ids'] = np.arange(num_gt, dtype=np.int32)
return annotations
def get_index_positions(list_of_elems, element):
''' Returns the indexes of all occurrences of give element in
the list- listOfElements '''
index_pos_list = []
index_pos = 0
while True:
try:
# Search for item in list from indexPos to the end of list
index_pos = list_of_elems.index(element, index_pos)
# Add the index position in list
index_pos_list.append(index_pos)
index_pos += 1
except ValueError as e:
break
return index_pos_list
########### Initial Configurations ###########
kitti_path = "/home/rmoreira/kitti/pcdet/training/image_2/"
kitti_save_path = '/home/rmoreira/kitti/pcdet/training/masks/'
# cfg = get_cfg()
# add project-specific config (e.g., TensorMask) here if you're not running a model in detectron2's core library
# cfg.merge_from_file(model_zoo.get_config_file("COCO-InstanceSegmentation/mask_rcnn_R_101_FPN_3x.yaml"))
# cfg.merge_from_file(model_zoo.get_config_file("COCO-PanopticSegmentation/panoptic_fpn_R_101_3x.yaml"))
# cfg.MODEL.ROI_HEADS.SCORE_THRESH_TEST = 0.5 # set threshold for this model
# Find a model from detectron2's model zoo. You can use the https://dl.fbaipublicfiles... url as well
# cfg.MODEL.WEIGHTS = model_zoo.get_checkpoint_url("COCO-InstanceSegmentation/mask_rcnn_R_101_FPN_3x.yaml")
# cfg.MODEL.WEIGHTS = model_zoo.get_checkpoint_url("COCO-PanopticSegmentation/panoptic_fpn_R_101_3x.yaml")
# predictor = DefaultPredictor(cfg)
for idx in trange(1):
im = cv2.imread(kitti_path+str(idx).rjust(6,'0')+'.png')
outputs = predictor(im)
class_scores = torch.zeros(im.shape[0], im.shape[1]).to("cuda:0")
nr_instances = list(outputs["instances"].pred_classes.shape)[0]
aux = torch.zeros(1,im.shape[0], im.shape[1]).to("cuda:0")
for i in range(0,nr_instances):
if outputs["instances"].pred_classes[i]==0:
class_scores = torch.stack([outputs["instances"].pred_masks[i], class_scores], dim=0)
class_scores = torch.amax(class_scores, dim=0)
# torch.save(class_scores, kitti_save_path+str(idx).rjust(6,'0')+'.pt')
do_something()
"""
kitti_path = "/home/rmoreira/kitti/pcdet/training/"
img_name = 'image_2/000000.png'
im = cv2.imread(kitti_path+img_name)
# im = np.array(io.imread(kitti_path+img_name), dtype=np.int32)
path_pointcloud = kitti_path+'velodyne/000000.bin'
path_label = kitti_path+'label_2/000000.txt'
path_calib = kitti_path+'calib/000000.txt'
pointcloud = np.fromfile(path_pointcloud, dtype=np.float32).reshape(-1,4)
res = semantic_augmentation(pointcloud, open(path_calib), im)
print(res.shape)
"""
"""
path_to_kitti = "/home/rmoreira/kitti/pcdet/training/"
# data_type = "image_2/" # xxxxxx.png
# data_type = "velodyne/" #
data_type = "label_2/"
for indx in range(0,9):
path = path_to_kitti+data_type+"00030"+str(indx)+".txt"
label = get_label_anno(path)
pedestrians = get_index_positions(list(label["name"]),"Pedestrian")
for i in pedestrians:
local = label["location"][i]
distance = np.linalg.norm(local)
if distance > 50:
print("Distance: ",distance,"m","\nLabel: ", indx, "\nGT nr: ",i)
break
"""
|
"""
Copyright (c) 2022 Huawei Technologies Co.,Ltd.
openGauss is licensed under Mulan PSL v2.
You can use this software according to the terms and conditions of the Mulan PSL v2.
You may obtain a copy of Mulan PSL v2 at:
http://license.coscl.org.cn/MulanPSL2
THIS SOFTWARE IS PROVIDED ON AN "AS IS" BASIS, WITHOUT WARRANTIES OF ANY KIND,
EITHER EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO NON-INFRINGEMENT,
MERCHANTABILITY OR FIT FOR A PARTICULAR PURPOSE.
See the Mulan PSL v2 for more details.
"""
'''
-- @testpoint:在insert语句中,使用explain 语法依次添加语法中的参数
'''
import sys
import unittest
sys.path.append(sys.path[0]+"/../")
from testcase.utils.Logger import Logger
from testcase.utils.Constant import Constant
from testcase.utils.CommonSH import CommonSH
logger = Logger()
commonsh = CommonSH('dbuser')
constant = Constant()
class SYS_Operation(unittest.TestCase):
def setUp(self):
logger.info('------------------------Opengauss_Function_DML_Set_Case0044开始执行-----------------------------')
def test_explain(self):
# 建表
sql_cmd1 = commonsh.execut_db_sql('''drop table if exists student;
create table student(id int, name char(20));''')
logger.info(sql_cmd1)
self.assertIn(constant.TABLE_CREATE_SUCCESS, sql_cmd1)
# explain添加analyze参数,省略true选项,显示实际运行时间和其他统计数据
# explain添加analyze参数,添加true选项,显示实际运行时间和其他统计数据
sql_cmd2 = commonsh.execut_db_sql('''explain analyze insert into student values(1,'a'),(2,'b');
explain (analyze true) insert into student values(1,'a'),(2,'b'); ''')
logger.info(sql_cmd2)
self.assertIn(constant.EXPLAIN_SUCCESS_MSG, sql_cmd2)
# explain添加analyse参数,省略true选项,显示实际运行时间和其他统计数据
# explain添加analyse参数,添加true选项,显示实际运行时间和其他统计数据
sql_cmd3 = commonsh.execut_db_sql('''explain analyse insert into student values(1,'a'),(2,'b');
explain (analyse true) insert into student values(1,'a'),(2,'b');''')
logger.info(sql_cmd3)
self.assertIn(constant.EXPLAIN_SUCCESS_MSG, sql_cmd3)
# explain添加analyze参数,添加false选项,不显示实际运行时间
# explain添加analyse参数,添加false选项,不显示实际运行时间
sql_cmd4 = commonsh.execut_db_sql('''explain (analyze false) insert into student values(1,'a'),(2,'b');
explain (analyse false) insert into student values(1,'a'),(2,'b');''')
logger.info(sql_cmd4)
self.assertIn(constant.EXPLAIN_SUCCESS_MSG, sql_cmd4)
# explain添加verbose参数,省略true选项,显示有关计划的额外信息
# explain添加verbose参数,添加true选项,显示有关计划的额外信息
# explain添加verbose参数,添加false选项,不显示有关计划的Output额外信息
sql_cmd5 = commonsh.execut_db_sql('''explain verbose insert into student values(3,'a'),(4,'b');
explain (verbose true) insert into student values(3,'a'),(4,'b');
explain (verbose false) insert into student values(3,'a'),(4,'b');''')
logger.info(sql_cmd5)
self.assertIn(constant.EXPLAIN_SUCCESS_MSG, sql_cmd5)
# explain添加costs参数,省略true选项,显示估计总成本和宽度
# explain添加costs参数,添加true选项,显示估计总成本和宽度
# explain添加costs参数,添加false选项,不显示估计总成本和宽度
sql_cmd6 = commonsh.execut_db_sql('''explain (COSTS)insert into student values(5,'a'),(6,'b');
explain (COSTS true)insert into student values(5,'a'),(6,'b');
explain (COSTS false)insert into student values(5,'a'),(6,'b');''')
logger.info(sql_cmd6)
self.assertIn(constant.EXPLAIN_SUCCESS_MSG, sql_cmd6)
# explain添加cpu参数,省略true选项,显示CPU的使用情况
# explain添加cpu参数,添加true选项,显示CPU的使用情况
# explain添加cpu参数,添加false选项,不显示CPU的使用情况
sql_cmd7 = commonsh.execut_db_sql('''explain (analyze,cpu)insert into student values(5,'a'),(6,'b');
explain (analyze,cpu true)insert into student values(5,'a'),(6,'b');
explain (analyze,cpu false)insert into student values(5,'a'),(6,'b');''')
logger.info(sql_cmd7)
self.assertIn(constant.EXPLAIN_SUCCESS_MSG, sql_cmd7)
# 清理环境
def tearDown(self):
logger.info('----------this is teardown-------')
# 删除表
sql_cmd8 = commonsh.execut_db_sql('''drop table student;''')
logger.info(sql_cmd8)
logger.info('------------------------Opengauss_Function_DML_Set_Case0044执行结束--------------------------')
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
URL scraping API.
This module contains utility functions to extract (scrape) URLs from data.
Currently only HTML and plain text data are supported.
"""
__license__ = """
GoLismero 2.0 - The web knife - Copyright (C) 2011-2014
Golismero project site: https://github.com/golismero
Golismero project mail: contact@golismero-project.com
This program is free software; you can redistribute it and/or
modify it under the terms of the GNU General Public License
as published by the Free Software Foundation; either version 2
of the License, or (at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA.
"""
__all__ = [
# Generic entry point.
"extract",
# Specific parsers for each data format.
"extract_from_text",
"extract_from_html",
# Helper functions.
"is_link",
]
from .web_utils import parse_url, urldefrag, urljoin
from BeautifulSoup import BeautifulSoup
from warnings import warn
import re
from codecs import decode
from chardet import detect
#------------------------------------------------------------------------------
# URL detection regex, by John Gruber.
# http://daringfireball.net/2010/07/improved_regex_for_matching_urls
_re_url_readable = re.compile(r"""(?i)\b((?:[a-z][\w-]+:(?:/{1,3}|[a-z0-9%])|www\d{0,3}[.]|[a-z0-9.\-]+[.][a-z]{2,4}/)(?:[^\s()<>]+|\(([^\s()<>]+|(\([^\s()<>]+\)))*\))+(?:\(([^\s()<>]+|(\([^\s()<>]+\)))*\)|[^\s`!()\[\]{};:'".,<>?«»“”‘’]))""", re.I)
#------------------------------------------------------------------------------
# Wrappers for URIs in plain text
# http://www.w3.org/Addressing/URL/url-spec.txt
_re_url_rfc = re.compile(r"""\\<([^\\>]+\\:\\/\\/[^\\>]+)\\>""", re.I)
#------------------------------------------------------------------------------
def is_link(url, base_url):
"""
Determines if an URL is a link to another resource.
:param url: URL to test.
:type url: str
:param base_url: Base URL for the current document.
Must not contain a fragment.
:type base_url: str
:returns: True if the URL points to another page or resource,
False otherwise.
:rtype: bool
"""
try:
# Parse the URL. If it can't be parsed, it's not a link.
parsed = parse_url(url, base_url)
# URLs that point to the same page
# in a different fragment are not links.
parsed.fragment = ""
if parsed.url == base_url:
return False
# All other URLs are links.
return True
# On any parsing error assume it's not a link.
except Exception:
return False
#------------------------------------------------------------------------------
def extract_from_text(text, base_url = None, only_links = True):
"""
Extract URLs from text.
Implementation notes:
- Unicode URLs are currently not supported.
:param text: Text.
:type text: str
:param base_url: Base URL for the current document.
If not specified, relative URLs are ignored.
:type base_url: str
:param only_links: If True, only extract links to other resources.
If False, extract all URLs.
:type only_links: bool
:returns: Extracted URLs.
:rtype: set(str)
"""
# Trivial case.
if not text:
return set()
# Check the type.
if not isinstance(text, basestring):
raise TypeError("Expected string, got %r instead" % type(text))
# Set where the URLs will be collected.
result = set()
# Remove the fragment from the base URL.
if base_url:
base_url = urldefrag(base_url)[0]
# Look for URLs using regular expressions.
for regex in (_re_url_rfc, _re_url_readable):
for url in regex.findall(text):
url = url[0]
# Skip if we've already seen it.
if url in result:
continue
# XXX FIXME
# Make sure the text is really ASCII text.
# We don't support Unicode yet.
try:
url = str(url)
except Exception:
warn("Unicode URLs not yet supported: %r" % url)
continue
# If a base URL was given...
if base_url:
# Canonicalize the URL.
# Discard it on parse error.
try:
url = urljoin(base_url, url.strip())
except Exception:
continue
# Skip if we've already seen it.
if url in result:
continue
# Discard URLs that are not links to other pages or resources,
# and URLs we've already seen.
if only_links and (url in result or
not is_link(url, base_url = base_url)):
continue
# If a base URL was NOT given...
else:
# Discard relative URLs.
# Also discard them on parse error.
try:
parsed = parse_url(url)
if not parsed.scheme or not parsed.netloc:
continue
except Exception:
raise
continue
# Add the URL to the set.
result.add(url)
# Return the set of collected URLs.
return result
#------------------------------------------------------------------------------
def extract_forms_from_html(raw_html, base_url):
"""
Extract forms info from HTML.
:param raw_html: Raw HTML data.
:type raw_html: str
:param base_url: Base URL for the current document.
:type base_url: str
:returns: Extracted form info.
:rtype: list((URL, METHOD, list({ "name" : PARAM_NAME, "value" : PARAM_VALUE, "type" : PARAM_TYPE})))
"""
# Set where the URLs will be collected.
result = list()
result_append = result.append
# Remove the fragment from the base URL.
base_url = urldefrag(base_url)[0]
# Parse the raw HTML.
bs = BeautifulSoup(decode(raw_html, detect(raw_html)["encoding"]))
for form in bs.findAll("form"):
target = form.get("action", None)
method = form.get("method", "POST").upper()
if not target:
continue
try:
target = str(target)
except Exception:
warn("Unicode URLs not yet supported: %r" % target)
continue
# Canonicalize the URL.
try:
target = urljoin(base_url, target.strip())
except Exception:
continue
form_params = []
form_params_append = form_params.append
for params in form.findAll("input"):
if params.get("type") == "submit":
continue
form_params_append({
"name": params.get("name", "NAME"),
"value": params.get("value", "VALUE"),
"type": params.get("type", "TYPE")})
# Add to results
result_append((target, method, form_params))
return result
#------------------------------------------------------------------------------
def extract_from_html(raw_html, base_url, only_links = True):
"""
Extract URLs from HTML.
Implementation notes:
- The current implementation is fault tolerant, meaning it will try
to extract URLs even if the HTML is malformed and browsers wouldn't
normally see those links. This may therefore result in some false
positives.
- HTML5 tags are supported, including tags not currently supported by
any major browser.
:param raw_html: Raw HTML data.
:type raw_html: str
:param base_url: Base URL for the current document.
:type base_url: str
:param only_links: If True, only extract links to other resources.
If False, extract all URLs.
:type only_links: bool
:returns: Extracted URLs.
:rtype: set(str)
"""
# Set where the URLs will be collected.
result = set()
add_result = result.add
# Remove the fragment from the base URL.
base_url = urldefrag(base_url)[0]
# Parse the raw HTML.
bs = BeautifulSoup(decode(raw_html, detect(raw_html)["encoding"]),
convertEntities = BeautifulSoup.ALL_ENTITIES)
# Some sets of tags and attributes to look for.
href_tags = {"a", "link", "area"}
src_tags = {"script", "img", "iframe", "frame", "embed", "source", "track"}
param_names = {"movie", "href", "link", "src", "url", "uri"}
# Iterate once through all tags...
for tag in bs.findAll():
# Get the tag name, case insensitive.
name = tag.name.lower()
# Extract the URL from each tag that has one.
url = None
if name in href_tags:
url = tag.get("href", None)
elif name in src_tags:
url = tag.get("src", None)
elif name == "param":
name = tag.get("name", "").lower().strip()
if name in param_names:
url = tag.get("value", None)
##elif name == "form":
## url = tag.get("action", None)
elif name == "object":
url = tag.get("data", None)
elif name == "applet":
url = tag.get("code", None)
elif name == "meta":
name = tag.get("name", "").lower().strip()
if name == "http-equiv":
content = tag.get("content", "")
p = content.find(";")
if p >= 0:
url = content[ p + 1 : ]
elif name == "base":
url = tag.get("href", None)
if url is not None:
# XXX FIXME
# Unicode URLs are not supported.
try:
url = str(url)
except Exception:
warn("Unicode URLs not yet supported: %r" % url)
continue
# Update the base URL.
try:
base_url = urljoin(base_url, url.strip(),
allow_fragments = False)
except Exception:
continue
# If we found an URL in this tag...
if url is not None:
# XXX FIXME
# Unicode URLs are not supported.
try:
url = str(url)
except Exception:
warn("Unicode URLs not yet supported: %r" % url)
continue
# Canonicalize the URL.
try:
url = urljoin(base_url, url.strip())
except Exception:
continue
# Discard URLs that are not links to other pages or resources.
if not only_links or is_link(url, base_url = base_url):
# Add the URL to the set.
add_result(url)
# Return the set of collected URLs.
return result
#------------------------------------------------------------------------------
def extract(raw_data, content_type, base_url, only_links = True):
"""
Extract URLs from raw data.
Implementation notes:
- Unicode URLs are currently not supported.
- The current implementation is fault tolerant, meaning it will try
to extract URLs even if the HTML is malformed and browsers wouldn't
normally see those links. This may therefore result in some false
positives.
- HTML5 tags are supported, including tags not currently supported by
any major browser.
:param raw_data: Raw data.
:type raw_data: str
:param content_type: MIME content type.
:type content_type: str
:param base_url: Base URL for the current document.
:type base_url: str
:param only_links: If True, only extract links to other resources.
If False, extract all URLs.
:type only_links: bool
:returns: Extracted URLs.
:rtype: set(str)
"""
# Sanitize the content type.
content_type = content_type.strip().lower()
if ";" in content_type:
content_type = content_type[ content_type.find(";") : ].strip()
# HTML parser.
if content_type == "text/html":
urls = extract_from_html(raw_data, base_url, only_links)
urls.update( extract_from_text(raw_data, base_url, only_links) )
return urls
# Generic plain text parser.
if content_type.startswith("text/"):
return extract_from_text(raw_data, base_url, only_links)
# Unsupported content type.
return set()
|
import json
def test_availability_register_product(client):
res = client.get('/product/1')
assert res.status_code == 200
def test_availability_get_all_available_products(client):
res = client.get('/products/available')
assert res.status_code == 200
def test_availability_get_all_sold_products(client):
res = client.get('/products/sold_out')
assert res.status_code == 200
def test_register_product(client):
rv = client.post('/product/register', json={
"sku": "1",
"name": "prod1",
"qty": 1,
"price": 100
})
assert rv.status_code == 200
def test_register_quantity_change(client):
res1 = client.post('/product/register', json={
"sku": "2",
"name": "prod1",
"qty": 1,
"price": 100
})
assert res1.status_code == 200
res2 = client.put('/product/2/set_new_qty/2')
expected = {
"sku": "2",
"name": "prod1",
"qty": 2,
"price": 100
}
assert res2.status_code == 200
assert expected == json.loads(res2.get_data(as_text=True))
|
function keyRename(array $hash, array $replacements) {
foreach($hash as $k=>$v)
if($ok=array_search($k,$replacements))
{
$hash[$ok]=$v;
unset($hash[$k]);
}
return $hash;
}
|
from bs4 import BeautifulSoup
soup = BeautifulSoup("<html>a web page</html>", 'html.parser')
# Tag object
tag = soup.html
print(type(tag))
print(tag)
# tag name
print(tag.name)
# the tag name can be set
tag = BeautifulSoup('<b id="boldest">bold</b>', 'html.parser').b
print(tag['id'])
# or
print(tag.attrs)
tag['id'] = 'verybold'
tag['another-attribute'] = 1
print(tag)
# <b another-attribute="1" id="verybold"></b>
del tag['id']
del tag['another-attribute']
print(tag)
# NavigableString object
soup = BeautifulSoup('<b class="boldest">Extremely bold</b>', 'html.parser')
tag = soup.b
tag.string
# 'Extremely bold'
type(tag.string)
# <class 'bs4.element.NavigableString'>
print(str(tag.string))
# BeautifulSoup object
#Comments and other special strings
markup = "<b><!--Hey, buddy. Want to buy a used parser?--></b>"
soup = BeautifulSoup(markup, 'html.parser')
comment = soup.b.string
print(type(comment))
|
"""
Contains `RNN`: a simple wrapper for training `fn(state, *args) → state` functions.
Run this file to test it.
Usage example:
```python
import torch
import torch.nn as nn
class OnlyFirstArg(nn.Module):
def __init__(self, fn):
super(OnlyFirstArg, self).__init__()
self.fn = fn
def forward(self, x, *_): return self.fn(x)
model = RNN(
OnlyFirstArg(nn.Sequential(
nn.Linear(96, 128),
nn.ReLU(),
nn.LayerNorm(128),
nn.Linear(128, 96),
)),
lambda state, predicts: (state - predicts).square().sum(), # TODO: prev_state and next_state.
lambda p: torch.optim.SGD(p, lr=3e-4),
backprop_length=lambda: random.randint(1, 10),
)
state = torch.randn(96)
for _ in range(50000):
state = model(state, (state*.9).detach())
```
"""
import torch
import torch.utils.checkpoint
def RNN(transition, loss, optimizer, backprop_length=None, checkpoint=True, trace=True):
"""
Wraps a state→state differentiable dynamical system (commonly a recurrent neural network, RNN) written in PyTorch.
The result is a function from `state, *args` to `state`, both `state`s are PyTorch tensors; call it in a loop.
Arguments:
- `transition: fn(state, *args) → state`: the system dynamics.
- (If you don't need to train it, you could just call this function instead of `RNN`.)
- `loss: fn(prev_state, next_state, *args) → number`: what to minimize via `.backward()`.
- (If doing something like next-state prediction, delay `RNN` steps by one so that the next-state is always available.)
- `optimizer: torch.optim.Optimizer`: updates the system. Could be wrapped in `lambda p: torch.optim.SGD(p, lr=1e-2)`, or be `lambda p: lambda: update_weights()`.
- `backprop_length = None`: how many steps to backpropagate gradient through, capped off by `.reset(state)`; if `None`, call `.reset(…)` manually. Could be wrapped in a function such as `lambda: random.randint(1, 1024)`.
- `checkpoint = True`: if `False`, no [checkpointing](https://pytorch.org/docs/stable/checkpoint.html): computation is fast, but used memory grows quickly because all intermediate activations are stored. If `True`, needs less memory, but the forward pass is done twice (so, about 30% slowdown).
- `trace = True`: if `transition` has no CPU-side control flow, `True` to [precompile](https://pytorch.org/docs/stable/generated/torch.jit.trace.html) for a bit of speed.
- (Not included but could be in the future: `async_updates=True`: makes the slowdown-spike of `loss.backward()` through many epochs disappear if `checkpoint`, at the cost of gradient-updates being slower to propagate, by having 2 or more copies of the network, where each step, one is in forward-mode and another is in backward-mode and adding its gradient to all others.)
The result is a function, with an extra method:
- `.reset(state) → state`: backpropagates gradient (`sum(losses).backward()`), and steps the optimizer.
"""
optimizer = optimizer(transition.parameters()) if callable(optimizer) else optimizer
assert callable(optimizer) or isinstance(optimizer, torch.optim.Optimizer)
n, n_max = 0, 0
total_loss = 0.
def reset(state):
nonlocal total_loss, n, n_max
# Backprop, and set up for the next backprop.
if isinstance(total_loss, torch.Tensor) and total_loss.requires_grad:
total_loss.backward()
total_loss = 0.
state = state.detach().requires_grad_(True)
# Update.
if callable(optimizer): optimizer()
else:
optimizer.step()
optimizer.zero_grad(True)
# Read params for the next BPTT.
n, n_max = 0, backprop_length() if callable(backprop_length) else backprop_length
assert n_max is None or isinstance(n_max, int) and n_max > 0
return state
def step(state, *args):
nonlocal n, total_loss, trace, transition
if n_max == 0: state = reset(state)
n += 1
if trace:
with torch.no_grad():
transition = torch.jit.trace(transition, (state, *args))
trace = False
prev_state = state
if not checkpoint: # pragma: no cover
state = transition(state, *args)
else:
state = torch.utils.checkpoint.checkpoint(transition, state, *args)
total_loss += loss(prev_state, state, *args)
if n_max is not None and n >= n_max: state = reset(state)
return state
step.reset = reset
return step
if __name__ == '__main__': # pragma: no cover
"""
A test: next-vector prediction.
```bash
coverage run --branch sensor-network/py/model/rnn.py
coverage report
coverage html
```
"""
dev = 'cpu' # 'cuda' if torch.cuda.is_available() else 'cpu'
data = torch.randn(200, 96, device=dev)
n, iter = 0, 0
losses = []
import torch.nn as nn
import random
import matplotlib.pyplot as plt
import time
start = time.monotonic()
def loss(prev_state, next_state, predicts):
L = (next_state - predicts).square().sum()
cL = L.cpu().detach().numpy()
print(''+str(iter), 'L2:', cL, '' if iter%5000 else (' time: '+str(time.monotonic() - start)+'s'), ' ', end = '\r' if iter%5000 else '\n')
losses.append(cL)
return L
class OnlyFirstArg(nn.Module):
def __init__(self, fn):
super(OnlyFirstArg, self).__init__()
self.fn = fn
def forward(self, x, *_):
return self.fn(x)
model = RNN(
OnlyFirstArg(nn.Sequential(
nn.Linear(96+96, 128),
nn.ReLU(),
nn.LayerNorm(128),
nn.Linear(128, 128),
nn.ReLU(),
nn.LayerNorm(128),
nn.Linear(128, 96),
)).to(device=dev),
loss,
lambda p: torch.optim.SGD(p, lr=1e-3),
backprop_length=lambda: random.randint(1, 10),
)
state = torch.randn(96, device=dev)
for i in range(50000):
# Train.
iter = i
state = model(torch.cat((state, data[n])), data[(n+1) % data.shape[0]])
n = (n + 1) % data.shape[0]
plt.plot(losses)
plt.show()
|
#!/usr/bin/env python
# Copyright (c) 2014 Palantir Technologies
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE.
"""sqlite3worker test routines."""
__author__ = "Shawn Lee"
__email__ = "shawnl@palantir.com"
__license__ = "MIT"
import os
import tempfile
import time
import unittest
import sqlite3worker
class Sqlite3WorkerTests(unittest.TestCase): # pylint:disable=R0904
"""Test out the sqlite3worker library."""
def setUp(self): # pylint:disable=C0103
self.tmp_file = tempfile.NamedTemporaryFile(
suffix="pytest", prefix="sqlite").name
self.sqlite3worker = sqlite3worker.Sqlite3Worker(self.tmp_file)
# Create sql db.
self.sqlite3worker.execute(
"CREATE TABLE tester (timestamp DATETIME, uuid TEXT)")
def tearDown(self): # pylint:disable=C0103
self.sqlite3worker.close()
os.unlink(self.tmp_file)
def test_bad_select(self):
"""Test a bad select query."""
query = "select THIS IS BAD SQL"
self.assertEqual(
self.sqlite3worker.execute(query),
(
"Query returned error: select THIS IS BAD SQL: "
"[]: no such column: THIS"))
def test_bad_insert(self):
"""Test a bad insert query."""
query = "insert THIS IS BAD SQL"
self.sqlite3worker.execute(query)
# Give it one second to clear the queue.
if self.sqlite3worker.queue_size != 0:
time.sleep(1)
self.assertEqual(self.sqlite3worker.queue_size, 0)
self.assertEqual(
self.sqlite3worker.execute("SELECT * from tester"), [])
def test_valid_insert(self):
"""Test a valid insert and select statement."""
self.sqlite3worker.execute(
"INSERT into tester values (?, ?)", ("2010-01-01 13:00:00", "bow"))
self.assertEqual(
self.sqlite3worker.execute("SELECT * from tester"),
[("2010-01-01 13:00:00", "bow")])
self.sqlite3worker.execute(
"INSERT into tester values (?, ?)", ("2011-02-02 14:14:14", "dog"))
# Give it one second to clear the queue.
if self.sqlite3worker.queue_size != 0:
time.sleep(1)
self.assertEqual(
self.sqlite3worker.execute("SELECT * from tester"),
[("2010-01-01 13:00:00", "bow"), ("2011-02-02 14:14:14", "dog")])
if __name__ == "__main__":
unittest.main()
|
import abc
class WorkerTask(abc.ABC):
async def start_task(self, *args, **kwargs):
raise NotImplementedError
def is_task_active(self):
raise NotImplementedError
def set_task_status(self):
raise NotImplementedError
|
import discord
from discord.ext import commands
class other(commands.Cog):
def __init__(self, client):
self.client = client
@commands.command(aliases=["pfp"])
async def profile(self, ctx, user: discord.User):
'''Fetch a user's profile picture'''
await ctx.send(f'Profile image for user: {user.name}')
pfp = user.avatar_url
await ctx.send(pfp)
@commands.command()
async def invite(self, ctx, invite):
'''Link invites to other servers'''
invites = {
"ivan": "NM85JqJ",
"nh": "C29hYvh"
}
try: await ctx.send(f'https://discord.gg/{invites[invite.lower()]}')
except: await ctx.send('Options are: ivan, nh')
@commands.command()
async def socials(self, ctx):
'''Links to Ivans socials'''
await ctx.send('Internet Ivans socials: https://flow.page/internetivan')
def setup(client):
client.add_cog(other(client))
|
"""test module for cal functions"""
# imports
import unittest # required for testing
import cal_functions # module under test
class TestCalFunctions(unittest.TestCase):
"""class to test functions in cal functions"""
def test_add(self):
"""add function test"""
self.assertEqual(cal_functions.add(10, 5), 15)
self.assertEqual(cal_functions.add(-1, -1), -2)
self.assertEqual(cal_functions.add(-5, 7), 2)
def test_subtract(self):
"""add function test"""
self.assertEqual(cal_functions.subtract(10, 5), 5)
self.assertEqual(cal_functions.subtract(-1, -1), 0)
self.assertEqual(cal_functions.subtract(-5, 7), -12)
def test_multiply(self):
"""add function test"""
self.assertEqual(cal_functions.multiply(10, 5), 50)
self.assertEqual(cal_functions.multiply(-1, -1), 1)
self.assertEqual(cal_functions.multiply(-5, 7), -35)
def test_divide(self):
"""add function test"""
self.assertEqual(cal_functions.divide(10, 5), 2)
self.assertEqual(cal_functions.divide(-1, -1), 1)
self.assertEqual(cal_functions.divide(-5, -5), 1)
with self.assertRaises(ValueError):
cal_functions.divide(5, 0)
if __name__ == '__main__':
unittest.main()
|
import os
import re
import pickle
import configparser
DB_DIR = os.path.realpath(os.environ.get('DB_DIR', './db'))
BASE = {
'edux': os.path.join(DB_DIR, 'edux'),
'user': os.path.join(DB_DIR, 'user'),
}
EXT = '.txt'
USER = {
'config': '' + EXT,
'feed': '_feed.p',
}
EDUX = {
'pages': 'edux' + EXT,
'media': 'edux_media_{}' + EXT,
'authors': 'authors' + EXT,
}
OPEN = {
# encoding must be set
'encoding': 'utf-8',
'newline': '\n',
}
def _configparser(case_sensitive=True):
"""Configparser with default case-sensitivity"""
config = configparser.ConfigParser()
if case_sensitive:
config.optionxform = str
return config
def _getter(path):
"""Loads configparser config"""
config = _configparser()
# ok if config file does not exist
config.read(path, encoding=OPEN['encoding'])
# return dict(config.items())
# behaves like dict
return config
def _setter(path, config):
"""Saves configparser config"""
with open(path, mode='w', **OPEN) as f:
config.write(f)
def init():
"""Initializes db directories"""
for path in BASE.values():
if not os.path.exists(path):
os.makedirs(path)
def edux_path():
"""Path to EDUX config"""
return os.path.join(BASE['edux'], EDUX['pages'])
def edux_pages():
"""Loads EDUX pages"""
return _getter(edux_path())
def edux_pages_set(config):
"""Saves EDUX pages"""
_setter(edux_path(), config)
def edux_media(course):
"""Loads EDUX media"""
path = os.path.join(BASE['edux'], EDUX['media'])
return _getter(path.format(course))
def edux_media_set(course, config):
"""Saves EDUX media"""
path = os.path.join(BASE['edux'], EDUX['media'])
_setter(path.format(course), config)
def edux_authors():
"""Loads EDUX authors"""
path = os.path.join(BASE['edux'], EDUX['authors'])
return _getter(path)
def edux_authors_set(config):
"""Saves EDUX authors"""
path = os.path.join(BASE['edux'], EDUX['authors'])
_setter(path, config)
def user_base(username):
"""Base path of user files"""
return os.path.join(BASE['user'], username)
def user_path(username):
"""Path to user config"""
return user_base(username) + USER['config']
def user_exist(username):
"""Whether user exists"""
return os.path.exists(user_path(username))
def user_list():
"""List of registered users"""
files = [f for f in os.listdir(BASE['user']) if os.path.isfile(os.path.join(BASE['user'], f))]
# accept just <username>.txt, ignore .dotfiles and user-specific files like <username>_feed.p
users = [f.split(EXT)[0] for f in files if not (re.search('_', f) or re.match('\.', f))]
users = [u for u in users if re.match('^[a-z0-9]+$', u)]
return users
def user_config(username):
"""Loads user config"""
return _getter(user_path(username))
def user_config_set(username, config):
"""Saves user config"""
_setter(user_path(username), config)
def user_feed(username):
"""Loads user feed"""
path = user_base(username) + USER['feed']
with open(path, 'rb') as f:
feed = pickle.load(f)
# except FileNotFoundError
# no need -- created upon register
return feed
def user_feed_set(username, feed):
"""Saves user feed"""
path = user_base(username) + USER['feed']
with open(path, 'wb') as f:
pickle.dump(feed, f, pickle.HIGHEST_PROTOCOL)
|
from math import sqrt
def quad(a, b, c):
delta = b*b -4 * a * c
if a == 0:
print("Om a = 0 så är det inte en andragradsekvation, vänligen ange ett annat värde för a")
elif delta < 0:
print("Det finns inga reella lösningar för denna andragradsekvation")
elif delta == 0:
print("x = {}".format(-b/(2*a)))
else:
print("x1 = {0:.2f} x2 = {1:.2f}".format((-b + sqrt(delta))/(2*a), (-b - sqrt(delta))/(2*a) ))
def quad_run():
while True:
try:
a = float(input("Skriv a:"))
b = float(input("Skriv b:"))
c = float(input("Skriv c:"))
except:
print("Ang ett giltligt tal")
quad(a, b, c)
break
while True:
cont = input("Vill du fortsätta?(Ja/Nej)")
if cont == "Ja":
quad_run()
elif cont == "Nej":
print("Program avbrutet")
break
else:
print("Ange ett giltligt svar")
|
from NodeAndEdge import Node,Edge
import xml.etree.ElementTree as ET
import os
import numpy as np
import pandas as pd
import pickle
from Graph import Graph, creategraph
if __name__=='__main__':
filelist = [file for file in os.listdir('Instances/')]
#graphs = [creategraph('Instances/' + file) for file in os.listdir('Instances/')]
#graph = creategraph('Instances/' + filelist[2])
#print(graph)
num_teams = []
timeslot = []
solutionsize = []
num_node = []
num_constraints_edges = []
num_hard = []
num_soft = []
num_forced = []
names = []
for i in range(len(filelist)):
#for i in range(3):
graph = creategraph('Instances/' + filelist[i])
num_teams.append(len(graph.teams))
timeslot.append(len(graph.slots))
solutionsize.append(graph.solutionsize)
num_node.append(len(graph.nodedict))
hard_edge = 0
soft_edge = 0
for node in graph.nodedict:
#print(node)
hard_edge += len(graph.nodedict[node].edges_hard) + len(graph.nodedict[node].edges_hard_complex)
soft_edge += len(graph.nodedict[node].edges_soft) + len(graph.nodedict[node].edges_soft_complex)
soft_tot = np.round(soft_edge / 2)
hard_tot = np.round(hard_edge / 2)
num_constraints_edges.append(soft_tot + hard_tot)
num_hard.append(hard_tot)
num_soft.append(soft_tot)
num_forced.append(len(graph.forcedselections))
names.append(filelist[i])
print(i)
df = pd.DataFrame({'Instance Name': names,
'Number of Teams': num_teams,
'Number of Slots': timeslot,
'Solution Size': solutionsize,
'Nodes': num_node,
'Total Constraint Edges': num_constraints_edges,
'Hard Constraint Edges': num_hard,
'Soft Constraint Edges': num_soft,
'Forced Selections': num_forced})
df.to_csv('GraphSummary.csv')
#df = pd.DataFrame({'Instance Name': names})
#df.to_csv('Names.csv')
|
from django.db import models
from account_info.models import User
"""
from wallet_info.models import Wallet
from task_info.models import Task
from accept_task_info.models import AcceptTask
Create your models here.
"""
class Wallet(models.Model):
# walletID = models.AutoField(unique=True, primary_key=True)
balance = models.IntegerField()
user = models.ForeignKey(User, on_delete=models.CASCADE)
|
import asyncio
from typing import Optional, Iterator
import discord
from discord.ext import commands
class TTTGame:
def __init__(self, ctx: commands.Context, player_2: discord.Member) -> None:
self.ctx = ctx
self.player_1 = ctx.author
self.player_2 = player_2
self.current_player = self.player_1
self.grid = TTTGrid()
self.reaction_emojis = {
u"\u2196": (0, 0),
u"\u2B06": (0, 1),
u"\u2197": (0, 2),
u"\u2B05": (1, 0),
u"\u23FA": (1, 1),
u"\u27A1": (1, 2),
u"\u2199": (2, 0),
u"\u2B07": (2, 1),
u"\u2198": (2, 2)
}
async def start(self) -> None:
"""
Main method that is called to start the game.
"""
# Send the initial message
self.message: discord.Message = await self.ctx.send(embed=self.make_embed())
# Add the reactions which act as controls
for emoji in self.reaction_emojis:
await self.message.add_reaction(emoji)
# do_turn returns self.grid.check_for_end(), so it is None with the game hasn't finished
while self.grid.check_for_end() is None:
await self.do_turn()
async def do_turn(self) -> None:
reaction, user = await self.ctx.bot.wait_for("reaction_add", check=self.check, timeout=60*60*24)
row, col = self.reaction_emojis[reaction.emoji]
# Modify the actual grid with the move
self.grid.grid[row][col] = 1 if self.current_player == self.player_1 else 2
# Swap the current player with the other player
self.current_player = self.player_1 if self.current_player == self.player_2 else self.player_2
await self.message.edit(embed=self.make_embed())
def make_embed(self) -> discord.Embed:
"""
Creates an embed that describes the current state of the game.
Used to edit the message to show an updated grid + current turn.
Returns:
discord.Embed: The embed.
"""
winner = {1: self.player_1, 2: self.player_2, 3: "draw"}.get(self.grid.check_for_end())
message = (f"{self.current_player.mention}'s turn!" if winner is None
else f"{winner.mention} has won!" if winner != "draw"
else "It's a draw!")
description = f"{self.player_1.mention} vs. {self.player_2.mention}\n{message}"
embed = discord.Embed(title="Tic-Tac-Toe!", description=description, color=discord.Color.gold())
embed.add_field(name="Grid", value=self.grid.pretty_grid())
return embed
def check(self, r: discord.Reaction, u: discord.User) -> bool:
"""
Check to make sure the user is the current player, as well as the reaction is for a valid square.
"""
index = self.reaction_emojis.get(r.emoji)
if index is None:
return
row, col = index
return u == self.current_player and self.grid.grid[row][col] == 0
class TTTGrid:
def __init__(self) -> None:
self.grid = [[0] * 3 for _ in range(3)]
self.grid_emojis = {
0: ":white_large_square:",
1: ":regional_indicator_x:",
2: ":o2:"
}
def pretty_grid(self) -> str:
"""
Creates a stringified grid that uses emojis.
Returns:
str: The stringified grid.
"""
str_grid = "\n".join("".join(map(str, row)) for row in self.grid) # Adds a new line every three emojis.
for value, emoji in self.grid_emojis.items():
str_grid = str_grid.replace(str(value), emoji)
return str_grid
def check_for_end(self) -> Optional[int]:
"""
Checks if the grid is in an end board state, a player has won or if there is a draw.
1 or 2 means player 1 or 2 has won, 3 means the game is a draw.
Will return None if the game has not finished.
Returns:
Optional[int]: An integer describing the end state.
"""
if self.is_winner(1):
return 1
if self.is_winner(2):
return 2
if 0 not in [value for row in self.grid for value in row]: # All the spots are filled => draw
return 3
return None
def is_winner(self, player_int: int) -> bool:
"""
Checks if the given player has won.
Args:
player_int (int): Which player to check.
Returns:
bool: If the given player has won.
"""
for indexes in self.win_indexes():
if all(self.grid[r][c] == player_int for r, c in indexes):
return True
return False
def win_indexes(self) -> Iterator[Iterator[tuple[int, int]]]:
"""
Creates all the possible combinations of positions that you could win with.
For example, will generate all rows on the board, all cols, all diagonals
Yields:
Iterator[Iterator[tuple[int, int]]]: An iterator of iterators of indicies.
"""
n = 3 # Number of rows/cols in grid
for r in range(n): # Rows
yield ((r, c) for c in range(n))
for c in range(n): # Columns
yield ((r, c) for r in range(n))
yield ((i, i) for i in range(n)) # Diagonal top left to bottom right
yield ((i, n - 1 - i) for i in range(n)) # Diagonal top right to bottom left
def main():
bot = commands.Bot(command_prefix="!")
@bot.event
async def on_ready():
print(f"Logged in as {bot.user}!")
@bot.command()
async def ttt(ctx: commands.Context, *, player_2: Optional[discord.Member]):
"""Start a tic-tac-toe game with another person!"""
if player_2 is None or player_2.bot or player_2 == ctx.author:
await ctx.send("Specify another player.")
return
try:
await TTTGame(ctx, player_2).start()
except asyncio.TimeoutError:
pass
bot.run("BOT TOKEN HERE")
if __name__ == "__main__":
main()
|
# Copyright (c) Meta Platforms, Inc. and affiliates.
#
# This source code is licensed under the MIT license found in the
# LICENSE file in the root directory of this source tree.
import gym
import numpy as np
class GenericMujocoEnv:
"""This class evaluates policy of OpenAI Gym environment.
Parameters
-----------
env_name: str
Gym environment name
state_mean: list
Average state values of multiple independent runs.
state_std: list
Standard deviation of state values of multiple independent runs.
num_rollouts: int
number of independent runs.
activation: str:
activation function
layer_rescaling_coef: float
Scaling coefficient of output layers
random_state: int or None
random state for reproducibility in Gym environment.
"""
def __init__(
self,
env_name,
state_mean,
state_std,
num_rollouts,
activation,
layer_rescaling_coef,
noise_level,
random_state,
):
self.mean = state_mean
self.std = state_std
self.env = gym.make(env_name)
self.num_rollouts = num_rollouts
self.random_state = random_state
self.activation = activation
self.layer_rescaling_coef = layer_rescaling_coef
self.noise_level = noise_level
def _activation(self, x):
if self.activation == "tanh":
return np.tanh(x)
elif self.activation == "sigmoid":
return 1.0 / (1 + np.exp(-x))
else:
raise NotImplementedError(r"Activation {self.activation} not implemented.")
def __call__(self, layers):
"""Compute loss (average cumulative negative reward) of a given policy."""
returns = []
for _ in range(self.num_rollouts):
obs = self.env.reset()
done = False
totalr = 0.0
while not done:
action = (
np.matmul(obs, layers[0])
if (self.mean is None)
else (np.matmul((obs - self.mean) / self.std, layers[0]))
)
action = action * self.layer_rescaling_coef[0]
for x, r_coef in zip(layers[1:], self.layer_rescaling_coef[1:]):
action = np.matmul(self._activation(action) + 1.0e-3, x) * r_coef
if self.noise_level > 0.0:
action += action * self.noise_level * self.random_state.normal(size=action.shape)
obs, r, done, _ = self.env.step(action)
totalr += r
returns.append(totalr)
return -np.mean(returns)
|
from protos import interface_pb2_grpc as interface
from protos import interface_pb2 as itf_msg
class Explorer(interface.ExplorerServicer):
def __init__(self, directory):
self._directory = directory
def StrategyList(self, request, context):
with self._directory.read() as d:
strategies = d.get_strategy_list()
for stg in strategies:
yield itf_msg.StrategyResponse(strategy_id=stg.id, name=stg.name)
def SessionList(self, request, context):
#todo
pass
|
from django.urls import path
from django.conf import settings
from django.conf.urls.static import static
from django.contrib import admin
from . import views
urlpatterns = [
path('', views.index, name='index'),
]
if settings.DEBUG:
urlpatterns += static(settings.MEDIA_URL,
document_root=settings.MEDIA_ROOT)
|
from edi_835_parser import parse
from edi_835_parser import find_edi_835_files
from log_conf import Logger
input_dir = 'input'
output_dir = 'output/remits_poc'
files = find_edi_835_files(input_dir)
for file in files:
file_path = f'{input_dir}/{file}'
transaction_set = parse(file_path)
remits_df = transaction_set.build_remits()
remits_df.insert(1, 'file_name', file, False)
Logger.logr.info(f'Writing remits DataFrame for {file} to CSV')
remits_df.to_csv(f'{output_dir}/remits/{file}', sep='|', index=False)
remit_payers_df = transaction_set.build_remit_payers()
remit_payers_df.insert(1, 'file_name', file, False)
Logger.logr.info("Writing remit_payers DataFrame to CSV")
remit_payers_df.to_csv(f'{output_dir}/remit_payers/{file}', sep='|', index=False)
remit_fin_info_df = transaction_set.build_payment_fin_info()
remit_fin_info_df.insert(0, 'file_name', file, False)
Logger.logr.info("Writing remit_fin_info DataFrame to CSV")
remit_fin_info_df.to_csv(f'{output_dir}/payment_financial_info/{file}', sep='|', index=False)
remit_service_lines_df = transaction_set.build_remit_service_lines()
remit_service_lines_df.insert(2, 'file_name', file, False)
Logger.logr.info("Writing remit_service_lines DataFrame to CSV")
remit_service_lines_df.to_csv(f'{output_dir}/remit_service_lines/{file}', sep='|', index=False)
remit_adjustments_df = transaction_set.build_remit_adjustments()
remit_adjustments_df.insert(0, 'file_name', file, False)
Logger.logr.info("Writing remit_adjustments DataFrame to CSV")
remit_adjustments_df.to_csv(f'{output_dir}/remit_adjustments/{file}', sep='|', index=False)
remit_remarks_adjudications_df = transaction_set.build_remit_remarks_adjudications()
remit_remarks_adjudications_df.insert(1, 'file_name', file, False)
Logger.logr.info("Writing remit_remarks_adjudications_df to CSV")
remit_remarks_adjudications_df.to_csv(f'{output_dir}/remit_remarks_adjudications/{file}',
sep='|', index=False)
provider_adjustments_df = transaction_set.build_provider_adjustments()
provider_adjustments_df.insert(0, 'file_name', file, False)
Logger.logr.info("Writing provider_adjustments_df to CSV")
provider_adjustments_df.to_csv(f'{output_dir}/provider_adjustments/{file}',
sep='|', index=False)
service_line_adjustment_df = transaction_set.build_service_line_adjustments()
service_line_adjustment_df.insert(0, 'file_name', file, False)
Logger.logr.info("Writing service_line_adjustment_df to CSV")
service_line_adjustment_df.to_csv(f'{output_dir}/service_line_adjustments/{file}',
sep='|', index=False)
service_line_remarks_df = transaction_set.build_service_line_remarks()
if len(service_line_remarks_df) > 0 and service_line_remarks_df.isnull().values.any():
service_line_remarks_df.insert(0, 'file_name', file, False)
else:
service_line_remarks_df['file_name'] = ''
Logger.logr.info("Writing service_line_remarks_df to CSV")
service_line_remarks_df.to_csv(f'{output_dir}/service_line_remarks/{file}',
sep='|', index=False)
#
service_line_rendering_providers_df = transaction_set.build_service_line_rendering_providers()
if len(service_line_rendering_providers_df) > 0 and service_line_rendering_providers_df.isnull().values.any():
service_line_rendering_providers_df.insert(0, 'file_name', file, False)
else:
service_line_rendering_providers_df['file_name'] = ''
Logger.logr.info("Writing service_line_rendering_providers_df to CSV")
service_line_rendering_providers_df.to_csv(f'{output_dir}/service_line_rendering_providers/{file}',
sep='|', index=False)
|
# =============================================================================
# # -*- coding: utf-8 -*-
# """
# Created on Sat Aug 4 12:15:42 2018
#
# @author: cui
# """
# 18. 4Sum
# Given an array nums of n integers and an integer target, are there elements a, b, c, and d in nums such that a + b + c + d = target? Find all unique quadruplets in the array which gives the sum of target.
#
# Note:
#
# The solution set must not contain duplicate quadruplets.
#
# Example:
#
# Given array nums = [1, 0, -1, 0, -2, 2], and target = 0.
#
# A solution set is:
# [
# [-1, 0, 0, 1],
# [-2, -1, 1, 2],
# [-2, 0, 0, 2]
# ]
# =============================================================================
# =============================================================================
# difficulty: medium
# acceptance: 28.0%
# contributor: LeetCode
# =============================================================================
class Solution:
def fourSum(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: List[List[int]]
"""
length = len(nums)
if length < 4:
return []
result = []
nums.sort()
for i in range(length):
if i > 0 and nums[i] == nums[i - 1]:
continue
for j in range(i + 1, length):
if j > i + 1 and nums[j] == nums[j - 1]:
continue
start, end = j + 1, length - 1
T = target - nums[i] - nums[j]
while start < end:
if nums[start] + nums[end] > T:
end -= 1
elif nums[start] + nums[end] < T:
start += 1
else:
result.append([nums[i], nums[j], nums[start], nums[end]])
start += 1
end -= 1
while start < end and nums[start] == nums[start - 1]:
start += 1
while start < end and nums[end] == nums[end + 1]:
end -= 1
return result
#------------------------------------------------------------------------------
# note: below is the test code
test = [1, 0, -1, 0, -2, 2]
test1 = [0,0,0,0]
S = Solution()
result = S.fourSum(test1, 0)
print(result)
#------------------------------------------------------------------------------
# note: below is the submission detail
# =============================================================================
# Submission Detail
# 282 / 282 test cases passed.
# Status: Accepted
# Runtime: 768 ms
# Submitted: 0 minutes ago
# beats 48.76% python3 submissions
# =============================================================================
|
# pyncoin/transaction.py
''' Implements a cryptocurrency transaction. '''
import functools
import hashlib
from decimal import Decimal
import ecdsa
from utils import RawSerializable, bytes_to_int, int_to_bytes, bytes_to_hex, hex_to_bytes
from utils import BadRequestError, UnauthorizedError
def get_public_key(private_key):
''' Gets the public key from the private key.
Params:
- private_key (bytes): The private key
Returns (bytes): The public key corrisponding the private key.
'''
secexp = bytes_to_int(private_key)
sk = ecdsa.SigningKey.from_secret_exponent(secexp)
vk = sk.get_verifying_key()
return vk.to_string()
class TxOut(RawSerializable):
''' Transaction output. '''
def __init__(self, address, amount):
''' Initializes the TxOut instance.
Params:
- address (bytes): The address of the receiver.
- amount (Decimal): The amount to be transfered.
'''
self.address = address
self.amount = amount
def __eq__(self, other):
return (isinstance(other, self.__class__)
and self.address == other.address
and self.amount == other.amount)
def to_raw(self):
return {
'address': bytes_to_hex(self.address),
'amount': self.amount
}
@classmethod
def from_raw(cls, raw_obj):
address = hex_to_bytes(raw_obj['address'])
amount = raw_obj['amount'] if isinstance(raw_obj['amount'], Decimal) else Decimal(raw_obj['amount'])
return cls(address, amount)
@staticmethod
def is_valid_address(address):
if len(address) != 48:
print('invalid public key length')
return False
return True
def has_valid_structure(self):
return (isinstance(self.address, bytes)
and TxOut.is_valid_address(self.address)
and isinstance(self.amount, Decimal)
)
class TxIn(RawSerializable):
''' Transaction input. '''
def __init__(self, tx_out_id, tx_out_index, signature=None):
''' Initializes the TxIn instance.
Params:
- tx_out_id (bytes): The id of the output transaction providing the coins for this transaction.
- tx_out_index (int): The index of the block containing the output transaction
- signature (bytes): The signature of the TxIn, signed by the private key of the output transaction.
'''
self.tx_out_id = tx_out_id
self.tx_out_index = tx_out_index
self.signature = signature
def __eq__(self, other):
return (isinstance(self, other.__class__)
and self.tx_out_id == other.tx_out_id
and self.tx_out_index == other.tx_out_index)
def to_raw(self):
return {
'txOutId': bytes_to_hex(self.tx_out_id),
'txOutIndex': self.tx_out_index,
'signature': bytes_to_hex(self.signature) if self.signature is not None else None
}
@classmethod
def from_raw(cls, raw_obj):
tx_out_id = hex_to_bytes(raw_obj['txOutId'])
tx_out_index = raw_obj['txOutIndex']
signature = hex_to_bytes(raw_obj['signature']) if raw_obj['signature'] is not None else None
return cls(tx_out_id, tx_out_index, signature)
def has_valid_structure(self):
return (isinstance(self.signature, bytes)
and isinstance(self.tx_out_id, bytes)
and isinstance(self.tx_out_index, int)
)
def validate(self, transaction, unspent_tx_outs):
condition = lambda uTxO: uTxO.tx_out_id == self.tx_out_id and uTxO.tx_out_index == self.tx_out_index
referenced_uTxO = next((uTxO for uTxO in unspent_tx_outs if condition(uTxO)), None)
if not referenced_uTxO:
print('referenced tx_out not found: {}'.format(self.__dict__))
return False
address = referenced_uTxO.address
vk = ecdsa.VerifyingKey.from_string(address)
result = False
print('validating tx_in signature: {}\naddress: {}\ndata: {}'
.format(bytes_to_hex(self.signature), bytes_to_hex(address), bytes_to_hex(transaction.id)))
try:
if self.signature:
result = vk.verify(self.signature, transaction.id)
except ecdsa.BadSignatureError:
print('bad signature for tx_in: {}'.format(self))
pass
return result
def get_amount(self, unspent_tx_outs):
return UnspentTxOut.find(self.tx_out_id, self.tx_out_index, unspent_tx_outs).amount
@staticmethod
def has_duplicates(tx_ins):
key = lambda tx_in: tx_in.tx_out_id + int_to_bytes(tx_in.tx_out_index)
groups = set()
for tx_in in tx_ins:
tx_key = key(tx_in)
if tx_key in groups:
print('duplicate tx_in: {}'.format(key))
return True
else:
groups.add(tx_key)
return False
class UnspentTxOut(RawSerializable):
''' Unspent transaction outputs. '''
def __init__(self, tx_out_id, tx_out_index, address, amount):
self.tx_out_id = tx_out_id
self.tx_out_index = tx_out_index
self.address = address
self.amount = amount
def __eq__(self, other):
return (isinstance(other, self.__class__)
and self.tx_out_id == other.tx_out_id
and self.tx_out_index == other.tx_out_index
and self.address == other.address
and self.amount == other.amount)
def matches_tx_in(self, tx_in):
return self.tx_out_id == tx_in.tx_out_id and self.tx_out_index == tx_in.tx_out_index
@staticmethod
def find(transaction_id, index, unspent_tx_outs):
condition = lambda uTxO: uTxO.tx_out_id == transaction_id and uTxO.tx_out_index == index
return next((uTxO for uTxO in unspent_tx_outs if condition(uTxO)), None)
@staticmethod
def update_unspent_tx_outs(new_transactions, current_unspent_tx_outs):
new_unspent_tx_outs = [
UnspentTxOut(tx.id, index, tx_out.address, tx_out.amount)
for tx in new_transactions for index, tx_out in enumerate(tx.tx_outs)
]
consumed_tx_outs = [
UnspentTxOut(tx_in.tx_out_id, tx_in.tx_out_index, '', 0)
for tx in new_transactions for tx_in in tx.tx_ins
]
consumed = lambda uTxO: UnspentTxOut.find(uTxO.tx_out_id, uTxO.tx_out_index, consumed_tx_outs)
resulting_unspent_tx_outs = [uTxO for uTxO in current_unspent_tx_outs if not consumed(uTxO)]
resulting_unspent_tx_outs.extend(new_unspent_tx_outs)
return resulting_unspent_tx_outs
def to_raw(self):
return {
'txOutId': bytes_to_hex(self.tx_out_id),
'txOutIndex': self.tx_out_index,
'address': bytes_to_hex(self.address),
'amount': self.amount
}
@classmethod
def from_raw(cls, raw_obj):
tx_out_id = hex_to_bytes(raw_obj['txOutId'])
tx_out_index = raw_obj['txOutIndex']
address = hex_to_bytes(raw_obj['address'])
amount = raw_obj['amount'] if isinstance(raw_obj['amount'], Decimal) else Decimal(raw_obj['amount'])
return cls(tx_out_id, tx_out_index, address, amount)
class Transaction(RawSerializable):
''' A transaction.'''
COINBASE_AMOUNT = Decimal(50)
def __init__(self, tx_ins, tx_outs, identifier=None):
''' Initializes the Transaction instance.
Params:
- tx_ins (list<TxIn>): The list of transaction inputs.
- tx_outs (list<TxOut>): The list of transaction outputs.
'''
self.tx_ins = tx_ins
self.tx_outs = tx_outs
self.id = identifier if identifier is not None else self.get_id()
def __eq__(self, other):
return (isinstance(other, self.__class__)
and self.tx_ins == other.tx_ins
and self.tx_outs == other.tx_outs)
def to_raw(self):
return {
'txIns': TxIn.to_raw_list(self.tx_ins),
'txOuts': TxOut.to_raw_list(self.tx_outs),
'id': bytes_to_hex(self.id)
}
@classmethod
def from_raw(cls, raw_obj):
tx_ins = TxIn.from_raw_list(raw_obj['txIns'])
tx_outs = TxOut.from_raw_list(raw_obj['txOuts'])
identifier = hex_to_bytes(raw_obj['id'])
return cls(tx_ins, tx_outs, identifier)
def get_id(self):
hasher = hashlib.sha256()
for tx_in in self.tx_ins:
hasher.update(tx_in.tx_out_id)
hasher.update(int_to_bytes(tx_in.tx_out_index))
for tx_out in self.tx_outs:
hasher.update(tx_out.address)
(amount_num, amount_denom) = tx_out.amount.as_integer_ratio()
hasher.update(int_to_bytes(amount_num))
hasher.update(int_to_bytes(amount_denom))
return hasher.digest()
def sign_input(self, tx_in_index, private_key, unspent_tx_outs):
tx_in = self.tx_ins[tx_in_index]
data_to_sign = self.id
referenced_unspent_tx_out = UnspentTxOut.find(tx_in.tx_out_id, tx_in.tx_out_index, unspent_tx_outs)
if not referenced_unspent_tx_out:
print('could not find referenced txOut')
raise BadRequestError('could not find referenced txOut')
referenced_address = referenced_unspent_tx_out.address
if get_public_key(private_key) != referenced_address:
print('trying to sign an input with private ' +
' key that does not match the address that is referenced in txIn')
raise UnauthorizedError('invalid private key')
print('signing data: {}\nfor address: {}'
.format(bytes_to_hex(data_to_sign), bytes_to_hex(get_public_key(private_key))))
sk = ecdsa.SigningKey.from_string(private_key)
signature = sk.sign(data_to_sign)
print('signature: {}'.format(bytes_to_hex(signature)))
return signature
def has_valid_structure(self):
return (isinstance(self.id, bytes)
and isinstance(self.tx_outs, list)
and isinstance(self.tx_ins, list)
and all([tx_in.has_valid_structure() for tx_in in self.tx_ins])
and all([tx_out.has_valid_structure() for tx_out in self.tx_outs])
)
def validate(self, unspent_tx_outs):
if self.id != self.get_id():
print('invalid tx id: {}'.format(self))
return False
has_valid_tx_ins = all([tx_in.validate(self, unspent_tx_outs) for tx_in in self.tx_ins])
if not has_valid_tx_ins:
print('some of tx_ins are invalid in tx: {}'.format(self))
return False
total_tx_in_values = sum([tx_in.get_amount(unspent_tx_outs) for tx_in in self.tx_ins])
total_tx_out_values = sum([tx_out.amount for tx_out in self.tx_outs])
if total_tx_in_values != total_tx_out_values:
print('total_tx_in_values != total_tx_out_values in tx: {}'.format(self))
return False
return True
def validate_coinbase(self, block_index):
if self.id != self.get_id():
print('invalid tx id: {}'.format(self.id))
return False
if len(self.tx_ins) != 1:
print('one tx_in must be specified in the coinbase transaction')
return False
if self.tx_ins[0].tx_out_index != block_index:
print('the tx_in index in coinbase tx must be the block height')
return False
if len(self.tx_outs) != 1:
print('invalid number of tx_outs in coinbase transaction')
return False
if self.tx_outs[0].amount != Transaction.COINBASE_AMOUNT:
print('invalid coinbase amount in coinbase transaction')
return False
return True
@staticmethod
def validate_block_transactions(transactions, unspent_tx_outs, block_index):
if len(transactions) == 0:
return True
coinbase_tx = transactions[0]
if not coinbase_tx.validate_coinbase(block_index):
print('invalid coinbase tx: {}'.format(coinbase_tx.__dict__))
return False
tx_ins = [tx_in for tx in transactions for tx_in in tx.tx_ins]
if TxIn.has_duplicates(tx_ins):
return False
normal_transactions = transactions[1:]
return all([tx.validate(unspent_tx_outs) for tx in normal_transactions])
@staticmethod
def process_transactions(transactions, unspent_tx_outs, block_index):
if not all([tx.has_valid_structure() for tx in transactions]):
print('some of the transactions has invalid structure')
return None
if not Transaction.validate_block_transactions(transactions, unspent_tx_outs, block_index):
print('invalid block transactions')
return None
return UnspentTxOut.update_unspent_tx_outs(transactions, unspent_tx_outs)
@staticmethod
def coinbase(address, block_index):
tx_in = TxIn(bytes(), block_index, bytes())
tx_out = TxOut(address, Transaction.COINBASE_AMOUNT)
return Transaction([tx_in], [tx_out])
|
#Author:Huangliang
#Time:2018/5/5
import cv2
import numpy as np
import random
from tkinter.filedialog import *
import tkinter as tk
import tkinter.messagebox
def load_images(dirname, amout = 9999): #默认有9999张图片
img_list = []
file = open(dirname) #只读,把dirname加载到内存,用file接收,.lst文件估计是文本文件
img_name = file.readline()
while img_name != '': # 文件尾
img_name = dirname.rsplit('/', 1)[0] + '/' + img_name.strip('\n')
# rsplit 通过指定分隔符对字符串进行分割并返回一个列表,默认分隔符为所有空字符,包括空格、换行(\n)、制表符(\t)等。
# 类似于 split() 方法,只不过是从字符串最后面开始分割。
img_list.append(cv2.imread(img_name))
#读取图片像素点阵列加载到列表,append()方法向列表的尾部添加一个新的元素,imread读取三维阵列
img_name = file.readline() #下一行
amout -= 1 #计数器更新
if amout <= 0: # 控制读取图片的数量
break
return img_list #返回一个图片像素点阵列列表(内存中存在,未保存),这是一个四维列表?
# 不,这是一个一维列表,只是这个列表里面的元素为三维数组
# 从每一张没有人的原始图片中随机裁出10张64*128的图片作为负样本
def sample_neg(full_neg_lst, neg_list, size):
random.seed(1) # random()方法返回随机生成的一个实数,它在[0,1)范围内。
width, height = size[1], size[0]
for i in range(len(full_neg_lst)):
# full_neg_lst是一个列表,里面存在着len(full_neg_lst)张图片,
# 每个图片都以三维数组存在(array),最内层数组[]是一个像素点三个通道的数值
for j in range(10):
y = int(random.random() * (len(full_neg_lst[i]) - height))
#len(full_neg_lst[i])是第i+1张图片高度
# len(full_neg_lst[i])就是在计算list所包含的第i+1个array的长度。
# 最内层的[]表示一个像素点,有三个通道的数值;次内层[[ ]]表示一行,即为列数、图像宽度;
# 外层[[[ ]]]表示全行,即为行数、图像高度
x = int(random.random() * (len(full_neg_lst[i][0]) - width))
# len(full_neg_lst[i][0])是第i+1张图片宽度
neg_list.append(full_neg_lst[i][y:y + height, x:x + width])
return neg_list #这也是类似于full_neg_lst的列表list
# wsize: 处理图片大小,通常64*128; 输入图片尺寸>= wsize
def computeHOGs(img_lst, gradient_lst, wsize=(128, 64)):#传入为正样本的列表
hog = cv2.HOGDescriptor()
# hog.winSize = wsize
for i in range(len(img_lst)):
if img_lst[i].shape[1] >= wsize[1] and img_lst[i].shape[0] >= wsize[0]:
roi = img_lst[i][(img_lst[i].shape[0] - wsize[0]) // 2: (img_lst[i].shape[0] - wsize[0]) // 2 + wsize[0],
(img_lst[i].shape[1] - wsize[1]) // 2: (img_lst[i].shape[1] - wsize[1]) // 2 + wsize[1]]
# 只要读入的图片高度大于128,且宽度大于64,则图片居中截图,截取的图片大小恰好为128*64
gray = cv2.cvtColor(roi, cv2.COLOR_BGR2GRAY)
gradient_lst.append(hog.compute(gray))#.compute函数怎么
# return gradient_lst
def get_svm_detector(svm):
sv = svm.getSupportVectors() #获取支持向量机
rho, _, _ = svm.getDecisionFunction(0) #没搞清楚什么意思
sv = np.transpose(sv) #改变高维数组的形状
return np.append(sv, [[-rho]], 0)
def tick():
import winsound
winsound.PlaySound('./prompt_tone/3.wav', winsound.SND_ASYNC)
# 主程序
# 第一步:计算HOG特征
def main(poslist,neglist,showWindow):
l1 = Label(showWindow, text="训练开始, 请等待...").grid(row=1, column=0)
neg_list = []
pos_list = []
gradient_lst = []
labels = []
hard_neg_list = []
svm = cv2.ml.SVM_create() #创建svm分类器
# 打开一个.lst文件,读取里面事先写好的图片名列表,在一张大列表中存入所有图片的像素点信息,并返回该列表
pos_list = load_images(poslist)
print("正样本载入成功")
l2 = Label(showWindow, text="正样本载入成功").grid(row=2, column=0)
full_neg_lst = load_images(neglist)
print("负样本载入成功")
l3 = Label(showWindow, text="负样本载入成功").grid(row=3, column=0)
sample_neg(full_neg_lst, neg_list, [128, 64])
print("负样本*10制作完成")
l4 = Label(showWindow, text="负样本*10制作完成").grid(row=4, column=0)
print("目前负样本的数量是",len(neg_list))
log_tmp = "目前负样本的数量是" + str(len(neg_list))
l5 = Label(showWindow, text=log_tmp).grid(row=5, column=0)
computeHOGs(pos_list, gradient_lst)
[labels.append(+1) for _ in range(len(pos_list))]
computeHOGs(neg_list, gradient_lst)
[labels.append(-1) for _ in range(len(neg_list))]
# 第二步:训练SVM
print("正在第一次训练SVM")
l6 = Label(showWindow, text="正在第一次训练SVM...").grid(row=6, column=0)
svm.setCoef0(0)
svm.setCoef0(0.0)
svm.setDegree(3)
criteria = (cv2.TERM_CRITERIA_MAX_ITER + cv2.TERM_CRITERIA_EPS, 1000, 1e-3)
svm.setTermCriteria(criteria)
svm.setGamma(0)
svm.setKernel(cv2.ml.SVM_LINEAR)
svm.setNu(0.5)
svm.setP(0.1) # for EPSILON_SVR, epsilon in loss function?
svm.setC(0.01) # From paper, soft classifier
svm.setType(cv2.ml.SVM_EPS_SVR) # C_SVC # EPSILON_SVR # may be also NU_SVR # do regression task
svm.train(np.array(gradient_lst), cv2.ml.ROW_SAMPLE, np.array(labels))
print("第一阶段训练完成")
l7 = Label(showWindow, text="第一阶段训练完成").grid(row=7, column=0)
# 第三步:加入识别错误的样本,进行第二轮训练
print("正在第二次训练SVM(加入难例)")
l8 = Label(showWindow, text="正在第二次训练SVM(加入难例)").grid(row=8, column=0)
hog = cv2.HOGDescriptor()
hard_neg_list.clear()
hog.setSVMDetector(get_svm_detector(svm))
for i in range(len(full_neg_lst)):
log_tmp = "正在第二次训练SVM(加入难例)=====" + "第" + str(i) + "次"
l8 = Label(showWindow, text=log_tmp).grid(row=8, column=0)
rects, wei = hog.detectMultiScale(full_neg_lst[i], winStride=(4, 4),padding=(8, 8), scale=1.05)
for (x,y,w,h) in rects:
hardExample = full_neg_lst[i][y:y+h, x:x+w]
hard_neg_list.append(cv2.resize(hardExample,(64,128)))
computeHOGs(hard_neg_list, gradient_lst)
[labels.append(-1) for _ in range(len(hard_neg_list))]
svm.train(np.array(gradient_lst), cv2.ml.ROW_SAMPLE, np.array(labels))
print("SVM训练完成")
l9 = Label(showWindow, text="SVM训练完成").grid(row=9, column=0)
# 第四步:保存训练结果
hog.setSVMDetector(get_svm_detector(svm))
hog.save('myHogDector.bin')
print("已在当前文件目录下保存此样本模型,样本训练结束")
l10 = Label(showWindow, text="已在当前文件目录下保存此样本模型,样本训练结束").grid(row=10, column=0)
tick()
tk.messagebox.showinfo('提示', '模型训练完成')
showWindow.destroy()
|
# Generated by Django 2.2 on 2019-03-05 16:20
from django.db import migrations
class Migration(migrations.Migration):
dependencies = [
('gameApp', '0002_auto_20190305_1620'),
]
operations = [
migrations.RenameField(
model_name='usermodel',
old_name='dateaccountcreate',
new_name='dateaccountcreated',
),
]
|
"""
Train a DeepLabV3 segmentation network
Ref: https://pytorch.org/hub/pytorch_vision_deeplabv3_resnet101/
Paper: https://arxiv.org/pdf/1802.02611v3.pdf
"""
import torch
import torch.nn as nn
from torchvision import models
class DeepLabV3(nn.Module):
def __init__(self, num_classes=1, pretrained=True):
super(DeepLabV3, self).__init__()
# load model
self.model = models.segmentation.deeplabv3_resnet50(pretrained=pretrained, progress=True)
classifier = models.segmentation.deeplabv3.DeepLabHead(2048, num_classes)
self.model.classifier = classifier
# self.m = nn.LogSoftmax(dim=1)
# self.m = nn.Sigmoid()
def forward(self, x):
x = self.model(x)
# x = self.m(x['out'])
return x['out']
if __name__ == "__main__":
model = DeepLabV3(3)
inputs = torch.rand(3,3,224,224)
res = model(inputs)
print(res.shape)
|
import sys
import math
from collections import defaultdict, deque
sys.setrecursionlimit(10 ** 6)
stdin = sys.stdin
INF = float('inf')
ni = lambda: int(ns())
na = lambda: list(map(int, stdin.readline().split()))
ns = lambda: stdin.readline().strip()
dx = defaultdict(int)
dy = defaultdict(int)
for i in range(3):
x, y = na()
dx[x] += 1
dy[y] += 1
ansx = -1
ansy = -1
for key in dx.keys():
if dx[key] == 1:
ansx = key
for key in dy.keys():
if dy[key] == 1:
ansy = key
print(ansx, ansy)
|
"""Adding flagged individuals.
Revision ID: 9293ade6aa95
Revises: 9ed4811a814d
Create Date: 2020-03-04 01:42:27.071216
"""
from alembic import op
import sqlalchemy as sa
# revision identifiers, used by Alembic.
revision = '9293ade6aa95'
down_revision = '9ed4811a814d'
branch_labels = None
depends_on = None
def upgrade():
# ### commands auto generated by Alembic - please adjust! ###
op.create_table('flagged_individual_contributor',
sa.Column('id', sa.Integer(), nullable=False),
sa.Column('name', sa.String(), nullable=True),
sa.Column('city', sa.String(length=30), nullable=True),
sa.Column('state', sa.String(length=2), nullable=True),
sa.Column('zip', sa.String(length=9), nullable=True),
sa.Column('employer', sa.String(length=38), nullable=True),
sa.Column('occupation', sa.String(length=38), nullable=True),
sa.PrimaryKeyConstraint('id')
)
op.add_column('individual_contributor', sa.Column('flagged_as_id', sa.Integer(), nullable=True))
op.create_foreign_key(None, 'individual_contributor', 'flagged_individual_contributor', ['flagged_as_id'], ['id'])
# ### end Alembic commands ###
def downgrade():
# ### commands auto generated by Alembic - please adjust! ###
op.drop_constraint(None, 'individual_contributor', type_='foreignkey')
op.drop_column('individual_contributor', 'flagged_as_id')
op.drop_table('flagged_individual_contributor')
# ### end Alembic commands ###
|
# Resource object code (Python 3)
# Created by: object code
# Created by: The Resource Compiler for Qt version 6.2.3
# WARNING! All changes made in this file will be lost!
from PySide6 import QtCore
qt_resource_data = b"\
\x00\x00H\xc6\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<!-- Creat\
ed with Inkscape\
(http://www.ink\
scape.org/) -->\x0a\
\x0a<svg\x0a xmlns:d\
c=\x22http://purl.o\
rg/dc/elements/1\
.1/\x22\x0a xmlns:cc\
=\x22http://creativ\
ecommons.org/ns#\
\x22\x0a xmlns:rdf=\x22\
http://www.w3.or\
g/1999/02/22-rdf\
-syntax-ns#\x22\x0a \
xmlns:svg=\x22http:\
//www.w3.org/200\
0/svg\x22\x0a xmlns=\
\x22http://www.w3.o\
rg/2000/svg\x22\x0a \
xmlns:xlink=\x22htt\
p://www.w3.org/1\
999/xlink\x22\x0a xm\
lns:sodipodi=\x22ht\
tp://sodipodi.so\
urceforge.net/DT\
D/sodipodi-0.dtd\
\x22\x0a xmlns:inksc\
ape=\x22http://www.\
inkscape.org/nam\
espaces/inkscape\
\x22\x0a width=\x2248\x22\x0a\
height=\x2248\x22\x0a \
id=\x22svg3903\x22\x0a \
version=\x221.1\x22\x0a\
inkscape:vers\
ion=\x220.92.3 (240\
5546, 2018-03-11\
)\x22\x0a sodipodi:d\
ocname=\x22folder.s\
vg\x22>\x0a <defs\x0a \
id=\x22defs3905\x22>\
\x0a <linearGrad\
ient\x0a id=\x22\
linearGradient38\
66\x22>\x0a <stop\
\x0a id=\x22st\
op3868\x22\x0a \
offset=\x220\x22\x0a \
style=\x22stop\
-color:#000000;s\
top-opacity:0.52\
083331\x22 />\x0a \
<stop\x0a \
id=\x22stop3870\x22\x0a \
offset=\x221\
\x22\x0a style\
=\x22stop-color:#28\
83c3;stop-opacit\
y:0;\x22 />\x0a </l\
inearGradient>\x0a \
<linearGradie\
nt\x0a id=\x22li\
nearGradient3874\
\x22>\x0a <stop\x0a \
id=\x22stop\
3876\x22\x0a o\
ffset=\x220\x22\x0a \
style=\x22stop-c\
olor:#000d0e;sto\
p-opacity:0.8410\
5963;\x22 />\x0a \
<stop\x0a i\
d=\x22stop3878\x22\x0a \
offset=\x221\x22\
\x0a style=\
\x22stop-color:#000\
000;stop-opacity\
:0;\x22 />\x0a </li\
nearGradient>\x0a \
</defs>\x0a <sodip\
odi:namedview\x0a \
id=\x22base\x22\x0a \
pagecolor=\x22#ff\
ffff\x22\x0a borde\
rcolor=\x22#666666\x22\
\x0a borderopac\
ity=\x221.0\x22\x0a i\
nkscape:pageopac\
ity=\x220.0\x22\x0a i\
nkscape:pageshad\
ow=\x222\x22\x0a inks\
cape:zoom=\x222.474\
8737\x22\x0a inksc\
ape:cx=\x22-59.8090\
97\x22\x0a inkscap\
e:cy=\x2213.728854\x22\
\x0a inkscape:c\
urrent-layer=\x22la\
yer1\x22\x0a showg\
rid=\x22true\x22\x0a \
inkscape:grid-bb\
ox=\x22true\x22\x0a i\
nkscape:document\
-units=\x22px\x22\x0a \
inkscape:window\
-width=\x221920\x22\x0a \
inkscape:wind\
ow-height=\x221027\x22\
\x0a inkscape:w\
indow-x=\x220\x22\x0a \
inkscape:window\
-y=\x2228\x22\x0a ink\
scape:window-max\
imized=\x221\x22>\x0a \
<inkscape:grid\x0a \
type=\x22xygr\
id\x22\x0a id=\x22g\
rid821\x22\x0a s\
pacingx=\x220.3\x22\x0a \
spacingy=\x220\
.3\x22 />\x0a </sodip\
odi:namedview>\x0a \
<metadata\x0a \
id=\x22metadata3908\
\x22>\x0a <rdf:RDF>\
\x0a <cc:Work\x0a\
rdf:abo\
ut=\x22\x22>\x0a <\
dc:format>image/\
svg+xml</dc:form\
at>\x0a <dc:\
type\x0a \
rdf:resource=\x22ht\
tp://purl.org/dc\
/dcmitype/StillI\
mage\x22 />\x0a \
<dc:title />\x0a \
</cc:Work>\x0a \
</rdf:RDF>\x0a \
</metadata>\x0a <g\
\x0a id=\x22layer1\
\x22\x0a inkscape:\
label=\x22Layer 1\x22\x0a\
inkscape:gr\
oupmode=\x22layer\x22>\
\x0a <g\x0a i\
d=\x22layer1-2\x22\x0a \
inkscape:lab\
el=\x22Layer 1\x22\x0a \
style=\x22displ\
ay:none\x22\x0a \
transform=\x22matri\
x(10.589787,0,0,\
10.589787,-6.898\
1011,-467.83874)\
\x22>\x0a <image\x0a\
y=\x22-0.0\
78223988\x22\x0a \
x=\x22-2.1485453\
\x22\x0a id=\x22i\
mage3001\x22\x0a \
xlink:href=\x22d\
ata:image/png;ba\
se64,iVBORw0KGgo\
AAAANSUhEUgAAAFs\
AAABaCAIAAABYCL1\
rAAAAA3NCSVQICAj\
b4U/gAAAgAElEQVR\
4 nN28aaxl2XUe9q\
219j7Dnd78auqauq\
u6u3pgT2STFMlwkE\
lRlBwNSWQgiGzZzm\
AjQuxYERwhiGVH T\
uAkcggoVhQhCZwYc\
GIb8RAkEQxrICOJM\
0Wym80mu3qu7q7xz\
Xc65+y918qPc++rV\
93VZLEfHQHZ uLj1\
6tx7zzn7O2uvvda3\
vr3pEz/1b+BwLSER\
EZEAMKX942Q2+4MI\
UACAmhmRHPjW926k\
RkREBMDm 5wTwdid\
hu/3xW85JN3988Jw\
A3G3PeeBv/d6nn5+\
XiITIzGBsZgABACk\
Aai9KsDu+6ZvtDrD\
Y/+wO oW7v9rYf3R\
aR76vp/tMzM5rfEr\
XQHGwtNO/oGu2p9v\
tgt1jfrd/8fs55W1\
C+JyKtvbzVUm4eEZ\
BB W0CMjN50HXuHK\
By4lBGgeDMoM9Df5\
lHfSXvzMwNw6wB5h\
414/+xvN8T2jxtg9\
H0NmdsZwuxct+uP \
mX1fTuqt7fCjZn+8\
gIgIRCADVGejiW61\
kZk/+X5AaW1hdrb2\
fQ7H/mhqv6P0/Z35\
tu3QiJCpJoI6 YzF\
h1qSmqqTKzDMbJFL\
AWmAMIDUw2fzI97w\
CkxKRGpExGRnYTM3\
MFKSEduBIJAJIiQ5\
p9rdF5E7m l/3rJu\
Vaq2q1XG1G1XQ6Fc\
/soaqeheBMikmVyu\
WlreG2FxAZg5VUiI\
wA8P7cNPcLOn/kBk\
CNxPF4 NFnodiilV\
E8zEg0xZ2iqktYxT\
SXPuOyA8yl5U2YVs\
rcda+8Mke+jKeCcV\
6e725tLefkTP/7Jh\
UEe w/ClF59//eVX\
h+NxrQ3gJntbnSIP\
Gn2W1XVDEDUYE1pX\
DAbDtEUFRgRTA8EM\
wGg0GXS6PtXUTPup\
lqRL3e6JI+unTh8\
bLPZRyOe++tVnL12\
uGS7vRPCdRwz/UhA\
BZG9UL5S9zhKWu9n\
pEwtF2M2leuLd 9+\
yc6G/sjr/w7Csv7+\
w0wY9D6fqL4zo5y0\
hB4NapGIGMrY3oiI\
Q4qZGxEdgMQJeZx1\
MXhzS+8fCp 9fc99\
MBat3P82NHd8Vg9T\
b3/agwlfEJRxSw26\
h0D8Z33554LDx4GD\
yP4vKyrisJ0kPPj9\
506vVJM 3nh53dmJ\
QVlYevdjjzBhY3tH\
mV2nOxxNCu8ZPAu8\
qHWTM+8rjP3Jm2BE\
JDBqpn2ERR3/2Hse\
/OkP PX48s45N89T\
EUA0WFqtoL776xl5\
F0+gi5VnRRWpoHiW\
9g3bY2ZcN9WiSi+S\
5q5vReLy7vrx84sj\
6 3vZWGI0WM8lGW5\
949IF/56d+dNmqyb\
VXj652CcGoMQ7GAR\
RAgTiyJFAAJaWUqF\
EOJskkEaoOT2V8 9\
ceffPATD59zm290w\
t5CxzVWB0erZ+8Gs\
skw1MOpxWQa63p82\
B4d8vcAvFCeuRjCa\
DSqqqZOtvzw E36w\
shutURPVuL2xxvGn\
P/zeM8vl6MbrrAFm\
sARLBGUQwxhGpoCS\
JdLEpkTGpqx1noZ/\
+l/92BPn T2TNcOC\
5qafDqtlu9Oh9D2H\
txLW9emccxBW9spf\
nGQsO6Ud+EBEaEZK\
SmpP86o295y9vY/3\
0sQ/8 ia1s0PSXx0\
10mo44uW+5/8TdJx\
Y4eTM2IWVSRiJLLQ\
4gY0qEiPaIQKBEsX\
nfA6eO91CmSRjtsX\
jL F3a5u3zfo+VdF\
65uNy9cH25NtTbaG\
4+aauLksN05LCJKc\
HkWQQpRc5eubF7ZH\
I9vDNFdfOBDH74y \
HnOR9YpcpuMVRw+f\
PLFgsUQorCmsybXO\
UuPj1IWJC5MsVV4r\
l6Y+NZnVXuvM6jxW\
F46sHClEUiWZ jJN\
W7I6fuW/t7oe4WHr\
+0vVLG9ub0ynlZVa\
WXhzFw3bpsIgYuEo\
0ToiSB/jnX3ptEux\
bL7wUzbDY e/h9jy\
eP7b2tphpLXR/tdN\
bzjEebrtrKw24R94\
q4VcStTtjqxm1f38\
iqG1l1I282ijjsYV\
KmUTbd uf/IEdkbq\
Wptthui6y12LzwKd\
a9ffHVvY+upbz3TW\
1tunEyixRqZ+QPe+\
Z20H0AU77OM4LUeK\
wsT /fbv/+FP/MlP\
fOvbzz7y6L1yZO34\
+bNvfOkrFrkoi7wa\
l8Ote/tL5aC/srKy\
tLzQ6XREhNQSEpFM\
q0pVg6bXL79x8fk\
XJ5PJ0UKqy5fuOro\
8pTiK6PR6a+96FOL\
qza3Lly9/5jOf4dx\
PYmNOSDiXDGrg Q4\
UkdEjGSAlNImj0SI\
NMdLSXofngE+96+N\
yJrkzvWe+vOKpef4\
0m0aKiGGyPJq4owc\
TMgKqqmTER oM5lS\
bUKjcKKTsdl+c7Oz\
vaVN04tdjuFREeb0\
+rsg4+iv/7y67vXh\
uGpl17/Pz7z2c6xo\
5OkiT3M eypDE8mZ\
0TtH5LDxCAFEycGE\
CcC0qhb63Y3Lr3UF\
p1YGrhptvPxCQeZS\
yhhxMl7qd3wzKSwU\
sc61 zlPT1dix2LH\
A02GBMPDcJfWxkmr\
co7S20O1lknkWxyA\
aTusXXr5USfHC1Y0\
/eOrpyon63JyAqQ3\
x kiU6nHM9LCKACs\
XcS1LEmMqy0zSVR9\
p4/dVOau5eW+2a9Z\
xoaLwXbylMR226yg\
DDyAwWVWPUmBdZ V\
VcxBO8dCYUYAStLP\
54OJ+MdaxonxOyjy\
37nq1//na9/83owW\
VwZ1xEkBIKpIrHM4\
7t32g49+5Kp 2bia\
msH5IqjEJM7n0/Hk\
9PqxHvlcabozNrPQ\
NOh69pQX4sUMQVMw\
jUTmveSFrybjMvfd\
0qdYNfU0 81QWLsX\
Y7fYyX/TLkqo6j6G\
AQdNotNddWhrVqpz\
VidQExgSlQ9MBh55\
9QZpnQTy5jpPutI4\
uy7f3 dt/18IN3HV\
nT0ThvaFAMyrzfKC\
ZNCLmvY7AUheAdec\
/ChBhTXRVlYZpCaJ\
ipyBw01fU0xhgqOC\
3S JHbzDocmT/FnP\
vnJvjgfiRMbCkMna\
WbqkBwiyA7VKZ6/5\
h38vr0011XM806IN\
q2aXtnTGDJKH/vg \
kyUn0cbBkHQymnT6\
g8SImpi5nR0VhpZ5\
E4gINO6ztqrJoMzs\
nGPAOSdlF2ZWh0zj\
3tXLP/vTP739 2mv\
9zFuIANQAbv0HgXT\
fUJRuvt6+3dJruef\
+d7VJF1GimySOAUb\
7LyMQzIycRE0KE2Y\
ADDKzjLJQ pSzrNd\
VUtHrs/Imf+fh7O9\
VmX8eZNgJiL4kMrM\
yKFLw5EIPImHRGsy\
kMxE7V1ABycI6YjI\
xgKdZk UXIJ04kSQ\
3L4Tt5bqBVXN7akL\
CbVNCszZoRYiwgUR\
CCGMgwzLpaI5sWBG\
a03I+OgSmYEIyYwY\
C0i 87LBvIigNPvN\
nBOcUXra5qMiMzIH\
MypxUjfkfUT81Mc/\
8sQDp1elWkijrlYl\
mZAA5PN8Mh7GMOnk\
GZQBUtKWY7Q2AW4\
fCojFt6RkShGkIpy\
XRZyOHan4jMXDZ7W\
5idri8VPrp04/dfH\
5rNOrYj2pK+dE mK\
Htaa29P6XWkRNa5u\
Gg1yW05mQEAhuIzX\
h2W60xgKw9xb6dgG\
0+pswspdT+oaoJZg\
QlDU67671d HX/yJ\
z915NSRF198nlNaL\
Ps+kofUk2mom3o86\
ff6HecoKSyaRbJIF\
siCIQFkkKQMOErmC\
bnjTuZy dhzj3vVr\
TgiGpp6mlMAcySTz\
dYpvXLv6p//sn5PM\
d3sDnxVld9DEZGBT\
MiVVmJmA2G6hqW/H\
Zt48 dNAJ8Xd3tER\
EOuN7zcw5Z0wRFil\
964Xv/Jt//s/0jix\
tjPfK5aXAbmNvnPe\
XhpMYs0KzksrOeFI\
T 8lDHRKyshEiIBB\
WYEhTM7JgcESFGNL\
XVIYZQN5p3B1T0ku\
RRiilJLXnMsokyl9\
1K8dWvf+Pf+jM/ l\
0AuL3ZH4xC1fboK4\
3Z0EDHN6LjbNZ7BY\
cyAEcu5+x+keU1F0\
XKfMwPGrbUQJjJAv\
FNVEIlzIcZo qQrN\
z//lv/TaxubuZHJj\
4/ojD96fpzDa3pqM\
J5SXwRWWFXt1k2U5\
K7z3AaZsgiikDBDI\
2IO8JuJ2 /JpCFUz\
sci66DXc2JjG4Uov\
ejTptBKTuSlUO+if\
PvXBtcyfosy++/CO\
f+tRT3/ym91IWHU1\
xP69h EAuzwVT5YL\
YzHzxGaEtKZDxjrc\
7d/8CMyZqVDqi9yb\
cGOi0X7FiiJgOiaR\
1Drz/48Mc+BpfXJL\
Wq ePf8xe/86z/5k\
+fuObe0dmzp7Hku+\
0OVyihCqioEUPJOW\
R2SmBG1FLFXMIFVE\
2skL8hy8m5ibk/9 \
DnVosMa9ZV5cu+td\
Tx556PG1Bx9fPnP+\
8iT843/xe6snz0xC\
Gk+nH/vYR//wc59L\
TeOYiXn/znle crx\
t+kdoJw5mEIxBJuc\
uXABanzrzqzxDaAY\
N6CYuLTccVZU4xJT\
lxb0PPrB29K7tcZ1\
c0ZD4vPP6 G1e/8M\
UvfeDDH8sWlofBBn\
ffNzhzz/LZc8GEuv\
3NyTg6MUCQHJShMF\
Y4M3Y+U03QCEIk2o\
u2h2LP LZanH1678\
O6Fh55wgyO8dHTse\
7vIvvLia7/4K3/r2\
H0PBsk4z4bjyY0b1\
z71qR/51jNPa4KQE\
LGp AcatvdubLP7A\
k75Jb1KLyAOYTUxG\
t/mR7VuKc85UiTmZ\
GnOADlaX3/2+H9oY\
V9Lrj5oYldVoZXll\
bzj6/c9/8T0f+jD\
3FnarZL78v/7F7z3\
6Qx/onT3dmG3u7hH\
Iw5ypM4XBIGqkKZG\
QeAlMu1EnWb9/ 5s\
KJR943uOeRL118dR\
oROv2xzye+c/H61i\
/8jV85+/Dj0luo1X\
Yn416/18S6UxZN3W\
xtbjLzrMpl YJoXo\
d8WkdYkZPbPuQsPt\
AfJaF4NapG1NyHSV\
nfVCN4bi3n3yR/7s\
c3pZCuEWjy5LKkyS\
+azLMuq lH73//n8\
kx/6cNFfniTeHI3+\
5qc/fe8jD9/z+BNF\
1tm4dg2hKhheY6ob\
BnnnjYy8JNKR0jTv\
6fLx o09+ZMfK/+I\
3/u7LG3s//Cd/osm\
KymUXL1/+D//aXz9\
5/wO91fXd6USKouh\
2WMQIW1ubZ86cvX7\
9 RgyRSVIMZZ5rMj\
ITJ4YEmBLt1+vJGE\
Rt2XUW6ZLJPRceaD\
FqLYX25+y3IMLEIY\
ai29va3kXmzpw7 t\
3ri+E5oxkyBWdUYY\
GIhJse+6F7Z2vj60\
8+858n3NzHeff7ey\
PTX/vNfqav6A+//4\
FJ/8eqrL3Uc oZoW\
vS5FS5oizBXZXhO1\
O6g6i2d++Md+/yvP\
/tW/9en7Hn3Pz/zs\
z26ORr7fuXjplf/g\
l37p7H0X Vo4dm6Y\
UDOK9mrZBZLTovT9\
25Ogbr7+RknaKMsX\
gWFIMxG2Mtj9GZn0\
mgDDXNLTQfOKn/jX\
MYSLl WZ1tNvUApG\
wzcOo6FJ1ybzIdrC\
5f3tr8ub/4F1649I\
p1y8pl0eATMhYyKB\
IJfOYspEsXL3YS//\
Jf /UWbjhYHpaGud\
3eW2S9ouP5Hnx298\
I0jPO1oRWopmRTdr\
arKVo/scnniyY+Mi\
uVxsRbyvplN62px \
deUbzz7zc//uv/2h\
T3w87y0M60byTjL4\
PAshOObMcaibXpbd\
tbr+tc99fuvGBjWh\
K46S5t5Nqqnz bIA\
Stz6CbWYXczJlFnn\
wmwJ+ujV2BaDz2N5\
7v7u72+/3b2xuve+\
DH9obT7gogoGZPZM\
XYlFQjNbU Gicxau\
bWTp50ve4v/fIvd/\
qDahqqcSNcbI2aUd\
D1+x6amDPfrRpoNB\
Fqmqa7sDhq0pQEq0\
crykbw o5Aai2Wve\
Pa5Z/7Cv/8XP/Sxj\
wwWF8bV1HsRIeeED\
AxiZrAzx9Fw5cb18\
w89VNW1y7M6RJf5O\
jRZ luHtZUnzpoAy\
2jAENM9kuK0StCZi\
c1sxgojkeV41jc+z\
k6fPbO0NzXuf5YjJ\
JRMYVMHKns1RsLRX\
TajMl08czXq9T//\
6rxtxRnlsLCs65jJ\
kZW/1yLgxX/bZZyA\
XzcbTZhLt1PkHrTZ\
zhQLkvDj3yuuX fv\
4v/6X3fuD9nUF/dz\
h0mc+yjEFkSWNgGA\
MpJTOLZHWKWVncdf\
b0ZDpdWFoaDocAmA\
9mszhoFPtY 7B/lA\
994S8xKavPEsa7rT\
m8QUjpz9zk4HwFlj\
gaBCLk2xjczEcnIM\
aRT9EnySHLi/LlXr\
l77rz79 a+ZzcRmY\
wJSiDVaOJs6qqMg6\
FrXIOyGpL3qQYlzH\
ZGIJInLxlVd/4Zf+\
k3c9+X7XW5gEwJdF\
2ZtU kYjIGGpC7Fg\
YyszMTF7GTXX81En\
2bnt3p9/vE1EIoe2\
QEUCKOWNABrol3Vd\
ukxcl1lkKs4/LwRx\
Z lZBMVdV7f9+F+0\
eTsS+LCApRSXKQB3\
kwmxFFuEh5dKhRj5\
pGaaJ0/xPv2Tb76/\
/13+Zer7E0qSvJ M\
7iM8mJSJxipkSqY3\
GTaZEVZlp0ja2u58\
CsvvvQf/6e/cte9j\
wTfS77vBssVfCAfj\
NRY2Hl2nsWz eHG5\
88wAu73RaO3Ius5S\
NsrzfB+RW9scl7ce\
Otjsdp4FQNntbg/3\
yoWFrNebplSHmPmC\
2alqSklh aOOiZJo\
gxBpSp+yqUSLebeq\
VE3eNgP/sV/92Z7B\
gYLg8KFWB8t7itAn\
wZaVGvsiyTlPreFR\
vbu9d unzl53/hr5\
y+78Jg/UhkaWBVk3\
xW7A3Hvd4gJZsZBR\
ERMbOIAMzOZ2VnPK\
mOnDhhjpPpcDwqyx\
Iz b9rGFnPt5M1gf\
T5qaDY0EmhWT28VQ\
61DbeFgYzOrUpBuU\
a4v72oTHZF3qW4yA\
CmyR4yRmdVMCSam \
rNGCQoURQoBx0esv\
Hj02DPFv/M3/kqQA\
MvFFMIo+q105Fjcx\
oazTNNjdmQyW1q9t\
7f57f+U/evh9 788\
WeuN6wl4IJqSerZt\
nqamzzBkbhIwpmip\
IFTBhl4P9OOq5+y8\
kQp2iK/KQGhiTMRt\
LCwBpa5p2 gDAj44\
M28rYM5XzqkUS0uL\
46iTHBmBlqZBBHlp\
L3oqoAvPd1DInUZZ\
KQFEYCZTRQlFlvfW\
0v6q/+ xv/QuOKVn\
fGw6F4KulV2d3pLe\
4Ply+b2snIo/vnXL\
/+pP/vnn/zIR7PBg\
hKMjWfBlEITE4T3H\
xe1 LyJiEggbODET\
i2Q5OVG5qUwjA81w\
aQHYf93EwbXfu0MB\
FDOvr69v1w15D0BV\
RSQFVY3eS11VnV4Z\
NInnBCMnqimRspe\
kqhrFc2d5YWVh8fV\
vP/uLv/Zr733ons2\
tnWuXXhht3/BCyWR\
x+cjZex+LL732 9/\
7pbz7+0Y9VoKqqs1\
xoVt9pWSBqyz37yj\
QiIjC3rBDNdXFEeZ\
5nWabT0Bo+6JZuss\
1mDLvVjzg2 1v16z\
wEnfNuWZVlRFKgb7\
KvizCypODEjIjJVN\
XXe1SEQoVUrsyOLZ\
qowUuGpYvX8+auvP\
v8//dY/ 7zsrmRfX\
z2zs7OZl9/Ju/Z2n\
n33updfOPvBIyHPK\
/WK3M5mO9xl2OtDe\
9N/5kZb6AglL5vNO\
OZ6O ACTYvlW9tR0\
8zAfe32wQsFt4aTM\
riiLG6L0nopka0bj\
wGdSOrh9h5hhj5iS\
FMBMYQpkMagwIsRh\
i 1GDWMJ249/618w\
/sSXdLyzdGxAunJ7\
Ro/ePffmP7/Hvev3\
DXSel2G4uj8bBV+C\
nIiEmYnbT2wiQE h\
hGBW8pWZ1wRFNY+5\
G6325YNv8tjvm23D\
7a34eKNzSzLshBCa\
7FmxuwAMPNwd/exR\
x4OTdUty6aq HbMQ\
xJRBUENInMiTtGG+\
z4pJCKOo1O0Pjp3c\
M9f4/lZNu7V8+5Ur\
Zx5+l1tcvDYe1pJU\
zJV+39Tb CWV/vOA\
tNkJEBGm/RkQhxt6\
gHzS19PAdInKHlXB\
up6C2XJCaYMxEzMS\
mKYa6Wxanjq4cX19\
PKVho sjJPTXDsYu\
vLwQLmRKzqiVOMIl\
7yvL+8sri4mGfl9p\
WNqHZj58aFxx5H4W\
+MR1k3bzjlpTTNVC\
gT EQKYeWYU1Fpnm\
5uScWs8jNb+nWhSY\
g4htDYCAQm/fd3lQ\
OWc9GbodgeNiCTPy\
xgj5mJbJkMMD9x7 \
noF3P/rIcHurmzsL\
DVIkGGkC2LFndpoQ\
EpmRRSuyvK6DEZnL\
usvLx8+cNu9OnT+f\
RBqyzmDg2zRE 1ZK\
2aydE5EAkfjMq3w9\
G9i2obQCCpjzPW+q\
P+bv5xzkuB/55U79\
xO411SinLsslkQkT\
e+7quAbAh Yzq2uu\
wU507dde70yWY0zp\
kdDJaYWVVNWIkbQJ\
1T9qROa8skg/G4rp\
D5cnnh7IX7jt9zJu\
93E0hV 26qMb1AiZ\
wiMWj8CmbmMaMrsR\
DxIQKJm7csIKSXnX\
OvU2qyiBfdOnjkAR\
9D9eYgMt5jQmzBkb\
gcO k6jC+7xFbby7\
e+7UqWo8MuiPfPSj\
nUy+8vVvDFZXoyZy\
zgR1PTVi9lkDaNMU\
7EXyKjUBKc9Lx9A6\
KMNlruh2InPTVFo\
rA6JZawBgsoO08a3\
TzdvdrRMXUzIzU7X\
vuqriltn3bSqbDKQ\
3/4yoaRoRaSca 53\
wKStATR44sFEXSZj\
gcgdLHP/yvnD1z6r\
d/7zOjuuai5LxjZi\
TeldCEZJSIq5Agkm\
eZprquYkYo y9Kid\
fIOwY+VQ1UTMZMQG\
wlFSvOet6HYjP854\
FGF5oU7BpCUWLz30\
zAPRuxt13DQrQGJA\
7VkgLLx gcn49mYy\
nU6dc6oKs9YOzUxj\
JFUKqZdlDtbsbp9e\
W/n5P/dzTz938Wvf\
fObyxhY7ybu90eZe\
k2Kv vwgSiIVQJ0X\
uhBgpplprIvHMWVa\
YUcUuxpiMjNTxjPz\
edxm4XTAysxqCMFs\
KqirM1WTqiBl05yt\
v 3jzX3IxfWxL7wH\
mIaDqdzgyEOabk2C\
Px+vpamflxM0UTYq\
o7heOU6o0bDx498v\
DpU6M6/tFTT73w 6\
suoxy7LrJkM43Sws\
paiTccjD8+OG1V2L\
kY1KLOTMvdCTT2Zp\
gSywjCL0tsR1NrCf\
O6fAcGEudU4 kbqp\
wQDLaDQSEYEgfm8/\
MiPYby53sXlJ5/YT\
DzNT1TR1Xc/jESWS\
Vm9dVU1qQi4uc/Cq\
9XC4vrBg ZvVo0hH\
50cce0Scef+75i6+\
8dumF197o9xc3L1/\
qFOVipzMajVSo2+1\
OQxLhqAaLwuwcvBE\
SzAxp Vsq9aSPzJ3\
QTkQNuhWhGqpLaaH\
ePQSJiIXz3gGR/7L\
Q28j3xY8CIKMa4u7\
srZSfGSMSqipTKbl\
+y LI+ZhMZFzZA2r\
lzjnd1u2Vnp9x1Lm\
FY7e3vdzc2Pnzv/4\
4+9+5kXL3316W9NN\
3d60bLYVI5DXU/H \
43JhybGSGsWUkYmj\
QBYTqZoRGWAAzyfa\
/ZU1baJDBzBqcwdh\
IcJ4PD5Y3zyYwd2e\
YTR2sw7vGwrb 3Nf\
e/IXNP9Nok93xQqd\
XxeCzIqZgGitrEkV\
HHOsqQ8q97F1+/Y3\
rV+5aXkqrK6vrK35\
pca3eefa5 p668/h\
L57D0PPfzkn3jvix\
dfeO7llysv28Guhu\
Hd68euTibkOgxWJc\
fkHTvWSWpAXgmsSV\
SFSISN xYijKgAho\
tlERAoGEEyJSITJr\
KmaTMGCdCDlt7fIS\
dh4xj+TOpgA4BmZG\
ufgtSt3DAQYt4IDU\
3XE W1evL62tFeLh\
3V416nV8ypKKxWbq\
AZ+x4zTwmkmVbV3a\
vf6drWfrssyPrB29\
p5iMdjZ7g+7Gl19x\
jtcVy10bgTfFv6z\
ute0rXek2VCplEEo\
WLQYQ5XkZYmHJXJg\
4TQKDaQMkpggmIkY\
SzEpNAWQE4pjn nK\
JubGw2TdMrOtrEVv\
YxK5LPM1u+NYPR+a\
i5zVpWI5DNOft5Qs\
zMHvTGpdfe80M/dH\
W0t7O9019Z qaY7I\
aWUQsGSCXvWWI3Pn\
z72rRee7rnUoThNQ\
x8r7KSFWGcIg4SqH\
ktQMQTlTCSXvnNFP\
8tenNQb cW/MEVnX\
HKsJIWN25IShYk7M\
WKBMppRgxEJEBG0n\
V4MxoFAvHEPV6Qy+\
8dy3hTk2ocg8Ipul\
g33c r7oYGKQzZoD\
s9nnNvm/lg3wb4Jy\
bVNX169c1991OIWQ\
UtRnW1FDm/PjG1Wy\
Qf+1LX7i/Xyxk4qd\
V 6ZVMXLK4O8ydE6\
YsJpfYjAKZkTJx36\
LX2LOq69wVo9cQN1\
M9liJJDs1MiRnkU/\
Kk5ojEDEhe1Bx5 g\
xqyRFEMZMhVQRqrR\
pBiXb326itrRU8Us\
QmWovibneW3Jz3uU\
MSmZFCN0NjtlV/+0\
hcHva5niVUt kGY4\
LV2xt7O7srzUjHdd\
ql569qk8hSxGCaED\
ypREg2goWBGmTlUM\
TCTMuWkeqoXpcHWy\
c7+EB4p4 Lq9Xba/\
TDDNEZpd0ljtHoeA\
kCKtk5ljYt4GZMRt\
5bUcQmUNyqkudzpV\
XX8mYM+ZOkavO4Hi\
TB6G5 GOLgkdvYyF\
sXbLcRmyOuQjTQla\
vXWC1WU85zIRnvTa\
fjelB2GGPPgcJ4qe\
P6KRaiVlfCHgph0d\
Cw SNKoRqYsxq3cx\
SGwNoVBGxX1JrlQV\
kBuVJOhcypilJRUQ\
QQHkgQmJiaYqe6zG\
UQJiTgS4FV9SN/6 \
+jc6zmkMkazNbpKG\
72IE+6nMnQodGSpM\
wtAUVhYGX/3iF4+v\
rnMInSwfj6dNDCHW\
hFSQ9iTF6W6v dD5\
jIoOZxQSQWgRFFoV\
TsLKpU/hknBJMPae\
8HnZHW+vTvXtduld\
svRn2Jzu9NMm18ap\
emRNRYCiR GigBJk\
hiaF9s7TrR5JNuXX\
lj6/KVjkjhpJ5MiS\
iE8KYHfUv1ctZHAy\
DnHnj4YIxDRAyhOZ\
/bHmUw iJIagZzPs\
rJ8/vmLjz7+WGgaE\
RFxuaOTq72rz3/zr\
lNrxe61nddezLTOy\
Ji5Vb+1GjfjBIY5E\
CAg NpqpjLi1zEhm\
uVGHOIPzpkiNpYaU\
Bc6p5+RFiQxCyqaM\
KGYtNSettWgQi2ud\
zuvPPz/a2lnodYvM\
a4pZ5gwKmkkjMZc\
YzXmnVghh7d4Pcu7\
CQwDmMUerBDg41No\
3IkCTGoyI6qYx2HQ\
6vfvs2aqqik6x s3\
Ht8XtOPf0Hv9vduX\
JksTu5emmxkzVNnX\
mX1By7ZNE5FzQaw1\
TbxL6FZS6JJEvBic\
vMLCTP1C8z TylOp\
1HNzMEcSJTZGKBEU\
DFlMjImmFhka5w1P\
jUnlha//dQ3NQQLM\
dZNG8LazZDsrYi0f\
80UirdH 5ID2s30z\
wJwIjEIKRZGL46tX\
rh49sl6URRLavnr5\
kVNHw5VXu+OdySsX\
l0pfT0feu2Qm5kAk\
JOC2 wkUcW3JUjM3\
IjIx4rkUwmEEZMKV\
YdSwOymzaGFwWiCp\
BcJy8AAqLIKmSN2M\
AAAoXSURBVIQYTDR\
p 4yh5NGWcLniK4+\
mXP/eFflnGEMo8N9\
MQk3NO3wLCPjc5R8\
Ruj8hMK3ELIgCgas\
RwLqub2onz3r34 4\
guPPf7Y9u5O1xHvb\
axaWKjHq45TNVxeG\
DQpAnDKNOP/TMkoE\
amIiREZQRn7rCnNK\
EI2JmITpBxB iKTs\
jZp6GCp10EyiJrOQ\
OZcJMxJpXOxmPkx1\
98bJhc5qp/zsb//u\
eG+UZ3mKEQAzi7i2\
YHGL6c+v aje3RzE\
jknvuv3Dr9h00j1v\
adwVadsFiiHmWqSY\
mGJBlfmd7K4Zw5ux\
ZTMe6eX1VdE3TEgG\
pno7H 4hwZS4Ikmj\
19MyiJFYAztlbpy6\
RkEa28iTg5TmwmRp\
QcEhGkLMgz2JI2Cr\
CQJ4Km6e5OhzEgDZ\
s3 uvVozdP9R1e3r\
1z9zGc/N1haaVEAs\
RlEvGqby6NNkw+qE\
A92n0C3WU1yc/eUW\
74NGDnnYkpOBESa \
dG119eLF5yzhofPn\
htcv2872+ZWlLNWO\
VGNg50Th076Yy1qF\
E5mfi0MTITHZrDpP\
AHHa31ijrTQw Qmo\
y4YLBIcSq8rGRGHx\
ddZEGIfam4+UU719\
fO7HQq7a3f/M3fnO\
wcjTvDVQNTN63xQM\
5QLXRgTFx m/YmRB\
ig2W47c/x07mlFOK\
XonW9CnXufYvBO8q\
y49NKrmfgHH7jnyq\
WXTyz0CzavmnshNT\
ETm8PM reyx1Q4SU\
WIkQpoL0AlECmKbi\
4BmS+jhkxYx9NSWm\
fuq+XTa03jEu8WmO\
gZ9YHHhZJat5xkm0\
7/z 3/46F93B2olR\
3Rah1YlrknrJiBg6\
myL2+2UzjZkeKOzx\
mxCZ4zcvCLay8f1c\
28xaSq9NemJMeZY7\
KZ67+J3Vo2u9bub\
idH2hT01toXYENmN\
TsJqA2ppaK8+gBE4\
zMWC7RQcYaAnVtoq\
LVl/KsAJUEEpY gd\
QTLOVupfArghNlvo\
iwaCFLIcbwv/7v//\
jGtOkdO1GbjOq67J\
RRzWaxLKeUbs6hLb\
PePop224sD Dvc2i\
ND+GAOMbN/PtsXUG\
Jq8yEITWNg7GQ7Hj\
vPewsJnv/oHx06ux\
dHw2OJCSVoAAiWLD\
FPS5GBt aEIGbsAR\
lJSRGNZSqSakRMZt\
vs1z/ooNaJIngoVY\
DxlhUHCf1DfjRYq5\
1s7FqVb/3f/29y9u\
7mQn Tu/CJQOJIxa\
FtYoKKMyMSchovvj\
B5hpmm086dKeI3Jw\
ImGOMzrsYo7AT5ia\
ETtElEyMuFjvPPPP\
1 ZrS7vjQ4srykTe\
XZxBIbqA032Ixglh\
gAmTIpkRFjZheERP\
M7awVf1noSz6JJge\
SERdhiQNJcpK6q w\
fLyG9vbv/o//t0Nc\
7x6bJwNpLMQYyrzY\
jKZsEi7iZBGdc7B7\
EAmc6eI2IwTuWlfs\
21n5pgI2rCW YDBm\
NiXHhRPXNJPjR9c2\
blz7rd/+v+++5/Td\
d5+0qu6woGkIzKYE\
ioCKA1ECWzsttgmb\
QlNiJmrX IKomGIs\
wsSYFIFkOk0nVOCl\
90asDKvP5yrHf+vx\
X/5v/+R/Sysn8+Ll\
dy6W7PA3JgymqEwe\
QgMjQ 6n1narsZGz\
d7+ATi2f/ahMYOv3\
KRyYhh4jAe7i0uLf\
QGvX/yT36ryLNzp+\
9uqqZXdpu6JhbOvX\
mq Q3AkzCJg05SaB\
ikJMXtP0Bjqdr2IO\
KegpEYswm44nPiy6\
8r+XoAVA+suXK3ir\
/0v/+CPXr4sy8d5 \
4Uj0Xc66w+E0Y+dg\
fECG+13ardYxa4df\
3apM2jQj71GW5bSq\
clcWRfn0N5/b3hmf\
u/BwME4ilLvI Npw\
Me2WJpEjRUhIycY5\
FYMlCTWbsWJxnxxG\
WNKV28gFn3X7wnZ2\
Euruwadk/+9wf/Z1\
/9M9GxWDI 5eKJM5\
OgTbDMuTSZ9opsrg\
t4pz065ApogjqDIU\
VQu3I51Y2kwPVkcv\
WNRUl/6pMfffDU+o\
mlbhpt ahiF4e5yU\
ToDAarRQgPAOQfnL\
Bl5Z4pJaBQsWa6Eu\
knkigZcLh+5Ucff+\
co3fu8rT2/UtnTX3\
Skr R425LAshlC7T\
FEnNmNSJ3XFO/9Z2\
eBsx8RZS7bMc4PG4\
yfJeE8h1++ryvSZ+\
9stfurK5dfzU6aI3\
KIqeYy8qABscsXc\
uZ1cYWBMgfho0mEj\
eia4YRwRk1F9Kiyu\
b5P/Pz3/lv/+H//T\
pS9dl6bj2Vhvp Vp\
pHciFBXJZlvqqrLP\
MxJRK5gxHz9j069L\
6KGuJkMBhUVaymod\
tZaFIiduPxsN8rSe\
vCqunG5Wf+ 8Os/8\
6knf/i9T9x74khPo\
4vB5puPyCyzRAJlZ\
VFF3ZtMs26/u7B8Y\
3vnWy+//M+/8OWvX\
XzBdxeO njxbm284\
d8WSSgH2ycCMqpow\
wUubPgGHWxR++H0D\
1Od+Z7jXzbpIWOgv\
DvdGRiAnVTPJco7V\
xGsz YEw3b8S93cn\
Oxo9+9IN3HVs9e+r\
k2vKSE0GKTCZeqib\
sjcajadgajZ99/qW\
vPf3Naze2rOwsnjw\
T xA0Gi8RZ1SQYJ5\
WoAHsQEXGCKbTVY5\
OZF/4uWpH/DxBBhG\
VZFqow6HS3N7d6nT\
47mVYV5zKajrpl z\
qqlSBiPJSUNk9Hu9\
Wq6l+omF/S7vU6RQ\
VOIDbHsjSfjKkpWZ\
L2FotdzeYfysoKwL\
zPnmqaCGhPF oN77\
lNT5fFLVZbdbhxiS\
ingimy1k+mNEpLVS\
MnBL/dhMRx813ZRN\
Qnj2R/QZNFXWRI0V\
kjIUqow2 7RByniS\
D8yaZsjNwSm2o3xY\
7I5nOljCozkTaJgo\
GpOVcvXsH67hvtsP\
uP8IHRAj7WMw+ape\
Vtvpy Qpgt/uNGky\
Fn58gVDkaq7W4b0t\
LILMqSSNQoJQa4La\
zMwntrw9w2V24r9Q\
aYs5v8ziHbYREhA1\
lo iWybk00A9kWOZ\
CxEszSLABAZizkiF\
hCbiRjU2NDqP1WpJ\
Q6ZmK2N+mdbNcJ0X\
vF1QIsjgPnniK2N \
2B3Lc2/bDr+voorO\
mLfEOluwY/vqSqDN\
tE15nnXLXKwMkJFG\
BSmSzp42kRipEcHm\
WTHSLNcmNWC+ ceJ\
BBZ3NGaBkRN9dkvs\
92w9i700A7cKk+Tt\
ovrwJaGtG3O4MAJ3\
n4DAgGYhEhEzavRB\
mZzOC2S0r N/ZZrJ\
nO/02VWWpXPe8PHD\
3MnhmHRcTAiffXJj\
Fu0nRKs3JNu3WvGt\
q9E0HE871ECbDU2h\
S3m4nu qyixz33OR\
Zmzy839Vpug6T70B\
4L3P1YbUUIih5mLV\
Z5l2xGtocxXm88eY\
Jv8t0N9tusm6UwXa\
Ub7 dJoB7fYTM2HM\
Ps7KmNcZDha0mdEu\
AWg9iP6x+hEAmN0l\
G89Yt/b+Ffsrifd9\
nZlpOy+0Gzq1GzyB\
210mrS31k7a/ge4\
TnDeHpM4ZPbMDHW9\
1AWCyQ8GBH8js+6b\
Jv51i2/uz2ZC+ObA\
PEsAGwBL2SWZD W6\
uZ/3K25sMOXEsJ7U\
4fB+dZnp3tlkVE77\
j9AGzkbbY65zk0uI\
OBPetMe6qD73d2Lc\
yXVx6KB5hd 4vCn+\
P9Z+38BEn9MiB//Q\
MkAAAAASUVORK5CY\
II= \x22\x0a h\
eight=\x2252.013824\
\x22\x0a width\
=\x2252.591755\x22 />\x0a\
</g>\x0a <pa\
th\x0a style=\
\x22opacity:1;fill:\
#3d739e;fill-opa\
city:1;fill-rule\
:nonzero;stroke:\
none;stroke-widt\
h:132.28346252;s\
troke-linecap:ro\
und;stroke-linej\
oin:miter;stroke\
-miterlimit:4;st\
roke-dasharray:n\
one;stroke-dasho\
ffset:0;stroke-o\
pacity:0.9400749\
1\x22\x0a d=\x22m 2\
.25,10.5 h 15 c \
0.4155,0 0.48601\
,0.429142 0.75,0\
.75 l 28.385287,\
34.5 c 0.263989,\
0.320858 -0.3345\
,0.75 -0.75,0.75\
H 2.25 C 1.8345\
,46.5 1.5,46.165\
5 1.5,45.75 v -3\
4.5 c 0,-0.4155 \
0.3345,-0.75 0.7\
5,-0.75 z\x22\x0a \
id=\x22rect36\x22\x0a \
inkscape:co\
nnector-curvatur\
e=\x220\x22\x0a sod\
ipodi:nodetypes=\
\x22sssssssss\x22 />\x0a \
<rect\x0a \
ry=\x220.75\x22\x0a \
y=\x2215\x22\x0a x\
=\x221.5\x22\x0a he\
ight=\x2231.49999\x22\x0a\
width=\x2244\
.999989\x22\x0a \
id=\x22rect843\x22\x0a \
style=\x22opaci\
ty:1;fill:#3d739\
e;fill-opacity:1\
;fill-rule:nonze\
ro;stroke:none;s\
troke-width:132.\
28346252;stroke-\
linecap:round;st\
roke-linejoin:mi\
ter;stroke-miter\
limit:4;stroke-d\
asharray:none;st\
roke-dashoffset:\
0;stroke-opacity\
:0.94007491\x22 />\x0a\
<path\x0a \
style=\x22fill:#9d\
d7f4;fill-rule:e\
venodd;stroke:no\
ne;stroke-width:\
1px;stroke-linec\
ap:butt;stroke-l\
inejoin:miter;st\
roke-opacity:1;f\
ill-opacity:1\x22\x0a \
d=\x22M 1.5,2\
5.5 H 18 L 21,18\
h 25.5 v 28.5 h\
-45 z\x22\x0a i\
d=\x22path847\x22\x0a \
inkscape:conn\
ector-curvature=\
\x220\x22 />\x0a </g>\x0a</\
svg>\x0a\
\x00\x00h\xf2\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<!-- Creat\
ed with Inkscape\
(http://www.ink\
scape.org/) -->\x0a\
\x0a<svg\x0a xmlns:d\
c=\x22http://purl.o\
rg/dc/elements/1\
.1/\x22\x0a xmlns:cc\
=\x22http://creativ\
ecommons.org/ns#\
\x22\x0a xmlns:rdf=\x22\
http://www.w3.or\
g/1999/02/22-rdf\
-syntax-ns#\x22\x0a \
xmlns:svg=\x22http:\
//www.w3.org/200\
0/svg\x22\x0a xmlns=\
\x22http://www.w3.o\
rg/2000/svg\x22\x0a \
xmlns:xlink=\x22htt\
p://www.w3.org/1\
999/xlink\x22\x0a xm\
lns:sodipodi=\x22ht\
tp://sodipodi.so\
urceforge.net/DT\
D/sodipodi-0.dtd\
\x22\x0a xmlns:inksc\
ape=\x22http://www.\
inkscape.org/nam\
espaces/inkscape\
\x22\x0a width=\x2216\x22\x0a\
height=\x2216\x22\x0a \
id=\x22svg3903\x22\x0a \
version=\x221.1\x22\x0a\
inkscape:vers\
ion=\x220.92.2 (5c3\
e80d, 2017-08-06\
)\x22\x0a sodipodi:d\
ocname=\x22emblem-i\
mportant.svg\x22>\x0a \
<defs\x0a id=\x22\
defs3905\x22>\x0a <\
linearGradient\x0a \
id=\x22linear\
Gradient3866\x22>\x0a \
<stop\x0a \
id=\x22stop3868\
\x22\x0a offse\
t=\x220\x22\x0a s\
tyle=\x22stop-color\
:#000000;stop-op\
acity:0.52083331\
\x22 />\x0a <stop\
\x0a id=\x22st\
op3870\x22\x0a \
offset=\x221\x22\x0a \
style=\x22stop\
-color:#2883c3;s\
top-opacity:0;\x22 \
/>\x0a </linearG\
radient>\x0a <li\
nearGradient\x0a \
id=\x22linearGr\
adient3874\x22>\x0a \
<stop\x0a \
id=\x22stop3876\x22\x0a\
offset=\
\x220\x22\x0a sty\
le=\x22stop-color:#\
000d0e;stop-opac\
ity:0.84105963;\x22\
/>\x0a <stop\x0a\
id=\x22sto\
p3878\x22\x0a \
offset=\x221\x22\x0a \
style=\x22stop-\
color:#000000;st\
op-opacity:0;\x22 /\
>\x0a </linearGr\
adient>\x0a <cli\
pPath\x0a cli\
pPathUnits=\x22user\
SpaceOnUse\x22\x0a \
id=\x22clipPath8\
92\x22>\x0a <path\
\x0a style=\
\x22fill:#ffffff;fi\
ll-opacity:0.255\
20833;stroke:non\
e;stroke-width:1\
.52630627;stroke\
-linecap:round;s\
troke-linejoin:r\
ound;stroke-mite\
rlimit:4;stroke-\
dasharray:none;s\
troke-opacity:1\x22\
\x0a d=\x22M 3\
8.524123,20.2323\
91 V 51.2388 h 3\
.597154 V 20.232\
391 Z M 14.12574\
6,21.0025 V 52.0\
10565 H 17.7229 \
V 21.0025 Z M 5.\
9924018,21.25920\
3 V 52.267267 H \
9.591212 V 21.25\
9203 Z m 24.3983\
772,1.37129 v 31\
.006409 h 3.5971\
53 V 22.630493 Z\
m -20.330877,1.\
626338 v 31.0080\
65 h 3.597154 V \
24.256831 Z m 24\
.396721,0.08612 \
v 31.008065 h 3.\
598809 V 24.3429\
51 Z M 1.9265577\
,25.798705 V 56.\
80677 H 5.523711\
8 V 25.798705 Z \
m 16.2650323,0.0\
8612 v 31.008064\
h 3.597155 V 25\
.884825 Z m 24.3\
98377,0 v 31.008\
064 h 3.597154 V\
25.884825 Z m -\
16.265033,2.2275\
2 v 31.006408 h \
3.597155 V 28.11\
2345 Z M 22.2590\
9,30.76715 v 31.\
008065 h 3.59715\
5 V 30.76715 Z\x22\x0a\
id=\x22pat\
h894\x22\x0a i\
nkscape:connecto\
r-curvature=\x220\x22 \
/>\x0a </clipPat\
h>\x0a <clipPath\
\x0a id=\x22clip\
Path3881\x22\x0a \
clipPathUnits=\x22\
userSpaceOnUse\x22>\
\x0a <circle\x0a \
transfor\
m=\x22translate(-41\
2,-17)\x22\x0a \
id=\x22path3883\x22\x0a \
style=\x22f\
ill:#008dff;fill\
-opacity:1;fill-\
rule:evenodd;str\
oke:none\x22\x0a \
cx=\x22539.5\x22\x0a \
cy=\x22152.5\
\x22\x0a r=\x2210\
3.5\x22 />\x0a </cl\
ipPath>\x0a <lin\
earGradient\x0a \
id=\x22linearGra\
dient4019\x22>\x0a \
<stop\x0a \
id=\x22stop4021\x22\x0a \
style=\x22s\
top-color:#adcce\
1;stop-opacity:1\
;\x22\x0a offs\
et=\x220\x22 />\x0a \
<stop\x0a i\
d=\x22stop4023\x22\x0a \
style=\x22sto\
p-color:#6bbfe1;\
stop-opacity:1;\x22\
\x0a offset\
=\x220.26238\x22 />\x0a \
<stop\x0a \
id=\x22stop4025\x22\
\x0a style=\
\x22stop-color:#259\
6d1;stop-opacity\
:1;\x22\x0a of\
fset=\x220.74620908\
\x22 />\x0a <stop\
\x0a id=\x22st\
op4027\x22\x0a \
style=\x22stop-col\
or:#2372c0;stop-\
opacity:1;\x22\x0a \
offset=\x221\x22 \
/>\x0a </linearG\
radient>\x0a <li\
nearGradient\x0a \
id=\x22linearGr\
adient4085\x22>\x0a \
<stop\x0a \
id=\x22stop4087\x22\x0a\
style=\x22\
stop-color:#ffff\
ff;stop-opacity:\
1\x22\x0a offs\
et=\x220\x22 />\x0a \
<stop\x0a i\
d=\x22stop4089\x22\x0a \
style=\x22sto\
p-color:#ffffff;\
stop-opacity:0.2\
\x22\x0a offse\
t=\x220.06316455\x22 /\
>\x0a <stop\x0a \
id=\x22stop4\
091\x22\x0a st\
yle=\x22stop-color:\
#ffffff;stop-opa\
city:0.2\x22\x0a \
offset=\x220.950\
56331\x22 />\x0a \
<stop\x0a i\
d=\x22stop4093\x22\x0a \
style=\x22sto\
p-color:#ffffff;\
stop-opacity:0.3\
9215687\x22\x0a \
offset=\x221\x22 />\x0a\
</linearGrad\
ient>\x0a <filte\
r\x0a id=\x22fil\
ter3174\x22\x0a \
style=\x22color-int\
erpolation-filte\
rs:sRGB\x22>\x0a \
<feGaussianBlur\x0a\
id=\x22feG\
aussianBlur3176\x22\
\x0a stdDev\
iation=\x221.71\x22 />\
\x0a </filter>\x0a \
<linearGradie\
nt\x0a x1=\x2245\
.447727\x22\x0a \
y1=\x2292.539597\x22\x0a \
x2=\x2245.447\
727\x22\x0a y2=\x22\
7.0165396\x22\x0a \
id=\x22ButtonShad\
ow\x22\x0a gradi\
entUnits=\x22userSp\
aceOnUse\x22\x0a \
gradientTransfo\
rm=\x22scale(1.0058\
652,0.994169)\x22>\x0a\
<stop\x0a \
id=\x22stop375\
0\x22\x0a styl\
e=\x22stop-color:#0\
00000;stop-opaci\
ty:1\x22\x0a o\
ffset=\x220\x22 />\x0a \
<stop\x0a \
id=\x22stop3752\x22\x0a\
style=\x22\
stop-color:#0000\
00;stop-opacity:\
0.58823532\x22\x0a \
offset=\x221\x22 \
/>\x0a </linearG\
radient>\x0a <li\
nearGradient\x0a \
id=\x22linearGr\
adient5048-8-7\x22>\
\x0a <stop\x0a \
id=\x22stop50\
50-4-2\x22\x0a \
style=\x22stop-col\
or:#000000;stop-\
opacity:0\x22\x0a \
offset=\x220\x22 /\
>\x0a <stop\x0a \
id=\x22stop5\
056-7-4\x22\x0a \
style=\x22stop-co\
lor:#000000;stop\
-opacity:1\x22\x0a \
offset=\x220.5\
\x22 />\x0a <stop\
\x0a id=\x22st\
op5052-0-1-7\x22\x0a \
style=\x22st\
op-color:#000000\
;stop-opacity:0\x22\
\x0a offset\
=\x221\x22 />\x0a </li\
nearGradient>\x0a \
<linearGradien\
t\x0a id=\x22lin\
earGradient5060-\
29-0\x22>\x0a <st\
op\x0a id=\x22\
stop5062-9-7\x22\x0a \
style=\x22st\
op-color:#000000\
;stop-opacity:1\x22\
\x0a offset\
=\x220\x22 />\x0a <s\
top\x0a id=\
\x22stop5064-08-2\x22\x0a\
style=\x22\
stop-color:#0000\
00;stop-opacity:\
0\x22\x0a offs\
et=\x221\x22 />\x0a </\
linearGradient>\x0a\
<linearGradi\
ent\x0a id=\x22l\
inearGradient385\
1\x22>\x0a <stop\x0a\
offset=\
\x220\x22\x0a sty\
le=\x22stop-color:#\
5b8da7;stop-opac\
ity:1;\x22\x0a \
id=\x22stop3853\x22 /\
>\x0a <stop\x0a \
offset=\x221\
\x22\x0a style\
=\x22stop-color:#1c\
3447;stop-opacit\
y:1;\x22\x0a i\
d=\x22stop3855\x22 />\x0a\
</linearGrad\
ient>\x0a <filte\
r\x0a id=\x22fil\
ter3174-0\x22\x0a \
style=\x22color-i\
nterpolation-fil\
ters:sRGB\x22>\x0a \
<feGaussianBlu\
r\x0a id=\x22f\
eGaussianBlur317\
6-9\x22\x0a st\
dDeviation=\x221.71\
\x22 />\x0a </filte\
r>\x0a <linearGr\
adient\x0a in\
kscape:collect=\x22\
always\x22\x0a x\
link:href=\x22#Butt\
onShadow\x22\x0a \
id=\x22linearGradi\
ent952\x22\x0a g\
radientUnits=\x22us\
erSpaceOnUse\x22\x0a \
gradientTra\
nsform=\x22scale(1.\
0058652,0.994169\
)\x22\x0a x1=\x2245\
.447727\x22\x0a \
y1=\x2292.539597\x22\x0a \
x2=\x2245.447\
727\x22\x0a y2=\x22\
7.0165396\x22 />\x0a \
<linearGradien\
t\x0a inkscap\
e:collect=\x22alway\
s\x22\x0a xlink:\
href=\x22#ButtonSha\
dow\x22\x0a id=\x22\
linearGradient95\
4\x22\x0a gradie\
ntUnits=\x22userSpa\
ceOnUse\x22\x0a \
gradientTransfor\
m=\x22scale(1.00586\
52,0.994169)\x22\x0a \
x1=\x2245.4477\
27\x22\x0a y1=\x229\
2.539597\x22\x0a \
x2=\x2245.447727\x22\x0a\
y2=\x227.016\
5396\x22 />\x0a <cl\
ipPath\x0a cl\
ipPathUnits=\x22use\
rSpaceOnUse\x22\x0a \
id=\x22clipPath\
916\x22>\x0a <g\x0a \
transfor\
m=\x22matrix(1.1503\
549,0,0,1.150354\
9,-4.4861245,-7.\
5255648)\x22\x0a \
style=\x22displa\
y:inline;opacity\
:0.98999999;fill\
:#126136;fill-op\
acity:1\x22\x0a \
inkscape:label\
=\x22circulo\x22\x0a \
id=\x22g920\x22>\x0a \
<path\x0a \
inkscape\
:connector-curva\
ture=\x220\x22\x0a \
id=\x22path918\x22\
\x0a d=\x22M\
44.322082,27.40\
5077 A 19.729762\
,19.729765 0 0 1\
24.59232,47.134\
842 19.729762,19\
.729765 0 0 1 4.\
8625579,27.40507\
7 19.729762,19.7\
29765 0 0 1 24.5\
9232,7.6753138 1\
9.729762,19.7297\
65 0 0 1 44.3220\
82,27.405077 Z\x22\x0a\
style\
=\x22fill:#126136;f\
ill-opacity:1;st\
roke:none;stroke\
-width:1.4909519\
\x22 />\x0a </g>\x0a\
</clipPath>\x0a\
<clipPath\x0a \
clipPathUni\
ts=\x22userSpaceOnU\
se\x22\x0a id=\x22c\
lipPath1443\x22>\x0a \
<rect\x0a \
ry=\x221.4527029\
\x22\x0a y=\x223\x22\
\x0a x=\x222\x22\x0a\
height=\
\x2243\x22\x0a wi\
dth=\x2243\x22\x0a \
id=\x22rect1445\x22\x0a\
style=\x22\
fill:#4dc7c9;fil\
l-opacity:1;stro\
ke:none;stroke-w\
idth:0.19905733;\
stroke-linejoin:\
round;stroke-mit\
erlimit:4;stroke\
-dasharray:none;\
stroke-opacity:0\
\x22 />\x0a </clipP\
ath>\x0a <clipPa\
th\x0a clipPa\
thUnits=\x22userSpa\
ceOnUse\x22\x0a \
id=\x22clipPath80\x22>\
\x0a <g\x0a \
transform=\x22ma\
trix(1.0743276,0\
,0,1.0743276,-2.\
6164363,-5.44203\
16)\x22\x0a st\
yle=\x22display:inl\
ine;opacity:0.98\
999999;fill:#552\
200;fill-opacity\
:1\x22\x0a ink\
scape:label=\x22cir\
culo\x22\x0a i\
d=\x22g84\x22>\x0a \
<path\x0a \
inkscape:conne\
ctor-curvature=\x22\
0\x22\x0a id\
=\x22path82\x22\x0a \
d=\x22M 44.322\
082,27.405077 A \
19.729762,19.729\
765 0 0 1 24.592\
32,47.134842 19.\
729762,19.729765\
0 0 1 4.8625579\
,27.405077 19.72\
9762,19.729765 0\
0 1 24.59232,7.\
6753138 19.72976\
2,19.729765 0 0 \
1 44.322082,27.4\
05077 Z\x22\x0a \
style=\x22fill:\
#552200;fill-opa\
city:1;stroke:no\
ne;stroke-width:\
1.4909519\x22 />\x0a \
</g>\x0a </c\
lipPath>\x0a </def\
s>\x0a <sodipodi:n\
amedview\x0a id\
=\x22base\x22\x0a pag\
ecolor=\x22#ffffff\x22\
\x0a bordercolo\
r=\x22#666666\x22\x0a \
borderopacity=\x22\
1.0\x22\x0a inksca\
pe:pageopacity=\x22\
0.0\x22\x0a inksca\
pe:pageshadow=\x222\
\x22\x0a inkscape:\
zoom=\x2228\x22\x0a i\
nkscape:cx=\x2216.2\
27238\x22\x0a inks\
cape:cy=\x229.74756\
\x22\x0a inkscape:\
current-layer=\x22l\
ayer1\x22\x0a show\
grid=\x22true\x22\x0a \
inkscape:grid-b\
box=\x22true\x22\x0a \
inkscape:documen\
t-units=\x22px\x22\x0a \
inkscape:windo\
w-width=\x221360\x22\x0a \
inkscape:win\
dow-height=\x22718\x22\
\x0a inkscape:w\
indow-x=\x220\x22\x0a \
inkscape:window\
-y=\x2224\x22\x0a ink\
scape:window-max\
imized=\x221\x22>\x0a \
<inkscape:grid\x0a \
type=\x22xygr\
id\x22\x0a id=\x22g\
rid831\x22\x0a s\
pacingx=\x220.3\x22\x0a \
spacingy=\x220\
.3\x22 />\x0a </sodip\
odi:namedview>\x0a \
<metadata\x0a \
id=\x22metadata3908\
\x22>\x0a <rdf:RDF>\
\x0a <cc:Work\x0a\
rdf:abo\
ut=\x22\x22>\x0a <\
dc:format>image/\
svg+xml</dc:form\
at>\x0a <dc:\
type\x0a \
rdf:resource=\x22ht\
tp://purl.org/dc\
/dcmitype/StillI\
mage\x22 />\x0a \
<dc:title></dc:\
title>\x0a </c\
c:Work>\x0a </rd\
f:RDF>\x0a </metad\
ata>\x0a <g\x0a i\
d=\x22layer1\x22\x0a \
inkscape:label=\x22\
Layer 1\x22\x0a in\
kscape:groupmode\
=\x22layer\x22\x0a tr\
ansform=\x22transla\
te(0,-32)\x22>\x0a \
<g\x0a id=\x22la\
yer1-2\x22\x0a i\
nkscape:label=\x22L\
ayer 1\x22\x0a s\
tyle=\x22display:no\
ne\x22\x0a trans\
form=\x22matrix(10.\
589787,0,0,10.58\
9787,-6.8981011,\
-467.83874)\x22>\x0a \
<image\x0a \
y=\x22-0.078223\
988\x22\x0a x=\
\x22-2.1485453\x22\x0a \
id=\x22image3\
001\x22\x0a xl\
ink:href=\x22data:i\
mage/png;base64,\
iVBORw0KGgoAAAAN\
SUhEUgAAAFsAAABa\
CAIAAABYCL1rAAAA\
A3NCSVQICAjb4U/g\
AAAgAElEQVR4 nN2\
8aaxl2XUe9q219j7\
Dnd78auqauqu6u3p\
gT2STFMlwkElRlBw\
NSWQgiGzZzmAjQux\
YERwhiGVH TuAkcg\
goVhQhCZwYcGIb8R\
AkEQxrICOJM0Wym8\
0mu3qu7q7xzXc65+\
y918qPc++rV93VZL\
EfHQHZ uLj16tx7z\
zn7O2uvvda3vr3pE\
z/1b+BwLSEREZEAM\
KX942Q2+4MIUACAm\
hmRHPjW926kRkREB\
MDm 5wTwdidhu/3x\
W85JN3988JwA3G3P\
eeBv/d6nn5+XiITI\
zGBsZgABACkAai9K\
sDu+6ZvtDrDY/+wO\
oW7v9rYf3RaR76v\
p/tMzM5rfErXQHGw\
tNO/oGu2p9vtgt1j\
frd/8fs55W1C+JyK\
tvbzVUm4eEZBB W0\
CMjN50HXuHKBy4lB\
GgeDMoM9Df5lHfSX\
vzMwNw6wB5h414/+\
xvN8T2jxtg9H0Nmd\
sZwuxct+uP mX1fT\
uqt7fCjZn+8gIgIR\
CADVGejiW61kZk/+\
X5AaW1hdrb2fQ7H/\
mhqv6P0/Z35tu3Qi\
JCpJoI6 YzFh1qSm\
qqTKzDMbJFLAWmAM\
IDUw2fzI97wCkxKR\
GpExGRnYTM3MFKSE\
duBIJAJIiQ5p9rdF\
5E7m l/3rJuVaq2q\
1XG1G1XQ6Fc/soaq\
eheBMikmVyuWlreG\
2FxAZg5VUiIwA8P7\
cNPcLOn/kBkCNxPF\
4 NFnodiilVE8zEg\
0xZ2iqktYxTSXPuO\
yA8yl5U2YVsrcda+\
8Mke+jKeCcV6e725\
tLefkTP/7JhUEe w\
/ClF59//eVXh+Nxr\
Q3gJntbnSIPGn2W1\
XVDEDUYE1pXDAbDt\
EUFRgRTA8EMwGg0G\
XS6PtXUTPup lqRL\
3e6JI+unTh8bLPZR\
yOe++tVnL12uGS7v\
RPCdRwz/UhABZG9U\
L5S9zhKWu9npEwtF\
2M2leuLd 9+yc6G/\
sjr/w7Csv7+w0wY9\
D6fqL4zo5y0hB4Na\
pGIGMrY3oiIQ4qZG\
xEdgMQJeZx1MXhzS\
+8fCp 9fc99MBat3\
P82NHd8Vg9Tb3/ag\
wlfEJRxSw26h0D8Z\
33554LDx4GDyP4vK\
yrisJ0kPPj9506vV\
JM 3nh53dmJQVlYe\
vdjjzBhY3tHmV2nO\
xxNCu8ZPAu8qHWTM\
+8rjP3Jm2BEJDBqp\
n2ERR3/2Hse/OkP \
PX48s45N89TEUA0W\
FqtoL776xl5F0+gi\
5VnRRWpoHiW9g3bY\
2ZcN9WiSi+S5q5vR\
eLy7vrx84sj6 3vZ\
WGI0WM8lGW5949IF\
/56d+dNmqybVXj65\
2CcGoMQ7GARRAgTi\
yJFAAJaWUqFEOJsk\
kEaoOT2V8 9ceffP\
ATD59zm290wt5Cxz\
VWB0erZ+8Gsskw1M\
OpxWQa63p82B4d8v\
cAvFCeuRjCaDSqqq\
ZOtvzw E36wshutU\
RPVuL2xxvGnP/zeM\
8vl6MbrrAFmsARLB\
GUQwxhGpoCSJdLEp\
kTGpqx1noZ/+l/92\
BPn T2TNcOC5qafD\
qtlu9Oh9D2HtxLW9\
emccxBW9spfnGQsO\
6Ud+EBEaEZKSmpP8\
6o295y9vY/30sQ/8\
ia1s0PSXx010mo4\
4uW+5/8TdJxY4eTM\
2IWVSRiJLLQ4gY0q\
EiPaIQKBEsXnfA6e\
O91CmSRjtsXjL F3\
a5u3zfo+VdF65uNy\
9cH25NtTbaG4+aau\
LksN05LCJKcHkWQQ\
pRc5eubF7ZHI9vDN\
FdfOBDH74y HnOR9\
YpcpuMVRw+fPLFgs\
UQorCmsybXOUuPj1\
IWJC5MsVV4rl6Y+N\
ZnVXuvM6jxWF46sH\
ClEUiWZ jJNW7I6f\
uW/t7oe4WHr+0vVL\
G9ub0ynlZVaWXhzF\
w3bpsIgYuEo0ToiS\
B/jnX3ptEuxbL7wU\
zbDY e/h9jyeP7b2\
tphpLXR/tdNbzjEe\
brtrKw24R94q4VcS\
tTtjqxm1f38iqG1l\
1I282ijjsYVKmUTb\
d uf/IEdkbqWptth\
ui6y12LzwKda9ffH\
VvY+upbz3TW1tunE\
yixRqZ+QPe+Z20H0\
AU77OM4LUeKwsT /\
fbv/+FP/MlPfOvbz\
z7y6L1yZO34+bNvf\
OkrFrkoi7wal8Ote\
/tL5aC/srKytLzQ6\
XREhNQSEpFM q0pV\
g6bXL79x8fkXJ5PJ\
0UKqy5fuOro8pTiK\
6PR6a+96FOLqza3L\
ly9/5jOf4dxPYmNO\
SDiXDGrg Q4UkdEj\
GSAlNImj0SINMdLS\
XofngE+96+NyJrkz\
vWe+vOKpef40m0aK\
iGGyPJq4owcTMgKq\
qmTER oM5lSbUKjc\
KKTsdl+c7OzvaVN0\
4tdjuFREeb0+rsg4\
+iv/7y67vXhuGpl1\
7/Pz7z2c6xo5OkiT\
3M eypDE8mZ0TtH5\
LDxCAFEycGECcC0q\
hb63Y3Lr3UFp1YGr\
hptvPxCQeZSyhhxM\
l7qd3wzKSwUsc61 \
zlPT1dix2LHA02GB\
MPDcJfWxkmrco7S2\
0O1lknkWxyAaTusX\
Xr5USfHC1Y0/eOrp\
yon63JyAqQ3x kiU\
6nHM9LCKACsXcS1L\
EmMqy0zSVR9p4/dV\
Oau5eW+2a9ZxoaLw\
XbylMR226ygDDyAw\
WVWPUmBdZ VVcxBO\
8dCYUYAStLP54OJ+\
MdaxonxOyjy37nq1\
//na9/83owWVwZ1x\
EkBIKpIrHM47t32g\
49+5Kp 2biamsH5I\
qjEJM7n0/Hk9PqxH\
vlcabozNrPQNOh69\
pQX4sUMQVMwjUTmv\
eSFrybjMvfd0qdYN\
fU0 81QWLsXY7fYy\
X/TLkqo6j6GAQdNo\
tNddWhrVqpzVidQE\
xgSlQ9MBh559QZpn\
QTy5jpPutI4uy7f3\
dt/18IN3HVnT0Th\
vaFAMyrzfKCZNCLm\
vY7AUheAdec/ChBh\
TXRVlYZpCaJipyBw\
01fU0xhgqOC3S JH\
bzDocmT/FnPvnJvj\
gfiRMbCkMnaWbqkB\
wiyA7VKZ6/5h38vr\
0011XM806INq2aXt\
nTGDJKH/vg kyUn0\
cbBkHQymnT6g8SIm\
pi5nR0VhpZ5E4gIN\
O6ztqrJoMzsnGPAO\
SdlF2ZWh0zj3tXLP\
/vTP739 2mv9zFuI\
ANQAbv0HgXTfUJRu\
vt6+3dJruef+d7VJ\
F1GimySOAUb7LyMQ\
zIycRE0KE2YADDKz\
jLJQ pSzrNdVUtHr\
s/Imf+fh7O9VmX8e\
ZNgJiL4kMrMyKFLw\
5EIPImHRGsykMxE7\
V1ABycI6YjIxgKdZ\
k UXIJ04kSQ3L4Tt\
5bqBVXN7akLCbVNC\
szZoRYiwgURCCGMg\
wzLpaI5sWBGa03I+\
OgSmYEIyYwYC0i 8\
7LBvIigNPvNnBOcU\
Xra5qMiMzIHMypxU\
jfkfUT81Mc/8sQDp\
1elWkijrlYlmZAA5\
PN8Mh7GMOnk GZQB\
UtKWY7Q2AW4fCojF\
t6RkShGkIpyXRZyO\
Han4jMXDZ7W5idri\
8VPrp04/dfH5rNOr\
Yj2pK+dE mKHtaa2\
9P6XWkRNa5uGg1yW\
05mQEAhuIzXh2W60\
xgKw9xb6dgG0+psw\
spdT+oaoJZgQlDU6\
7671d HX/yJz915N\
SRF198nlNaLPs+ko\
fUk2mom3o86ff6He\
coKSyaRbJIFsiCIQ\
FkkKQMOErmCbnjTu\
Zy dhzj3vVrTgiGp\
p6mlMAcySTzdYpvX\
Lv6p//sn5PMd3sDn\
xVld9DEZGBTMiVVm\
JmA2G6hqW/HZt48 \
dNAJ8Xd3tEREOuN7\
zcw5Z0wRFil964Xv\
/Jt//s/0jixtjPfK\
5aXAbmNvnPeXhpMY\
s0KzksrOeFIT 8lD\
HRKyshEiIBBWYEhT\
M7JgcESFGNLXVIYZ\
QN5p3B1T0kuRRiil\
JLXnMsokyl91K8dW\
vf+Pf+jM/ l0AuL3\
ZH4xC1fboK43Z0ED\
HN6LjbNZ7BYcyAEc\
u5+x+keU1F0XKfMw\
PGrbUQJjJAvFNVEI\
lzIcZo qQrNz//lv\
/TaxubuZHJj4/ojD\
96fpzDa3pqMJ5SXw\
RWWFXt1k2U5K7z3A\
aZsgiikDBDI2IO8J\
uJ2 /JpCFUzsci66\
DXc2JjG4UovejTpt\
BKTuSlUO+ifPvXBt\
cyfosy++/COf+tRT\
3/ym91IWHU1xP69h\
EAuzwVT5YLYzHzx\
GaEtKZDxjrc7d/8C\
MyZqVDqi9ybcGOi0\
X7FiiJgOiaR1Drz/\
48Mc+BpfXJLWq eP\
f8xe/86z/5k+fuOb\
e0dmzp7Hku+0OVyi\
hCqioEUPJOWR2SmB\
G1FLFXMIFVE2skL8\
hy8m5ibk/9 DnVos\
Ma9ZV5cu+tdTx556\
PG1Bx9fPnP+8iT84\
3/xe6snz0xCGk+nH\
/vYR//wc59LTeOYi\
Xn/znle crxt+kdo\
Jw5mEIxBJucuXABa\
nzrzqzxDaAYN6CYu\
LTccVZU4xJTlxb0P\
PrB29K7tcZ1c0ZD4\
vPP6 G1e/8MUvfeD\
DH8sWlofBBnffNzh\
zz/LZc8GEuv3NyTg\
6MUCQHJShMFY4M3Y\
+U03QCEIk2ou2h2L\
P LZanH1678O6Fh5\
5wgyO8dHTse7vIvv\
Lia7/4K3/r2H0PBs\
k4z4bjyY0b1z71qR\
/51jNPa4KQELGp A\
catvdubLP7Ak75Jb\
1KLyAOYTUxGt/mR7\
VuKc85UiTmZGnOAD\
laX3/2+H9oYV9Lrj\
5oYldVoZXll bzj6\
/c9/8T0f+jD3Fnar\
ZL78v/7F7z36Qx/o\
nT3dmG3u7hHIw5yp\
M4XBIGqkKZGQeAlM\
u1EnWb9/ 5sKJR94\
3uOeRL118dRoROv2\
xzye+c/H61i/8jV8\
5+/Dj0luo1XYn416\
/18S6UxZN3WxtbjL\
zrMpl YJoXod8Wkd\
YkZPbPuQsPtAfJaF\
4NapG1NyHSVnfVCN\
4bi3n3yR/7sc3pZC\
uEWjy5LKkyS+azLM\
uq lH73//n8kx/6c\
NFfniTeHI3+5qc/f\
e8jD9/z+BNF1tm4d\
g2hKhheY6obBnnnj\
Yy8JNKR0jTv6fLx \
o09+ZMfK/+I3/u7L\
G3s//Cd/osmKymUX\
L1/+D//aXz95/wO9\
1fXd6USKouh2WMQI\
W1ubZ86cvX79 Rgy\
RSVIMZZ5rMjITJ4Y\
EmBLt1+vJGERt2XU\
W6ZLJPRceaDFqLYX\
25+y3IMLEIYai29v\
a3kXmzpw7 t3ri+E\
5oxkyBWdUYYGIhJs\
e+6F7Z2vj608+858\
n3NzHeff7eyPTX/v\
Nfqav6A+//4FJ/8e\
qrL3Uc oZoWvS5FS\
5oizBXZXhO1O6g6i\
2d++Md+/yvP/tW/9\
en7Hn3Pz/zsz26OR\
r7fuXjplf/gl37p7\
H0X Vo4dm6YUDOK9\
mrZBZLTovT925Ogb\
r7+RknaKMsXgWFIM\
xG2Mtj9GZn0mgDDX\
NLTQfOKn/jXMYSLl\
WZ1tNvUApGwzcOo\
6FJ1ybzIdrC5f3tr\
8ub/4F1649Ip1y8p\
l0eATMhYyKBIJfOY\
spEsXL3YS//Jf /U\
WbjhYHpaGud3eW2S\
9ouP5Hnx298I0jPO\
1oRWopmRTdrarKVo\
/scnniyY+MiuVxsR\
byvplN62px deUbz\
z7zc//uv/2hT3w87\
y0M60byTjL4PAshO\
ObMcaibXpbdtbr+t\
c99fuvGBjWhK46S5\
t5Nqqnz bIAStz6C\
bWYXczJlFnnwmwJ+\
ujV2BaDz2N57v7u7\
2+/3b2xuve+DH9ob\
T7gogoGZPZMXYlFQ\
jNbU GicxaubWTp5\
0ve4v/fIvd/qDahq\
qcSNcbI2aUdD1+x6\
amDPfrRpoNBFqmqa\
7sDhq0pQEq0crykb\
w o5Aai2WvePa5Z/\
7Cv/8XP/SxjwwWF8\
bV1HsRIeeEDAxiZr\
Azx9Fw5cb18w89VN\
W1y7M6RJf5OjRZ l\
uHtZUnzpoAy2jAEN\
M9kuK0StCZic1sxg\
ojkeV41jc+zk6fPb\
O0NzXuf5YjJJRMYV\
MHKns1RsLRX TajM\
l08czXq9T//6rxtx\
RnlsLCs65jJkZW/1\
yLgxX/bZZyAXzcbT\
ZhLt1PkHrTZzhQLk\
vDj3yuuX fv4v/6X\
3fuD9nUF/dzh0mc+\
yjEFkSWNgGAMpJTO\
LZHWKWVncdfb0ZDp\
dWFoaDocAmA9mszh\
oFPtY 7B/lA994S8\
xKavPEsa7rTm8QUj\
pz9zk4HwFljgaBCL\
k2xjczEcnIMaRT9E\
nySHLi/LlXrl77rz\
79 a+ZzcRmYwJSiD\
VaOJs6qqMg6FrXIO\
yGpL3qQYlzHZGIJI\
nLxlVd/4Zf+k3c9+\
X7XW5gEwJdF2ZtU \
kYjIGGpC7FgYyszM\
TF7GTXX81En2bnt3\
p9/vE1EIoe2QEUCK\
OWNABrol3Vdukxcl\
1lkKs4/LwRxZ lZB\
MVdV7f9+F+0eTsS+\
LCApRSXKQB3kwmxF\
FuEh5dKhRj5pGaaJ\
0/xPv2Tb76//13+Z\
er7E0qSvJ M7iM8m\
JSJxipkSqY3GTaZE\
VZlp0ja2u58Csvvv\
Qf/6e/cte9jwTfS7\
7vBssVfCAfjNRY2H\
l2nsWz eHG588wAu\
73RaO3Ius5SNsrzf\
B+RW9scl7ceOtjsd\
p4FQNntbg/3yoWFr\
NebplSHmPmC2alqS\
klh aOOiZJogxBpS\
p+yqUSLebeqVE3eN\
gP/sV/92Z7BgYLg8\
KFWB8t7itAnwZaVG\
vsiyTlPreFRvbu9d\
unzl53/hr5y+78J\
g/UhkaWBVk3xW7A3\
Hvd4gJZsZBRERMbO\
IAMzOZ2VnPKmOnDh\
hjpPpcDwqyxIz b9\
rGFnPt5M1gfT5qaD\
Y0EmhWT28VQ61Dbe\
FgYzOrUpBuUa4v72\
oTHZF3qW4yACmyR4\
yRmdVMCSam rNGCQ\
oURQoBx0esvHj02D\
PFv/M3/kqQAMvFFM\
Io+q105FjcxoazTN\
NjdmQyW1q9t7f57f\
+U/evh9 788WeuN6\
wl4IJqSerZtnqamz\
zBkbhIwpmipIFTBh\
l4P9OOq5+y8kQp2i\
K/KQGhiTMRtLCwBp\
a5p2 gDAj44M28rY\
M5XzqkUS0uL46iTH\
BmBlqZBBHlpL3oqo\
AvPd1DInUZZKQFEY\
CZTRQlFlvfW0v6q/\
+ xv/QuOKVnfGw6F\
4KulV2d3pLe4Ply+\
b2snIo/vnXL/+pP/\
vnn/zIR7PBghKMjW\
fBlEITE4T3Hxe1 L\
yJiEggbODETi2Q5O\
VG5qUwjA81waQHYf\
93EwbXfu0MBFDOvr\
69v1w15D0BVRSQFV\
Y3eS11VnV4Z NInn\
BCMnqimRspekqhrF\
c2d5YWVh8fVvP/uL\
v/Zr733ons2tnWuX\
Xhht3/BCyWRx+cjZ\
ex+LL732 9/7pbz7\
+0Y9VoKqqs1xoVt9\
pWSBqyz37yjQiIjC\
3rBDNdXFEeZ5nWab\
T0Bo+6JZuss1mDLv\
Vjzg2 1v16zwEnfN\
uWZVlRFKgb7KvizC\
ypODEjIjJVNXXe1S\
EQoVUrsyOLZqowUu\
GpYvX8+auvPv8//d\
Y/ 7zsrmRfXz2zs7\
OZl9/Ju/Z2nn33up\
dfOPvBIyHPK/WK3M\
5mO9xl2OtDe9N/5k\
Zb6AglL5vNOOZ6O \
ACTYvlW9tR08zAfe\
32wQsFt4aTMriiLG\
6L0nopka0bjwGdSO\
rh9h5hhj5iSFMBMY\
QpkMagwIsRhi 1GD\
WMJ249/618w/sSXd\
LyzdGxAunJ7Ro/eP\
ffmP7/Hvev3DXSel\
2G4uj8bBV+CnIiEm\
YnbT2wiQE hhGBW8\
pWZ1wRFNY+5G6325\
YNv8tjvm23D7a34e\
KNzSzLshBCa7Fmxu\
wAMPNwd/exRx4OTd\
Uty6aq HbMQxJRBU\
ENInMiTtGG+z4pJC\
KOo1O0Pjp3cM9f4/\
lZNu7V8+5UrZx5+l\
1tcvDYe1pJUzJV+3\
9Tb CWV/vOAtNkJE\
BGm/RkQhxt6gHzS1\
9PAdInKHlXBup6C2\
XJCaYMxEzMSmKYa6\
Wxanjq4cX19PKVho\
sjJPTXDsYuvLwQL\
mRKzqiVOMIl7yvL+\
8sri4mGfl9pWNqHZ\
j58aFxx5H4W+MR1k\
3bzjlpTTNVCgT EQ\
KYeWYU1Fpnm5uScW\
s8jNb+nWhSYg4htD\
YCAQm/fd3lQOWc9G\
bodgeNiCTPyxgj5m\
JbJkMMD9x7 noF3P\
/rIcHurmzsLDVIkG\
GkC2LFndpoQEpmRR\
SuyvK6DEZnLusvLx\
8+cNu9OnT+fRBqyz\
mDg2zRE 1ZK2aydE\
5EAkfjMq3w9G9i2o\
bQCCpjzPW+qP+bv5\
xzkuB/55U79xO411\
SinLsslkQkTe+7qu\
AbAh Yzq2uuwU507\
dde70yWY0zpkdDJa\
YWVVNWIkbQJ1T9qR\
Oa8skg/G4rpD5cnn\
h7IX7jt9zJu93E0h\
V 26qMb1AiZwiMWj\
8CmbmMaMrsRDxIQK\
Jm7csIKSXnXOvU2q\
yiBfdOnjkAR9D9eY\
gMt5jQmzBkbgcO k\
6jC+7xFbby7e+7Uq\
Wo8MuiPfPSjnUy+8\
vVvDFZXoyZyzgR1P\
TVi9lkDaNMU7EXyK\
jUBKc9Lx9A6 KMNl\
ruh2InPTVForA6JZ\
awBgsoO08a3Tzdvd\
rRMXUzIzU7Xvuqri\
ltn3bSqbDKQ3/4yo\
aRoRaSca 53wKStA\
TR44sFEXSZjgcgdL\
HP/yvnD1z6rd/7zO\
juuai5LxjZiTeldC\
EZJSIq5AgkmeZprq\
uYkYo y9KidfIOwY\
+VQ1UTMZMQGwlFSv\
Oet6HYjP854FGF5o\
U7BpCUWLz30zAPRu\
xt13DQrQGJA7VkgL\
Lx gcn49mYynU6dc\
6oKs9YOzUxjJFUKq\
ZdlDtbsbp9eW/n5P\
/dzTz938WvffObyx\
hY7ybu90eZek2Kv \
vwgSiIVQJ0XuhBgp\
plprIvHMWVaYUcUu\
xpiMjNTxjPzedxm4\
XTAysxqCMFsKqirM\
1WTqiBl05ytv 3jz\
X3IxfWxL7wHmIaDq\
dzgyEOabk2CPx+vp\
amflxM0UTYqo7heO\
U6o0bDx498vDpU6M\
6/tFTT73w 6suoxy\
7LrJkM43SwspaiTc\
cjD8+OG1V2LkY1KL\
OTMvdCTT2ZpgSywj\
CL0tsR1NrCfO6fAc\
GEudU4 kbqpwQDLa\
DQSEYEgfm8/MiPYb\
y53sXlJ5/YTDzNT1\
TR1Xc/jESWSVm9dV\
U1qQi4uc/Cq9XC4v\
rBg ZvVo0hH50cce\
0Scef+75i6+8dumF\
197o9xc3L1/qFOVi\
pzMajVSo2+1OQxLh\
qAaLwuwcvBESzAxp\
Vsq9aSPzJ3QTkQN\
uhWhGqpLaaHePQSJ\
iIXz3gGR/7LQ28j3\
xY8CIKMa4u7srZSf\
GSMSqipTKbl+y LI\
+ZhMZFzZA2rlzjnd\
1u2Vnp9x1LmFY7e3\
vdzc2Pnzv/44+9+5\
kXL3316W9NN3d60b\
LYVI5DXU/H 43Jhy\
bGSGsWUkYmjQBYTq\
ZoRGWAAzyfa/ZU1b\
aJDBzBqcwdhIcJ4P\
D5Y3zyYwd2eYTR2s\
w7vGwrb 3Nfe/IXN\
P9Nok93xQqdXxeCz\
IqZgGitrEkVHHOsq\
Q8q97F1+/Y3rV+5a\
XkqrK6vrK35pca3e\
efa5 p668/hL57D0\
PPfzkn3jvixdfeO7\
llysv28GuhuHd68e\
uTibkOgxWJcfkHTv\
WSWpAXgmsSVSFSIS\
N xYijKgAhotlERA\
oGEEyJSITJrKmaTM\
GCdCDlt7fISdh4xj\
+TOpgA4BmZGufgtS\
t3DAQYt4IDU3XE W\
1evL62tFeLh3V416\
nV8ypKKxWbqAZ+x4\
zTwmkmVbV3avf6dr\
WfrssyPrB29p5iMd\
jZ7g+7Gl19x jtcV\
y10bgTfFv6zute0r\
Xek2VCplEEoWLQYQ\
5XkZYmHJXJg4TQKD\
aQMkpggmIkYSzEpN\
AWQE4pjn nKJubGw\
2TdMrOtrEVvYxK5L\
PM1u+NYPR+ai5zVp\
WI5DNOft5QszMHvT\
Gpdfe80M/dHW0t7O\
9019Z qaY7IaWUQs\
GSCXvWWI3Pnz72rR\
ee7rnUoThNQx8r7K\
SFWGcIg4SqHktQMQ\
TlTCSXvnNFP8tenN\
Qb cW/MEVnXHKsJI\
WN25IShYk7MWKBMp\
pRgxEJEBG0nV4Mxo\
FAvHEPV6Qy+8dy3h\
Tk2ocg8Ipulg33c \
r7oYGKQzZoDs9nnN\
vm/lg3wb4JybVNX1\
69c1991OIWQUtRnW\
1FDm/PjG1WyQf+1L\
X7i/Xyxk4qdV 6ZV\
MXLK4O8ydE6YsJpf\
YjAKZkTJx36LX2LO\
q69wVo9cQN1M9liJ\
JDs1MiRnkU/Kk5oj\
EDEhe1Bx5 gxqyRF\
EMZMhVQRqrRpBiXb\
326itrRU8UsQmWov\
ibneW3Jz3uUMSmZF\
CN0NjtlV/+0hcHva\
5niVUt kGY4LV2xt\
7O7srzUjHddql569\
qk8hSxGCaEDypREg\
2goWBGmTlUMTCTMu\
WkeqoXpcHWyc7+EB\
4p4 Lq9Xba/TDDNE\
Zpd0ljtHoeAkCKtk\
5ljYt4GZMRt5bUcQ\
mUNyqkudzpVXX8mY\
M+ZOkavO4HiTB6G5\
GOLgkdvYyFsXbLc\
RmyOuQjTQlavXWC1\
WU85zIRnvTafjelB\
2GGPPgcJ4qeP6KRa\
iVlfCHgph0dCw SN\
KoRqYsxq3cxSGwNo\
VBGxX1JrlQVkBuVJ\
OhcypilJRUQQQHkg\
QmJiaYqe6zGUQJiT\
gS4FV9SN/6 +jc6z\
mkMkazNbpKG72IE+\
6nMnQodGSpMwtAUV\
hYGX/3iF4+vrnMIn\
Swfj6dNDCHWhFSQ9\
iTF6W6v dD5jIoOZ\
xQSQWgRFFoVTsLKp\
U/hknBJMPae8HnZH\
W+vTvXtduldsvRn2\
Jzu9NMm18apemRNR\
YCiR GigBJkhiaF9\
s7TrR5JNuXXlj6/K\
VjkjhpJ5MiSiE8KY\
HfUv1ctZHAyDnHnj\
4YIxDRAyhOZ/bHmU\
w iJIagZzPsrJ8/v\
mLjz7+WGgaERFxua\
OTq72rz3/zrlNrxe\
61nddezLTOyJi5Vb\
+1GjfjBIY5ECAg N\
pqpjLi1zEhmuVGHO\
IPzpkiNpYaUBc6p5\
+RFiQxCyqaMKGYtN\
SettWgQi2udzuvPP\
z/a2lnodYvM a4pZ\
5gwKmkkjMZcYzXmn\
Vghh7d4Pcu7CQwDm\
MUerBDg41No3IkCT\
GoyI6qYx2HQ6vfvs\
2aqqik6x s3Ht8Xt\
OPf0Hv9vduXJksTu\
5emmxkzVNnXmX1By\
7ZNE5FzQaw1TbxL6\
FZS6JJEvBicvMLCT\
P1C8z TylOp1HNzM\
EcSJTZGKBEUDFlMj\
ImmFhka5w1PjUnlh\
a//dQ3NQQLMdZNG8\
LazZDsrYi0f80Uir\
dH 5ID2s30zwJwIj\
EIKRZGL46tXrh49s\
l6URRLavnr5kVNHw\
5VXu+OdySsXl0pfT\
0feu2Qm5kAkJOC2 \
wkUcW3JUjM3IjIx4\
rkUwmEEZMKVYdSwO\
ymzaGFwWiCpBcJy8\
AAqLIKmSN2MAAAoX\
SURBVIQYTDRp 4yh\
5NGWcLniK4+mXP/e\
FflnGEMo8N9MQk3N\
O3wLCPjc5R8Ruj8h\
MK3ELIgCgasRwLqu\
b2onz3r34 4guPPf\
7Y9u5O1xHvbaxaWK\
jHq45TNVxeGDQpAn\
DKNOP/TMkoEamIiR\
EZQRn7rCnNKEI2Jm\
ITpBxB iKTsjZp6G\
Cp10EyiJrOQOZcJM\
xJpXOxmPkx198bJh\
c5qp/zsb//ueG+UZ\
3mKEQAzi7i2YHGL6\
c+v aje3RzEjknvu\
v3Dr9h00j1vadwVa\
dsFiiHmWqSYmGJBl\
fmd7K4Zw5uxZTMe6\
eX1VdE3TEgGpno7H\
4hwZS4Ikmj19Myi\
JFYAztlbpy6RkEa2\
8iTg5TmwmRpQcEhG\
kLMgz2JI2CrCQJ4K\
m6e5OhzEgDZs3 uv\
VozdP9R1e3r1z9zG\
c/N1haaVEAsRlEvG\
qby6NNkw+qEA92n0\
C3WU1yc/eUW74NGD\
nnYkpOBESa dG119\
eLF5yzhofPnhtcv2\
872+ZWlLNWOVGNg5\
0Th076Yy1qFE5mfi\
0MTITHZrDpPAHHa3\
1ijrTQw Qmoy4YLB\
IcSq8rGRGHxddZEG\
Ifam4+UU719fO7HQ\
q7a3f/M3fnOwcjTv\
DVQNTN63xQM5QLXR\
gTFx m/YmRBig2W4\
7c/x07mlFOKXonW9\
CnXufYvBO8qy49NK\
rmfgHH7jnyqWXTyz\
0CzavmnshNTETm8P\
M reyx1Q4SUWIkQp\
oL0AlECmKbi4BmS+\
jhkxYx9NSWmfuq+X\
Ta03jEu8WmOgZ9YH\
HhZJat5xkm07/z 3\
/46F93B2olR3Rah1\
YlrknrJiBg6myL2+\
2UzjZkeKOzxmxCZ4\
zcvCLay8f1c28xaS\
q9NemJMeZY7 KZ67\
+J3Vo2u9bubidH2h\
T01toXYENmNTsJqA\
2ppaK8+gBE4zMWC7\
RQcYaAnVtoqLVl/K\
sAJUEEpY gdQTLOV\
upfArghNlvoiwaCF\
LIcbwv/7v//jGtOk\
dO1GbjOq67JRRzWa\
xLKeUbs6hLbPePop\
224sD Dvc2iND+GA\
OMbN/PtsXUGJq8yE\
ITWNg7GQ7HjvPews\
Jnv/oHx06uxdHw2O\
JCSVoAAiWLDFPS5G\
Bt aEIGbsARlJSRG\
NZSqSakRMZtvs1z/\
ooNaJIngoVYDxlhU\
HCf1DfjRYq51s7Fq\
Vb/3f/29y9u7mQn \
Tu/CJQOJIxaFtYoK\
KMyMSchovvjB5hpm\
m086dKeI3JwImGOM\
zrsYo7AT5iaETtEl\
EyMuFjvPPPP1 ZrS\
7vjQ4srykTeXZxBI\
bqA032IxglhgAmTI\
pkRFjZheERPM7awV\
f1noSz6JJgeSERdh\
iQNJcpK6q wfLyG9\
vbv/o//t0Nc7x6bJ\
wNpLMQYyrzYjKZsE\
i7iZBGdc7B7EAmc6\
eI2IwTuWlfs21n5p\
gI2rCW YDBmNiXHh\
RPXNJPjR9c2blz7r\
d/+v+++5/Tdd5+0q\
u6woGkIzKYEioCKA\
1ECWzsttgmbQlNiJ\
mrX IKomGIswsSYF\
IFkOk0nVOCl90asD\
KvP5yrHf+vxX/5v/\
+R/Sysn8+Lldy6W7\
PA3JgymqEweQgMjQ\
6n1narsZGzd7+AT\
i2f/ahMYOv3KRyYh\
h4jAe7i0uLfQGvX/\
yT36ryLNzp+9uqqZ\
Xdpu6JhbOvXmq Q3\
AkzCJg05SaBikJMX\
tP0Bjqdr2IOKegpE\
Yswm44nPiy68r+Xo\
AVA+suXK3ir/0v/+\
CPXr4sy8d5 4Uj0X\
c66w+E0Y+dgfECG+\
13ardYxa4df3apM2\
jQj71GW5bSqclcWR\
fn0N5/b3hmfu/BwM\
E4ilLvI NpwMe2WJ\
pEjRUhIycY5FYMlC\
TWbsWJxnxxGWNKV2\
8gFn3X7wnZ2Euruw\
adk/+9wf/Z1/9M9G\
xWDI 5eKJM5OgTbD\
MuTSZ9opsrgt4pz0\
65ApogjqDIUVQu3I\
51Y2kwPVkcvWNRUl\
/6pMfffDU+omlbhp\
t ahiF4e5yUToDAa\
rRQgPAOQfnLBl5Z4\
pJaBQsWa6Euknkig\
ZcLh+5Ucff+co3fu\
8rT2/UtnTX3Skr R\
425LAshlC7TFEnNm\
NSJ3XFO/9Z2eBsx8\
RZS7bMc4PG4yfJeE\
8h1++ryvSZ+9stfu\
rK5dfzU6aI3 KIqe\
Yy8qABscsXcuZ1cY\
WBMgfho0mEjeia4Y\
RwRk1F9Kiyub5P/P\
z3/lv/+H//TpS9dl\
6bj2Vhvp VppHciF\
BXJZlvqqrLPMxJRK\
5gxHz9j069L6KGuJ\
kMBhUVaymodtZaFI\
iduPxsN8rSevCqun\
G5Wf+ 8Os/86knf/\
i9T9x74khPo4vB5p\
uPyCyzRAJlZVFF3Z\
tMs26/u7B8Y3vnWy\
+//M+/8OWvXXzBdx\
eO njxbm284d8WSS\
gH2ycCMqpowwUubP\
gGHWxR++H0D1Od+Z\
7jXzbpIWOgvDvdGR\
iAnVTPJco7VxGsz \
YEw3b8S93cnOxo9+\
9IN3HVs9e+rk2vKS\
E0GKTCZeqibsjcaj\
adgajZ99/qWvPf3N\
aze2rOwsnjwT xA0\
Gi8RZ1SQYJ5WoAHs\
QEXGCKbTVY5OZF/4\
uWpH/DxBBhGVZFqo\
w6HS3N7d6nT47mVY\
V5zKajrpl zqqlSB\
iPJSUNk9Hu9Wq6l+\
omF/S7vU6RQVOIDb\
HsjSfjKkpWZL2Fot\
dzeYfysoKwLzPnmq\
aCGhPF oN77lNT5f\
FLVZbdbhxiSingim\
y1k+mNEpLVSMnBL/\
dhMRx813ZRNQnj2R\
/QZNFXWRI0VkjIUq\
ow2 7RByniSD8yaZ\
sjNwSm2o3xY7I5nO\
ljCozkTaJgoGpOVc\
vXsH67hvtsPuP8IH\
RAj7WMw+apeVtvpy\
Qpgt/uNGkyFn58g\
VDkaq7W4b0tLILMq\
SSNQoJQa4LazMwnt\
rw9w2V24r9QaYs5v\
8ziHbYREhA1lo iW\
ybk00A9kWOZCxEsz\
SLABAZizkiFhCbiR\
jU2NDqP1WpJQ6ZmK\
2N+mdbNcJ0XvF1QI\
sjgPnniK2N 2B3Lc\
2/bDr+voorOmLfEO\
luwY/vqSqDNtE15n\
nXLXKwMkJFGBSmSz\
p42kRipEcHmWTHSL\
NcmNWC+ ceJBBZ3N\
GaBkRN9dkvs92w9i\
700A7cKk+TtovrwJ\
aGtG3O4MAJ3n4DAg\
GYhEhEzavRBmZzOC\
2S0r N/ZZrJnO/02\
VWWpXPe8PHD3Mnhm\
HRcTAiffXJjFu0nR\
Ks3JNu3WvGtq9E0H\
E871ECbDU2hS3m4n\
u qyixz33ORZmzy8\
39Vpug6T70B4L3P1\
YbUUIih5mLVZ5l2x\
GtocxXm88eYJv8t0\
N9tusm6UwXaUb7 d\
JoB7fYTM2HMPs7Km\
NcZDha0mdEuAWg9i\
P6x+hEAmN0lG89Yt\
/b+Ffsrifd9nZlpO\
y+0Gzq1GzyB 210m\
rS31k7a/ge4TnDeH\
pM4ZPbMDHW91AWCy\
Q8GBH8js+6bJv51i\
2/uz2ZC+ObAPEsAG\
wBL2SWZD W6uZ/3K\
25sMOXEsJ7U4fB+d\
Znp3tlkVE77j9AGz\
kbbY65zk0uIOBPet\
Me6qD73d2LcyXVx6\
KB5hd 4vCn+P9Z+3\
8BEn9MiB//QMkAAA\
AASUVORK5CYII= \x22\
\x0a height\
=\x2252.013824\x22\x0a \
width=\x2252.\
591755\x22 />\x0a <\
/g>\x0a <g\x0a \
id=\x22layer2\x22\x0a \
inkscape:la\
bel=\x22circulo\x22\x0a \
style=\x22disp\
lay:inline;opaci\
ty:0.98999999;fi\
ll:#b34545;fill-\
opacity:1\x22\x0a \
transform=\x22mat\
rix(0.39443921,0\
,0,0.39443921,-1\
.582367,29.39036\
3)\x22>\x0a <path\
\x0a style=\
\x22fill:#b34545;fi\
ll-opacity:1;str\
oke:none;stroke-\
width:1.4909519\x22\
\x0a d=\x22M 4\
4.322082,27.4050\
77 A 19.729762,1\
9.729765 0 0 1 2\
4.59232,47.13484\
2 19.729762,19.7\
29765 0 0 1 4.86\
25579,27.405077 \
19.729762,19.729\
765 0 0 1 24.592\
32,7.6753138 19.\
729762,19.729765\
0 0 1 44.322082\
,27.405077 Z\x22\x0a \
id=\x22path3\
005\x22\x0a in\
kscape:connector\
-curvature=\x220\x22 /\
>\x0a </g>\x0a <\
g\x0a aria-la\
bel=\x22a\x22\x0a t\
ransform=\x22matrix\
(1.1445077,0,0,1\
.1445077,72.9813\
94,-12.281748)\x22\x0a\
style=\x22fo\
nt-style:normal;\
font-variant:nor\
mal;font-weight:\
normal;font-stre\
tch:normal;font-\
size:40px;line-h\
eight:125%;font-\
family:'Holy Mol\
y';-inkscape-fon\
t-specification:\
'Holy Moly';lett\
er-spacing:0px;w\
ord-spacing:0px;\
fill:#efefef;fil\
l-opacity:1;stro\
ke:none;stroke-w\
idth:1px;stroke-\
linecap:butt;str\
oke-linejoin:mit\
er;stroke-opacit\
y:1\x22\x0a id=\x22\
flowRoot880\x22 />\x0a\
<g\x0a id\
=\x22g4574\x22\x0a \
transform=\x22matri\
x(1.6071093,0,0,\
1.6011113,66.003\
247,-7.92229)\x22 /\
>\x0a <g\x0a \
id=\x22layer4\x22\x0a \
transform=\x22tr\
anslate(34.06163\
4,-172.1879)\x22 />\
\x0a <g\x0a i\
d=\x22layer2-7\x22\x0a \
style=\x22displ\
ay:none\x22\x0a \
transform=\x22trans\
late(94.061634,-\
173.1879)\x22>\x0a \
<rect\x0a \
width=\x2286\x22\x0a \
height=\x2285\x22\
\x0a rx=\x226\x22\
\x0a ry=\x226\x22\
\x0a x=\x225\x22\x0a\
y=\x227\x22\x0a \
id=\x22rect\
3745\x22\x0a s\
tyle=\x22opacity:0.\
9;fill:url(#line\
arGradient952);f\
ill-opacity:1;fi\
ll-rule:nonzero;\
stroke:none;filt\
er:url(#filter31\
74)\x22 />\x0a </g>\
\x0a <g\x0a i\
d=\x22layer2-0\x22\x0a \
style=\x22displ\
ay:none\x22\x0a \
transform=\x22matri\
x(1.9515901,0,0,\
1.9515901,51.592\
327,-390.43714)\x22\
>\x0a <rect\x0a \
width=\x2286\
\x22\x0a heigh\
t=\x2285\x22\x0a \
rx=\x223.0744162\x22\x0a \
ry=\x223.07\
44162\x22\x0a \
x=\x225\x22\x0a y\
=\x227\x22\x0a id\
=\x22rect3745-9\x22\x0a \
style=\x22op\
acity:0.9;fill:u\
rl(#linearGradie\
nt954);fill-opac\
ity:1;fill-rule:\
nonzero;stroke:n\
one;filter:url(#\
filter3174-0)\x22 /\
>\x0a </g>\x0a <\
g\x0a id=\x22lay\
er4-7\x22\x0a tr\
ansform=\x22matrix(\
1.9515901,0,0,1.\
9515901,51.59232\
7,-390.43714)\x22 /\
>\x0a <path\x0a \
style=\x22fill:#\
ffffff;fill-opac\
ity:1;stroke:non\
e;stroke-width:0\
.34288481px;stro\
ke-linecap:butt;\
stroke-linejoin:\
miter;stroke-opa\
city:1\x22\x0a d\
=\x22M 6.6421105,34\
.542401 H 9.7280\
737 L 9.2137465,\
42.257309 H 7.15\
64377 Z\x22\x0a \
id=\x22path1111\x22\x0a \
inkscape:co\
nnector-curvatur\
e=\x220\x22\x0a sod\
ipodi:nodetypes=\
\x22ccccc\x22 />\x0a <\
rect\x0a styl\
e=\x22fill:#ffffff;\
fill-opacity:1;s\
troke:none;strok\
e-width:0.685769\
62;stroke-miterl\
imit:4;stroke-da\
sharray:none;str\
oke-opacity:1\x22\x0a \
id=\x22rect11\
13\x22\x0a width\
=\x223.0859632\x22\x0a \
height=\x222.57\
1636\x22\x0a x=\x22\
6.6421103\x22\x0a \
y=\x2243.285965\x22 \
/>\x0a </g>\x0a</svg>\
\x0a\
\x00\x00KR\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<!-- Creat\
ed with Inkscape\
(http://www.ink\
scape.org/) -->\x0a\
\x0a<svg\x0a xmlns:d\
c=\x22http://purl.o\
rg/dc/elements/1\
.1/\x22\x0a xmlns:cc\
=\x22http://creativ\
ecommons.org/ns#\
\x22\x0a xmlns:rdf=\x22\
http://www.w3.or\
g/1999/02/22-rdf\
-syntax-ns#\x22\x0a \
xmlns:svg=\x22http:\
//www.w3.org/200\
0/svg\x22\x0a xmlns=\
\x22http://www.w3.o\
rg/2000/svg\x22\x0a \
xmlns:xlink=\x22htt\
p://www.w3.org/1\
999/xlink\x22\x0a xm\
lns:sodipodi=\x22ht\
tp://sodipodi.so\
urceforge.net/DT\
D/sodipodi-0.dtd\
\x22\x0a xmlns:inksc\
ape=\x22http://www.\
inkscape.org/nam\
espaces/inkscape\
\x22\x0a width=\x2248\x22\x0a\
height=\x2248\x22\x0a \
id=\x22svg3903\x22\x0a \
version=\x221.1\x22\x0a\
inkscape:vers\
ion=\x220.92.3 (240\
5546, 2018-03-11\
)\x22\x0a sodipodi:d\
ocname=\x22folder-d\
ownload.svg\x22>\x0a \
<defs\x0a id=\x22d\
efs3905\x22>\x0a <l\
inearGradient\x0a \
id=\x22linearG\
radient3866\x22>\x0a \
<stop\x0a \
id=\x22stop3868\x22\
\x0a offset\
=\x220\x22\x0a st\
yle=\x22stop-color:\
#000000;stop-opa\
city:0.52083331\x22\
/>\x0a <stop\x0a\
id=\x22sto\
p3870\x22\x0a \
offset=\x221\x22\x0a \
style=\x22stop-\
color:#2883c3;st\
op-opacity:0;\x22 /\
>\x0a </linearGr\
adient>\x0a <lin\
earGradient\x0a \
id=\x22linearGra\
dient3874\x22>\x0a \
<stop\x0a \
id=\x22stop3876\x22\x0a \
offset=\x22\
0\x22\x0a styl\
e=\x22stop-color:#0\
00d0e;stop-opaci\
ty:0.84105963;\x22 \
/>\x0a <stop\x0a \
id=\x22stop\
3878\x22\x0a o\
ffset=\x221\x22\x0a \
style=\x22stop-c\
olor:#000000;sto\
p-opacity:0;\x22 />\
\x0a </linearGra\
dient>\x0a </defs>\
\x0a <sodipodi:nam\
edview\x0a id=\x22\
base\x22\x0a pagec\
olor=\x22#ffffff\x22\x0a \
bordercolor=\
\x22#666666\x22\x0a b\
orderopacity=\x221.\
0\x22\x0a inkscape\
:pageopacity=\x220.\
0\x22\x0a inkscape\
:pageshadow=\x222\x22\x0a\
inkscape:zo\
om=\x224.9497475\x22\x0a \
inkscape:cx=\
\x22-12.644096\x22\x0a \
inkscape:cy=\x221\
2.131644\x22\x0a i\
nkscape:current-\
layer=\x22layer1\x22\x0a \
showgrid=\x22tr\
ue\x22\x0a inkscap\
e:grid-bbox=\x22tru\
e\x22\x0a inkscape\
:document-units=\
\x22px\x22\x0a inksca\
pe:window-width=\
\x221920\x22\x0a inks\
cape:window-heig\
ht=\x221026\x22\x0a i\
nkscape:window-x\
=\x220\x22\x0a inksca\
pe:window-y=\x2228\x22\
\x0a inkscape:w\
indow-maximized=\
\x221\x22>\x0a <inksca\
pe:grid\x0a t\
ype=\x22xygrid\x22\x0a \
id=\x22grid821\x22\
\x0a spacingx\
=\x220.3\x22\x0a sp\
acingy=\x220.3\x22 />\x0a\
</sodipodi:nam\
edview>\x0a <metad\
ata\x0a id=\x22met\
adata3908\x22>\x0a \
<rdf:RDF>\x0a \
<cc:Work\x0a \
rdf:about=\x22\x22>\x0a\
<dc:form\
at>image/svg+xml\
</dc:format>\x0a \
<dc:type\x0a \
rdf:res\
ource=\x22http://pu\
rl.org/dc/dcmity\
pe/StillImage\x22 /\
>\x0a <dc:ti\
tle></dc:title>\x0a\
</cc:Work>\
\x0a </rdf:RDF>\x0a\
</metadata>\x0a \
<g\x0a id=\x22laye\
r1\x22\x0a inkscap\
e:label=\x22Layer 1\
\x22\x0a inkscape:\
groupmode=\x22layer\
\x22>\x0a <g\x0a \
id=\x22layer1-2\x22\x0a \
inkscape:l\
abel=\x22Layer 1\x22\x0a \
style=\x22dis\
play:none\x22\x0a \
transform=\x22mat\
rix(10.589787,0,\
0,10.589787,-6.8\
981011,-467.8387\
4)\x22>\x0a <imag\
e\x0a y=\x22-0\
.078223988\x22\x0a \
x=\x22-2.14854\
53\x22\x0a id=\
\x22image3001\x22\x0a \
xlink:href=\
\x22data:image/png;\
base64,iVBORw0KG\
goAAAANSUhEUgAAA\
FsAAABaCAIAAABYC\
L1rAAAAA3NCSVQIC\
Ajb4U/gAAAgAElEQ\
VR4 nN28aaxl2XUe\
9q219j7Dnd78auqa\
uqu6u3pgT2STFMlw\
kElRlBwNSWQgiGzZ\
zmAjQuxYERwhiGVH\
TuAkcggoVhQhCZw\
YcGIb8RAkEQxrICO\
JM0Wym80mu3qu7q7\
xzXc65+y918qPc++\
rV93VZLEfHQHZ uL\
j16tx7zzn7O2uvvd\
a3vr3pEz/1b+BwLS\
EREZEAMKX942Q2+4\
MIUACAmhmRHPjW92\
6kRkREBMDm 5wTwd\
idhu/3xW85JN3988\
JwA3G3PeeBv/d6nn\
5+XiITIzGBsZgABA\
CkAai9KsDu+6ZvtD\
rDY/+wO oW7v9rYf\
3RaR76vp/tMzM5rf\
ErXQHGwtNO/oGu2p\
9vtgt1jfrd/8fs55\
W1C+JyKtvbzVUm4e\
EZBB W0CMjN50HXu\
HKBy4lBGgeDMoM9D\
f5lHfSXvzMwNw6wB\
5h414/+xvN8T2jxt\
g9H0NmdsZwuxct+u\
P mX1fTuqt7fCjZn\
+8gIgIRCADVGejiW\
61kZk/+X5AaW1hdr\
b2fQ7H/mhqv6P0/Z\
35tu3QiJCpJoI6 Y\
zFh1qSmqqTKzDMbJ\
FLAWmAMIDUw2fzI9\
7wCkxKRGpExGRnYT\
M3MFKSEduBIJAJIi\
Q5p9rdF5E7m l/3r\
JuVaq2q1XG1G1XQ6\
Fc/soaqeheBMikmV\
yuWlreG2FxAZg5VU\
iIwA8P7cNPcLOn/k\
BkCNxPF4 NFnodii\
lVE8zEg0xZ2iqktY\
xTSXPuOyA8yl5U2Y\
Vsrcda+8Mke+jKeC\
cV6e725tLefkTP/7\
JhUEe w/ClF59//e\
VXh+NxrQ3gJntbnS\
IPGn2W1XVDEDUYE1\
pXDAbDtEUFRgRTA8\
EMwGg0GXS6PtXUTP\
up lqRL3e6JI+unT\
h8bLPZRyOe++tVnL\
12uGS7vRPCdRwz/U\
hABZG9UL5S9zhKWu\
9npEwtF2M2leuLd \
9+yc6G/sjr/w7Csv\
7+w0wY9D6fqL4zo5\
y0hB4NapGIGMrY3o\
iIQ4qZGxEdgMQJeZ\
x1MXhzS+8fCp 9fc\
99MBat3P82NHd8Vg\
9Tb3/agwlfEJRxSw\
26h0D8Z33554LDx4\
GDyP4vKyrisJ0kPP\
j9506vVJM 3nh53d\
mJQVlYevdjjzBhY3\
tHmV2nOxxNCu8ZPA\
u8qHWTM+8rjP3Jm2\
BEJDBqpn2ERR3/2H\
se/OkP PX48s45N8\
9TEUA0WFqtoL776x\
l5F0+gi5VnRRWpoH\
iW9g3bY2ZcN9WiSi\
+S5q5vReLy7vrx84\
sj6 3vZWGI0WM8lG\
W5949IF/56d+dNmq\
ybVXj652CcGoMQ7G\
ARRAgTiyJFAAJaWU\
qFEOJskkEaoOT2V8\
9ceffPATD59zm29\
0wt5CxzVWB0erZ+8\
Gsskw1MOpxWQa63p\
82B4d8vcAvFCeuRj\
CaDSqqqZOtvzw E3\
6wshutURPVuL2xxv\
GnP/zeM8vl6MbrrA\
FmsARLBGUQwxhGpo\
CSJdLEpkTGpqx1no\
Z/+l/92BPn T2TNc\
OC5qafDqtlu9Oh9D\
2HtxLW9emccxBW9s\
pfnGQsO6Ud+EBEaE\
ZKSmpP86o295y9vY\
/30sQ/8 ia1s0PSX\
x010mo44uW+5/8Td\
JxY4eTM2IWVSRiJL\
LQ4gY0qEiPaIQKBE\
sXnfA6eO91CmSRjt\
sXjL F3a5u3zfo+V\
dF65uNy9cH25NtTb\
aG4+aauLksN05LCJ\
KcHkWQQpRc5eubF7\
ZHI9vDNFdfOBDH74\
y HnOR9YpcpuMVRw\
+fPLFgsUQorCmsyb\
XOUuPj1IWJC5MsVV\
4rl6Y+NZnVXuvM6j\
xWF46sHClEUiWZ j\
JNW7I6fuW/t7oe4W\
Hr+0vVLG9ub0ynlZ\
VaWXhzFw3bpsIgYu\
Eo0ToiSB/jnX3ptE\
uxbL7wUzbDY e/h9\
jyeP7b2tphpLXR/t\
dNbzjEebrtrKw24R\
94q4VcStTtjqxm1f\
38iqG1l1I282ijjs\
YVKmUTbd uf/IEdk\
bqWptthui6y12Lzw\
Kda9ffHVvY+upbz3\
TW1tunEyixRqZ+QP\
e+Z20H0AU77OM4LU\
eKwsT /fbv/+FP/M\
lPfOvbzz7y6L1yZO\
34+bNvfOkrFrkoi7\
wal8Ote/tL5aC/sr\
KytLzQ6XREhNQSEp\
FM q0pVg6bXL79x8\
fkXJ5PJ0UKqy5fuO\
ro8pTiK6PR6a+96F\
OLqza3Lly9/5jOf4\
dxPYmNOSDiXDGrg \
Q4UkdEjGSAlNImj0\
SINMdLSXofngE+96\
+NyJrkzvWe+vOKpe\
f40m0aKiGGyPJq4o\
wcTMgKqqmTER oM5\
lSbUKjcKKTsdl+c7\
OzvaVN04tdjuFREe\
b0+rsg4+iv/7y67v\
XhuGpl17/Pz7z2c6\
xo5OkiT3M eypDE8\
mZ0TtH5LDxCAFEyc\
GECcC0qhb63Y3Lr3\
UFp1YGrhptvPxCQe\
ZSyhhxMl7qd3wzKS\
wUsc61 zlPT1dix2\
LHA02GBMPDcJfWxk\
mrco7S20O1lknkWx\
yAaTusXXr5USfHC1\
Y0/eOrpyon63JyAq\
Q3x kiU6nHM9LCKA\
CsXcS1LEmMqy0zSV\
R9p4/dVOau5eW+2a\
9ZxoaLwXbylMR226\
ygDDyAwWVWPUmBdZ\
VVcxBO8dCYUYASt\
LP54OJ+MdaxonxOy\
jy37nq1//na9/83o\
wWVwZ1xEkBIKpIrH\
M47t32g49+5Kp 2b\
iamsH5IqjEJM7n0/\
Hk9PqxHvlcabozNr\
PQNOh69pQX4sUMQV\
MwjUTmveSFrybjMv\
fd0qdYNfU0 81QWL\
sXY7fYyX/TLkqo6j\
6GAQdNotNddWhrVq\
pzVidQExgSlQ9MBh\
559QZpnQTy5jpPut\
I4uy7f3 dt/18IN3\
HVnT0ThvaFAMyrzf\
KCZNCLmvY7AUheAd\
ec/ChBhTXRVlYZpC\
aJipyBw01fU0xhgq\
OC3S JHbzDocmT/F\
nPvnJvjgfiRMbCkM\
naWbqkBwiyA7VKZ6\
/5h38vr0011XM806\
INq2aXtnTGDJKH/v\
g kyUn0cbBkHQymn\
T6g8SImpi5nR0Vhp\
Z5E4gINO6ztqrJoM\
zsnGPAOSdlF2ZWh0\
zj3tXLP/vTP739 2\
mv9zFuIANQAbv0Hg\
XTfUJRuvt6+3dJru\
ef+d7VJF1GimySOA\
Ub7LyMQzIycRE0KE\
2YADDKzjLJQ pSzr\
NdVUtHrs/Imf+fh7\
O9VmX8eZNgJiL4kM\
rMyKFLw5EIPImHRG\
sykMxE7V1ABycI6Y\
jIxgKdZk UXIJ04k\
SQ3L4Tt5bqBVXN7a\
kLCbVNCszZoRYiwg\
URCCGMgwzLpaI5sW\
BGa03I+OgSmYEIyY\
wYC0i 87LBvIigNP\
vNnBOcUXra5qMiMz\
IHMypxUjfkfUT81M\
c/8sQDp1elWkijrl\
YlmZAA5PN8Mh7GMO\
nk GZQBUtKWY7Q2A\
W4fCojFt6RkShGkI\
pyXRZyOHan4jMXDZ\
7W5idri8VPrp04/d\
fH5rNOrYj2pK+dE \
mKHtaa29P6XWkRNa\
5uGg1yW05mQEAhuI\
zXh2W60xgKw9xb6d\
gG0+pswspdT+oaoJ\
ZgQlDU67671d HX/\
yJz915NSRF198nlN\
aLPs+kofUk2mom3o\
86ff6HecoKSyaRbJ\
IFsiCIQFkkKQMOEr\
mCbnjTuZy dhzj3v\
VrTgiGpp6mlMAcyS\
TzdYpvXLv6p//sn5\
PMd3sDnxVld9DEZG\
BTMiVVmJmA2G6hqW\
/HZt48 dNAJ8Xd3t\
EREOuN7zcw5Z0wRF\
il964Xv/Jt//s/0j\
ixtjPfK5aXAbmNvn\
PeXhpMYs0KzksrOe\
FIT 8lDHRKyshEiI\
BBWYEhTM7JgcESFG\
NLXVIYZQN5p3B1T0\
kuRRiilJLXnMsoky\
l91K8dWvf+Pf+jM/\
l0AuL3ZH4xC1fbo\
K43Z0EDHN6LjbNZ7\
BYcyAEcu5+x+keU1\
F0XKfMwPGrbUQJjJ\
AvFNVEIlzIcZo qQ\
rNz//lv/TaxubuZH\
Jj4/ojD96fpzDa3p\
qMJ5SXwRWWFXt1k2\
U5K7z3AaZsgiikDB\
DI2IO8JuJ2 /JpCF\
Uzsci66DXc2JjG4U\
ovejTptBKTuSlUO+\
ifPvXBtcyfosy++/\
COf+tRT3/ym91IWH\
U1xP69h EAuzwVT5\
YLYzHzxGaEtKZDxj\
rc7d/8CMyZqVDqi9\
ybcGOi0X7FiiJgOi\
aR1Drz/48Mc+BpfX\
JLWq ePf8xe/86z/\
5k+fuObe0dmzp7Hk\
u+0OVyihCqioEUPJ\
OWR2SmBG1FLFXMIF\
VE2skL8hy8m5ibk/\
9 DnVosMa9ZV5cu+\
tdTx556PG1Bx9fPn\
P+8iT843/xe6snz0\
xCGk+nH/vYR//wc5\
9LTeOYiXn/znle c\
rxt+kdoJw5mEIxBJ\
ucuXABanzrzqzxDa\
AYN6CYuLTccVZU4x\
JTlxb0PPrB29K7tc\
Z1c0ZD4vPP6 G1e/\
8MUvfeDDH8sWlofB\
BnffNzhzz/LZc8GE\
uv3NyTg6MUCQHJSh\
MFY4M3Y+U03QCEIk\
2ou2h2LP LZanH16\
78O6Fh55wgyO8dHT\
se7vIvvLia7/4K3/\
r2H0PBsk4z4bjyY0\
b1z71qR/51jNPa4K\
QELGp AcatvdubLP\
7Ak75Jb1KLyAOYTU\
xGt/mR7VuKc85UiT\
mZGnOADlaX3/2+H9\
oYV9Lrj5oYldVoZX\
ll bzj6/c9/8T0f+\
jD3FnarZL78v/7F7\
z36Qx/onT3dmG3u7\
hHIw5ypM4XBIGqkK\
ZGQeAlMu1EnWb9/ \
5sKJR943uOeRL118\
dRoROv2xzye+c/H6\
1i/8jV85+/Dj0luo\
1XYn416/18S6UxZN\
3WxtbjLzrMpl YJo\
Xod8WkdYkZPbPuQs\
PtAfJaF4NapG1NyH\
SVnfVCN4bi3n3yR/\
7sc3pZCuEWjy5LKk\
yS+azLMuq lH73//\
n8kx/6cNFfniTeHI\
3+5qc/fe8jD9/z+B\
NF1tm4dg2hKhheY6\
obBnnnjYy8JNKR0j\
Tv6fLx o09+ZMfK/\
+I3/u7LG3s//Cd/o\
smKymUXL1/+D//aX\
z95/wO91fXd6USKo\
uh2WMQIW1ubZ86cv\
X79 RgyRSVIMZZ5r\
MjITJ4YEmBLt1+vJ\
GERt2XUW6ZLJPRce\
aDFqLYX25+y3IMLE\
IYai29va3kXmzpw7\
t3ri+E5oxkyBWdU\
YYGIhJse+6F7Z2vj\
608+858n3NzHeff7\
eyPTX/vNfqav6A+/\
/4FJ/8eqrL3Uc oZ\
oWvS5FS5oizBXZXh\
O1O6g6i2d++Md+/y\
vP/tW/9en7Hn3Pz/\
zsz26ORr7fuXjplf\
/gl37p7H0X Vo4dm\
6YUDOK9mrZBZLTov\
T925Ogbr7+RknaKM\
sXgWFIMxG2Mtj9GZ\
n0mgDDXNLTQfOKn/\
jXMYSLl WZ1tNvUA\
pGwzcOo6FJ1ybzId\
rC5f3tr8ub/4F164\
9Ip1y8pl0eATMhYy\
KBIJfOYspEsXL3YS\
//Jf /UWbjhYHpaG\
ud3eW2S9ouP5Hnx2\
98I0jPO1oRWopmRT\
drarKVo/scnniyY+\
MiuVxsRbyvplN62p\
x deUbzz7zc//uv/\
2hT3w87y0M60byTj\
L4PAshOObMcaibXp\
bdtbr+tc99fuvGBj\
WhK46S5t5Nqqnz b\
IAStz6CbWYXczJlF\
nnwmwJ+ujV2BaDz2\
N57v7u72+/3b2xuv\
e+DH9obT7gogoGZP\
ZMXYlFQjNbU Gicx\
aubWTp50ve4v/fIv\
d/qDahqqcSNcbI2a\
UdD1+x6amDPfrRpo\
NBFqmqa7sDhq0pQE\
q0crykbw o5Aai2W\
vePa5Z/7Cv/8XP/S\
xjwwWF8bV1HsRIee\
EDAxiZrAzx9Fw5cb\
18w89VNW1y7M6RJf\
5OjRZ luHtZUnzpo\
Ay2jAENM9kuK0StC\
Zic1sxgojkeV41jc\
+zk6fPbO0NzXuf5Y\
jJJRMYVMHKns1RsL\
RX TajMl08czXq9T\
//6rxtxRnlsLCs65\
jJkZW/1yLgxX/bZZ\
yAXzcbTZhLt1PkHr\
TZzhQLkvDj3yuuX \
fv4v/6X3fuD9nUF/\
dzh0mc+yjEFkSWNg\
GAMpJTOLZHWKWVnc\
dfb0ZDpdWFoaDocA\
mA9mszhoFPtY 7B/\
lA994S8xKavPEsa7\
rTm8QUjpz9zk4HwF\
ljgaBCLk2xjczEcn\
IMaRT9EnySHLi/Ll\
Xrl77rz79 a+ZzcR\
mYwJSiDVaOJs6qqM\
g6FrXIOyGpL3qQYl\
zHZGIJInLxlVd/4Z\
f+k3c9+X7XW5gEwJ\
dF2ZtU kYjIGGpC7\
FgYyszMTF7GTXX81\
En2bnt3p9/vE1EIo\
e2QEUCKOWNABrol3\
Vdukxcl1lkKs4/Lw\
RxZ lZBMVdV7f9+F\
+0eTsS+LCApRSXKQ\
B3kwmxFFuEh5dKhR\
j5pGaaJ0/xPv2Tb7\
6//13+Zer7E0qSvJ\
M7iM8mJSJxipkSq\
Y3GTaZEVZlp0ja2u\
58CsvvvQf/6e/cte\
9jwTfS77vBssVfCA\
fjNRY2Hl2nsWz eH\
G588wAu73RaO3Ius\
5SNsrzfB+RW9scl7\
ceOtjsdp4FQNntbg\
/3yoWFrNebplSHmP\
mC2alqSklh aOOiZ\
JogxBpSp+yqUSLeb\
eqVE3eNgP/sV/92Z\
7BgYLg8KFWB8t7it\
AnwZaVGvsiyTlPre\
FRvbu9d unzl53/h\
r5y+78Jg/UhkaWBV\
k3xW7A3Hvd4gJZsZ\
BRERMbOIAMzOZ2Vn\
PKmOnDhhjpPpcDwq\
yxIz b9rGFnPt5M1\
gfT5qaDY0EmhWT28\
VQ61DbeFgYzOrUpB\
uUa4v72oTHZF3qW4\
yACmyR4yRmdVMCSa\
m rNGCQoURQoBx0e\
svHj02DPFv/M3/kq\
QAMvFFMIo+q105Fj\
cxoazTNNjdmQyW1q\
9t7f57f+U/evh9 7\
88WeuN6wl4IJqSer\
ZtnqamzzBkbhIwpm\
ipIFTBhl4P9OOq5+\
y8kQp2iK/KQGhiTM\
RtLCwBpa5p2 gDAj\
44M28rYM5XzqkUS0\
uL46iTHBmBlqZBBH\
lpL3oqoAvPd1DInU\
ZZKQFEYCZTRQlFlv\
fW0v6q/+ xv/QuOK\
VnfGw6F4KulV2d3p\
Le4Ply+b2snIo/vn\
XL/+pP/vnn/zIR7P\
BghKMjWfBlEITE4T\
3Hxe1 LyJiEggbOD\
ETi2Q5OVG5qUwjA8\
1waQHYf93EwbXfu0\
MBFDOvr69v1w15D0\
BVRSQFVY3eS11VnV\
4Z NInnBCMnqimRs\
pekqhrFc2d5YWVh8\
fVvP/uLv/Zr733on\
s2tnWuXXhht3/BCy\
WRx+cjZex+LL732 \
9/7pbz7+0Y9VoKqq\
s1xoVt9pWSBqyz37\
yjQiIjC3rBDNdXFE\
eZ5nWabT0Bo+6JZu\
ss1mDLvVjzg2 1v1\
6zwEnfNuWZVlRFKg\
b7KvizCypODEjIjJ\
VNXXe1SEQoVUrsyO\
LZqowUuGpYvX8+au\
vPv8//dY/ 7zsrmR\
fXz2zs7OZl9/Ju/Z\
2nn33updfOPvBIyH\
PK/WK3M5mO9xl2Ot\
De9N/5kZb6AglL5v\
NOOZ6O ACTYvlW9t\
R08zAfe32wQsFt4a\
TMriiLG6L0nopka0\
bjwGdSOrh9h5hhj5\
iSFMBMYQpkMagwIs\
Rhi 1GDWMJ249/61\
8w/sSXdLyzdGxAun\
J7Ro/ePffmP7/Hve\
v3DXSel2G4uj8bBV\
+CnIiEmYnbT2wiQE\
hhGBW8pWZ1wRFNY\
+5G6325YNv8tjvm2\
3D7a34eKNzSzLshB\
Ca7FmxuwAMPNwd/e\
xRx4OTdUty6aq Hb\
MQxJRBUENInMiTtG\
G+z4pJCKOo1O0Pjp\
3cM9f4/lZNu7V8+5\
UrZx5+l1tcvDYe1p\
JUzJV+39Tb CWV/v\
OAtNkJEBGm/RkQhx\
t6gHzS19PAdInKHl\
XBup6C2XJCaYMxEz\
MSmKYa6Wxanjq4cX\
19PKVho sjJPTXDs\
YuvLwQLmRKzqiVOM\
Il7yvL+8sri4mGfl\
9pWNqHZj58aFxx5H\
4W+MR1k3bzjlpTTN\
VCgT EQKYeWYU1Fp\
nm5uScWs8jNb+nWh\
SYg4htDYCAQm/fd3\
lQOWc9GbodgeNiCT\
Pyxgj5mJbJkMMD9x\
7 noF3P/rIcHurmz\
sLDVIkGGkC2LFndp\
oQEpmRRSuyvK6DEZ\
nLusvLx8+cNu9OnT\
+fRBqyzmDg2zRE 1\
ZK2aydE5EAkfjMq3\
w9G9i2obQCCpjzPW\
+qP+bv5xzkuB/55U\
79xO411SinLsslkQ\
kTe+7quAbAh Yzq2\
uuwU507dde70yWY0\
zpkdDJaYWVVNWIkb\
QJ1T9qROa8skg/G4\
rpD5cnnh7IX7jt9z\
Ju93E0hV 26qMb1A\
iZwiMWj8CmbmMaMr\
sRDxIQKJm7csIKSX\
nXOvU2qyiBfdOnjk\
AR9D9eYgMt5jQmzB\
kbgcO k6jC+7xFbb\
y7e+7UqWo8MuiPfP\
SjnUy+8vVvDFZXoy\
ZyzgR1PTVi9lkDaN\
MU7EXyKjUBKc9Lx9\
A6 KMNlruh2InPTV\
ForA6JZawBgsoO08\
a3TzdvdrRMXUzIzU\
7Xvuqriltn3bSqbD\
KQ3/4yoaRoRaSca \
53wKStATR44sFEXS\
ZjgcgdLHP/yvnD1z\
6rd/7zOjuuai5Lxj\
ZiTeldCEZJSIq5Ag\
kmeZprquYkYo y9K\
idfIOwY+VQ1UTMZM\
QGwlFSvOet6HYjP8\
54FGF5oU7BpCUWLz\
30zAPRuxt13DQrQG\
JA7VkgLLx gcn49m\
YynU6dc6oKs9YOzU\
xjJFUKqZdlDtbsbp\
9eW/n5P/dzTz938W\
vffObyxhY7ybu90e\
Zek2Kv vwgSiIVQJ\
0XuhBgpplprIvHMW\
VaYUcUuxpiMjNTxj\
Pzedxm4XTAysxqCM\
FsKqirM1WTqiBl05\
ytv 3jzX3IxfWxL7\
wHmIaDqdzgyEOabk\
2CPx+vpamflxM0UT\
Yqo7heOU6o0bDx49\
8vDpU6M6/tFTT73w\
6suoxy7LrJkM43S\
wspaiTccjD8+OG1V\
2LkY1KLOTMvdCTT2\
ZpgSywjCL0tsR1Nr\
CfO6fAcGEudU4 kb\
qpwQDLaDQSEYEgfm\
8/MiPYby53sXlJ5/\
YTDzNT1TR1Xc/jES\
WSVm9dVU1qQi4uc/\
Cq9XC4vrBg ZvVo0\
hH50cce0Scef+75i\
6+8dumF197o9xc3L\
1/qFOVipzMajVSo2\
+1OQxLhqAaLwuwcv\
BESzAxp Vsq9aSPz\
J3QTkQNuhWhGqpLa\
aHePQSJiIXz3gGR/\
7LQ28j3xY8CIKMa4\
u7srZSfGSMSqipTK\
bl+y LI+ZhMZFzZA\
2rlzjnd1u2Vnp9x1\
LmFY7e3vdzc2Pnzv\
/44+9+5kXL3316W9\
NN3d60bLYVI5DXU/\
H 43JhybGSGsWUkY\
mjQBYTqZoRGWAAzy\
fa/ZU1baJDBzBqcw\
dhIcJ4PD5Y3zyYwd\
2eYTR2sw7vGwrb 3\
Nfe/IXNP9Nok93xQ\
qdXxeCzIqZgGitrE\
kVHHOsqQ8q97F1+/\
Y3rV+5aXkqrK6vrK\
35pca3eefa5 p668\
/hL57D0PPfzkn3jv\
ixdfeO7llysv28Gu\
huHd68euTibkOgxW\
JcfkHTvWSWpAXgms\
SVSFSISN xYijKgA\
hotlERAoGEEyJSIT\
JrKmaTMGCdCDlt7f\
ISdh4xj+TOpgA4Bm\
ZGufgtSt3DAQYt4I\
DU3XE W1evL62tFe\
Lh3V416nV8ypKKxW\
bqAZ+x4zTwmkmVbV\
3avf6drWfrssyPrB\
29p5iMdjZ7g+7Gl1\
9x jtcVy10bgTfFv\
6zute0rXek2VCplE\
EoWLQYQ5XkZYmHJX\
Jg4TQKDaQMkpggmI\
kYSzEpNAWQE4pjn \
nKJubGw2TdMrOtrE\
VvYxK5LPM1u+NYPR\
+ai5zVpWI5DNOft5\
QszMHvTGpdfe80M/\
dHW0t7O9019Z qaY\
7IaWUQsGSCXvWWI3\
Pnz72rRee7rnUoTh\
NQx8r7KSFWGcIg4S\
qHktQMQTlTCSXvnN\
FP8tenNQb cW/MEV\
nXHKsJIWN25IShYk\
7MWKBMppRgxEJEBG\
0nV4MxoFAvHEPV6Q\
y+8dy3hTk2ocg8Ip\
ulg33c r7oYGKQzZ\
oDs9nnNvm/lg3wb4\
JybVNX169c1991OI\
WQUtRnW1FDm/PjG1\
WyQf+1LX7i/Xyxk4\
qdV 6ZVMXLK4O8yd\
E6YsJpfYjAKZkTJx\
36LX2LOq69wVo9cQ\
N1M9liJJDs1MiRnk\
U/Kk5ojEDEhe1Bx5\
gxqyRFEMZMhVQRq\
rRpBiXb326itrRU8\
UsQmWovibneW3Jz3\
uUMSmZFCN0NjtlV/\
+0hcHva5niVUt kG\
Y4LV2xt7O7srzUjH\
ddql569qk8hSxGCa\
EDypREg2goWBGmTl\
UMTCTMuWkeqoXpcH\
Wyc7+EB4p4 Lq9Xb\
a/TDDNEZpd0ljtHo\
eAkCKtk5ljYt4GZM\
Rt5bUcQmUNyqkudz\
pVXX8mYM+ZOkavO4\
HiTB6G5 GOLgkdvY\
yFsXbLcRmyOuQjTQ\
lavXWC1WU85zIRnv\
TafjelB2GGPPgcJ4\
qeP6KRaiVlfCHgph\
0dCw SNKoRqYsxq3\
cxSGwNoVBGxX1Jrl\
QVkBuVJOhcypilJR\
UQQQHkgQmJiaYqe6\
zGUQJiTgS4FV9SN/\
6 +jc6zmkMkazNbp\
KG72IE+6nMnQodGS\
pMwtAUVhYGX/3iF4\
+vrnMInSwfj6dNDC\
HWhFSQ9iTF6W6v d\
D5jIoOZxQSQWgRFF\
oVTsLKpU/hknBJMP\
ae8HnZHW+vTvXtdu\
ldsvRn2Jzu9NMm18\
apemRNRYCiR GigB\
JkhiaF9s7TrR5JNu\
XXlj6/KVjkjhpJ5M\
iSiE8KYHfUv1ctZH\
AyDnHnj4YIxDRAyh\
OZ/bHmUw iJIagZz\
PsrJ8/vmLjz7+WGg\
aERFxuaOTq72rz3/\
zrlNrxe61nddezLT\
OyJi5Vb+1GjfjBIY\
5ECAg NpqpjLi1zE\
hmuVGHOIPzpkiNpY\
aUBc6p5+RFiQxCyq\
aMKGYtNSettWgQi2\
udzuvPPz/a2lnodY\
vM a4pZ5gwKmkkjM\
ZcYzXmnVghh7d4Pc\
u7CQwDmMUerBDg41\
No3IkCTGoyI6qYx2\
HQ6vfvs2aqqik6x \
s3Ht8XtOPf0Hv9vd\
uXJksTu5emmxkzVN\
nXmX1By7ZNE5FzQa\
w1TbxL6FZS6JJEvB\
icvMLCTP1C8z Tyl\
Op1HNzMEcSJTZGKB\
EUDFlMjImmFhka5w\
1PjUnlha//dQ3NQQ\
LMdZNG8LazZDsrYi\
0f80UirdH 5ID2s3\
0zwJwIjEIKRZGL46\
tXrh49sl6URRLavn\
r5kVNHw5VXu+OdyS\
sXl0pfT0feu2Qm5k\
AkJOC2 wkUcW3JUj\
M3IjIx4rkUwmEEZM\
KVYdSwOymzaGFwWi\
CpBcJy8AAqLIKmSN\
2MAAAoXSURBVIQYT\
DRp 4yh5NGWcLniK\
4+mXP/eFflnGEMo8\
N9MQk3NO3wLCPjc5\
R8Ruj8hMK3ELIgCg\
asRwLqub2onz3r34\
4guPPf7Y9u5O1xH\
vbaxaWKjHq45TNVx\
eGDQpAnDKNOP/TMk\
oEamIiREZQRn7rCn\
NKEI2JmITpBxB iK\
TsjZp6GCp10EyiJr\
OQOZcJMxJpXOxmPk\
x198bJhc5qp/zsb/\
/ueG+UZ3mKEQAzi7\
i2YHGL6c+v aje3R\
zEjknvuv3Dr9h00j\
1vadwVadsFiiHmWq\
SYmGJBlfmd7K4Zw5\
uxZTMe6eX1VdE3TE\
gGpno7H 4hwZS4Ik\
mj19MyiJFYAztlbp\
y6RkEa28iTg5Tmwm\
RpQcEhGkLMgz2JI2\
CrCQJ4Km6e5OhzEg\
DZs3 uvVozdP9R1e\
3r1z9zGc/N1haaVE\
AsRlEvGqby6NNkw+\
qEA92n0C3WU1yc/e\
UW74NGDnnYkpOBES\
a dG119eLF5yzhof\
Pnhtcv2872+ZWlLN\
WOVGNg50Th076Yy1\
qFE5mfi0MTITHZrD\
pPAHHa31ijrTQw Q\
moy4YLBIcSq8rGRG\
HxddZEGIfam4+UU7\
19fO7HQq7a3f/M3f\
nOwcjTvDVQNTN63x\
QM5QLXRgTFx m/Ym\
RBig2W47c/x07mlF\
OKXonW9CnXufYvBO\
8qy49NKrmfgHH7jn\
yqWXTyz0Czavmnsh\
NTETm8PM reyx1Q4\
SUWIkQpoL0AlECmK\
bi4BmS+jhkxYx9NS\
Wmfuq+XTa03jEu8W\
mOgZ9YHHhZJat5xk\
m07/z 3/46F93B2o\
lR3Rah1YlrknrJiB\
g6myL2+2UzjZkeKO\
zxmxCZ4zcvCLay8f\
1c28xaSq9NemJMeZ\
Y7 KZ67+J3Vo2u9b\
ubidH2hT01toXYEN\
mNTsJqA2ppaK8+gB\
E4zMWC7RQcYaAnVt\
oqLVl/KsAJUEEpY \
gdQTLOVupfArghNl\
voiwaCFLIcbwv/7v\
//jGtOkdO1GbjOq6\
7JRRzWaxLKeUbs6h\
LbPePop224sD Dvc\
2iND+GAOMbN/PtsX\
UGJq8yEITWNg7GQ7\
HjvPewsJnv/oHx06\
uxdHw2OJCSVoAAiW\
LDFPS5GBt aEIGbs\
ARlJSRGNZSqSakRM\
Ztvs1z/ooNaJIngo\
VYDxlhUHCf1DfjRY\
q51s7FqVb/3f/29y\
9u7mQn Tu/CJQOJI\
xaFtYoKKMyMSchov\
vjB5hpmm086dKeI3\
JwImGOMzrsYo7AT5\
iaETtElEyMuFjvPP\
PP1 ZrS7vjQ4sryk\
TeXZxBIbqA032Ixg\
lhgAmTIpkRFjZheE\
RPM7awVf1noSz6JJ\
geSERdhiQNJcpK6q\
wfLyG9vbv/o//t0\
Nc7x6bJwNpLMQYyr\
zYjKZsEi7iZBGdc7\
B7EAmc6eI2IwTuWl\
fs21n5pgI2rCW YD\
BmNiXHhRPXNJPjR9\
c2blz7rd/+v+++5/\
Tdd5+0qu6woGkIzK\
YEioCKA1ECWzsttg\
mbQlNiJmrX IKomG\
IswsSYFIFkOk0nVO\
Cl90asDKvP5yrHf+\
vxX/5v/+R/Sysn8+\
Lldy6W7PA3JgymqE\
weQgMjQ 6n1narsZ\
Gzd7+ATi2f/ahMYO\
v3KRyYhh4jAe7i0u\
LfQGvX/yT36ryLNz\
p+9uqqZXdpu6JhbO\
vXmq Q3AkzCJg05S\
aBikJMXtP0Bjqdr2\
IOKegpEYswm44nPi\
y68r+XoAVA+suXK3\
ir/0v/+CPXr4sy8d\
5 4Uj0Xc66w+E0Y+\
dgfECG+13ardYxa4\
df3apM2jQj71GW5b\
SqclcWRfn0N5/b3h\
mfu/BwME4ilLvI N\
pwMe2WJpEjRUhIyc\
Y5FYMlCTWbsWJxnx\
xGWNKV28gFn3X7wn\
Z2Euruwadk/+9wf/\
Z1/9M9GxWDI 5eKJ\
M5OgTbDMuTSZ9ops\
rgt4pz065ApogjqD\
IUVQu3I51Y2kwPVk\
cvWNRUl/6pMfffDU\
+omlbhpt ahiF4e5\
yUToDAarRQgPAOQf\
nLBl5Z4pJaBQsWa6\
EuknkigZcLh+5Ucf\
f+co3fu8rT2/UtnT\
X3Skr R425LAshlC\
7TFEnNmNSJ3XFO/9\
Z2eBsx8RZS7bMc4P\
G4yfJeE8h1++ryvS\
Z+9stfurK5dfzU6a\
I3 KIqeYy8qABscs\
XcuZ1cYWBMgfho0m\
Ejeia4YRwRk1F9Ki\
yub5P/Pz3/lv/+H/\
/TpS9dl6bj2Vhvp \
VppHciFBXJZlvqqr\
LPMxJRK5gxHz9j06\
9L6KGuJkMBhUVaym\
odtZaFIiduPxsN8r\
SevCqunG5Wf+ 8Os\
/86knf/i9T9x74kh\
Po4vB5puPyCyzRAJ\
lZVFF3ZtMs26/u7B\
8Y3vnWy+//M+/8OW\
vXXzBdxeO njxbm2\
84d8WSSgH2ycCMqp\
owwUubPgGHWxR++H\
0D1Od+Z7jXzbpIWO\
gvDvdGRiAnVTPJco\
7VxGsz YEw3b8S93\
cnOxo9+9IN3HVs9e\
+rk2vKSE0GKTCZeq\
ibsjcajadgajZ99/\
qWvPf3Naze2rOwsn\
jwT xA0Gi8RZ1SQY\
J5WoAHsQEXGCKbTV\
Y5OZF/4uWpH/DxBB\
hGVZFqow6HS3N7d6\
nT47mVYV5zKajrpl\
zqqlSBiPJSUNk9H\
u9Wq6l+omF/S7vU6\
RQVOIDbHsjSfjKkp\
WZL2FotdzeYfysoK\
wLzPnmqaCGhPF oN\
77lNT5fFLVZbdbhx\
iSingimy1k+mNEpL\
VSMnBL/dhMRx813Z\
RNQnj2R/QZNFXWRI\
0VkjIUqow2 7RByn\
iSD8yaZsjNwSm2o3\
xY7I5nOljCozkTaJ\
goGpOVcvXsH67hvt\
sPuP8IHRAj7WMw+a\
peVtvpy Qpgt/uNG\
kyFn58gVDkaq7W4b\
0tLILMqSSNQoJQa4\
LazMwntrw9w2V24r\
9QaYs5v8ziHbYREh\
A1lo iWybk00A9kW\
OZCxEszSLABAZizk\
iFhCbiRjU2NDqP1W\
pJQ6ZmK2N+mdbNcJ\
0XvF1QIsjgPnniK2\
N 2B3Lc2/bDr+voo\
rOmLfEOluwY/vqSq\
DNtE15nnXLXKwMkJ\
FGBSmSzp42kRipEc\
HmWTHSLNcmNWC+ c\
eJBBZ3NGaBkRN9dk\
vs92w9i700A7cKk+\
TtovrwJaGtG3O4MA\
J3n4DAgGYhEhEzav\
RBmZzOC2S0r N/ZZ\
rJnO/02VWWpXPe8P\
HD3MnhmHRcTAiffX\
JjFu0nRKs3JNu3Wv\
Gtq9E0HE871ECbDU\
2hS3m4nu qyixz33\
ORZmzy839Vpug6T7\
0B4L3P1YbUUIih5m\
LVZ5l2xGtocxXm88\
eYJv8t0N9tusm6Uw\
XaUb7 dJoB7fYTM2\
HMPs7KmNcZDha0md\
EuAWg9iP6x+hEAmN\
0lG89Yt/b+Ffsrif\
d9nZlpOy+0Gzq1Gz\
yB 210mrS31k7a/g\
e4TnDeHpM4ZPbMDH\
W91AWCyQ8GBH8js+\
6bJv51i2/uz2ZC+O\
bAPEsAGwBL2SWZD \
W6uZ/3K25sMOXEsJ\
7U4fB+dZnp3tlkVE\
77j9AGzkbbY65zk0\
uIOBPetMe6qD73d2\
LcyXVx6KB5hd 4vC\
n+P9Z+38BEn9MiB/\
/QMkAAAAASUVORK5\
CYII= \x22\x0a \
height=\x2252.0138\
24\x22\x0a wid\
th=\x2252.591755\x22 /\
>\x0a </g>\x0a <\
path\x0a styl\
e=\x22opacity:1;fil\
l:#e1a184;fill-o\
pacity:1;fill-ru\
le:nonzero;strok\
e:none;stroke-wi\
dth:132.28346252\
;stroke-linecap:\
round;stroke-lin\
ejoin:miter;stro\
ke-miterlimit:4;\
stroke-dasharray\
:none;stroke-das\
hoffset:0;stroke\
-opacity:0.94007\
491\x22\x0a d=\x22m\
2.25,10.5 h 15 \
c 0.4155,0 0.486\
01,0.429142 0.75\
,0.75 l 28.38528\
7,34.5 c 0.26398\
9,0.320858 -0.33\
45,0.75 -0.75,0.\
75 H 2.25 C 1.83\
45,46.5 1.5,46.1\
655 1.5,45.75 v \
-34.5 c 0,-0.415\
5 0.3345,-0.75 0\
.75,-0.75 z\x22\x0a \
id=\x22rect36\x22\x0a\
inkscape:\
connector-curvat\
ure=\x220\x22\x0a s\
odipodi:nodetype\
s=\x22sssssssss\x22 />\
\x0a <rect\x0a \
ry=\x220.75\x22\x0a \
y=\x2215\x22\x0a \
x=\x221.5\x22\x0a \
height=\x2231.49999\
\x22\x0a width=\x22\
44.999989\x22\x0a \
id=\x22rect843\x22\x0a \
style=\x22opa\
city:1;fill:#e1a\
184;fill-opacity\
:1;fill-rule:non\
zero;stroke:none\
;stroke-width:13\
2.28346252;strok\
e-linecap:round;\
stroke-linejoin:\
miter;stroke-mit\
erlimit:4;stroke\
-dasharray:none;\
stroke-dashoffse\
t:0;stroke-opaci\
ty:0.94007491\x22 /\
>\x0a <path\x0a \
style=\x22fill:#\
5c606a;fill-rule\
:evenodd;stroke:\
none;stroke-widt\
h:1px;stroke-lin\
ecap:butt;stroke\
-linejoin:miter;\
stroke-opacity:1\
;fill-opacity:1\x22\
\x0a d=\x22M 1.5\
,25.5 H 18 L 21,\
18 h 25.5 v 28.5\
h -45 z\x22\x0a \
id=\x22path847\x22\x0a \
inkscape:co\
nnector-curvatur\
e=\x220\x22 />\x0a <pa\
th\x0a style=\
\x22fill:none;fill-\
rule:evenodd;str\
oke:#e1a184;stro\
ke-width:2;strok\
e-linecap:butt;s\
troke-linejoin:m\
iter;stroke-mite\
rlimit:4;stroke-\
dasharray:none;s\
troke-opacity:1\x22\
\x0a d=\x22m 19.\
5,36 6,4.5 6,-4.\
5\x22\x0a id=\x22pa\
th913\x22\x0a in\
kscape:connector\
-curvature=\x220\x22\x0a \
sodipodi:n\
odetypes=\x22ccc\x22 /\
>\x0a <path\x0a \
sodipodi:node\
types=\x22ccc\x22\x0a \
inkscape:conn\
ector-curvature=\
\x220\x22\x0a id=\x22p\
ath915\x22\x0a d\
=\x22m 19.5,30 6,4.\
5 6,-4.5\x22\x0a \
style=\x22fill:non\
e;fill-rule:even\
odd;stroke:#e1a1\
84;stroke-width:\
2;stroke-linecap\
:butt;stroke-lin\
ejoin:miter;stro\
ke-miterlimit:4;\
stroke-dasharray\
:none;stroke-opa\
city:0.8365019\x22 \
/>\x0a </g>\x0a</svg>\
\x0a\
\x00\x00\x09\x91\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<!-- Creat\
ed with Inkscape\
(http://www.ink\
scape.org/) -->\x0a\
\x0a<svg\x0a xmlns:d\
c=\x22http://purl.o\
rg/dc/elements/1\
.1/\x22\x0a xmlns:cc\
=\x22http://creativ\
ecommons.org/ns#\
\x22\x0a xmlns:rdf=\x22\
http://www.w3.or\
g/1999/02/22-rdf\
-syntax-ns#\x22\x0a \
xmlns:svg=\x22http:\
//www.w3.org/200\
0/svg\x22\x0a xmlns=\
\x22http://www.w3.o\
rg/2000/svg\x22\x0a \
xmlns:sodipodi=\x22\
http://sodipodi.\
sourceforge.net/\
DTD/sodipodi-0.d\
td\x22\x0a xmlns:ink\
scape=\x22http://ww\
w.inkscape.org/n\
amespaces/inksca\
pe\x22\x0a width=\x2248\
\x22\x0a height=\x2248\x22\
\x0a viewBox=\x220 0\
12.7 12.7\x22\x0a v\
ersion=\x221.1\x22\x0a \
id=\x22svg8\x22\x0a ink\
scape:version=\x220\
.92.3 (2405546, \
2018-03-11)\x22\x0a \
sodipodi:docname\
=\x22application.sv\
g\x22>\x0a <defs\x0a \
id=\x22defs2\x22 />\x0a \
<sodipodi:named\
view\x0a id=\x22ba\
se\x22\x0a pagecol\
or=\x22#ffffff\x22\x0a \
bordercolor=\x22#\
666666\x22\x0a bor\
deropacity=\x221.0\x22\
\x0a inkscape:p\
ageopacity=\x220.0\x22\
\x0a inkscape:p\
ageshadow=\x222\x22\x0a \
inkscape:zoom\
=\x224\x22\x0a inksca\
pe:cx=\x22-30.94265\
5\x22\x0a inkscape\
:cy=\x2221.666059\x22\x0a\
inkscape:do\
cument-units=\x22mm\
\x22\x0a inkscape:\
current-layer=\x22l\
ayer1\x22\x0a show\
grid=\x22true\x22\x0a \
inkscape:window\
-width=\x221360\x22\x0a \
inkscape:wind\
ow-height=\x22717\x22\x0a\
inkscape:wi\
ndow-x=\x220\x22\x0a \
inkscape:window-\
y=\x2225\x22\x0a inks\
cape:window-maxi\
mized=\x221\x22\x0a u\
nits=\x22px\x22>\x0a <\
inkscape:grid\x0a \
type=\x22xygri\
d\x22\x0a id=\x22gr\
id815\x22 />\x0a </so\
dipodi:namedview\
>\x0a <metadata\x0a \
id=\x22metadata5\
\x22>\x0a <rdf:RDF>\
\x0a <cc:Work\x0a\
rdf:abo\
ut=\x22\x22>\x0a <\
dc:format>image/\
svg+xml</dc:form\
at>\x0a <dc:\
type\x0a \
rdf:resource=\x22ht\
tp://purl.org/dc\
/dcmitype/StillI\
mage\x22 />\x0a \
<dc:title></dc:\
title>\x0a </c\
c:Work>\x0a </rd\
f:RDF>\x0a </metad\
ata>\x0a <g\x0a i\
nkscape:label=\x22C\
apa 1\x22\x0a inks\
cape:groupmode=\x22\
layer\x22\x0a id=\x22\
layer1\x22\x0a tra\
nsform=\x22translat\
e(0,-284.3)\x22>\x0a \
<rect\x0a s\
tyle=\x22opacity:1;\
fill:#b9a8a5;fil\
l-opacity:1;fill\
-rule:nonzero;st\
roke:none;stroke\
-width:0.2920553\
4;stroke-linecap\
:round;stroke-li\
nejoin:miter;str\
oke-miterlimit:4\
;stroke-dasharra\
y:none;stroke-da\
shoffset:0;strok\
e-opacity:0.8802\
817\x22\x0a id=\x22\
rect817\x22\x0a \
width=\x228.7312498\
\x22\x0a height=\
\x2211.377084\x22\x0a \
x=\x221.8520833\x22\
\x0a y=\x22285.0\
9375\x22\x0a ry=\
\x220.36506954\x22 />\x0a\
<path\x0a \
style=\x22fill:#ff\
ffff;fill-opacit\
y:0.23529412;fil\
l-rule:evenodd;s\
troke:none;strok\
e-width:0.073013\
83px;stroke-line\
cap:butt;stroke-\
linejoin:miter;s\
troke-opacity:1\x22\
\x0a d=\x22M 2.3\
8125,285.62292 H\
5.0270833 L 2.3\
8125,288.26875 Z\
\x22\x0a id=\x22pat\
h819\x22\x0a ink\
scape:connector-\
curvature=\x220\x22\x0a \
sodipodi:no\
detypes=\x22cccc\x22 /\
>\x0a </g>\x0a</svg>\x0a\
\
\x00\x00\x09b\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<!-- Creat\
ed with Inkscape\
(http://www.ink\
scape.org/) -->\x0a\
\x0a<svg\x0a xmlns:d\
c=\x22http://purl.o\
rg/dc/elements/1\
.1/\x22\x0a xmlns:cc\
=\x22http://creativ\
ecommons.org/ns#\
\x22\x0a xmlns:rdf=\x22\
http://www.w3.or\
g/1999/02/22-rdf\
-syntax-ns#\x22\x0a \
xmlns:svg=\x22http:\
//www.w3.org/200\
0/svg\x22\x0a xmlns=\
\x22http://www.w3.o\
rg/2000/svg\x22\x0a \
xmlns:sodipodi=\x22\
http://sodipodi.\
sourceforge.net/\
DTD/sodipodi-0.d\
td\x22\x0a xmlns:ink\
scape=\x22http://ww\
w.inkscape.org/n\
amespaces/inksca\
pe\x22\x0a width=\x2222\
\x22\x0a height=\x2222\x22\
\x0a viewBox=\x220 0\
5.8208332 5.820\
8335\x22\x0a version\
=\x221.1\x22\x0a id=\x22sv\
g8\x22\x0a inkscape:\
version=\x220.92.1 \
r15371\x22\x0a sodip\
odi:docname=\x22go-\
up.svg\x22>\x0a <defs\
\x0a id=\x22defs2\x22\
/>\x0a <sodipodi:\
namedview\x0a i\
d=\x22base\x22\x0a pa\
gecolor=\x22#ffffff\
\x22\x0a bordercol\
or=\x22#666666\x22\x0a \
borderopacity=\
\x221.0\x22\x0a inksc\
ape:pageopacity=\
\x220.0\x22\x0a inksc\
ape:pageshadow=\x22\
2\x22\x0a inkscape\
:zoom=\x2211.313708\
\x22\x0a inkscape:\
cx=\x22-20.409573\x22\x0a\
inkscape:cy\
=\x2211.549082\x22\x0a \
inkscape:docum\
ent-units=\x22mm\x22\x0a \
inkscape:cur\
rent-layer=\x22laye\
r1\x22\x0a showgri\
d=\x22true\x22\x0a un\
its=\x22px\x22\x0a in\
kscape:window-wi\
dth=\x221920\x22\x0a \
inkscape:window-\
height=\x221040\x22\x0a \
inkscape:wind\
ow-x=\x220\x22\x0a in\
kscape:window-y=\
\x220\x22\x0a inkscap\
e:window-maximiz\
ed=\x221\x22>\x0a <ink\
scape:grid\x0a \
type=\x22xygrid\x22\x0a\
id=\x22grid1\
0\x22 />\x0a </sodipo\
di:namedview>\x0a \
<metadata\x0a i\
d=\x22metadata5\x22>\x0a \
<rdf:RDF>\x0a \
<cc:Work\x0a \
rdf:about=\x22\
\x22>\x0a <dc:f\
ormat>image/svg+\
xml</dc:format>\x0a\
<dc:type\
\x0a rdf:\
resource=\x22http:/\
/purl.org/dc/dcm\
itype/StillImage\
\x22 />\x0a <dc\
:title></dc:titl\
e>\x0a </cc:Wo\
rk>\x0a </rdf:RD\
F>\x0a </metadata>\
\x0a <g\x0a inksc\
ape:label=\x22Capa \
1\x22\x0a inkscape\
:groupmode=\x22laye\
r\x22\x0a id=\x22laye\
r1\x22\x0a transfo\
rm=\x22translate(0,\
-291.17915)\x22>\x0a \
<path\x0a s\
tyle=\x22fill:none;\
stroke:#e5ecef;s\
troke-width:0.80\
000001;stroke-li\
necap:butt;strok\
e-linejoin:miter\
;stroke-miterlim\
it:4;stroke-dash\
array:none;strok\
e-opacity:1\x22\x0a \
d=\x22m 1.32291\
67,294.35416 1.5\
875,-1.85209 1.5\
875,1.85209\x22\x0a \
id=\x22path815\x22\
\x0a inkscape\
:connector-curva\
ture=\x220\x22\x0a \
sodipodi:nodetyp\
es=\x22ccc\x22 />\x0a \
<path\x0a sod\
ipodi:nodetypes=\
\x22ccc\x22\x0a ink\
scape:connector-\
curvature=\x220\x22\x0a \
id=\x22path817\
\x22\x0a d=\x22m 1.\
3229167,295.9416\
5 1.5875,-1.8520\
8 1.5875,1.85208\
\x22\x0a style=\x22\
fill:none;stroke\
:#e5ecef;stroke-\
width:0.80000001\
;stroke-linecap:\
butt;stroke-line\
join:miter;strok\
e-miterlimit:4;s\
troke-dasharray:\
none;stroke-opac\
ity:0.58039218\x22 \
/>\x0a </g>\x0a</svg>\
\x0a\
\x00\x00\x11\x9e\
\x00\
\x00w\xb7x\x9c\xed][o\xdbH\xb2~\xcf\xaf\xe0\
Q\x10 \xc1QS}\xbf(q\x16\xb9`f\xf7`\
vg\xb1\x99\xd9\x03\xcc\xcb\x82\x12)\x9b3\x92(P\
Rl\xe7\xd7o5)\x92M\x8a\x92(\xcb\xb6F\x83\
\xb1\x13X\xec{W}]]U]M\xbd\xfb\xcb\xdd\
l\xea}\x8d\xd2e\x9c\xcc\xafz\xc4\xc7=/\x9a\x8f\
\x930\x9e__\xf5~\xfe\xe9;\xa4{\xder\x15\xcc\
\xc3`\x9a\xcc\xa3\xab\xde<\xe9\xfd\xe5\xfd\x8bw\xff\x83\
\x90\xf7)\x8d\x82U\x14z\xb7\xf1\xea\xc6\xfb\xdb\xfc\xb7\
\xe58XD\xde\xeb\x9b\xd5j1\x1c\x0cnoo\xfd\
x\x93\xe8'\xe9\xf5\xe0\x8d\x87\xd0\xfb\x17/\xde-\xbf\
^\xbf\xf0<\x0f\xfa\x9d/\x87\xe1\xf8\xaa\xb7\xa9\xb0X\
\xa7\xd3\xac`8\x1eD\xd3h\x16\xcdW\xcb\x01\xf1\xc9\
\xa0W\x15\x1fW\xc5\xc7\xb6\xf7\xf8k4Nf\xb3d\
\xbe\xccj\xce\x97/\x9d\xc2i8)K\xdb\xd1\xdc\xb2\
\xac\x101\xc6\x0c0\x1dP\x8a\xa0\x04Z\xde\xcfW\xc1\
\x1d\xaaW\x851\xb6U\xa5\x18\xe3\x01\xe4U%\xbb\x95\
\x1a\xdeM\x81\x14;\x07\x93\xe5\xba\xbd\x03\xf9\x17\xf0\xbf\
\xacP$\xf8\xcbd\x9d\x8e\xa3\x09\xd4\x8c\xfcy\xb4\x1a\
|\xfe\xe9s\x99\x89\xb0\x1f\xaeB\xa7\x99\x82\xfa\xb5~\
k,\x99\x07\xb3h\xb9\x08\xc6\xd1rP\xa4g\xf5o\
\xe3pus\xd5\xe3:{\xba\x89\xe2\xeb\x9bU\xf9\xf8\
5\x8en?&wW=\xeca\x8fk\xf8\xe7c\xfb\
C\xb2\xdc8\xbc\xea\xc1\xdc9e4/]AkS\
`\xd3\xd1\xb0\xcc\xc1\xbe\xa1>\xf7D\x18Hm\xc6\x8c\
\xb0\xbeG11\x08\x13DxV\xa7\x98\xe20L\xc6\
v\xccW\xbd\xf14^\x5c\xa7\xc1\xc8\xb7t~\x0fe\
\xde\x85\xd1di\xcb\xe6C\xb0O0\x06\x9e\xe5A\xee\
8\x99&)Z\xa4\xc9$\x9eFy1\xcf\xcb\x9b\xfa\
\xc7O_>\xa1\x7f}\xff\xb1W$g\xec\x18\xde\xa4\
\x11\xc0g\xb0^\xa6\x83\xe5M\x90F\x83\xac\x89A<\
\x1e\xe7\x9f\xc2AQ\xd1\x87\xb4\xb2\xb2\xed\xbc\xd6\x19\xed\
y\x83\xc3\x83\xf8\xb0XL\xa3\x07\x8d\x22\xabyp\x14\
\xbc\xd3(>%\xb3\x05,\xaa\x11\x0c\xc5.j\xf4!\
LF\xd9\xa8\x10\x02\xa0jt\xfc\xe0l\x03P\xdf\xd6\
\xde?@Y\x0d0\x0d\xc28\x98~o\xff\x80\x0cp\
k\xe49\xb8l\xe5zS\xe6\xe7y\xbc\x82\xa5\xb8^\
F\xe9\x17\x0b\xe7\x1f\xe7?/\xa3\xb2\xd4\x18\xb0\xca\x05\
\xa0\x0ck\xc3d\x95|\x0f\xa0\xd4\xc6\x17\x0aRI\x99\
<i/=i/\x9d^\xf5( [J)\xe4\xd6\
\xb0~J\x83\xf9\x12\x16\xeb\xec\xaa7\x0bVi|\xf7\
\x9aA}\xccM\x84T\x1f\x96+\xc1Tpc?Q\
\xad\x19\x86O\xc4g\x8c\xca,_i\xdfh.\x8d\xec\
k\xf8\xa4 \x99\xbe\xd9\xa0\x19h\xb4\x5c%\x8b\xa2;\
\xcfK&\x93e\x04+\xb4\xa2\x0c\xac\x99\xd5\xfd\x14X\
j\x0b\xa2\x8c\xd2\xc3\xf4z\xf4\x1a\xbf\xeag\xff\xde\xbc\
\xcd2\x12\xa0V\xbc\xba\x1fb\x1f\x96\x9d\xa2\xf2\xad\xd3\
@\xb6\x92\xa1\x90\xa6\x15\x84w\xf7\xec\xd3\xec\xe7\xe1\x03\
\xa0\x8a\x0b\xd2\xde??\xdc?yp\xc7\xed]:p\
\x1c\xd4\xf1\xd8\x11\xa4\xe4rA\x8a\x1c\x94\x96 -1\
\xea@\x141\xe2K-\x0c\x86\x8f\xdcgJ0.\xcf\
\x85Qs^\x8c2\xf2\xec\x18e\xecT\x8c\xd2?\x06\
F\xd16HQ;J\xcf-I\x99<3J\xf5\xb3\
\xa3\x94\xe3SQ\xca.\x17\xa5m\x82\x14\xb5I\xd2b\
\xb3\xa7g\x17\xa4\x9c\x9d\x17\xa2\x5c<?D\xd5!\x88\
\x82\xb6\x1b\x05i\x1bD\xf3\x9cc5\xd2;\x028\x12\
\xc2g\x94aa\xca\xe4{\x9b\xcc\x004UAZ\x15\
\xe4\xbc*\x98%s_v\x05\x22\xf61ULk\xd2\
\xc7\xf6\xd7\xc7\x9ab\x06\x08\x94>\xd4\x17J\xf4)\xf3\
\x09\xa7Z\xf0\xa7\x84\xddn\xae\x0b\xfc\xec\x5c\x17\x8ea\
6\xa83\xb8#\xd7\x8fU\xf1r\xae\xf3\x83\xec\xae\xf3\
\x19\x11\xa93F\xab\xed\xed\xba\x95\xd1\x06\xe4\x87)\xf8\
\x5c<P\x90?B\x13%\x1e\x81\xbf\x04\x03\x959\x03\
\xab\x9d\x08i^\xf5\xa9\xcc9K\x9a\x84\xdf\xc1\xebG\
Y\xe1\xd9 `\x09\x10\xa2\xa4x\xd5g\xc6\x97Xi\
\xce;\x8eA\x9d\xca\xfccu\xa76\xe6\x13\xae}P\
\xe3\x18\xd5\xfb\x11\xa0\xf9\xef\x84\xf3*\xa77\x07\xa6\xb7\
~\xecD{\xf9(k]+\x1f\xf6*\xc2\xf4\xab~\
\xeb\xc7nC9Y\x06Pt\xacz\xb2\x0f\x08\xecq\
p\x00\x9a\x04\xa1\x82\x95\xb2~\xf3\x88\x88\x01\xd5\x85j\
\xa3\xfa\xa0\xc4p\xa9\x99 \xbf\x1fP\xa0\x0e\xba\xf1\xb3\
\xc1\x02\x1d\x94\x0f\x07\x9dT\xe8\x82=\x00\x17\xea\xa6B\
gwT9\xb8y>W\x15:\xd9\xc4\x22\xc8\x5c.\
X/\xd3]\x85\xcelg1\xf28\x02\xf7H\x97\xd5\
\xe9X\xa5h\x1b\x14\x17\x89\xd5Kr[\x9d[\xb22\
}\x06\xb4r\xbb\x87\x9f\xea\xbcB\xfar\xd1z\x91\xee\
\xab.[\xf0\xd3:\xb0P\x87\xb3\x88Gwa!z\
*T\xf1\xd1\xa6\xcc\xef\x13\xaa\x17\xa5\xb1\x9e\xf9@\xc0\
j\xac\xcf\xefp\x05\x95\xf5\xe4\xb3+\x82\xc4\xe5\xa2\xf5\
BU\xd6s\x9f^\x91.j\xc8\xe3\xab\xac\xe6t\x95\
\xf5\x82}\x01\x97\xab\xb2\x9eY\x11\x00\x9d\xf5\xf9O5\
@g=\x19\xae\xec\x0f\xa2\x08\x5c\x90\xcezf\xc9\x0a\
:\xeb\x19\xa0\xaa\xd0\xc9QV\x18\xb4\xfd?\x02T/\
Jg\xed\xa00>\xb1\xce\xfa\xfc\x06\x16\x95\xa7\x1bX\
V}\xb9X\xb0^\xa8\xca\xda!\xe0\xe9\x89U\xd6\xe7\
\xc7*c\xe8`D\xcba\x95\xf5\x82u\x80\x8bUY\
\xcfm`i\xf4\xfca\xac\xa0\xb1\x9e,Y\xd9%\x9f\
_]\xa6\xc6z\xf60\xc1s@U\x1d6\xae\x0e\x05\
\x8c\x149LK\xb9\x8by\xdbC}\x99\xdd\xb0\xc2M\
\xfa\x08\x8am\xd8\x88;\xcd6\xc6\x17\x13\x80>\xf7\xec\
\x87-\xbdZ\x0c\x8e\xd9\x1e\xd2\xb4\x11\xba\xeaM\xb9\x87\
}\x0f\x0a\xaf\xa9\xa8\xa5\xf8q\xd4\x0aq\xd4\xa4\x96\xe6\
\x04\x0b#Y\xdb\x04\xda\xc9\xa5\xf6\x08\xe4\xaeL:\x82\
\x5c\xfa\x10\xb9\xec\xad\xb7\x7f\x06\xab\x1b\x97PE\x9a6\
\xd5B+\xd2\xdae`9\xa1\x85\xd3\x94s1o\x9c\
\xcc\xe7\xd1x\x95\xa4h\xbcN\xbf\x06\xabu\x1am\x13\
h\x91u\xc9\x9dTH\xfc\xbb\xc74\x80\x92\x13\xcal\
\xdc\x19e\x94\x19\xe2\xfd\xdb\x13\x04>k\xed\xddx \
\xec\x8c\x22\x82CbU\xe0\x17\xef\xef\x1e\xe1>\xa1B\
qic\x930HA[\x8d\xfa\x18X&\x85\xf7W\
\x8f(_Qjl\xbdM\xbe\xad%|c(\xc7D\
\xdbZT\x18\x8aY^\x8fJ\x90]\x0a\xea\x81t6\
\x84\x12\x9aW\xdc\x14\xf9\xc5\x9by\x14d\xa8\xd1L)\
je\xac\x22\xd0\xf6W\x8f\xd9\xb6%\xc7\xa6\x1a\xaam\
\x90R_2\x90\xd1yM\x04#g\x0ck\xa5\xa0\xa6\
\xa4\x921]T\xd5\x18\x06[\x9f%\x87N%(\x82\
U\xa704\x92\xc5eI\x18\xd6vE\xad\xb1\xc9+\
2N\x8d\xd8\x90\xc77T\x0a\x01]R\xe1+\x03K\
+#\x90\xf4\xa1\xa2\xb2\xf3\x14@w\x98\x05\xd1\xb6j\
Y\xc4\xf6I$PC` uK\xa7\xbc\x1a\xad\xc8\
kj\xcd5\x15u\x12\xf5q{\x15\xbeU\x05\x15\xbd\
\x01\x00@\xfc+A\x1d\xaa\xeaFg\xda'\x80\x14\x9e\
\xb3\x12h\x0c\xdc\x81\x1d\x8fa_I(\xd2NS[\
\xb1,\xf1\xcb\xb6|\x9f\xc4\xd3\xe9\xf0\xe5$\xfbyk\
\x1f\xdc\xedD\xe4\x02\x13Vh\x9a\xfc\x16\x0d\xe7\xc9<\
\xda|F\xd9\x95\xd7!\x01*\x02\xa7%UE\xba]\
\x87\xb0*\x86i\xb2\x9e\x87n\xe2\xafI<\xaf\xa7\xce\
\xe2U\x94Nc\xf83\xe4EZ\x18\xd8\x9b\x91ip\
_\xeb\xac\x0c?s\x16|\xb1fw,\xf5\xfdK\xba\
M \xd8p\xefj\xad\x8f\xe3t\x5c]\xf7\xcc\x94\x14\
\x82\xdd\xd8\xe3\x8d\xf2\x03k\xa7\x96\x06\x9a\x8f`\xa6\x96\
V\xa34\xf0'lR\x9a\xe4\x8f\xe9z\x1a\x0d\xa3\xaf\
\xd1<\x09C\x97\xe4-\x92\x04\xc6\xca\x9c\xe4U\xa5$\
e\x1f\xa7\xc1*z\x8d@\xac\x80\xee\xae\xde\xec&Z\
\xd7\xed\x04$\x869Msz\x19\x84\xe3qD:D\
\x13rL;h*\x00N\x09\x22r\x7f\x9fr4\x9a\
t\xed\xb3\x93~\x06\xe2\x96bPj\xf7w\x0b\xcbR\
\x86\x1d\xbb=\xf90\xf1%H1:\xc6\xddz;9\
\x8a\xbb\x02\x84\x16'\x02b#r\xea\xe3n\x1d\xb6\xee\
t0\x81%#\x92\x8b\x96\x85w\xa8W\xc0R{\xbf\
\x9d\xeeH\x1a\x01;n]\xa7<\xb1_s\xb2\xa6\xbe\
\xa3;\x96\xdd@\xd0\xaa\xbdWv\x08\x1c \xa4@`\
\xbf\xa8\xf7\x9a_J\x8f\xe7\x90\xb3H@\xee\xc4\xc9\x1c\
\xe5\x05\x97\xc3\xa5{?\xdf\xf6\x94g0\xe2*\xa7\x93\
\xe8\xfb`\xbd\x5c\xc6\xc1\xfc\xe3t\x9d\xba\xb3\x0a?G\
_\xe3\xacE\xfb6\x04\xd5\x04G\xbd\x224\xeaz\xc7\
\xf3\x9e\xf6\xa2\xba\xc5\xc2\x04}n\x1a\xbd\xb6\x9b\xa8\xd0\
RP\xd8\xff\x8d\xe1D\x9a7GZ\xcbvx\x1f\xd7\
\xabU2\xffr\x13\x84\xc9m\x99a\xc3\xd2\x15(i\
\x12\xf6\x88\xca\xd6\xb5\xc1\xeb\x5c\xf8\x9c\x83rU1\xc7\
\x06\xba\x1b\xd8]\x98\x81\x8d\xbc*K\xdc\xb2\xa7-\xc1\
6\xfd\xbbU\xd5V\xa7\xdf7\xdae\x91iM\x99`\
m\x0b\x01z=\xf9\xbaA\x91#0\xd7H\xa3\xa7 \
X\x9b%\x04\x22\x01#\xde-\x08\xf0\x80\xc0\xea\xca#\
+\x85\x90B'_\xfd?f\x8e\x14aD\x0e\x87\xfe\
wg\x92\xc4\x88\x1a\x84\x9f\x09\xd6\xd0\x1fE\xe6\xf4\x10\
\xf4#H&9\xc2\x1a=\x1a\xac\x99\x16d\x17\xb1*\
;Y\xb0\xfd\xc3\x17#\x1d\x06j\x8f\x06Q\xd1}'\
\xa5\x9c\xde\x0e\x00\x9a\x8c\x19\x08\xaf\x0e\xbd\x91\xe7\xdc\x8f\
\x5c\xd0=\xe2\x8eT\xf3\x7f\xd5\xf6\xa4}\xae\x09C\x1c\
\x0fk7\xd7\xc4u}$\xd7`\xb6\xbb\x83+\x5c\x15\
\xd3`\x14M\xa1#0n\xd6\xd3d\x9bQa\xbc\x5c\
L\xc1\xf8\x8a\xe7\x96\xe2o+9m\xb4\xc9~\xde\xe6\
V\x0c\xa1\x920\xd9\xb0b\xda\x0d\x92\x8d\xd7\x96\xf8\x04\
\xac\xdc\xec\x5c\x01~\xab'\xc4}nml.\xfaH\
\x815)\x84\xe4\xbar\xd3ny]\x1a\xe6T\xeb@\
\xf6\xd9\xab\x1cLfAL\xcfm1\xf3\xc4p0\xde\
)\x98\xbb\xb4O\x95\xcfA\x80+\xe5}\xf0\x88\xf1\x15\
5J\xd2~\xf1Ix\xf6=N\xc4\x1a\xfb\xc2PF\
\xfb\x5c\xf9\x84q\xcd\xe9\x9e\xc2\xdc\xd7\x12\xa6\xa6\x8c\xd3\
x\x87\xa6\x95/\x95\xb0\xf7\xb0\xf65\xdd2\xee_j\
\xd3+\x8cFCt=\xfd\x80\x03\xcbY\xec\x83\xeb'\
4\xbb]\xc7n\x8b\xd9\xcd\x88\xab\x1dX\xa3\x9bs\x97\
\x7f\xd6\xe4&dK\x85\xc8\xcdd\xd9b\xab\xe5\xc8\xe1\
<\x18\x8d\xc8C\x0d\xf1m\x80c\x1f4k\xeb\xca\xe3\
\x9b{\x84\xe5#\x12\x94\xf8L\x08jOx\x81\xa5\x92\
(b\x8e\xb7\xca+nM\xa7\xc0\xad\xab^0\xbd\x0d\
\xee\x975\xa26\xac4\x02\x1c?\xc2\x1d\x1b\x8d\xb8\xe2\
\x9d\xf6\x81\x16\x03\x82\xd0=\xdbC\xc7\xde:;\x7f\xa1\
\xb7G\xdcDY\xa5^\xef\xa4\xf2\xc1}\x8f\x99\x03\x94\
j\xa1\x81\x0aGTl\xef\x85\x1dvY\xdev\x86q\
@Mi\xeb\x0d\xbf}\x18\x19\xbb\xd9A\xd6\xdcaB\
\x02\xe4)\xae\xdf\xd9\x06[\xdd\xc7\x02t\xc8\x9a\xb9#\
8\x94e\xb0\x09\xd4\xcc\x1d\x81\xa9\xaf\xc1H\x90{\xa0\
\xce\xec\x8b8\xcaJ\xce\xdb\xd6^>\x84\xd9\xd5\xbb\xdf\
\xf6\xec\xd2\xcc\xbe\x08\xe3\xc8m\xbaE\xbcQ\x89}0\
\xcbYC\xc61N}j8S\x0dI\x07\xb2\x1e\x8c\
?\xacv\x88\xb5u:}\xbd5e\xce\xde\x9c\xeep\
\xac\xc9\xdc6\xf1\xa75\x18\xcdF\xa8\x8d\xf8+\x1f\x11\
lg\x98`\xade\x9f\x1ba5\x09\xa5\xf7H\xbfG\
\xd8Q@\xc1|b\x92\xb7\xcd\x1f\x1b#9\xa8\x92\xe5\
\x0b\x056\x8fH\xfb\x84\x82x\x10\xa4\x8f\x88=\xb1\x96\
Z\xaa7m4f\x5c\xee\xda\xad6\xd2\xf2(.>\
\xf6\x06\xb3gYe;\xcd\xbe\x8d\x88\xf2\xda\x92\x96\xf6\
\xb0Cp\xccj\xcb\x7f\x9b\x01VT\x08M\xed[W\
0\xa9\x8b\x95\xad\xb2\xfbER\xa7%m\xd8\xd1g\x82\
[\x8a7sy\xf8\xe8\x8a7\xa3#\x194\xb5\x96s\
(\xde\xad\x03\xf9S\xf1nW\xbc\x19\xaf\xa7?\x81\xe2\
]\x831?\x1d\xc6\xfcO\x18\xff\x09\xe3\x06\x8c\xf9\xe3\
\xc3\xb8\xbb\x92\x0e\x0a\xffA\xad\x98\xf2mH\xba\x1ap\
$\xed\xefn\xcf\xe0Q\x8e.\xda\xb2Y\xd7\xce`\x84\
\xfd=\xdc\xd9A?Wg\x1a)\xb6\xd3\xc1]9\xd5\
kv\xca\x03\xce\xe5\x8e\xa1\x91\xe2\x0f9\xa7zZ\x1a\
\xe1\x9d\xee\xe5j\xd8x\x7f\x0c\xde\xcb\x09\x98.\xa4i\
\xb7=\x94F\xf8\x00h'\xc03\xbe\xc7\x9d\xfd@\x7f\
i\xc3\xffY\xe9Q]\x1d\xa9\x07\xfd\xa5;\x5c\xa2u\
\xff\xf0\x96K\xf5\xa83<\xabK2\xe93\xa1\x08\xaf\
\xeb\x92\xf5\xd3\xb5\x962\x90*\x99\xaf\x0dsS[\x00\
C\xb4c\xb9\xee1,\xd5\xf1\xaah\x9d!`i\xd8\
\xe0k',\xed~+e\xf3\xa2y\xe2[\x7f\x03\xfc\
\x94\x19\xc5;\xe7\xb7s\x1c>+'\xfe\xec)\xb9\xac\
\x8c\xdc\xc9c\xe1S}<\x8f\xb9\xae1\xd7\x86\xc2Q\
\x1b\xe8T?B\xd55\xee\xc2\xb6g}m\xc4\xec\xe3\
\xae$\xdd\xdc\x06\x0f\xe0n{\x10v\x16H]\x0d\xd4\
\xda\x9d\x06x\xac\x88V\xd5\xc2\x00\x1b\xd5Q\xe1&\xf5\
*\x93\xd6*Up\xb737\xf3\xc8sk\x96\xda\x0e\
\xce\xb6\x8a\x99b\x84\x16\xaf\xd53\xc6\xde\x15\xb0V0\
(g\x82`\x8a\xa5\x8d\xda6\x8a0b\xd8\x9b\x8e\x9e\
\x16\xcb\xa5\x12\x88)\xa8\x1a\x15\xba6+B\xbbB\xb4\
X\x0c\xb5\xc4\xf4\xce\x15\x0a\xf0|_\x7fnd7r\
3\xf2B\xc70\x94\x9d\xa1]mAt\xae\x8d\x0e\xea\
\xe4\xb7(MN\xb1\xd1[\xd6\x82\xc1\xfb\x16\x81\xf5\xb7\
(E\x9cwa\xb6.\x02\xd5\x09(\x9av\xbd\x90U\
Nk\xcf4\xba\x06<\xb4\x07G\xb4\x06R4\xe3.\
\xd0\xb1/\x9a\xdd\x07\xec2(d\x03l\x1b\x18\xd2'\
\x18\x1ev\xde*p\x03(\xd0\x81\xa8\xb1C\xa7\xd6G\
\xe9\x14\x82\xa2\x07\xc4\x15\xb4\x86c\x9c\xa8\x82e;\xb4\
\x0dU%\x98\xd5_\xe2(\xc1\xec!\x0akRcu\
KY\x9a\xc9;\xca\xb4\xc4{e\xb9\xd2\xb8\x1d\xc6O\
\x07\x09\x18\x14\x98\x83\x1b\x93\x14\xc3^\x83\xb9\xb6\xf7\xa5\
\xb2w\x03+\xd2GF\xfb\x18\xf4\x0e\xea\x9e\xf7\x9c\x9f\
P\x94<\x0f\xa1\xaa`T\x0c\xa4P\x07i\xb0\xef\xd2\
\x8f\x84}D\x13\x99\xd1\xbaz\xd2\xd2\x86Jc\xb0k\
\x113\x1c\xe6N\xec;:krF\xd9kj\xa4\xe1\
jT`\x05+\x09+\xb8.g\xb6\xcbZEB\xfa\
\x9c\xd9>\xf6\xd1\x14\xcbn2\xd4\xda\x1fG\xca\xd0}\
[#!\x0e\xab\x1f\xe8\xeb!\x84\xb8\xae\xf0Gw\xf6\
L\x02\x19\xb1\xe3\x9c=\xd4\xde\xe2bX\xe7+\xab|\
\xb2\xc7\xa7\x82\x0bf\x03\x9b\x05\xe3 \xae\x049\xc2\xd9\
\xd3:\x90?\x9d=\xad\xce\x1e\x00\x05\xa9g<\x82\xb7\
\xa7n\xf0\xe4O\x1b\xb0&\xa3_\xa1\xd1\x8f\xf6~@\
<\xbf\xfe\x98\xdcU\xa8\xdem\xa2\xc0\x96\xe6\x86\xf4X\
{\x89b\xfc\xaaZ\x88\xcd\x84\xf2\xab\xb9\xdc\xc4\xe2\xdb\
\xbb\xdc4K\x86\xff\xfb\x01\xff\xf3\x93\x98\x05\x9fG\xbf\
}\xf8\xf5G!\xc6\x8b\xc9w\xf8\xc7\xbf.>\xe8\xd1\
\xe7i,\xc7\x0f\xb1\x8d\x8c\xae\x9f\xdc\xb9\xa6\x11\xb7\x07\
\x1a\xb5\x85x\xd5\xfb\x92}\x81\x19H\x8f\xc5M<v\
i<\x89~\xcc6\xe6fgy*\xac@W\xd5\x8d\
\x96\xeb)\xccz1\xf9\x0f\xe8+\xff\xc9wt;\x1a\
\xa7Lh\xe3*\xdc\xe7\xbb\x06S'\xd1w\xd3$\x09\
\x9b\xfde\x89\xc6\xb8X\x99\xd8\xa4b\x81]\xf5|^\
o\xc6~iV\xb2\x8cWQ\xb3\xa92\xc3\x18\xb6{\
\xf4a\x9a,\x1aQ\xb5\xa0\xa4,\xa24\x00H^\xf5\
\xe2y\x8d\x82\xb4m\xd6\xb5\xe1|\x9cF\xf3\xadYe\
\x89`\xbb8m\xcd\x920\xfb:\xbft\x16Lwt\
\xd1:\xb4\xdd\x5ct\xad\xdfw\x03\xfb\x0dl\xd9\xa7\xf2\
\xcb\xdb\xecw\x8c\x85\xf6\xdb\xe3^\x94#\x1b\x05\xe5\x86\
\xbb\x08\xae\xa3li\xc0\x1e\x93[\x1e\x9b\x8cQ\x92\x86\
QZd\xc9\xec\xa7\x96Ur\xc6~{\xe1\xa6\xedb\
q\xdbV\xcb|\xdc\x9e\xbf\xcc\xa6\x08Vx3\xf3[\
\x92\x80\x0c\xd7\xcddk\xf2R\x906\x98\x98\xd2\xd0\xa8\
2\xa1\x1f{\xbejc#I33L\xc6k\xfb\xbd\
\x86h\x9d\x0b\x89\xc5\xddV\xf5u\x9a\xda\x02\xb0\x0fE\
0\xdd\xecO\xd1\xcc\xf2&\xb9\xbdN-\xd9V\xe9\xba\
\xdb\xce\x96n\xe3\xb9\xd5z\x0a\x0fK\x15@\xd7,\
Q\xbaZp\xe9nn\x16\xb9\xab\x22?\x9aY\xf6\x9c\
yW\xde,\xb8\x8bg\xf1\xb7(\xb4\xda\xf6\x06#e\
\x19;\x93\x02U\xab{\xfb-\x85w\xf76\xad&\xb2\
l\x02\xb7zp\x8e\xb1w\x83m0e\xe9\xb3h\x15\
\x84\xc1*\xa8\x90U\xa4pZ:\x91\xdf\xa5\xe1d\xf8\
\xaf\xcf\xdfUG\xe9\xe3\xe1\xff'\xe9o\xce\xd2\x84\x02\
\xc1(Y\x035\xdcM8\x1c\x0f\xedv\x1e\xac\xde\xc7\
3\xc0\x8b\xfdn\xc7\xff\xbd\x9bM\x01\xe3eF\xad\xb0\
\x9d\x8e\xbb\xd5\xd8fa\xd5g\x8b\xa6\xf5\xeb.\xc3\xf1\
,\xb6\x95\x06_V\xb0\x97\xff\xcdv\xe2,\xeaM\xa3\
\xf1j\x1a\xbd\xcf\xfa\xcc?\x96\xbb\xd3f\x1a\xc5\x22t\
f\xf9nP\x90!{\xban\xb0i\xa3\x10}\x0a\x16\
\x81\xb7\x85\xd5\xeb4Y/r!\x91\xa1\xb0W\xd1\xb6\
\x86\xca\xd6\xbbZ\xd8\x86\x06`\xd8\x9c%-_\xa7\xd0\
\x88\x5c\xd8h2u\xc7\xc2\xf0\xa5\x06Cc\x84;\xeb\
4\xf2I\xef\xe9\xd9\xd4\x5c\xce\x0e\xf1\xd6\xdd\xbd\xb7\x8b\
\x006q\x94\x89\xa0\xa1\x1d\xaf7\x0b\xd2\xdf`\x17\xf7\
\xf2\x925 [\x15\x04\x80\xec\x9ccZ!\xc2|\xce\
%\xa7u\xf7\x19\xacC\xedk\xc7\x8b\x9ef\x12\xa5\xba\
YUS\x0aw\x90\xb1\xddw\xb3[5|\xa6\xeb\x8e\
\xc5\xa83\xa53\x9b\xbe\xa2R\x82\x86\xc89\xe1`\x91\
\x80\xd2I\xb1\xfd\x97\xffn\x0a\x08i\xb5\xc2\xbcH\xa3\
\x84\xd3\xc6\x8e\x12\xbc,\xd1\xa1\x8dr\x1c\xdf\xec\x9d[\
\xd0<\xb9\xf7\x83GM\xf9\x97\xda\xbf\x90^\xfc\x85\xf4\
\xac\xa4\xf0\xa8\x84\x14\xc6\xf2\xbf\x90\x0dj\xeb\x0f\x9b\xf4\
o^9\xef\x1d\x8b\xc5Y+M\xd0\x98\xf2\xf6T\xa6\
\x86\xbe\xb3\xc2\xe7\xfd\x8b\xff\x02\x94\xc9\xd08\
\x00\x00f\x01\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<!-- Creat\
ed with Inkscape\
(http://www.ink\
scape.org/) -->\x0a\
\x0a<svg\x0a xmlns:d\
c=\x22http://purl.o\
rg/dc/elements/1\
.1/\x22\x0a xmlns:cc\
=\x22http://creativ\
ecommons.org/ns#\
\x22\x0a xmlns:rdf=\x22\
http://www.w3.or\
g/1999/02/22-rdf\
-syntax-ns#\x22\x0a \
xmlns:svg=\x22http:\
//www.w3.org/200\
0/svg\x22\x0a xmlns=\
\x22http://www.w3.o\
rg/2000/svg\x22\x0a \
xmlns:xlink=\x22htt\
p://www.w3.org/1\
999/xlink\x22\x0a xm\
lns:sodipodi=\x22ht\
tp://sodipodi.so\
urceforge.net/DT\
D/sodipodi-0.dtd\
\x22\x0a xmlns:inksc\
ape=\x22http://www.\
inkscape.org/nam\
espaces/inkscape\
\x22\x0a width=\x2248\x22\x0a\
height=\x2248\x22\x0a \
id=\x22svg3903\x22\x0a \
version=\x221.1\x22\x0a\
inkscape:vers\
ion=\x220.92.2 (5c3\
e80d, 2017-08-06\
)\x22\x0a sodipodi:d\
ocname=\x22system-s\
hutdown.svg\x22>\x0a \
<defs\x0a id=\x22d\
efs3905\x22>\x0a <l\
inearGradient\x0a \
id=\x22linearG\
radient3866\x22>\x0a \
<stop\x0a \
id=\x22stop3868\x22\
\x0a offset\
=\x220\x22\x0a st\
yle=\x22stop-color:\
#000000;stop-opa\
city:0.52083331\x22\
/>\x0a <stop\x0a\
id=\x22sto\
p3870\x22\x0a \
offset=\x221\x22\x0a \
style=\x22stop-\
color:#2883c3;st\
op-opacity:0;\x22 /\
>\x0a </linearGr\
adient>\x0a <lin\
earGradient\x0a \
id=\x22linearGra\
dient3874\x22>\x0a \
<stop\x0a \
id=\x22stop3876\x22\x0a \
offset=\x22\
0\x22\x0a styl\
e=\x22stop-color:#0\
00d0e;stop-opaci\
ty:0.84105963;\x22 \
/>\x0a <stop\x0a \
id=\x22stop\
3878\x22\x0a o\
ffset=\x221\x22\x0a \
style=\x22stop-c\
olor:#000000;sto\
p-opacity:0;\x22 />\
\x0a </linearGra\
dient>\x0a <clip\
Path\x0a clip\
PathUnits=\x22userS\
paceOnUse\x22\x0a \
id=\x22clipPath89\
2\x22>\x0a <path\x0a\
style=\x22\
fill:#ffffff;fil\
l-opacity:0.2552\
0833;stroke:none\
;stroke-width:1.\
52630627;stroke-\
linecap:round;st\
roke-linejoin:ro\
und;stroke-miter\
limit:4;stroke-d\
asharray:none;st\
roke-opacity:1\x22\x0a\
d=\x22M 38\
.524123,20.23239\
1 V 51.2388 h 3.\
597154 V 20.2323\
91 Z M 14.125746\
,21.0025 V 52.01\
0565 H 17.7229 V\
21.0025 Z M 5.9\
924018,21.259203\
V 52.267267 H 9\
.591212 V 21.259\
203 Z m 24.39837\
72,1.37129 v 31.\
006409 h 3.59715\
3 V 22.630493 Z \
m -20.330877,1.6\
26338 v 31.00806\
5 h 3.597154 V 2\
4.256831 Z m 24.\
396721,0.08612 v\
31.008065 h 3.5\
98809 V 24.34295\
1 Z M 1.9265577,\
25.798705 V 56.8\
0677 H 5.5237118\
V 25.798705 Z m\
16.2650323,0.08\
612 v 31.008064 \
h 3.597155 V 25.\
884825 Z m 24.39\
8377,0 v 31.0080\
64 h 3.597154 V \
25.884825 Z m -1\
6.265033,2.22752\
v 31.006408 h 3\
.597155 V 28.112\
345 Z M 22.25909\
,30.76715 v 31.0\
08065 h 3.597155\
V 30.76715 Z\x22\x0a \
id=\x22path\
894\x22\x0a in\
kscape:connector\
-curvature=\x220\x22 /\
>\x0a </clipPath\
>\x0a <clipPath\x0a\
id=\x22clipP\
ath3881\x22\x0a \
clipPathUnits=\x22u\
serSpaceOnUse\x22>\x0a\
<path\x0a \
transform=\x22\
translate(-412,-\
17)\x22\x0a d=\
\x22m 643,152.5 a 1\
03.5,103.5 0 1 1\
-207,0 103.5,10\
3.5 0 1 1 207,0 \
z\x22\x0a sodi\
podi:ry=\x22103.5\x22\x0a\
sodipod\
i:rx=\x22103.5\x22\x0a \
sodipodi:c\
y=\x22152.5\x22\x0a \
sodipodi:cx=\x22\
539.5\x22\x0a \
id=\x22path3883\x22\x0a \
style=\x22fi\
ll:#008dff;fill-\
opacity:1;fill-r\
ule:evenodd;stro\
ke:none\x22\x0a \
sodipodi:type=\
\x22arc\x22 />\x0a </c\
lipPath>\x0a <li\
nearGradient\x0a \
id=\x22linearGr\
adient4019\x22>\x0a \
<stop\x0a \
id=\x22stop4021\x22\x0a\
style=\x22\
stop-color:#adcc\
e1;stop-opacity:\
1;\x22\x0a off\
set=\x220\x22 />\x0a \
<stop\x0a \
id=\x22stop4023\x22\x0a \
style=\x22st\
op-color:#6bbfe1\
;stop-opacity:1;\
\x22\x0a offse\
t=\x220.26238\x22 />\x0a \
<stop\x0a \
id=\x22stop4025\
\x22\x0a style\
=\x22stop-color:#25\
96d1;stop-opacit\
y:1;\x22\x0a o\
ffset=\x220.7462090\
8\x22 />\x0a <sto\
p\x0a id=\x22s\
top4027\x22\x0a \
style=\x22stop-co\
lor:#2372c0;stop\
-opacity:1;\x22\x0a \
offset=\x221\x22\
/>\x0a </linear\
Gradient>\x0a <l\
inearGradient\x0a \
id=\x22linearG\
radient4085\x22>\x0a \
<stop\x0a \
id=\x22stop4087\x22\
\x0a style=\
\x22stop-color:#fff\
fff;stop-opacity\
:1\x22\x0a off\
set=\x220\x22 />\x0a \
<stop\x0a \
id=\x22stop4089\x22\x0a \
style=\x22st\
op-color:#ffffff\
;stop-opacity:0.\
2\x22\x0a offs\
et=\x220.06316455\x22 \
/>\x0a <stop\x0a \
id=\x22stop\
4091\x22\x0a s\
tyle=\x22stop-color\
:#ffffff;stop-op\
acity:0.2\x22\x0a \
offset=\x220.95\
056331\x22 />\x0a \
<stop\x0a \
id=\x22stop4093\x22\x0a \
style=\x22st\
op-color:#ffffff\
;stop-opacity:0.\
39215687\x22\x0a \
offset=\x221\x22 />\
\x0a </linearGra\
dient>\x0a <filt\
er\x0a color-\
interpolation-fi\
lters=\x22sRGB\x22\x0a \
id=\x22filter31\
74\x22>\x0a <feGa\
ussianBlur\x0a \
id=\x22feGaussi\
anBlur3176\x22\x0a \
stdDeviatio\
n=\x221.71\x22 />\x0a \
</filter>\x0a <l\
inearGradient\x0a \
x1=\x2245.4477\
27\x22\x0a y1=\x229\
2.539597\x22\x0a \
x2=\x2245.447727\x22\x0a\
y2=\x227.016\
5396\x22\x0a id=\
\x22ButtonShadow\x22\x0a \
gradientUn\
its=\x22userSpaceOn\
Use\x22\x0a grad\
ientTransform=\x22s\
cale(1.0058652,0\
.994169)\x22>\x0a \
<stop\x0a \
id=\x22stop3750\x22\x0a \
style=\x22st\
op-color:#000000\
;stop-opacity:1\x22\
\x0a offset\
=\x220\x22 />\x0a <s\
top\x0a id=\
\x22stop3752\x22\x0a \
style=\x22stop-\
color:#000000;st\
op-opacity:0.588\
23532\x22\x0a \
offset=\x221\x22 />\x0a \
</linearGradie\
nt>\x0a <linearG\
radient\x0a i\
d=\x22linearGradien\
t5048-8-7\x22>\x0a \
<stop\x0a \
id=\x22stop5050-4-\
2\x22\x0a styl\
e=\x22stop-color:#0\
00000;stop-opaci\
ty:0\x22\x0a o\
ffset=\x220\x22 />\x0a \
<stop\x0a \
id=\x22stop5056-7\
-4\x22\x0a sty\
le=\x22stop-color:#\
000000;stop-opac\
ity:1\x22\x0a \
offset=\x220.5\x22 />\x0a\
<stop\x0a \
id=\x22stop505\
2-0-1-7\x22\x0a \
style=\x22stop-co\
lor:#000000;stop\
-opacity:0\x22\x0a \
offset=\x221\x22 \
/>\x0a </linearG\
radient>\x0a <li\
nearGradient\x0a \
id=\x22linearGr\
adient5060-29-0\x22\
>\x0a <stop\x0a \
id=\x22stop5\
062-9-7\x22\x0a \
style=\x22stop-co\
lor:#000000;stop\
-opacity:1\x22\x0a \
offset=\x220\x22 \
/>\x0a <stop\x0a \
id=\x22stop\
5064-08-2\x22\x0a \
style=\x22stop-\
color:#000000;st\
op-opacity:0\x22\x0a \
offset=\x221\
\x22 />\x0a </linea\
rGradient>\x0a <\
linearGradient\x0a \
id=\x22linear\
Gradient3851\x22>\x0a \
<stop\x0a \
offset=\x220\x22\x0a \
style=\x22s\
top-color:#5b8da\
7;stop-opacity:1\
;\x22\x0a id=\x22\
stop3853\x22 />\x0a \
<stop\x0a \
offset=\x221\x22\x0a \
style=\x22sto\
p-color:#1c3447;\
stop-opacity:1;\x22\
\x0a id=\x22st\
op3855\x22 />\x0a <\
/linearGradient>\
\x0a <filter\x0a \
color-interp\
olation-filters=\
\x22sRGB\x22\x0a id\
=\x22filter3174-0\x22>\
\x0a <feGaussi\
anBlur\x0a \
id=\x22feGaussianBl\
ur3176-9\x22\x0a \
stdDeviation=\
\x221.71\x22 />\x0a </\
filter>\x0a <lin\
earGradient\x0a \
inkscape:coll\
ect=\x22always\x22\x0a \
xlink:href=\x22\
#ButtonShadow\x22\x0a \
id=\x22linear\
Gradient952\x22\x0a \
gradientUnit\
s=\x22userSpaceOnUs\
e\x22\x0a gradie\
ntTransform=\x22sca\
le(1.0058652,0.9\
94169)\x22\x0a x\
1=\x2245.447727\x22\x0a \
y1=\x2292.5395\
97\x22\x0a x2=\x224\
5.447727\x22\x0a \
y2=\x227.0165396\x22 \
/>\x0a <linearGr\
adient\x0a in\
kscape:collect=\x22\
always\x22\x0a x\
link:href=\x22#Butt\
onShadow\x22\x0a \
id=\x22linearGradi\
ent954\x22\x0a g\
radientUnits=\x22us\
erSpaceOnUse\x22\x0a \
gradientTra\
nsform=\x22scale(1.\
0058652,0.994169\
)\x22\x0a x1=\x2245\
.447727\x22\x0a \
y1=\x2292.539597\x22\x0a \
x2=\x2245.447\
727\x22\x0a y2=\x22\
7.0165396\x22 />\x0a \
<clipPath\x0a \
clipPathUnits\
=\x22userSpaceOnUse\
\x22\x0a id=\x22cli\
pPath916\x22>\x0a \
<g\x0a tra\
nsform=\x22matrix(1\
.1503549,0,0,1.1\
503549,-4.486124\
5,-7.5255648)\x22\x0a \
style=\x22d\
isplay:inline;op\
acity:0.98999999\
;fill:#126136;fi\
ll-opacity:1\x22\x0a \
inkscape:\
label=\x22circulo\x22\x0a\
id=\x22g92\
0\x22>\x0a <pat\
h\x0a ink\
scape:connector-\
curvature=\x220\x22\x0a \
id=\x22pat\
h918\x22\x0a \
d=\x22M 44.322082,\
27.405077 A 19.7\
29762,19.729765 \
0 0 1 24.59232,4\
7.134842 19.7297\
62,19.729765 0 0\
1 4.8625579,27.\
405077 19.729762\
,19.729765 0 0 1\
24.59232,7.6753\
138 19.729762,19\
.729765 0 0 1 44\
.322082,27.40507\
7 Z\x22\x0a \
style=\x22fill:#126\
136;fill-opacity\
:1;stroke:none;s\
troke-width:1.49\
09519\x22 />\x0a \
</g>\x0a </clipP\
ath>\x0a </defs>\x0a \
<sodipodi:named\
view\x0a id=\x22ba\
se\x22\x0a pagecol\
or=\x22#ffffff\x22\x0a \
bordercolor=\x22#\
666666\x22\x0a bor\
deropacity=\x221.0\x22\
\x0a inkscape:p\
ageopacity=\x220.0\x22\
\x0a inkscape:p\
ageshadow=\x222\x22\x0a \
inkscape:zoom\
=\x227.0000002\x22\x0a \
inkscape:cx=\x222\
3.486238\x22\x0a i\
nkscape:cy=\x2235.7\
28796\x22\x0a inks\
cape:current-lay\
er=\x22layer1\x22\x0a \
showgrid=\x22true\x22\
\x0a inkscape:g\
rid-bbox=\x22true\x22\x0a\
inkscape:do\
cument-units=\x22px\
\x22\x0a inkscape:\
window-width=\x2213\
60\x22\x0a inkscap\
e:window-height=\
\x22718\x22\x0a inksc\
ape:window-x=\x220\x22\
\x0a inkscape:w\
indow-y=\x2224\x22\x0a \
inkscape:windo\
w-maximized=\x221\x22>\
\x0a <inkscape:g\
rid\x0a type=\
\x22xygrid\x22\x0a \
id=\x22grid831\x22\x0a \
spacingx=\x220.\
3\x22\x0a spacin\
gy=\x220.3\x22 />\x0a </\
sodipodi:namedvi\
ew>\x0a <metadata\x0a\
id=\x22metadat\
a3908\x22>\x0a <rdf\
:RDF>\x0a <cc:\
Work\x0a rd\
f:about=\x22\x22>\x0a \
<dc:format>i\
mage/svg+xml</dc\
:format>\x0a \
<dc:type\x0a \
rdf:resourc\
e=\x22http://purl.o\
rg/dc/dcmitype/S\
tillImage\x22 />\x0a \
<dc:title>\
</dc:title>\x0a \
</cc:Work>\x0a \
</rdf:RDF>\x0a </\
metadata>\x0a <g\x0a \
id=\x22layer1\x22\x0a\
inkscape:la\
bel=\x22Layer 1\x22\x0a \
inkscape:grou\
pmode=\x22layer\x22>\x0a \
<g\x0a id=\
\x22layer1-2\x22\x0a \
inkscape:label\
=\x22Layer 1\x22\x0a \
style=\x22display\
:none\x22\x0a tr\
ansform=\x22matrix(\
10.589787,0,0,10\
.589787,-6.89810\
11,-467.83874)\x22>\
\x0a <image\x0a \
y=\x22-0.078\
223988\x22\x0a \
x=\x22-2.1485453\x22\x0a\
id=\x22ima\
ge3001\x22\x0a \
xlink:href=\x22dat\
a:image/png;base\
64,iVBORw0KGgoAA\
AANSUhEUgAAAFsAA\
ABaCAIAAABYCL1rA\
AAAA3NCSVQICAjb4\
U/gAAAgAElEQVR4 \
nN28aaxl2XUe9q21\
9j7Dnd78auqauqu6\
u3pgT2STFMlwkElR\
lBwNSWQgiGzZzmAj\
QuxYERwhiGVH TuA\
kcggoVhQhCZwYcGI\
b8RAkEQxrICOJM0W\
ym80mu3qu7q7xzXc\
65+y918qPc++rV93\
VZLEfHQHZ uLj16t\
x7zzn7O2uvvda3vr\
3pEz/1b+BwLSEREZ\
EAMKX942Q2+4MIUA\
CAmhmRHPjW926kRk\
REBMDm 5wTwdidhu\
/3xW85JN3988JwA3\
G3PeeBv/d6nn5+Xi\
ITIzGBsZgABACkAa\
i9KsDu+6ZvtDrDY/\
+wO oW7v9rYf3RaR\
76vp/tMzM5rfErXQ\
HGwtNO/oGu2p9vtg\
t1jfrd/8fs55W1C+\
JyKtvbzVUm4eEZBB\
W0CMjN50HXuHKBy\
4lBGgeDMoM9Df5lH\
fSXvzMwNw6wB5h41\
4/+xvN8T2jxtg9H0\
NmdsZwuxct+uP mX\
1fTuqt7fCjZn+8gI\
gIRCADVGejiW61kZ\
k/+X5AaW1hdrb2fQ\
7H/mhqv6P0/Z35tu\
3QiJCpJoI6 YzFh1\
qSmqqTKzDMbJFLAW\
mAMIDUw2fzI97wCk\
xKRGpExGRnYTM3MF\
KSEduBIJAJIiQ5p9\
rdF5E7m l/3rJuVa\
q2q1XG1G1XQ6Fc/s\
oaqeheBMikmVyuWl\
reG2FxAZg5VUiIwA\
8P7cNPcLOn/kBkCN\
xPF4 NFnodiilVE8\
zEg0xZ2iqktYxTSX\
PuOyA8yl5U2YVsrc\
da+8Mke+jKeCcV6e\
725tLefkTP/7JhUE\
e w/ClF59//eVXh+\
NxrQ3gJntbnSIPGn\
2W1XVDEDUYE1pXDA\
bDtEUFRgRTA8EMwG\
g0GXS6PtXUTPup l\
qRL3e6JI+unTh8bL\
PZRyOe++tVnL12uG\
S7vRPCdRwz/UhABZ\
G9UL5S9zhKWu9npE\
wtF2M2leuLd 9+yc\
6G/sjr/w7Csv7+w0\
wY9D6fqL4zo5y0hB\
4NapGIGMrY3oiIQ4\
qZGxEdgMQJeZx1MX\
hzS+8fCp 9fc99MB\
at3P82NHd8Vg9Tb3\
/agwlfEJRxSw26h0\
D8Z33554LDx4GDyP\
4vKyrisJ0kPPj950\
6vVJM 3nh53dmJQV\
lYevdjjzBhY3tHmV\
2nOxxNCu8ZPAu8qH\
WTM+8rjP3Jm2BEJD\
Bqpn2ERR3/2Hse/O\
kP PX48s45N89TEU\
A0WFqtoL776xl5F0\
+gi5VnRRWpoHiW9g\
3bY2ZcN9WiSi+S5q\
5vReLy7vrx84sj6 \
3vZWGI0WM8lGW594\
9IF/56d+dNmqybVX\
j652CcGoMQ7GARRA\
gTiyJFAAJaWUqFEO\
JskkEaoOT2V8 9ce\
ffPATD59zm290wt5\
CxzVWB0erZ+8Gssk\
w1MOpxWQa63p82B4\
d8vcAvFCeuRjCaDS\
qqqZOtvzw E36wsh\
utURPVuL2xxvGnP/\
zeM8vl6MbrrAFmsA\
RLBGUQwxhGpoCSJd\
LEpkTGpqx1noZ/+l\
/92BPn T2TNcOC5q\
afDqtlu9Oh9D2Htx\
LW9emccxBW9spfnG\
QsO6Ud+EBEaEZKSm\
pP86o295y9vY/30s\
Q/8 ia1s0PSXx010\
mo44uW+5/8TdJxY4\
eTM2IWVSRiJLLQ4g\
Y0qEiPaIQKBEsXnf\
A6eO91CmSRjtsXjL\
F3a5u3zfo+VdF65\
uNy9cH25NtTbaG4+\
aauLksN05LCJKcHk\
WQQpRc5eubF7ZHI9\
vDNFdfOBDH74y Hn\
OR9YpcpuMVRw+fPL\
FgsUQorCmsybXOUu\
Pj1IWJC5MsVV4rl6\
Y+NZnVXuvM6jxWF4\
6sHClEUiWZ jJNW7\
I6fuW/t7oe4WHr+0\
vVLG9ub0ynlZVaWX\
hzFw3bpsIgYuEo0T\
oiSB/jnX3ptEuxbL\
7wUzbDY e/h9jyeP\
7b2tphpLXR/tdNbz\
jEebrtrKw24R94q4\
VcStTtjqxm1f38iq\
G1l1I282ijjsYVKm\
UTbd uf/IEdkbqWp\
tthui6y12LzwKda9\
ffHVvY+upbz3TW1t\
unEyixRqZ+QPe+Z2\
0H0AU77OM4LUeKws\
T /fbv/+FP/MlPfO\
vbzz7y6L1yZO34+b\
NvfOkrFrkoi7wal8\
Ote/tL5aC/srKytL\
zQ6XREhNQSEpFM q\
0pVg6bXL79x8fkXJ\
5PJ0UKqy5fuOro8p\
TiK6PR6a+96FOLqz\
a3Lly9/5jOf4dxPY\
mNOSDiXDGrg Q4Uk\
dEjGSAlNImj0SINM\
dLSXofngE+96+NyJ\
rkzvWe+vOKpef40m\
0aKiGGyPJq4owcTM\
gKqqmTER oM5lSbU\
KjcKKTsdl+c7Ozva\
VN04tdjuFREeb0+r\
sg4+iv/7y67vXhuG\
pl17/Pz7z2c6xo5O\
kiT3M eypDE8mZ0T\
tH5LDxCAFEycGECc\
C0qhb63Y3Lr3UFp1\
YGrhptvPxCQeZSyh\
hxMl7qd3wzKSwUsc\
61 zlPT1dix2LHA0\
2GBMPDcJfWxkmrco\
7S20O1lknkWxyAaT\
usXXr5USfHC1Y0/e\
Orpyon63JyAqQ3x \
kiU6nHM9LCKACsXc\
S1LEmMqy0zSVR9p4\
/dVOau5eW+2a9Zxo\
aLwXbylMR226ygDD\
yAwWVWPUmBdZ VVc\
xBO8dCYUYAStLP54\
OJ+MdaxonxOyjy37\
nq1//na9/83owWVw\
Z1xEkBIKpIrHM47t\
32g49+5Kp 2biams\
H5IqjEJM7n0/Hk9P\
qxHvlcabozNrPQNO\
h69pQX4sUMQVMwjU\
TmveSFrybjMvfd0q\
dYNfU0 81QWLsXY7\
fYyX/TLkqo6j6GAQ\
dNotNddWhrVqpzVi\
dQExgSlQ9MBh559Q\
ZpnQTy5jpPutI4uy\
7f3 dt/18IN3HVnT\
0ThvaFAMyrzfKCZN\
CLmvY7AUheAdec/C\
hBhTXRVlYZpCaJip\
yBw01fU0xhgqOC3S\
JHbzDocmT/FnPvn\
JvjgfiRMbCkMnaWb\
qkBwiyA7VKZ6/5h3\
8vr0011XM806INq2\
aXtnTGDJKH/vg ky\
Un0cbBkHQymnT6g8\
SImpi5nR0VhpZ5E4\
gINO6ztqrJoMzsnG\
PAOSdlF2ZWh0zj3t\
XLP/vTP739 2mv9z\
FuIANQAbv0HgXTfU\
JRuvt6+3dJruef+d\
7VJF1GimySOAUb7L\
yMQzIycRE0KE2YAD\
DKzjLJQ pSzrNdVU\
tHrs/Imf+fh7O9Vm\
X8eZNgJiL4kMrMyK\
FLw5EIPImHRGsykM\
xE7V1ABycI6YjIxg\
KdZk UXIJ04kSQ3L\
4Tt5bqBVXN7akLCb\
VNCszZoRYiwgURCC\
GMgwzLpaI5sWBGa0\
3I+OgSmYEIyYwYC0\
i 87LBvIigNPvNnB\
OcUXra5qMiMzIHMy\
pxUjfkfUT81Mc/8s\
QDp1elWkijrlYlmZ\
AA5PN8Mh7GMOnk G\
ZQBUtKWY7Q2AW4fC\
ojFt6RkShGkIpyXR\
ZyOHan4jMXDZ7W5i\
dri8VPrp04/dfH5r\
NOrYj2pK+dE mKHt\
aa29P6XWkRNa5uGg\
1yW05mQEAhuIzXh2\
W60xgKw9xb6dgG0+\
pswspdT+oaoJZgQl\
DU67671d HX/yJz9\
15NSRF198nlNaLPs\
+kofUk2mom3o86ff\
6HecoKSyaRbJIFsi\
CIQFkkKQMOErmCbn\
jTuZy dhzj3vVrTg\
iGpp6mlMAcySTzdY\
pvXLv6p//sn5PMd3\
sDnxVld9DEZGBTMi\
VVmJmA2G6hqW/HZt\
48 dNAJ8Xd3tEREO\
uN7zcw5Z0wRFil96\
4Xv/Jt//s/0jixtj\
PfK5aXAbmNvnPeXh\
pMYs0KzksrOeFIT \
8lDHRKyshEiIBBWY\
EhTM7JgcESFGNLXV\
IYZQN5p3B1T0kuRR\
iilJLXnMsokyl91K\
8dWvf+Pf+jM/ l0A\
uL3ZH4xC1fboK43Z\
0EDHN6LjbNZ7BYcy\
AEcu5+x+keU1F0XK\
fMwPGrbUQJjJAvFN\
VEIlzIcZo qQrNz/\
/lv/TaxubuZHJj4/\
ojD96fpzDa3pqMJ5\
SXwRWWFXt1k2U5K7\
z3AaZsgiikDBDI2I\
O8JuJ2 /JpCFUzsc\
i66DXc2JjG4Uovej\
TptBKTuSlUO+ifPv\
XBtcyfosy++/COf+\
tRT3/ym91IWHU1xP\
69h EAuzwVT5YLYz\
HzxGaEtKZDxjrc7d\
/8CMyZqVDqi9ybcG\
Oi0X7FiiJgOiaR1D\
rz/48Mc+BpfXJLWq\
ePf8xe/86z/5k+f\
uObe0dmzp7Hku+0O\
VyihCqioEUPJOWR2\
SmBG1FLFXMIFVE2s\
kL8hy8m5ibk/9 Dn\
VosMa9ZV5cu+tdTx\
556PG1Bx9fPnP+8i\
T843/xe6snz0xCGk\
+nH/vYR//wc59LTe\
OYiXn/znle crxt+\
kdoJw5mEIxBJucuX\
ABanzrzqzxDaAYN6\
CYuLTccVZU4xJTlx\
b0PPrB29K7tcZ1c0\
ZD4vPP6 G1e/8MUv\
feDDH8sWlofBBnff\
Nzhzz/LZc8GEuv3N\
yTg6MUCQHJShMFY4\
M3Y+U03QCEIk2ou2\
h2LP LZanH1678O6\
Fh55wgyO8dHTse7v\
IvvLia7/4K3/r2H0\
PBsk4z4bjyY0b1z7\
1qR/51jNPa4KQELG\
p AcatvdubLP7Ak7\
5Jb1KLyAOYTUxGt/\
mR7VuKc85UiTmZGn\
OADlaX3/2+H9oYV9\
Lrj5oYldVoZXll b\
zj6/c9/8T0f+jD3F\
narZL78v/7F7z36Q\
x/onT3dmG3u7hHIw\
5ypM4XBIGqkKZGQe\
AlMu1EnWb9/ 5sKJ\
R943uOeRL118dRoR\
Ov2xzye+c/H61i/8\
jV85+/Dj0luo1XYn\
416/18S6UxZN3Wxt\
bjLzrMpl YJoXod8\
WkdYkZPbPuQsPtAf\
JaF4NapG1NyHSVnf\
VCN4bi3n3yR/7sc3\
pZCuEWjy5LKkyS+a\
zLMuq lH73//n8kx\
/6cNFfniTeHI3+5q\
c/fe8jD9/z+BNF1t\
m4dg2hKhheY6obBn\
nnjYy8JNKR0jTv6f\
Lx o09+ZMfK/+I3/\
u7LG3s//Cd/osmKy\
mUXL1/+D//aXz95/\
wO91fXd6USKouh2W\
MQIW1ubZ86cvX79 \
RgyRSVIMZZ5rMjIT\
J4YEmBLt1+vJGERt\
2XUW6ZLJPRceaDFq\
LYX25+y3IMLEIYai\
29va3kXmzpw7 t3r\
i+E5oxkyBWdUYYGI\
hJse+6F7Z2vj608+\
858n3NzHeff7eyPT\
X/vNfqav6A+//4FJ\
/8eqrL3Uc oZoWvS\
5FS5oizBXZXhO1O6\
g6i2d++Md+/yvP/t\
W/9en7Hn3Pz/zsz2\
6ORr7fuXjplf/gl3\
7p7H0X Vo4dm6YUD\
OK9mrZBZLTovT925\
Ogbr7+RknaKMsXgW\
FIMxG2Mtj9GZn0mg\
DDXNLTQfOKn/jXMY\
SLl WZ1tNvUApGwz\
cOo6FJ1ybzIdrC5f\
3tr8ub/4F1649Ip1\
y8pl0eATMhYyKBIJ\
fOYspEsXL3YS//Jf\
/UWbjhYHpaGud3e\
W2S9ouP5Hnx298I0\
jPO1oRWopmRTdrar\
KVo/scnniyY+MiuV\
xsRbyvplN62px de\
Ubzz7zc//uv/2hT3\
w87y0M60byTjL4PA\
shOObMcaibXpbdtb\
r+tc99fuvGBjWhK4\
6S5t5Nqqnz bIASt\
z6CbWYXczJlFnnwm\
wJ+ujV2BaDz2N57v\
7u72+/3b2xuve+DH\
9obT7gogoGZPZMXY\
lFQjNbU GicxaubW\
Tp50ve4v/fIvd/qD\
ahqqcSNcbI2aUdD1\
+x6amDPfrRpoNBFq\
mqa7sDhq0pQEq0cr\
ykbw o5Aai2WvePa\
5Z/7Cv/8XP/Sxjww\
WF8bV1HsRIeeEDAx\
iZrAzx9Fw5cb18w8\
9VNW1y7M6RJf5OjR\
Z luHtZUnzpoAy2j\
AENM9kuK0StCZic1\
sxgojkeV41jc+zk6\
fPbO0NzXuf5YjJJR\
MYVMHKns1RsLRX T\
ajMl08czXq9T//6r\
xtxRnlsLCs65jJkZ\
W/1yLgxX/bZZyAXz\
cbTZhLt1PkHrTZzh\
QLkvDj3yuuX fv4v\
/6X3fuD9nUF/dzh0\
mc+yjEFkSWNgGAMp\
JTOLZHWKWVncdfb0\
ZDpdWFoaDocAmA9m\
szhoFPtY 7B/lA99\
4S8xKavPEsa7rTm8\
QUjpz9zk4HwFljga\
BCLk2xjczEcnIMaR\
T9EnySHLi/LlXrl7\
7rz79 a+ZzcRmYwJ\
SiDVaOJs6qqMg6Fr\
XIOyGpL3qQYlzHZG\
IJInLxlVd/4Zf+k3\
c9+X7XW5gEwJdF2Z\
tU kYjIGGpC7FgYy\
szMTF7GTXX81En2b\
nt3p9/vE1EIoe2QE\
UCKOWNABrol3Vduk\
xcl1lkKs4/LwRxZ \
lZBMVdV7f9+F+0eT\
sS+LCApRSXKQB3kw\
mxFFuEh5dKhRj5pG\
aaJ0/xPv2Tb76//1\
3+Zer7E0qSvJ M7i\
M8mJSJxipkSqY3GT\
aZEVZlp0ja2u58Cs\
vvvQf/6e/cte9jwT\
fS77vBssVfCAfjNR\
Y2Hl2nsWz eHG588\
wAu73RaO3Ius5SNs\
rzfB+RW9scl7ceOt\
jsdp4FQNntbg/3yo\
WFrNebplSHmPmC2a\
lqSklh aOOiZJogx\
BpSp+yqUSLebeqVE\
3eNgP/sV/92Z7BgY\
Lg8KFWB8t7itAnwZ\
aVGvsiyTlPreFRvb\
u9d unzl53/hr5y+\
78Jg/UhkaWBVk3xW\
7A3Hvd4gJZsZBRER\
MbOIAMzOZ2VnPKmO\
nDhhjpPpcDwqyxIz\
b9rGFnPt5M1gfT5\
qaDY0EmhWT28VQ61\
DbeFgYzOrUpBuUa4\
v72oTHZF3qW4yACm\
yR4yRmdVMCSam rN\
GCQoURQoBx0esvHj\
02DPFv/M3/kqQAMv\
FFMIo+q105Fjcxoa\
zTNNjdmQyW1q9t7f\
57f+U/evh9 788We\
uN6wl4IJqSerZtnq\
amzzBkbhIwpmipIF\
TBhl4P9OOq5+y8kQ\
p2iK/KQGhiTMRtLC\
wBpa5p2 gDAj44M2\
8rYM5XzqkUS0uL46\
iTHBmBlqZBBHlpL3\
oqoAvPd1DInUZZKQ\
FEYCZTRQlFlvfW0v\
6q/+ xv/QuOKVnfG\
w6F4KulV2d3pLe4P\
ly+b2snIo/vnXL/+\
pP/vnn/zIR7PBghK\
MjWfBlEITE4T3Hxe\
1 LyJiEggbODETi2\
Q5OVG5qUwjA81waQ\
HYf93EwbXfu0MBFD\
Ovr69v1w15D0BVRS\
QFVY3eS11VnV4Z N\
InnBCMnqimRspekq\
hrFc2d5YWVh8fVvP\
/uLv/Zr733ons2tn\
WuXXhht3/BCyWRx+\
cjZex+LL732 9/7p\
bz7+0Y9VoKqqs1xo\
Vt9pWSBqyz37yjQi\
IjC3rBDNdXFEeZ5n\
WabT0Bo+6JZuss1m\
DLvVjzg2 1v16zwE\
nfNuWZVlRFKgb7Kv\
izCypODEjIjJVNXX\
e1SEQoVUrsyOLZqo\
wUuGpYvX8+auvPv8\
//dY/ 7zsrmRfXz2\
zs7OZl9/Ju/Z2nn3\
3updfOPvBIyHPK/W\
K3M5mO9xl2OtDe9N\
/5kZb6AglL5vNOOZ\
6O ACTYvlW9tR08z\
Afe32wQsFt4aTMri\
iLG6L0nopka0bjwG\
dSOrh9h5hhj5iSFM\
BMYQpkMagwIsRhi \
1GDWMJ249/618w/s\
SXdLyzdGxAunJ7Ro\
/ePffmP7/Hvev3DX\
Sel2G4uj8bBV+CnI\
iEmYnbT2wiQE hhG\
BW8pWZ1wRFNY+5G6\
325YNv8tjvm23D7a\
34eKNzSzLshBCa7F\
mxuwAMPNwd/exRx4\
OTdUty6aq HbMQxJ\
RBUENInMiTtGG+z4\
pJCKOo1O0Pjp3cM9\
f4/lZNu7V8+5UrZx\
5+l1tcvDYe1pJUzJ\
V+39Tb CWV/vOAtN\
kJEBGm/RkQhxt6gH\
zS19PAdInKHlXBup\
6C2XJCaYMxEzMSmK\
Ya6Wxanjq4cX19PK\
Vho sjJPTXDsYuvL\
wQLmRKzqiVOMIl7y\
vL+8sri4mGfl9pWN\
qHZj58aFxx5H4W+M\
R1k3bzjlpTTNVCgT\
EQKYeWYU1Fpnm5u\
ScWs8jNb+nWhSYg4\
htDYCAQm/fd3lQOW\
c9GbodgeNiCTPyxg\
j5mJbJkMMD9x7 no\
F3P/rIcHurmzsLDV\
IkGGkC2LFndpoQEp\
mRRSuyvK6DEZnLus\
vLx8+cNu9OnT+fRB\
qyzmDg2zRE 1ZK2a\
ydE5EAkfjMq3w9G9\
i2obQCCpjzPW+qP+\
bv5xzkuB/55U79xO\
411SinLsslkQkTe+\
7quAbAh Yzq2uuwU\
507dde70yWY0zpkd\
DJaYWVVNWIkbQJ1T\
9qROa8skg/G4rpD5\
cnnh7IX7jt9zJu93\
E0hV 26qMb1AiZwi\
MWj8CmbmMaMrsRDx\
IQKJm7csIKSXnXOv\
U2qyiBfdOnjkAR9D\
9eYgMt5jQmzBkbgc\
O k6jC+7xFbby7e+\
7UqWo8MuiPfPSjnU\
y+8vVvDFZXoyZyzg\
R1PTVi9lkDaNMU7E\
XyKjUBKc9Lx9A6 K\
MNlruh2InPTVForA\
6JZawBgsoO08a3Tz\
dvdrRMXUzIzU7Xvu\
qriltn3bSqbDKQ3/\
4yoaRoRaSca 53wK\
StATR44sFEXSZjgc\
gdLHP/yvnD1z6rd/\
7zOjuuai5LxjZiTe\
ldCEZJSIq5AgkmeZ\
prquYkYo y9KidfI\
OwY+VQ1UTMZMQGwl\
FSvOet6HYjP854FG\
F5oU7BpCUWLz30zA\
PRuxt13DQrQGJA7V\
kgLLx gcn49mYynU\
6dc6oKs9YOzUxjJF\
UKqZdlDtbsbp9eW/\
n5P/dzTz938WvffO\
byxhY7ybu90eZek2\
Kv vwgSiIVQJ0Xuh\
BgpplprIvHMWVaYU\
cUuxpiMjNTxjPzed\
xm4XTAysxqCMFsKq\
irM1WTqiBl05ytv \
3jzX3IxfWxL7wHmI\
aDqdzgyEOabk2CPx\
+vpamflxM0UTYqo7\
heOU6o0bDx498vDp\
U6M6/tFTT73w 6su\
oxy7LrJkM43Swspa\
iTccjD8+OG1V2LkY\
1KLOTMvdCTT2ZpgS\
ywjCL0tsR1NrCfO6\
fAcGEudU4 kbqpwQ\
DLaDQSEYEgfm8/Mi\
PYby53sXlJ5/YTDz\
NT1TR1Xc/jESWSVm\
9dVU1qQi4uc/Cq9X\
C4vrBg ZvVo0hH50\
cce0Scef+75i6+8d\
umF197o9xc3L1/qF\
OVipzMajVSo2+1OQ\
xLhqAaLwuwcvBESz\
Axp Vsq9aSPzJ3QT\
kQNuhWhGqpLaaHeP\
QSJiIXz3gGR/7LQ2\
8j3xY8CIKMa4u7sr\
ZSfGSMSqipTKbl+y\
LI+ZhMZFzZA2rlz\
jnd1u2Vnp9x1LmFY\
7e3vdzc2Pnzv/44+\
9+5kXL3316W9NN3d\
60bLYVI5DXU/H 43\
JhybGSGsWUkYmjQB\
YTqZoRGWAAzyfa/Z\
U1baJDBzBqcwdhIc\
J4PD5Y3zyYwd2eYT\
R2sw7vGwrb 3Nfe/\
IXNP9Nok93xQqdXx\
eCzIqZgGitrEkVHH\
OsqQ8q97F1+/Y3rV\
+5aXkqrK6vrK35pc\
a3eefa5 p668/hL5\
7D0PPfzkn3jvixdf\
eO7llysv28GuhuHd\
68euTibkOgxWJcfk\
HTvWSWpAXgmsSVSF\
SISN xYijKgAhotl\
ERAoGEEyJSITJrKm\
aTMGCdCDlt7fISdh\
4xj+TOpgA4BmZGuf\
gtSt3DAQYt4IDU3X\
E W1evL62tFeLh3V\
416nV8ypKKxWbqAZ\
+x4zTwmkmVbV3avf\
6drWfrssyPrB29p5\
iMdjZ7g+7Gl19x j\
tcVy10bgTfFv6zut\
e0rXek2VCplEEoWL\
QYQ5XkZYmHJXJg4T\
QKDaQMkpggmIkYSz\
EpNAWQE4pjn nKJu\
bGw2TdMrOtrEVvYx\
K5LPM1u+NYPR+ai5\
zVpWI5DNOft5QszM\
HvTGpdfe80M/dHW0\
t7O9019Z qaY7IaW\
UQsGSCXvWWI3Pnz7\
2rRee7rnUoThNQx8\
r7KSFWGcIg4SqHkt\
QMQTlTCSXvnNFP8t\
enNQb cW/MEVnXHK\
sJIWN25IShYk7MWK\
BMppRgxEJEBG0nV4\
MxoFAvHEPV6Qy+8d\
y3hTk2ocg8Ipulg3\
3c r7oYGKQzZoDs9\
nnNvm/lg3wb4JybV\
NX169c1991OIWQUt\
RnW1FDm/PjG1WyQf\
+1LX7i/Xyxk4qdV \
6ZVMXLK4O8ydE6Ys\
JpfYjAKZkTJx36LX\
2LOq69wVo9cQN1M9\
liJJDs1MiRnkU/Kk\
5ojEDEhe1Bx5 gxq\
yRFEMZMhVQRqrRpB\
iXb326itrRU8UsQm\
WovibneW3Jz3uUMS\
mZFCN0NjtlV/+0hc\
Hva5niVUt kGY4LV\
2xt7O7srzUjHddql\
569qk8hSxGCaEDyp\
REg2goWBGmTlUMTC\
TMuWkeqoXpcHWyc7\
+EB4p4 Lq9Xba/TD\
DNEZpd0ljtHoeAkC\
Ktk5ljYt4GZMRt5b\
UcQmUNyqkudzpVXX\
8mYM+ZOkavO4HiTB\
6G5 GOLgkdvYyFsX\
bLcRmyOuQjTQlavX\
WC1WU85zIRnvTafj\
elB2GGPPgcJ4qeP6\
KRaiVlfCHgph0dCw\
SNKoRqYsxq3cxSG\
wNoVBGxX1JrlQVkB\
uVJOhcypilJRUQQQ\
HkgQmJiaYqe6zGUQ\
JiTgS4FV9SN/6 +j\
c6zmkMkazNbpKG72\
IE+6nMnQodGSpMwt\
AUVhYGX/3iF4+vrn\
MInSwfj6dNDCHWhF\
SQ9iTF6W6v dD5jI\
oOZxQSQWgRFFoVTs\
LKpU/hknBJMPae8H\
nZHW+vTvXtduldsv\
Rn2Jzu9NMm18apem\
RNRYCiR GigBJkhi\
aF9s7TrR5JNuXXlj\
6/KVjkjhpJ5MiSiE\
8KYHfUv1ctZHAyDn\
Hnj4YIxDRAyhOZ/b\
HmUw iJIagZzPsrJ\
8/vmLjz7+WGgaERF\
xuaOTq72rz3/zrlN\
rxe61nddezLTOyJi\
5Vb+1GjfjBIY5ECA\
g NpqpjLi1zEhmuV\
GHOIPzpkiNpYaUBc\
6p5+RFiQxCyqaMKG\
YtNSettWgQi2udzu\
vPPz/a2lnodYvM a\
4pZ5gwKmkkjMZcYz\
XmnVghh7d4Pcu7CQ\
wDmMUerBDg41No3I\
kCTGoyI6qYx2HQ6v\
fvs2aqqik6x s3Ht\
8XtOPf0Hv9vduXJk\
sTu5emmxkzVNnXmX\
1By7ZNE5FzQaw1Tb\
xL6FZS6JJEvBicvM\
LCTP1C8z TylOp1H\
NzMEcSJTZGKBEUDF\
lMjImmFhka5w1PjU\
nlha//dQ3NQQLMdZ\
NG8LazZDsrYi0f80\
UirdH 5ID2s30zwJ\
wIjEIKRZGL46tXrh\
49sl6URRLavnr5kV\
NHw5VXu+OdySsXl0\
pfT0feu2Qm5kAkJO\
C2 wkUcW3JUjM3Ij\
Ix4rkUwmEEZMKVYd\
SwOymzaGFwWiCpBc\
Jy8AAqLIKmSN2MAA\
AoXSURBVIQYTDRp \
4yh5NGWcLniK4+mX\
P/eFflnGEMo8N9MQ\
k3NO3wLCPjc5R8Ru\
j8hMK3ELIgCgasRw\
Lqub2onz3r34 4gu\
PPf7Y9u5O1xHvbax\
aWKjHq45TNVxeGDQ\
pAnDKNOP/TMkoEam\
IiREZQRn7rCnNKEI\
2JmITpBxB iKTsjZ\
p6GCp10EyiJrOQOZ\
cJMxJpXOxmPkx198\
bJhc5qp/zsb//ueG\
+UZ3mKEQAzi7i2YH\
GL6c+v aje3RzEjk\
nvuv3Dr9h00j1vad\
wVadsFiiHmWqSYmG\
JBlfmd7K4Zw5uxZT\
Me6eX1VdE3TEgGpn\
o7H 4hwZS4Ikmj19\
MyiJFYAztlbpy6Rk\
Ea28iTg5TmwmRpQc\
EhGkLMgz2JI2CrCQ\
J4Km6e5OhzEgDZs3\
uvVozdP9R1e3r1z\
9zGc/N1haaVEAsRl\
EvGqby6NNkw+qEA9\
2n0C3WU1yc/eUW74\
NGDnnYkpOBESa dG\
119eLF5yzhofPnht\
cv2872+ZWlLNWOVG\
Ng50Th076Yy1qFE5\
mfi0MTITHZrDpPAH\
Ha31ijrTQw Qmoy4\
YLBIcSq8rGRGHxdd\
ZEGIfam4+UU719fO\
7HQq7a3f/M3fnOwc\
jTvDVQNTN63xQM5Q\
LXRgTFx m/YmRBig\
2W47c/x07mlFOKXo\
nW9CnXufYvBO8qy4\
9NKrmfgHH7jnyqWX\
Tyz0CzavmnshNTET\
m8PM reyx1Q4SUWI\
kQpoL0AlECmKbi4B\
mS+jhkxYx9NSWmfu\
q+XTa03jEu8WmOgZ\
9YHHhZJat5xkm07/\
z 3/46F93B2olR3R\
ah1YlrknrJiBg6my\
L2+2UzjZkeKOzxmx\
CZ4zcvCLay8f1c28\
xaSq9NemJMeZY7 K\
Z67+J3Vo2u9bubid\
H2hT01toXYENmNTs\
JqA2ppaK8+gBE4zM\
WC7RQcYaAnVtoqLV\
l/KsAJUEEpY gdQT\
LOVupfArghNlvoiw\
aCFLIcbwv/7v//jG\
tOkdO1GbjOq67JRR\
zWaxLKeUbs6hLbPe\
Pop224sD Dvc2iND\
+GAOMbN/PtsXUGJq\
8yEITWNg7GQ7HjvP\
ewsJnv/oHx06uxdH\
w2OJCSVoAAiWLDFP\
S5GBt aEIGbsARlJ\
SRGNZSqSakRMZtvs\
1z/ooNaJIngoVYDx\
lhUHCf1DfjRYq51s\
7FqVb/3f/29y9u7m\
Qn Tu/CJQOJIxaFt\
YoKKMyMSchovvjB5\
hpmm086dKeI3JwIm\
GOMzrsYo7AT5iaET\
tElEyMuFjvPPPP1 \
ZrS7vjQ4srykTeXZ\
xBIbqA032IxglhgA\
mTIpkRFjZheERPM7\
awVf1noSz6JJgeSE\
RdhiQNJcpK6q wfL\
yG9vbv/o//t0Nc7x\
6bJwNpLMQYyrzYjK\
ZsEi7iZBGdc7B7EA\
mc6eI2IwTuWlfs21\
n5pgI2rCW YDBmNi\
XHhRPXNJPjR9c2bl\
z7rd/+v+++5/Tdd5\
+0qu6woGkIzKYEio\
CKA1ECWzsttgmbQl\
NiJmrX IKomGIsws\
SYFIFkOk0nVOCl90\
asDKvP5yrHf+vxX/\
5v/+R/Sysn8+Lldy\
6W7PA3JgymqEweQg\
MjQ 6n1narsZGzd7\
+ATi2f/ahMYOv3KR\
yYhh4jAe7i0uLfQG\
vX/yT36ryLNzp+9u\
qqZXdpu6JhbOvXmq\
Q3AkzCJg05SaBik\
JMXtP0Bjqdr2IOKe\
gpEYswm44nPiy68r\
+XoAVA+suXK3ir/0\
v/+CPXr4sy8d5 4U\
j0Xc66w+E0Y+dgfE\
CG+13ardYxa4df3a\
pM2jQj71GW5bSqcl\
cWRfn0N5/b3hmfu/\
BwME4ilLvI NpwMe\
2WJpEjRUhIycY5FY\
MlCTWbsWJxnxxGWN\
KV28gFn3X7wnZ2Eu\
ruwadk/+9wf/Z1/9\
M9GxWDI 5eKJM5Og\
TbDMuTSZ9opsrgt4\
pz065ApogjqDIUVQ\
u3I51Y2kwPVkcvWN\
RUl/6pMfffDU+oml\
bhpt ahiF4e5yUTo\
DAarRQgPAOQfnLBl\
5Z4pJaBQsWa6Eukn\
kigZcLh+5Ucff+co\
3fu8rT2/UtnTX3Sk\
r R425LAshlC7TFE\
nNmNSJ3XFO/9Z2eB\
sx8RZS7bMc4PG4yf\
JeE8h1++ryvSZ+9s\
tfurK5dfzU6aI3 K\
IqeYy8qABscsXcuZ\
1cYWBMgfho0mEjei\
a4YRwRk1F9Kiyub5\
P/Pz3/lv/+H//TpS\
9dl6bj2Vhvp VppH\
ciFBXJZlvqqrLPMx\
JRK5gxHz9j069L6K\
GuJkMBhUVaymodtZ\
aFIiduPxsN8rSevC\
qunG5Wf+ 8Os/86k\
nf/i9T9x74khPo4v\
B5puPyCyzRAJlZVF\
F3ZtMs26/u7B8Y3v\
nWy+//M+/8OWvXXz\
BdxeO njxbm284d8\
WSSgH2ycCMqpowwU\
ubPgGHWxR++H0D1O\
d+Z7jXzbpIWOgvDv\
dGRiAnVTPJco7VxG\
sz YEw3b8S93cnOx\
o9+9IN3HVs9e+rk2\
vKSE0GKTCZeqibsj\
cajadgajZ99/qWvP\
f3Naze2rOwsnjwT \
xA0Gi8RZ1SQYJ5Wo\
AHsQEXGCKbTVY5OZ\
F/4uWpH/DxBBhGVZ\
Fqow6HS3N7d6nT47\
mVYV5zKajrpl zqq\
lSBiPJSUNk9Hu9Wq\
6l+omF/S7vU6RQVO\
IDbHsjSfjKkpWZL2\
FotdzeYfysoKwLzP\
nmqaCGhPF oN77lN\
T5fFLVZbdbhxiSin\
gimy1k+mNEpLVSMn\
BL/dhMRx813ZRNQn\
j2R/QZNFXWRI0Vkj\
IUqow2 7RByniSD8\
yaZsjNwSm2o3xY7I\
5nOljCozkTaJgoGp\
OVcvXsH67hvtsPuP\
8IHRAj7WMw+apeVt\
vpy Qpgt/uNGkyFn\
58gVDkaq7W4b0tLI\
LMqSSNQoJQa4LazM\
wntrw9w2V24r9QaY\
s5v8ziHbYREhA1lo\
iWybk00A9kWOZCx\
EszSLABAZizkiFhC\
biRjU2NDqP1WpJQ6\
ZmK2N+mdbNcJ0XvF\
1QIsjgPnniK2N 2B\
3Lc2/bDr+voorOmL\
fEOluwY/vqSqDNtE\
15nnXLXKwMkJFGBS\
mSzp42kRipEcHmWT\
HSLNcmNWC+ ceJBB\
Z3NGaBkRN9dkvs92\
w9i700A7cKk+Ttov\
rwJaGtG3O4MAJ3n4\
DAgGYhEhEzavRBmZ\
zOC2S0r N/ZZrJnO\
/02VWWpXPe8PHD3M\
nhmHRcTAiffXJjFu\
0nRKs3JNu3WvGtq9\
E0HE871ECbDU2hS3\
m4nu qyixz33ORZm\
zy839Vpug6T70B4L\
3P1YbUUIih5mLVZ5\
l2xGtocxXm88eYJv\
8t0N9tusm6UwXaUb\
7 dJoB7fYTM2HMPs\
7KmNcZDha0mdEuAW\
g9iP6x+hEAmN0lG8\
9Yt/b+Ffsrifd9nZ\
lpOy+0Gzq1GzyB 2\
10mrS31k7a/ge4Tn\
DeHpM4ZPbMDHW91A\
WCyQ8GBH8js+6bJv\
51i2/uz2ZC+ObAPE\
sAGwBL2SWZD W6uZ\
/3K25sMOXEsJ7U4f\
B+dZnp3tlkVE77j9\
AGzkbbY65zk0uIOB\
PetMe6qD73d2LcyX\
Vx6KB5hd 4vCn+P9\
Z+38BEn9MiB//QMk\
AAAAASUVORK5CYII\
= \x22\x0a hei\
ght=\x2252.013824\x22\x0a\
width=\x22\
52.591755\x22 />\x0a \
</g>\x0a <g\x0a \
id=\x22layer2\x22\
\x0a inkscape\
:label=\x22circulo\x22\
\x0a style=\x22d\
isplay:inline;op\
acity:0.98999999\
;fill:#909676;fi\
ll-opacity:1\x22\x0a \
transform=\x22\
matrix(1.1503549\
,0,0,1.1503549,-\
4.4861245,-7.525\
5648)\x22>\x0a <p\
ath\x0a sty\
le=\x22fill:#d07373\
;fill-opacity:1;\
stroke:none;stro\
ke-width:1.49095\
19\x22\x0a d=\x22\
M 44.322082,27.4\
05077 A 19.72976\
2,19.729765 0 0 \
1 24.59232,47.13\
4842 19.729762,1\
9.729765 0 0 1 4\
.8625579,27.4050\
77 19.729762,19.\
729765 0 0 1 24.\
59232,7.6753138 \
19.729762,19.729\
765 0 0 1 44.322\
082,27.405077 Z\x22\
\x0a id=\x22pa\
th3005\x22\x0a \
inkscape:connec\
tor-curvature=\x220\
\x22 />\x0a </g>\x0a \
<g\x0a aria\
-label=\x22a\x22\x0a \
transform=\x22mat\
rix(1.1445077,0,\
0,1.1445077,72.9\
81394,-12.281748\
)\x22\x0a style=\
\x22font-style:norm\
al;font-variant:\
normal;font-weig\
ht:normal;font-s\
tretch:normal;fo\
nt-size:40px;lin\
e-height:125%;fo\
nt-family:'Holy \
Moly';-inkscape-\
font-specificati\
on:'Holy Moly';l\
etter-spacing:0p\
x;word-spacing:0\
px;fill:#efefef;\
fill-opacity:1;s\
troke:none;strok\
e-width:1px;stro\
ke-linecap:butt;\
stroke-linejoin:\
miter;stroke-opa\
city:1\x22\x0a i\
d=\x22flowRoot880\x22 \
/>\x0a <g\x0a \
id=\x22g4574\x22\x0a \
transform=\x22ma\
trix(1.6071093,0\
,0,1.6011113,66.\
003247,-7.92229)\
\x22 />\x0a <g\x0a \
id=\x22layer4\x22\x0a \
transform=\
\x22translate(34.06\
1634,-172.1879)\x22\
/>\x0a <g\x0a \
id=\x22layer2-7\x22\x0a\
style=\x22di\
splay:none\x22\x0a \
transform=\x22tr\
anslate(94.06163\
4,-173.1879)\x22>\x0a \
<rect\x0a \
width=\x2286\x22\x0a \
height=\x22\
85\x22\x0a rx=\
\x226\x22\x0a ry=\
\x226\x22\x0a x=\x22\
5\x22\x0a y=\x227\
\x22\x0a id=\x22r\
ect3745\x22\x0a \
style=\x22opacity\
:0.9;fill:url(#l\
inearGradient952\
);fill-opacity:1\
;fill-rule:nonze\
ro;stroke:none;f\
ilter:url(#filte\
r3174)\x22 />\x0a <\
/g>\x0a <g\x0a \
id=\x22layer2-0\x22\x0a\
style=\x22di\
splay:none\x22\x0a \
transform=\x22ma\
trix(1.9515901,0\
,0,1.9515901,51.\
592327,-390.4371\
4)\x22>\x0a <rect\
\x0a width=\
\x2286\x22\x0a he\
ight=\x2285\x22\x0a \
rx=\x223.0744162\
\x22\x0a ry=\x223\
.0744162\x22\x0a \
x=\x225\x22\x0a \
y=\x227\x22\x0a \
id=\x22rect3745-9\x22\
\x0a style=\
\x22opacity:0.9;fil\
l:url(#linearGra\
dient954);fill-o\
pacity:1;fill-ru\
le:nonzero;strok\
e:none;filter:ur\
l(#filter3174-0)\
\x22 />\x0a </g>\x0a \
<g\x0a id=\x22\
layer4-7\x22\x0a \
transform=\x22matr\
ix(1.9515901,0,0\
,1.9515901,51.59\
2327,-390.43714)\
\x22 />\x0a <circle\
\x0a style=\x22f\
ill:none;fill-op\
acity:1;stroke:#\
ffffff;stroke-wi\
dth:4;stroke-mit\
erlimit:4;stroke\
-dasharray:none;\
stroke-opacity:1\
\x22\x0a id=\x22pat\
h885\x22\x0a cx=\
\x2223.571428\x22\x0a \
cy=\x2224.285715\
\x22\x0a r=\x2216.3\
84615\x22 />\x0a <p\
ath\x0a style\
=\x22fill:#d07373;f\
ill-opacity:1;st\
roke:none;stroke\
-width:1px;strok\
e-linecap:butt;s\
troke-linejoin:m\
iter;stroke-opac\
ity:1\x22\x0a d=\
\x22m 18,6 v 9 H 28\
.5 V 6 C 20.0628\
75,2.823685 26.5\
94141,1.2442124 \
18,6 Z\x22\x0a i\
d=\x22path887\x22\x0a \
inkscape:conn\
ector-curvature=\
\x220\x22\x0a sodip\
odi:nodetypes=\x22c\
cccc\x22 />\x0a <pa\
th\x0a style=\
\x22fill:none;strok\
e:#ffffff;stroke\
-width:4;stroke-\
linecap:butt;str\
oke-linejoin:mit\
er;stroke-miterl\
imit:4;stroke-da\
sharray:none;str\
oke-opacity:0.55\
491327\x22\x0a d\
=\x22m 23.4,4.5 v 1\
8\x22\x0a id=\x22pa\
th889\x22\x0a in\
kscape:connector\
-curvature=\x220\x22 /\
>\x0a </g>\x0a</svg>\x0a\
\
\x00\x00l:\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<!-- Creat\
ed with Inkscape\
(http://www.ink\
scape.org/) -->\x0a\
\x0a<svg\x0a xmlns:d\
c=\x22http://purl.o\
rg/dc/elements/1\
.1/\x22\x0a xmlns:cc\
=\x22http://creativ\
ecommons.org/ns#\
\x22\x0a xmlns:rdf=\x22\
http://www.w3.or\
g/1999/02/22-rdf\
-syntax-ns#\x22\x0a \
xmlns:svg=\x22http:\
//www.w3.org/200\
0/svg\x22\x0a xmlns=\
\x22http://www.w3.o\
rg/2000/svg\x22\x0a \
xmlns:xlink=\x22htt\
p://www.w3.org/1\
999/xlink\x22\x0a xm\
lns:sodipodi=\x22ht\
tp://sodipodi.so\
urceforge.net/DT\
D/sodipodi-0.dtd\
\x22\x0a xmlns:inksc\
ape=\x22http://www.\
inkscape.org/nam\
espaces/inkscape\
\x22\x0a width=\x2216\x22\x0a\
height=\x2216\x22\x0a \
id=\x22svg3903\x22\x0a \
version=\x221.1\x22\x0a\
inkscape:vers\
ion=\x220.92.2 (5c3\
e80d, 2017-08-06\
)\x22\x0a sodipodi:d\
ocname=\x22emblem-d\
efault.svg\x22>\x0a <\
defs\x0a id=\x22de\
fs3905\x22>\x0a <li\
nearGradient\x0a \
id=\x22linearGr\
adient3866\x22>\x0a \
<stop\x0a \
id=\x22stop3868\x22\x0a\
offset=\
\x220\x22\x0a sty\
le=\x22stop-color:#\
000000;stop-opac\
ity:0.52083331\x22 \
/>\x0a <stop\x0a \
id=\x22stop\
3870\x22\x0a o\
ffset=\x221\x22\x0a \
style=\x22stop-c\
olor:#2883c3;sto\
p-opacity:0;\x22 />\
\x0a </linearGra\
dient>\x0a <line\
arGradient\x0a \
id=\x22linearGrad\
ient3874\x22>\x0a \
<stop\x0a \
id=\x22stop3876\x22\x0a \
offset=\x220\
\x22\x0a style\
=\x22stop-color:#00\
0d0e;stop-opacit\
y:0.84105963;\x22 /\
>\x0a <stop\x0a \
id=\x22stop3\
878\x22\x0a of\
fset=\x221\x22\x0a \
style=\x22stop-co\
lor:#000000;stop\
-opacity:0;\x22 />\x0a\
</linearGrad\
ient>\x0a <clipP\
ath\x0a clipP\
athUnits=\x22userSp\
aceOnUse\x22\x0a \
id=\x22clipPath892\
\x22>\x0a <path\x0a \
style=\x22f\
ill:#ffffff;fill\
-opacity:0.25520\
833;stroke:none;\
stroke-width:1.5\
2630627;stroke-l\
inecap:round;str\
oke-linejoin:rou\
nd;stroke-miterl\
imit:4;stroke-da\
sharray:none;str\
oke-opacity:1\x22\x0a \
d=\x22M 38.\
524123,20.232391\
V 51.2388 h 3.5\
97154 V 20.23239\
1 Z M 14.125746,\
21.0025 V 52.010\
565 H 17.7229 V \
21.0025 Z M 5.99\
24018,21.259203 \
V 52.267267 H 9.\
591212 V 21.2592\
03 Z m 24.398377\
2,1.37129 v 31.0\
06409 h 3.597153\
V 22.630493 Z m\
-20.330877,1.62\
6338 v 31.008065\
h 3.597154 V 24\
.256831 Z m 24.3\
96721,0.08612 v \
31.008065 h 3.59\
8809 V 24.342951\
Z M 1.9265577,2\
5.798705 V 56.80\
677 H 5.5237118 \
V 25.798705 Z m \
16.2650323,0.086\
12 v 31.008064 h\
3.597155 V 25.8\
84825 Z m 24.398\
377,0 v 31.00806\
4 h 3.597154 V 2\
5.884825 Z m -16\
.265033,2.22752 \
v 31.006408 h 3.\
597155 V 28.1123\
45 Z M 22.25909,\
30.76715 v 31.00\
8065 h 3.597155 \
V 30.76715 Z\x22\x0a \
id=\x22path8\
94\x22\x0a ink\
scape:connector-\
curvature=\x220\x22 />\
\x0a </clipPath>\
\x0a <clipPath\x0a \
id=\x22clipPa\
th3881\x22\x0a c\
lipPathUnits=\x22us\
erSpaceOnUse\x22>\x0a \
<circle\x0a \
transform=\
\x22translate(-412,\
-17)\x22\x0a i\
d=\x22path3883\x22\x0a \
style=\x22fil\
l:#008dff;fill-o\
pacity:1;fill-ru\
le:evenodd;strok\
e:none\x22\x0a \
cx=\x22539.5\x22\x0a \
cy=\x22152.5\x22\x0a\
r=\x22103.\
5\x22 />\x0a </clip\
Path>\x0a <linea\
rGradient\x0a \
id=\x22linearGradi\
ent4019\x22>\x0a \
<stop\x0a i\
d=\x22stop4021\x22\x0a \
style=\x22sto\
p-color:#adcce1;\
stop-opacity:1;\x22\
\x0a offset\
=\x220\x22 />\x0a <s\
top\x0a id=\
\x22stop4023\x22\x0a \
style=\x22stop-\
color:#6bbfe1;st\
op-opacity:1;\x22\x0a \
offset=\x22\
0.26238\x22 />\x0a \
<stop\x0a \
id=\x22stop4025\x22\x0a \
style=\x22s\
top-color:#2596d\
1;stop-opacity:1\
;\x22\x0a offs\
et=\x220.74620908\x22 \
/>\x0a <stop\x0a \
id=\x22stop\
4027\x22\x0a s\
tyle=\x22stop-color\
:#2372c0;stop-op\
acity:1;\x22\x0a \
offset=\x221\x22 />\
\x0a </linearGra\
dient>\x0a <line\
arGradient\x0a \
id=\x22linearGrad\
ient4085\x22>\x0a \
<stop\x0a \
id=\x22stop4087\x22\x0a \
style=\x22st\
op-color:#ffffff\
;stop-opacity:1\x22\
\x0a offset\
=\x220\x22 />\x0a <s\
top\x0a id=\
\x22stop4089\x22\x0a \
style=\x22stop-\
color:#ffffff;st\
op-opacity:0.2\x22\x0a\
offset=\
\x220.06316455\x22 />\x0a\
<stop\x0a \
id=\x22stop409\
1\x22\x0a styl\
e=\x22stop-color:#f\
fffff;stop-opaci\
ty:0.2\x22\x0a \
offset=\x220.95056\
331\x22 />\x0a <s\
top\x0a id=\
\x22stop4093\x22\x0a \
style=\x22stop-\
color:#ffffff;st\
op-opacity:0.392\
15687\x22\x0a \
offset=\x221\x22 />\x0a \
</linearGradie\
nt>\x0a <filter\x0a\
id=\x22filte\
r3174\x22\x0a st\
yle=\x22color-inter\
polation-filters\
:sRGB\x22>\x0a <f\
eGaussianBlur\x0a \
id=\x22feGau\
ssianBlur3176\x22\x0a \
stdDevia\
tion=\x221.71\x22 />\x0a \
</filter>\x0a \
<linearGradient\
\x0a x1=\x2245.4\
47727\x22\x0a y1\
=\x2292.539597\x22\x0a \
x2=\x2245.44772\
7\x22\x0a y2=\x227.\
0165396\x22\x0a \
id=\x22ButtonShadow\
\x22\x0a gradien\
tUnits=\x22userSpac\
eOnUse\x22\x0a g\
radientTransform\
=\x22scale(1.005865\
2,0.994169)\x22>\x0a \
<stop\x0a \
id=\x22stop3750\x22\
\x0a style=\
\x22stop-color:#000\
000;stop-opacity\
:1\x22\x0a off\
set=\x220\x22 />\x0a \
<stop\x0a \
id=\x22stop3752\x22\x0a \
style=\x22st\
op-color:#000000\
;stop-opacity:0.\
58823532\x22\x0a \
offset=\x221\x22 />\
\x0a </linearGra\
dient>\x0a <line\
arGradient\x0a \
id=\x22linearGrad\
ient5048-8-7\x22>\x0a \
<stop\x0a \
id=\x22stop5050\
-4-2\x22\x0a s\
tyle=\x22stop-color\
:#000000;stop-op\
acity:0\x22\x0a \
offset=\x220\x22 />\x0a\
<stop\x0a \
id=\x22stop505\
6-7-4\x22\x0a \
style=\x22stop-colo\
r:#000000;stop-o\
pacity:1\x22\x0a \
offset=\x220.5\x22 \
/>\x0a <stop\x0a \
id=\x22stop\
5052-0-1-7\x22\x0a \
style=\x22stop\
-color:#000000;s\
top-opacity:0\x22\x0a \
offset=\x22\
1\x22 />\x0a </line\
arGradient>\x0a \
<linearGradient\x0a\
id=\x22linea\
rGradient5060-29\
-0\x22>\x0a <stop\
\x0a id=\x22st\
op5062-9-7\x22\x0a \
style=\x22stop\
-color:#000000;s\
top-opacity:1\x22\x0a \
offset=\x22\
0\x22 />\x0a <sto\
p\x0a id=\x22s\
top5064-08-2\x22\x0a \
style=\x22st\
op-color:#000000\
;stop-opacity:0\x22\
\x0a offset\
=\x221\x22 />\x0a </li\
nearGradient>\x0a \
<linearGradien\
t\x0a id=\x22lin\
earGradient3851\x22\
>\x0a <stop\x0a \
offset=\x220\
\x22\x0a style\
=\x22stop-color:#5b\
8da7;stop-opacit\
y:1;\x22\x0a i\
d=\x22stop3853\x22 />\x0a\
<stop\x0a \
offset=\x221\x22\x0a\
style=\x22\
stop-color:#1c34\
47;stop-opacity:\
1;\x22\x0a id=\
\x22stop3855\x22 />\x0a \
</linearGradie\
nt>\x0a <filter\x0a\
id=\x22filte\
r3174-0\x22\x0a \
style=\x22color-int\
erpolation-filte\
rs:sRGB\x22>\x0a \
<feGaussianBlur\x0a\
id=\x22feG\
aussianBlur3176-\
9\x22\x0a stdD\
eviation=\x221.71\x22 \
/>\x0a </filter>\
\x0a <linearGrad\
ient\x0a inks\
cape:collect=\x22al\
ways\x22\x0a xli\
nk:href=\x22#Button\
Shadow\x22\x0a i\
d=\x22linearGradien\
t952\x22\x0a gra\
dientUnits=\x22user\
SpaceOnUse\x22\x0a \
gradientTrans\
form=\x22scale(1.00\
58652,0.994169)\x22\
\x0a x1=\x2245.4\
47727\x22\x0a y1\
=\x2292.539597\x22\x0a \
x2=\x2245.44772\
7\x22\x0a y2=\x227.\
0165396\x22 />\x0a \
<linearGradient\x0a\
inkscape:\
collect=\x22always\x22\
\x0a xlink:hr\
ef=\x22#ButtonShado\
w\x22\x0a id=\x22li\
nearGradient954\x22\
\x0a gradient\
Units=\x22userSpace\
OnUse\x22\x0a gr\
adientTransform=\
\x22scale(1.0058652\
,0.994169)\x22\x0a \
x1=\x2245.447727\
\x22\x0a y1=\x2292.\
539597\x22\x0a x\
2=\x2245.447727\x22\x0a \
y2=\x227.01653\
96\x22 />\x0a <clip\
Path\x0a clip\
PathUnits=\x22userS\
paceOnUse\x22\x0a \
id=\x22clipPath91\
6\x22>\x0a <g\x0a \
transform=\
\x22matrix(1.150354\
9,0,0,1.1503549,\
-4.4861245,-7.52\
55648)\x22\x0a \
style=\x22display:\
inline;opacity:0\
.98999999;fill:#\
126136;fill-opac\
ity:1\x22\x0a \
inkscape:label=\x22\
circulo\x22\x0a \
id=\x22g920\x22>\x0a \
<path\x0a \
inkscape:c\
onnector-curvatu\
re=\x220\x22\x0a \
id=\x22path918\x22\x0a \
d=\x22M 4\
4.322082,27.4050\
77 A 19.729762,1\
9.729765 0 0 1 2\
4.59232,47.13484\
2 19.729762,19.7\
29765 0 0 1 4.86\
25579,27.405077 \
19.729762,19.729\
765 0 0 1 24.592\
32,7.6753138 19.\
729762,19.729765\
0 0 1 44.322082\
,27.405077 Z\x22\x0a \
style=\x22\
fill:#126136;fil\
l-opacity:1;stro\
ke:none;stroke-w\
idth:1.4909519\x22 \
/>\x0a </g>\x0a \
</clipPath>\x0a \
<clipPath\x0a \
id=\x22clipPath3\
866\x22\x0a clip\
PathUnits=\x22userS\
paceOnUse\x22>\x0a \
<circle\x0a \
transform=\x22ma\
trix(0.68724124,\
0,0,0.68724124,-\
521.35527,-47.66\
1719)\x22\x0a \
style=\x22fill:#44a\
bb1;fill-opacity\
:1;fill-rule:eve\
nodd;stroke:none\
\x22\x0a id=\x22p\
ath3868\x22\x0a \
cx=\x221132\x22\x0a \
cy=\x22449\x22\x0a \
r=\x22312\x22 /\
>\x0a </clipPath\
>\x0a <linearGra\
dient\x0a id=\
\x22linearGradient4\
118\x22\x0a inks\
cape:collect=\x22al\
ways\x22>\x0a <st\
op\x0a id=\x22\
stop4120\x22\x0a \
offset=\x220\x22\x0a \
style=\x22st\
op-color:#0eb474\
;stop-opacity:1;\
\x22 />\x0a <stop\
\x0a id=\x22st\
op4122\x22\x0a \
offset=\x221\x22\x0a \
style=\x22stop\
-color:#0eb474;s\
top-opacity:0;\x22 \
/>\x0a </linearG\
radient>\x0a <li\
nearGradient\x0a \
inkscape:col\
lect=\x22always\x22\x0a \
id=\x22linearG\
radient3837\x22>\x0a \
<stop\x0a \
style=\x22stop-c\
olor:#7db257;sto\
p-opacity:1;\x22\x0a \
offset=\x220\
\x22\x0a id=\x22s\
top3839\x22 />\x0a \
<stop\x0a \
style=\x22stop-col\
or:#7db257;stop-\
opacity:0;\x22\x0a \
offset=\x221\x22\x0a\
id=\x22sto\
p3841\x22 />\x0a </\
linearGradient>\x0a\
<linearGradi\
ent\x0a inksc\
ape:collect=\x22alw\
ays\x22\x0a xlin\
k:href=\x22#linearG\
radient3837\x22\x0a \
id=\x22linearGr\
adient3843\x22\x0a \
x1=\x22502.83536\
\x22\x0a y1=\x22546\
.63525\x22\x0a x\
2=\x22316.05505\x22\x0a \
y2=\x22356.662\
08\x22\x0a gradi\
entUnits=\x22userSp\
aceOnUse\x22 />\x0a \
<clipPath\x0a \
clipPathUnits=\
\x22userSpaceOnUse\x22\
\x0a id=\x22clip\
Path3847\x22>\x0a \
<circle\x0a \
transform=\x22mat\
rix(0.88586957,0\
,0,0.88586957,-2\
4.010886,495.989\
78)\x22\x0a id\
=\x22path3849\x22\x0a \
style=\x22fill\
:url(#linearGrad\
ient3843);fill-o\
pacity:1;fill-ru\
le:evenodd;strok\
e:none\x22\x0a \
cx=\x22322.4407\x22\x0a \
cy=\x22342.\
29437\x22\x0a \
r=\x22260.2153\x22 />\x0a\
</clipPath>\x0a\
<clipPath\x0a \
id=\x22clipPat\
h3344\x22\x0a cl\
ipPathUnits=\x22use\
rSpaceOnUse\x22>\x0a \
<circle\x0a \
style=\x22fill\
:#0eb474;fill-op\
acity:1;fill-rul\
e:evenodd;stroke\
:none\x22\x0a \
id=\x22path3346\x22\x0a \
transform\
=\x22matrix(0.09964\
174,0,0,0.099641\
74,-8.1283951,-1\
0.106867)\x22\x0a \
cx=\x22322.4407\
\x22\x0a cy=\x223\
42.29437\x22\x0a \
r=\x22260.2153\x22 \
/>\x0a </clipPat\
h>\x0a <linearGr\
adient\x0a gr\
adientUnits=\x22use\
rSpaceOnUse\x22\x0a \
y2=\x22342.2943\
7\x22\x0a x2=\x2258\
2.65601\x22\x0a \
y1=\x22342.29437\x22\x0a \
x1=\x2262.225\
403\x22\x0a id=\x22\
linearGradient41\
24\x22\x0a xlink\
:href=\x22#linearGr\
adient4118\x22\x0a \
inkscape:coll\
ect=\x22always\x22 />\x0a\
</defs>\x0a <sod\
ipodi:namedview\x0a\
id=\x22base\x22\x0a \
pagecolor=\x22#\
ffffff\x22\x0a bor\
dercolor=\x22#66666\
6\x22\x0a borderop\
acity=\x221.0\x22\x0a \
inkscape:pageop\
acity=\x220.0\x22\x0a \
inkscape:pagesh\
adow=\x222\x22\x0a in\
kscape:zoom=\x2211.\
313709\x22\x0a ink\
scape:cx=\x2210.882\
751\x22\x0a inksca\
pe:cy=\x226.7458242\
\x22\x0a inkscape:\
current-layer=\x22l\
ayer1\x22\x0a show\
grid=\x22true\x22\x0a \
inkscape:grid-b\
box=\x22true\x22\x0a \
inkscape:documen\
t-units=\x22px\x22\x0a \
inkscape:windo\
w-width=\x221360\x22\x0a \
inkscape:win\
dow-height=\x22718\x22\
\x0a inkscape:w\
indow-x=\x220\x22\x0a \
inkscape:window\
-y=\x2224\x22\x0a ink\
scape:window-max\
imized=\x221\x22>\x0a \
<inkscape:grid\x0a \
type=\x22xygr\
id\x22\x0a id=\x22g\
rid831\x22\x0a s\
pacingx=\x220.3\x22\x0a \
spacingy=\x220\
.3\x22 />\x0a </sodip\
odi:namedview>\x0a \
<metadata\x0a \
id=\x22metadata3908\
\x22>\x0a <rdf:RDF>\
\x0a <cc:Work\x0a\
rdf:abo\
ut=\x22\x22>\x0a <\
dc:format>image/\
svg+xml</dc:form\
at>\x0a <dc:\
type\x0a \
rdf:resource=\x22ht\
tp://purl.org/dc\
/dcmitype/StillI\
mage\x22 />\x0a \
<dc:title></dc:\
title>\x0a </c\
c:Work>\x0a </rd\
f:RDF>\x0a </metad\
ata>\x0a <g\x0a i\
d=\x22layer1\x22\x0a \
inkscape:label=\x22\
Layer 1\x22\x0a in\
kscape:groupmode\
=\x22layer\x22\x0a tr\
ansform=\x22transla\
te(0,-32)\x22>\x0a \
<g\x0a id=\x22la\
yer1-2\x22\x0a i\
nkscape:label=\x22L\
ayer 1\x22\x0a s\
tyle=\x22display:no\
ne\x22\x0a trans\
form=\x22matrix(10.\
589787,0,0,10.58\
9787,-6.8981011,\
-467.83874)\x22>\x0a \
<image\x0a \
y=\x22-0.078223\
988\x22\x0a x=\
\x22-2.1485453\x22\x0a \
id=\x22image3\
001\x22\x0a xl\
ink:href=\x22data:i\
mage/png;base64,\
iVBORw0KGgoAAAAN\
SUhEUgAAAFsAAABa\
CAIAAABYCL1rAAAA\
A3NCSVQICAjb4U/g\
AAAgAElEQVR4 nN2\
8aaxl2XUe9q219j7\
Dnd78auqauqu6u3p\
gT2STFMlwkElRlBw\
NSWQgiGzZzmAjQux\
YERwhiGVH TuAkcg\
goVhQhCZwYcGIb8R\
AkEQxrICOJM0Wym8\
0mu3qu7q7xzXc65+\
y918qPc++rV93VZL\
EfHQHZ uLj16tx7z\
zn7O2uvvda3vr3pE\
z/1b+BwLSEREZEAM\
KX942Q2+4MIUACAm\
hmRHPjW926kRkREB\
MDm 5wTwdidhu/3x\
W85JN3988JwA3G3P\
eeBv/d6nn5+XiITI\
zGBsZgABACkAai9K\
sDu+6ZvtDrDY/+wO\
oW7v9rYf3RaR76v\
p/tMzM5rfErXQHGw\
tNO/oGu2p9vtgt1j\
frd/8fs55W1C+JyK\
tvbzVUm4eEZBB W0\
CMjN50HXuHKBy4lB\
GgeDMoM9Df5lHfSX\
vzMwNw6wB5h414/+\
xvN8T2jxtg9H0Nmd\
sZwuxct+uP mX1fT\
uqt7fCjZn+8gIgIR\
CADVGejiW61kZk/+\
X5AaW1hdrb2fQ7H/\
mhqv6P0/Z35tu3Qi\
JCpJoI6 YzFh1qSm\
qqTKzDMbJFLAWmAM\
IDUw2fzI97wCkxKR\
GpExGRnYTM3MFKSE\
duBIJAJIiQ5p9rdF\
5E7m l/3rJuVaq2q\
1XG1G1XQ6Fc/soaq\
eheBMikmVyuWlreG\
2FxAZg5VUiIwA8P7\
cNPcLOn/kBkCNxPF\
4 NFnodiilVE8zEg\
0xZ2iqktYxTSXPuO\
yA8yl5U2YVsrcda+\
8Mke+jKeCcV6e725\
tLefkTP/7JhUEe w\
/ClF59//eVXh+Nxr\
Q3gJntbnSIPGn2W1\
XVDEDUYE1pXDAbDt\
EUFRgRTA8EMwGg0G\
XS6PtXUTPup lqRL\
3e6JI+unTh8bLPZR\
yOe++tVnL12uGS7v\
RPCdRwz/UhABZG9U\
L5S9zhKWu9npEwtF\
2M2leuLd 9+yc6G/\
sjr/w7Csv7+w0wY9\
D6fqL4zo5y0hB4Na\
pGIGMrY3oiIQ4qZG\
xEdgMQJeZx1MXhzS\
+8fCp 9fc99MBat3\
P82NHd8Vg9Tb3/ag\
wlfEJRxSw26h0D8Z\
33554LDx4GDyP4vK\
yrisJ0kPPj9506vV\
JM 3nh53dmJQVlYe\
vdjjzBhY3tHmV2nO\
xxNCu8ZPAu8qHWTM\
+8rjP3Jm2BEJDBqp\
n2ERR3/2Hse/OkP \
PX48s45N89TEUA0W\
FqtoL776xl5F0+gi\
5VnRRWpoHiW9g3bY\
2ZcN9WiSi+S5q5vR\
eLy7vrx84sj6 3vZ\
WGI0WM8lGW5949IF\
/56d+dNmqybVXj65\
2CcGoMQ7GARRAgTi\
yJFAAJaWUqFEOJsk\
kEaoOT2V8 9ceffP\
ATD59zm290wt5Cxz\
VWB0erZ+8Gsskw1M\
OpxWQa63p82B4d8v\
cAvFCeuRjCaDSqqq\
ZOtvzw E36wshutU\
RPVuL2xxvGnP/zeM\
8vl6MbrrAFmsARLB\
GUQwxhGpoCSJdLEp\
kTGpqx1noZ/+l/92\
BPn T2TNcOC5qafD\
qtlu9Oh9D2HtxLW9\
emccxBW9spfnGQsO\
6Ud+EBEaEZKSmpP8\
6o295y9vY/30sQ/8\
ia1s0PSXx010mo4\
4uW+5/8TdJxY4eTM\
2IWVSRiJLLQ4gY0q\
EiPaIQKBEsXnfA6e\
O91CmSRjtsXjL F3\
a5u3zfo+VdF65uNy\
9cH25NtTbaG4+aau\
LksN05LCJKcHkWQQ\
pRc5eubF7ZHI9vDN\
FdfOBDH74y HnOR9\
YpcpuMVRw+fPLFgs\
UQorCmsybXOUuPj1\
IWJC5MsVV4rl6Y+N\
ZnVXuvM6jxWF46sH\
ClEUiWZ jJNW7I6f\
uW/t7oe4WHr+0vVL\
G9ub0ynlZVaWXhzF\
w3bpsIgYuEo0ToiS\
B/jnX3ptEuxbL7wU\
zbDY e/h9jyeP7b2\
tphpLXR/tdNbzjEe\
brtrKw24R94q4VcS\
tTtjqxm1f38iqG1l\
1I282ijjsYVKmUTb\
d uf/IEdkbqWptth\
ui6y12LzwKda9ffH\
VvY+upbz3TW1tunE\
yixRqZ+QPe+Z20H0\
AU77OM4LUeKwsT /\
fbv/+FP/MlPfOvbz\
z7y6L1yZO34+bNvf\
OkrFrkoi7wal8Ote\
/tL5aC/srKytLzQ6\
XREhNQSEpFM q0pV\
g6bXL79x8fkXJ5PJ\
0UKqy5fuOro8pTiK\
6PR6a+96FOLqza3L\
ly9/5jOf4dxPYmNO\
SDiXDGrg Q4UkdEj\
GSAlNImj0SINMdLS\
XofngE+96+NyJrkz\
vWe+vOKpef40m0aK\
iGGyPJq4owcTMgKq\
qmTER oM5lSbUKjc\
KKTsdl+c7OzvaVN0\
4tdjuFREeb0+rsg4\
+iv/7y67vXhuGpl1\
7/Pz7z2c6xo5OkiT\
3M eypDE8mZ0TtH5\
LDxCAFEycGECcC0q\
hb63Y3Lr3UFp1YGr\
hptvPxCQeZSyhhxM\
l7qd3wzKSwUsc61 \
zlPT1dix2LHA02GB\
MPDcJfWxkmrco7S2\
0O1lknkWxyAaTusX\
Xr5USfHC1Y0/eOrp\
yon63JyAqQ3x kiU\
6nHM9LCKACsXcS1L\
EmMqy0zSVR9p4/dV\
Oau5eW+2a9ZxoaLw\
XbylMR226ygDDyAw\
WVWPUmBdZ VVcxBO\
8dCYUYAStLP54OJ+\
MdaxonxOyjy37nq1\
//na9/83owWVwZ1x\
EkBIKpIrHM47t32g\
49+5Kp 2biamsH5I\
qjEJM7n0/Hk9PqxH\
vlcabozNrPQNOh69\
pQX4sUMQVMwjUTmv\
eSFrybjMvfd0qdYN\
fU0 81QWLsXY7fYy\
X/TLkqo6j6GAQdNo\
tNddWhrVqpzVidQE\
xgSlQ9MBh559QZpn\
QTy5jpPutI4uy7f3\
dt/18IN3HVnT0Th\
vaFAMyrzfKCZNCLm\
vY7AUheAdec/ChBh\
TXRVlYZpCaJipyBw\
01fU0xhgqOC3S JH\
bzDocmT/FnPvnJvj\
gfiRMbCkMnaWbqkB\
wiyA7VKZ6/5h38vr\
0011XM806INq2aXt\
nTGDJKH/vg kyUn0\
cbBkHQymnT6g8SIm\
pi5nR0VhpZ5E4gIN\
O6ztqrJoMzsnGPAO\
SdlF2ZWh0zj3tXLP\
/vTP739 2mv9zFuI\
ANQAbv0HgXTfUJRu\
vt6+3dJruef+d7VJ\
F1GimySOAUb7LyMQ\
zIycRE0KE2YADDKz\
jLJQ pSzrNdVUtHr\
s/Imf+fh7O9VmX8e\
ZNgJiL4kMrMyKFLw\
5EIPImHRGsykMxE7\
V1ABycI6YjIxgKdZ\
k UXIJ04kSQ3L4Tt\
5bqBVXN7akLCbVNC\
szZoRYiwgURCCGMg\
wzLpaI5sWBGa03I+\
OgSmYEIyYwYC0i 8\
7LBvIigNPvNnBOcU\
Xra5qMiMzIHMypxU\
jfkfUT81Mc/8sQDp\
1elWkijrlYlmZAA5\
PN8Mh7GMOnk GZQB\
UtKWY7Q2AW4fCojF\
t6RkShGkIpyXRZyO\
Han4jMXDZ7W5idri\
8VPrp04/dfH5rNOr\
Yj2pK+dE mKHtaa2\
9P6XWkRNa5uGg1yW\
05mQEAhuIzXh2W60\
xgKw9xb6dgG0+psw\
spdT+oaoJZgQlDU6\
7671d HX/yJz915N\
SRF198nlNaLPs+ko\
fUk2mom3o86ff6He\
coKSyaRbJIFsiCIQ\
FkkKQMOErmCbnjTu\
Zy dhzj3vVrTgiGp\
p6mlMAcySTzdYpvX\
Lv6p//sn5PMd3sDn\
xVld9DEZGBTMiVVm\
JmA2G6hqW/HZt48 \
dNAJ8Xd3tEREOuN7\
zcw5Z0wRFil964Xv\
/Jt//s/0jixtjPfK\
5aXAbmNvnPeXhpMY\
s0KzksrOeFIT 8lD\
HRKyshEiIBBWYEhT\
M7JgcESFGNLXVIYZ\
QN5p3B1T0kuRRiil\
JLXnMsokyl91K8dW\
vf+Pf+jM/ l0AuL3\
ZH4xC1fboK43Z0ED\
HN6LjbNZ7BYcyAEc\
u5+x+keU1F0XKfMw\
PGrbUQJjJAvFNVEI\
lzIcZo qQrNz//lv\
/TaxubuZHJj4/ojD\
96fpzDa3pqMJ5SXw\
RWWFXt1k2U5K7z3A\
aZsgiikDBDI2IO8J\
uJ2 /JpCFUzsci66\
DXc2JjG4UovejTpt\
BKTuSlUO+ifPvXBt\
cyfosy++/COf+tRT\
3/ym91IWHU1xP69h\
EAuzwVT5YLYzHzx\
GaEtKZDxjrc7d/8C\
MyZqVDqi9ybcGOi0\
X7FiiJgOiaR1Drz/\
48Mc+BpfXJLWq eP\
f8xe/86z/5k+fuOb\
e0dmzp7Hku+0OVyi\
hCqioEUPJOWR2SmB\
G1FLFXMIFVE2skL8\
hy8m5ibk/9 DnVos\
Ma9ZV5cu+tdTx556\
PG1Bx9fPnP+8iT84\
3/xe6snz0xCGk+nH\
/vYR//wc59LTeOYi\
Xn/znle crxt+kdo\
Jw5mEIxBJucuXABa\
nzrzqzxDaAYN6CYu\
LTccVZU4xJTlxb0P\
PrB29K7tcZ1c0ZD4\
vPP6 G1e/8MUvfeD\
DH8sWlofBBnffNzh\
zz/LZc8GEuv3NyTg\
6MUCQHJShMFY4M3Y\
+U03QCEIk2ou2h2L\
P LZanH1678O6Fh5\
5wgyO8dHTse7vIvv\
Lia7/4K3/r2H0PBs\
k4z4bjyY0b1z71qR\
/51jNPa4KQELGp A\
catvdubLP7Ak75Jb\
1KLyAOYTUxGt/mR7\
VuKc85UiTmZGnOAD\
laX3/2+H9oYV9Lrj\
5oYldVoZXll bzj6\
/c9/8T0f+jD3Fnar\
ZL78v/7F7z36Qx/o\
nT3dmG3u7hHIw5yp\
M4XBIGqkKZGQeAlM\
u1EnWb9/ 5sKJR94\
3uOeRL118dRoROv2\
xzye+c/H61i/8jV8\
5+/Dj0luo1XYn416\
/18S6UxZN3WxtbjL\
zrMpl YJoXod8Wkd\
YkZPbPuQsPtAfJaF\
4NapG1NyHSVnfVCN\
4bi3n3yR/7sc3pZC\
uEWjy5LKkyS+azLM\
uq lH73//n8kx/6c\
NFfniTeHI3+5qc/f\
e8jD9/z+BNF1tm4d\
g2hKhheY6obBnnnj\
Yy8JNKR0jTv6fLx \
o09+ZMfK/+I3/u7L\
G3s//Cd/osmKymUX\
L1/+D//aXz95/wO9\
1fXd6USKouh2WMQI\
W1ubZ86cvX79 Rgy\
RSVIMZZ5rMjITJ4Y\
EmBLt1+vJGERt2XU\
W6ZLJPRceaDFqLYX\
25+y3IMLEIYai29v\
a3kXmzpw7 t3ri+E\
5oxkyBWdUYYGIhJs\
e+6F7Z2vj608+858\
n3NzHeff7eyPTX/v\
Nfqav6A+//4FJ/8e\
qrL3Uc oZoWvS5FS\
5oizBXZXhO1O6g6i\
2d++Md+/yvP/tW/9\
en7Hn3Pz/zsz26OR\
r7fuXjplf/gl37p7\
H0X Vo4dm6YUDOK9\
mrZBZLTovT925Ogb\
r7+RknaKMsXgWFIM\
xG2Mtj9GZn0mgDDX\
NLTQfOKn/jXMYSLl\
WZ1tNvUApGwzcOo\
6FJ1ybzIdrC5f3tr\
8ub/4F1649Ip1y8p\
l0eATMhYyKBIJfOY\
spEsXL3YS//Jf /U\
WbjhYHpaGud3eW2S\
9ouP5Hnx298I0jPO\
1oRWopmRTdrarKVo\
/scnniyY+MiuVxsR\
byvplN62px deUbz\
z7zc//uv/2hT3w87\
y0M60byTjL4PAshO\
ObMcaibXpbdtbr+t\
c99fuvGBjWhK46S5\
t5Nqqnz bIAStz6C\
bWYXczJlFnnwmwJ+\
ujV2BaDz2N57v7u7\
2+/3b2xuve+DH9ob\
T7gogoGZPZMXYlFQ\
jNbU GicxaubWTp5\
0ve4v/fIvd/qDahq\
qcSNcbI2aUdD1+x6\
amDPfrRpoNBFqmqa\
7sDhq0pQEq0crykb\
w o5Aai2WvePa5Z/\
7Cv/8XP/SxjwwWF8\
bV1HsRIeeEDAxiZr\
Azx9Fw5cb18w89VN\
W1y7M6RJf5OjRZ l\
uHtZUnzpoAy2jAEN\
M9kuK0StCZic1sxg\
ojkeV41jc+zk6fPb\
O0NzXuf5YjJJRMYV\
MHKns1RsLRX TajM\
l08czXq9T//6rxtx\
RnlsLCs65jJkZW/1\
yLgxX/bZZyAXzcbT\
ZhLt1PkHrTZzhQLk\
vDj3yuuX fv4v/6X\
3fuD9nUF/dzh0mc+\
yjEFkSWNgGAMpJTO\
LZHWKWVncdfb0ZDp\
dWFoaDocAmA9mszh\
oFPtY 7B/lA994S8\
xKavPEsa7rTm8QUj\
pz9zk4HwFljgaBCL\
k2xjczEcnIMaRT9E\
nySHLi/LlXrl77rz\
79 a+ZzcRmYwJSiD\
VaOJs6qqMg6FrXIO\
yGpL3qQYlzHZGIJI\
nLxlVd/4Zf+k3c9+\
X7XW5gEwJdF2ZtU \
kYjIGGpC7FgYyszM\
TF7GTXX81En2bnt3\
p9/vE1EIoe2QEUCK\
OWNABrol3Vdukxcl\
1lkKs4/LwRxZ lZB\
MVdV7f9+F+0eTsS+\
LCApRSXKQB3kwmxF\
FuEh5dKhRj5pGaaJ\
0/xPv2Tb76//13+Z\
er7E0qSvJ M7iM8m\
JSJxipkSqY3GTaZE\
VZlp0ja2u58Csvvv\
Qf/6e/cte9jwTfS7\
7vBssVfCAfjNRY2H\
l2nsWz eHG588wAu\
73RaO3Ius5SNsrzf\
B+RW9scl7ceOtjsd\
p4FQNntbg/3yoWFr\
NebplSHmPmC2alqS\
klh aOOiZJogxBpS\
p+yqUSLebeqVE3eN\
gP/sV/92Z7BgYLg8\
KFWB8t7itAnwZaVG\
vsiyTlPreFRvbu9d\
unzl53/hr5y+78J\
g/UhkaWBVk3xW7A3\
Hvd4gJZsZBRERMbO\
IAMzOZ2VnPKmOnDh\
hjpPpcDwqyxIz b9\
rGFnPt5M1gfT5qaD\
Y0EmhWT28VQ61Dbe\
FgYzOrUpBuUa4v72\
oTHZF3qW4yACmyR4\
yRmdVMCSam rNGCQ\
oURQoBx0esvHj02D\
PFv/M3/kqQAMvFFM\
Io+q105FjcxoazTN\
NjdmQyW1q9t7f57f\
+U/evh9 788WeuN6\
wl4IJqSerZtnqamz\
zBkbhIwpmipIFTBh\
l4P9OOq5+y8kQp2i\
K/KQGhiTMRtLCwBp\
a5p2 gDAj44M28rY\
M5XzqkUS0uL46iTH\
BmBlqZBBHlpL3oqo\
AvPd1DInUZZKQFEY\
CZTRQlFlvfW0v6q/\
+ xv/QuOKVnfGw6F\
4KulV2d3pLe4Ply+\
b2snIo/vnXL/+pP/\
vnn/zIR7PBghKMjW\
fBlEITE4T3Hxe1 L\
yJiEggbODETi2Q5O\
VG5qUwjA81waQHYf\
93EwbXfu0MBFDOvr\
69v1w15D0BVRSQFV\
Y3eS11VnV4Z NInn\
BCMnqimRspekqhrF\
c2d5YWVh8fVvP/uL\
v/Zr733ons2tnWuX\
Xhht3/BCyWRx+cjZ\
ex+LL732 9/7pbz7\
+0Y9VoKqqs1xoVt9\
pWSBqyz37yjQiIjC\
3rBDNdXFEeZ5nWab\
T0Bo+6JZuss1mDLv\
Vjzg2 1v16zwEnfN\
uWZVlRFKgb7KvizC\
ypODEjIjJVNXXe1S\
EQoVUrsyOLZqowUu\
GpYvX8+auvPv8//d\
Y/ 7zsrmRfXz2zs7\
OZl9/Ju/Z2nn33up\
dfOPvBIyHPK/WK3M\
5mO9xl2OtDe9N/5k\
Zb6AglL5vNOOZ6O \
ACTYvlW9tR08zAfe\
32wQsFt4aTMriiLG\
6L0nopka0bjwGdSO\
rh9h5hhj5iSFMBMY\
QpkMagwIsRhi 1GD\
WMJ249/618w/sSXd\
LyzdGxAunJ7Ro/eP\
ffmP7/Hvev3DXSel\
2G4uj8bBV+CnIiEm\
YnbT2wiQE hhGBW8\
pWZ1wRFNY+5G6325\
YNv8tjvm23D7a34e\
KNzSzLshBCa7Fmxu\
wAMPNwd/exRx4OTd\
Uty6aq HbMQxJRBU\
ENInMiTtGG+z4pJC\
KOo1O0Pjp3cM9f4/\
lZNu7V8+5UrZx5+l\
1tcvDYe1pJUzJV+3\
9Tb CWV/vOAtNkJE\
BGm/RkQhxt6gHzS1\
9PAdInKHlXBup6C2\
XJCaYMxEzMSmKYa6\
Wxanjq4cX19PKVho\
sjJPTXDsYuvLwQL\
mRKzqiVOMIl7yvL+\
8sri4mGfl9pWNqHZ\
j58aFxx5H4W+MR1k\
3bzjlpTTNVCgT EQ\
KYeWYU1Fpnm5uScW\
s8jNb+nWhSYg4htD\
YCAQm/fd3lQOWc9G\
bodgeNiCTPyxgj5m\
JbJkMMD9x7 noF3P\
/rIcHurmzsLDVIkG\
GkC2LFndpoQEpmRR\
SuyvK6DEZnLusvLx\
8+cNu9OnT+fRBqyz\
mDg2zRE 1ZK2aydE\
5EAkfjMq3w9G9i2o\
bQCCpjzPW+qP+bv5\
xzkuB/55U79xO411\
SinLsslkQkTe+7qu\
AbAh Yzq2uuwU507\
dde70yWY0zpkdDJa\
YWVVNWIkbQJ1T9qR\
Oa8skg/G4rpD5cnn\
h7IX7jt9zJu93E0h\
V 26qMb1AiZwiMWj\
8CmbmMaMrsRDxIQK\
Jm7csIKSXnXOvU2q\
yiBfdOnjkAR9D9eY\
gMt5jQmzBkbgcO k\
6jC+7xFbby7e+7Uq\
Wo8MuiPfPSjnUy+8\
vVvDFZXoyZyzgR1P\
TVi9lkDaNMU7EXyK\
jUBKc9Lx9A6 KMNl\
ruh2InPTVForA6JZ\
awBgsoO08a3Tzdvd\
rRMXUzIzU7Xvuqri\
ltn3bSqbDKQ3/4yo\
aRoRaSca 53wKStA\
TR44sFEXSZjgcgdL\
HP/yvnD1z6rd/7zO\
juuai5LxjZiTeldC\
EZJSIq5AgkmeZprq\
uYkYo y9KidfIOwY\
+VQ1UTMZMQGwlFSv\
Oet6HYjP854FGF5o\
U7BpCUWLz30zAPRu\
xt13DQrQGJA7VkgL\
Lx gcn49mYynU6dc\
6oKs9YOzUxjJFUKq\
ZdlDtbsbp9eW/n5P\
/dzTz938WvffObyx\
hY7ybu90eZek2Kv \
vwgSiIVQJ0XuhBgp\
plprIvHMWVaYUcUu\
xpiMjNTxjPzedxm4\
XTAysxqCMFsKqirM\
1WTqiBl05ytv 3jz\
X3IxfWxL7wHmIaDq\
dzgyEOabk2CPx+vp\
amflxM0UTYqo7heO\
U6o0bDx498vDpU6M\
6/tFTT73w 6suoxy\
7LrJkM43SwspaiTc\
cjD8+OG1V2LkY1KL\
OTMvdCTT2ZpgSywj\
CL0tsR1NrCfO6fAc\
GEudU4 kbqpwQDLa\
DQSEYEgfm8/MiPYb\
y53sXlJ5/YTDzNT1\
TR1Xc/jESWSVm9dV\
U1qQi4uc/Cq9XC4v\
rBg ZvVo0hH50cce\
0Scef+75i6+8dumF\
197o9xc3L1/qFOVi\
pzMajVSo2+1OQxLh\
qAaLwuwcvBESzAxp\
Vsq9aSPzJ3QTkQN\
uhWhGqpLaaHePQSJ\
iIXz3gGR/7LQ28j3\
xY8CIKMa4u7srZSf\
GSMSqipTKbl+y LI\
+ZhMZFzZA2rlzjnd\
1u2Vnp9x1LmFY7e3\
vdzc2Pnzv/44+9+5\
kXL3316W9NN3d60b\
LYVI5DXU/H 43Jhy\
bGSGsWUkYmjQBYTq\
ZoRGWAAzyfa/ZU1b\
aJDBzBqcwdhIcJ4P\
D5Y3zyYwd2eYTR2s\
w7vGwrb 3Nfe/IXN\
P9Nok93xQqdXxeCz\
IqZgGitrEkVHHOsq\
Q8q97F1+/Y3rV+5a\
XkqrK6vrK35pca3e\
efa5 p668/hL57D0\
PPfzkn3jvixdfeO7\
llysv28GuhuHd68e\
uTibkOgxWJcfkHTv\
WSWpAXgmsSVSFSIS\
N xYijKgAhotlERA\
oGEEyJSITJrKmaTM\
GCdCDlt7fISdh4xj\
+TOpgA4BmZGufgtS\
t3DAQYt4IDU3XE W\
1evL62tFeLh3V416\
nV8ypKKxWbqAZ+x4\
zTwmkmVbV3avf6dr\
WfrssyPrB29p5iMd\
jZ7g+7Gl19x jtcV\
y10bgTfFv6zute0r\
Xek2VCplEEoWLQYQ\
5XkZYmHJXJg4TQKD\
aQMkpggmIkYSzEpN\
AWQE4pjn nKJubGw\
2TdMrOtrEVvYxK5L\
PM1u+NYPR+ai5zVp\
WI5DNOft5QszMHvT\
Gpdfe80M/dHW0t7O\
9019Z qaY7IaWUQs\
GSCXvWWI3Pnz72rR\
ee7rnUoThNQx8r7K\
SFWGcIg4SqHktQMQ\
TlTCSXvnNFP8tenN\
Qb cW/MEVnXHKsJI\
WN25IShYk7MWKBMp\
pRgxEJEBG0nV4Mxo\
FAvHEPV6Qy+8dy3h\
Tk2ocg8Ipulg33c \
r7oYGKQzZoDs9nnN\
vm/lg3wb4JybVNX1\
69c1991OIWQUtRnW\
1FDm/PjG1WyQf+1L\
X7i/Xyxk4qdV 6ZV\
MXLK4O8ydE6YsJpf\
YjAKZkTJx36LX2LO\
q69wVo9cQN1M9liJ\
JDs1MiRnkU/Kk5oj\
EDEhe1Bx5 gxqyRF\
EMZMhVQRqrRpBiXb\
326itrRU8UsQmWov\
ibneW3Jz3uUMSmZF\
CN0NjtlV/+0hcHva\
5niVUt kGY4LV2xt\
7O7srzUjHddql569\
qk8hSxGCaEDypREg\
2goWBGmTlUMTCTMu\
WkeqoXpcHWyc7+EB\
4p4 Lq9Xba/TDDNE\
Zpd0ljtHoeAkCKtk\
5ljYt4GZMRt5bUcQ\
mUNyqkudzpVXX8mY\
M+ZOkavO4HiTB6G5\
GOLgkdvYyFsXbLc\
RmyOuQjTQlavXWC1\
WU85zIRnvTafjelB\
2GGPPgcJ4qeP6KRa\
iVlfCHgph0dCw SN\
KoRqYsxq3cxSGwNo\
VBGxX1JrlQVkBuVJ\
OhcypilJRUQQQHkg\
QmJiaYqe6zGUQJiT\
gS4FV9SN/6 +jc6z\
mkMkazNbpKG72IE+\
6nMnQodGSpMwtAUV\
hYGX/3iF4+vrnMIn\
Swfj6dNDCHWhFSQ9\
iTF6W6v dD5jIoOZ\
xQSQWgRFFoVTsLKp\
U/hknBJMPae8HnZH\
W+vTvXtduldsvRn2\
Jzu9NMm18apemRNR\
YCiR GigBJkhiaF9\
s7TrR5JNuXXlj6/K\
VjkjhpJ5MiSiE8KY\
HfUv1ctZHAyDnHnj\
4YIxDRAyhOZ/bHmU\
w iJIagZzPsrJ8/v\
mLjz7+WGgaERFxua\
OTq72rz3/zrlNrxe\
61nddezLTOyJi5Vb\
+1GjfjBIY5ECAg N\
pqpjLi1zEhmuVGHO\
IPzpkiNpYaUBc6p5\
+RFiQxCyqaMKGYtN\
SettWgQi2udzuvPP\
z/a2lnodYvM a4pZ\
5gwKmkkjMZcYzXmn\
Vghh7d4Pcu7CQwDm\
MUerBDg41No3IkCT\
GoyI6qYx2HQ6vfvs\
2aqqik6x s3Ht8Xt\
OPf0Hv9vduXJksTu\
5emmxkzVNnXmX1By\
7ZNE5FzQaw1TbxL6\
FZS6JJEvBicvMLCT\
P1C8z TylOp1HNzM\
EcSJTZGKBEUDFlMj\
ImmFhka5w1PjUnlh\
a//dQ3NQQLMdZNG8\
LazZDsrYi0f80Uir\
dH 5ID2s30zwJwIj\
EIKRZGL46tXrh49s\
l6URRLavnr5kVNHw\
5VXu+OdySsXl0pfT\
0feu2Qm5kAkJOC2 \
wkUcW3JUjM3IjIx4\
rkUwmEEZMKVYdSwO\
ymzaGFwWiCpBcJy8\
AAqLIKmSN2MAAAoX\
SURBVIQYTDRp 4yh\
5NGWcLniK4+mXP/e\
FflnGEMo8N9MQk3N\
O3wLCPjc5R8Ruj8h\
MK3ELIgCgasRwLqu\
b2onz3r34 4guPPf\
7Y9u5O1xHvbaxaWK\
jHq45TNVxeGDQpAn\
DKNOP/TMkoEamIiR\
EZQRn7rCnNKEI2Jm\
ITpBxB iKTsjZp6G\
Cp10EyiJrOQOZcJM\
xJpXOxmPkx198bJh\
c5qp/zsb//ueG+UZ\
3mKEQAzi7i2YHGL6\
c+v aje3RzEjknvu\
v3Dr9h00j1vadwVa\
dsFiiHmWqSYmGJBl\
fmd7K4Zw5uxZTMe6\
eX1VdE3TEgGpno7H\
4hwZS4Ikmj19Myi\
JFYAztlbpy6RkEa2\
8iTg5TmwmRpQcEhG\
kLMgz2JI2CrCQJ4K\
m6e5OhzEgDZs3 uv\
VozdP9R1e3r1z9zG\
c/N1haaVEAsRlEvG\
qby6NNkw+qEA92n0\
C3WU1yc/eUW74NGD\
nnYkpOBESa dG119\
eLF5yzhofPnhtcv2\
872+ZWlLNWOVGNg5\
0Th076Yy1qFE5mfi\
0MTITHZrDpPAHHa3\
1ijrTQw Qmoy4YLB\
IcSq8rGRGHxddZEG\
Ifam4+UU719fO7HQ\
q7a3f/M3fnOwcjTv\
DVQNTN63xQM5QLXR\
gTFx m/YmRBig2W4\
7c/x07mlFOKXonW9\
CnXufYvBO8qy49NK\
rmfgHH7jnyqWXTyz\
0CzavmnshNTETm8P\
M reyx1Q4SUWIkQp\
oL0AlECmKbi4BmS+\
jhkxYx9NSWmfuq+X\
Ta03jEu8WmOgZ9YH\
HhZJat5xkm07/z 3\
/46F93B2olR3Rah1\
YlrknrJiBg6myL2+\
2UzjZkeKOzxmxCZ4\
zcvCLay8f1c28xaS\
q9NemJMeZY7 KZ67\
+J3Vo2u9bubidH2h\
T01toXYENmNTsJqA\
2ppaK8+gBE4zMWC7\
RQcYaAnVtoqLVl/K\
sAJUEEpY gdQTLOV\
upfArghNlvoiwaCF\
LIcbwv/7v//jGtOk\
dO1GbjOq67JRRzWa\
xLKeUbs6hLbPePop\
224sD Dvc2iND+GA\
OMbN/PtsXUGJq8yE\
ITWNg7GQ7HjvPews\
Jnv/oHx06uxdHw2O\
JCSVoAAiWLDFPS5G\
Bt aEIGbsARlJSRG\
NZSqSakRMZtvs1z/\
ooNaJIngoVYDxlhU\
HCf1DfjRYq51s7Fq\
Vb/3f/29y9u7mQn \
Tu/CJQOJIxaFtYoK\
KMyMSchovvjB5hpm\
m086dKeI3JwImGOM\
zrsYo7AT5iaETtEl\
EyMuFjvPPPP1 ZrS\
7vjQ4srykTeXZxBI\
bqA032IxglhgAmTI\
pkRFjZheERPM7awV\
f1noSz6JJgeSERdh\
iQNJcpK6q wfLyG9\
vbv/o//t0Nc7x6bJ\
wNpLMQYyrzYjKZsE\
i7iZBGdc7B7EAmc6\
eI2IwTuWlfs21n5p\
gI2rCW YDBmNiXHh\
RPXNJPjR9c2blz7r\
d/+v+++5/Tdd5+0q\
u6woGkIzKYEioCKA\
1ECWzsttgmbQlNiJ\
mrX IKomGIswsSYF\
IFkOk0nVOCl90asD\
KvP5yrHf+vxX/5v/\
+R/Sysn8+Lldy6W7\
PA3JgymqEweQgMjQ\
6n1narsZGzd7+AT\
i2f/ahMYOv3KRyYh\
h4jAe7i0uLfQGvX/\
yT36ryLNzp+9uqqZ\
Xdpu6JhbOvXmq Q3\
AkzCJg05SaBikJMX\
tP0Bjqdr2IOKegpE\
Yswm44nPiy68r+Xo\
AVA+suXK3ir/0v/+\
CPXr4sy8d5 4Uj0X\
c66w+E0Y+dgfECG+\
13ardYxa4df3apM2\
jQj71GW5bSqclcWR\
fn0N5/b3hmfu/BwM\
E4ilLvI NpwMe2WJ\
pEjRUhIycY5FYMlC\
TWbsWJxnxxGWNKV2\
8gFn3X7wnZ2Euruw\
adk/+9wf/Z1/9M9G\
xWDI 5eKJM5OgTbD\
MuTSZ9opsrgt4pz0\
65ApogjqDIUVQu3I\
51Y2kwPVkcvWNRUl\
/6pMfffDU+omlbhp\
t ahiF4e5yUToDAa\
rRQgPAOQfnLBl5Z4\
pJaBQsWa6Euknkig\
ZcLh+5Ucff+co3fu\
8rT2/UtnTX3Skr R\
425LAshlC7TFEnNm\
NSJ3XFO/9Z2eBsx8\
RZS7bMc4PG4yfJeE\
8h1++ryvSZ+9stfu\
rK5dfzU6aI3 KIqe\
Yy8qABscsXcuZ1cY\
WBMgfho0mEjeia4Y\
RwRk1F9Kiyub5P/P\
z3/lv/+H//TpS9dl\
6bj2Vhvp VppHciF\
BXJZlvqqrLPMxJRK\
5gxHz9j069L6KGuJ\
kMBhUVaymodtZaFI\
iduPxsN8rSevCqun\
G5Wf+ 8Os/86knf/\
i9T9x74khPo4vB5p\
uPyCyzRAJlZVFF3Z\
tMs26/u7B8Y3vnWy\
+//M+/8OWvXXzBdx\
eO njxbm284d8WSS\
gH2ycCMqpowwUubP\
gGHWxR++H0D1Od+Z\
7jXzbpIWOgvDvdGR\
iAnVTPJco7VxGsz \
YEw3b8S93cnOxo9+\
9IN3HVs9e+rk2vKS\
E0GKTCZeqibsjcaj\
adgajZ99/qWvPf3N\
aze2rOwsnjwT xA0\
Gi8RZ1SQYJ5WoAHs\
QEXGCKbTVY5OZF/4\
uWpH/DxBBhGVZFqo\
w6HS3N7d6nT47mVY\
V5zKajrpl zqqlSB\
iPJSUNk9Hu9Wq6l+\
omF/S7vU6RQVOIDb\
HsjSfjKkpWZL2Fot\
dzeYfysoKwLzPnmq\
aCGhPF oN77lNT5f\
FLVZbdbhxiSingim\
y1k+mNEpLVSMnBL/\
dhMRx813ZRNQnj2R\
/QZNFXWRI0VkjIUq\
ow2 7RByniSD8yaZ\
sjNwSm2o3xY7I5nO\
ljCozkTaJgoGpOVc\
vXsH67hvtsPuP8IH\
RAj7WMw+apeVtvpy\
Qpgt/uNGkyFn58g\
VDkaq7W4b0tLILMq\
SSNQoJQa4LazMwnt\
rw9w2V24r9QaYs5v\
8ziHbYREhA1lo iW\
ybk00A9kWOZCxEsz\
SLABAZizkiFhCbiR\
jU2NDqP1WpJQ6ZmK\
2N+mdbNcJ0XvF1QI\
sjgPnniK2N 2B3Lc\
2/bDr+voorOmLfEO\
luwY/vqSqDNtE15n\
nXLXKwMkJFGBSmSz\
p42kRipEcHmWTHSL\
NcmNWC+ ceJBBZ3N\
GaBkRN9dkvs92w9i\
700A7cKk+TtovrwJ\
aGtG3O4MAJ3n4DAg\
GYhEhEzavRBmZzOC\
2S0r N/ZZrJnO/02\
VWWpXPe8PHD3Mnhm\
HRcTAiffXJjFu0nR\
Ks3JNu3WvGtq9E0H\
E871ECbDU2hS3m4n\
u qyixz33ORZmzy8\
39Vpug6T70B4L3P1\
YbUUIih5mLVZ5l2x\
GtocxXm88eYJv8t0\
N9tusm6UwXaUb7 d\
JoB7fYTM2HMPs7Km\
NcZDha0mdEuAWg9i\
P6x+hEAmN0lG89Yt\
/b+Ffsrifd9nZlpO\
y+0Gzq1GzyB 210m\
rS31k7a/ge4TnDeH\
pM4ZPbMDHW91AWCy\
Q8GBH8js+6bJv51i\
2/uz2ZC+ObAPEsAG\
wBL2SWZD W6uZ/3K\
25sMOXEsJ7U4fB+d\
Znp3tlkVE77j9AGz\
kbbY65zk0uIOBPet\
Me6qD73d2LcyXVx6\
KB5hd 4vCn+P9Z+3\
8BEn9MiB//QMkAAA\
AASUVORK5CYII= \x22\
\x0a height\
=\x2252.013824\x22\x0a \
width=\x2252.\
591755\x22 />\x0a <\
/g>\x0a <g\x0a \
id=\x22layer2\x22\x0a \
inkscape:la\
bel=\x22circulo\x22\x0a \
style=\x22disp\
lay:inline;opaci\
ty:0.98999999;fi\
ll:#59b6a4;fill-\
opacity:1\x22\x0a \
transform=\x22mat\
rix(0.35910889,0\
,0,0.35910889,-1\
.4878027,30.3807\
85)\x22>\x0a <pat\
h\x0a style\
=\x22fill:#59b6a4;f\
ill-opacity:1;st\
roke:none;stroke\
-width:1.4909519\
\x22\x0a d=\x22M \
44.322082,27.405\
077 A 19.729762,\
19.729765 0 0 1 \
24.59232,47.1348\
42 19.729762,19.\
729765 0 0 1 4.8\
625579,27.405077\
19.729762,19.72\
9765 0 0 1 24.59\
232,7.6753138 19\
.729762,19.72976\
5 0 0 1 44.32208\
2,27.405077 Z\x22\x0a \
id=\x22path\
3005\x22\x0a i\
nkscape:connecto\
r-curvature=\x220\x22 \
/>\x0a </g>\x0a \
<g\x0a aria-l\
abel=\x22a\x22\x0a \
transform=\x22matri\
x(1.1445077,0,0,\
1.1445077,72.981\
394,-12.281748)\x22\
\x0a style=\x22f\
ont-style:normal\
;font-variant:no\
rmal;font-weight\
:normal;font-str\
etch:normal;font\
-size:40px;line-\
height:125%;font\
-family:'Holy Mo\
ly';-inkscape-fo\
nt-specification\
:'Holy Moly';let\
ter-spacing:0px;\
word-spacing:0px\
;fill:#efefef;fi\
ll-opacity:1;str\
oke:none;stroke-\
width:1px;stroke\
-linecap:butt;st\
roke-linejoin:mi\
ter;stroke-opaci\
ty:1\x22\x0a id=\
\x22flowRoot880\x22 />\
\x0a <g\x0a i\
d=\x22g4574\x22\x0a \
transform=\x22matr\
ix(1.6071093,0,0\
,1.6011113,66.00\
3247,-7.92229)\x22 \
/>\x0a <g\x0a \
id=\x22layer4\x22\x0a \
transform=\x22t\
ranslate(34.0616\
34,-172.1879)\x22 /\
>\x0a <g\x0a \
id=\x22layer2-7\x22\x0a \
style=\x22disp\
lay:none\x22\x0a \
transform=\x22tran\
slate(94.061634,\
-173.1879)\x22>\x0a \
<rect\x0a \
width=\x2286\x22\x0a \
height=\x2285\
\x22\x0a rx=\x226\
\x22\x0a ry=\x226\
\x22\x0a x=\x225\x22\
\x0a y=\x227\x22\x0a\
id=\x22rec\
t3745\x22\x0a \
style=\x22opacity:0\
.9;fill:url(#lin\
earGradient952);\
fill-opacity:1;f\
ill-rule:nonzero\
;stroke:none;fil\
ter:url(#filter3\
174)\x22 />\x0a </g\
>\x0a <g\x0a \
id=\x22layer2-0\x22\x0a \
style=\x22disp\
lay:none\x22\x0a \
transform=\x22matr\
ix(1.9515901,0,0\
,1.9515901,51.59\
2327,-390.43714)\
\x22>\x0a <rect\x0a \
width=\x228\
6\x22\x0a heig\
ht=\x2285\x22\x0a \
rx=\x223.0744162\x22\x0a\
ry=\x223.0\
744162\x22\x0a \
x=\x225\x22\x0a \
y=\x227\x22\x0a i\
d=\x22rect3745-9\x22\x0a \
style=\x22o\
pacity:0.9;fill:\
url(#linearGradi\
ent954);fill-opa\
city:1;fill-rule\
:nonzero;stroke:\
none;filter:url(\
#filter3174-0)\x22 \
/>\x0a </g>\x0a \
<g\x0a id=\x22la\
yer4-7\x22\x0a t\
ransform=\x22matrix\
(1.9515901,0,0,1\
.9515901,51.5923\
27,-390.43714)\x22 \
/>\x0a <path\x0a \
style=\x22fill:\
none;stroke:#fff\
fff;stroke-width\
:1.56086135;stro\
ke-linecap:butt;\
stroke-linejoin:\
miter;stroke-mit\
erlimit:4;stroke\
-dasharray:none;\
stroke-opacity:1\
\x22\x0a d=\x22M 3.\
1904497,40.69045\
6,43.5 11.15084\
2,36.476125\x22\x0a \
id=\x22path77\x22\x0a\
inkscape:\
connector-curvat\
ure=\x220\x22 />\x0a </g\
>\x0a</svg>\x0a\
\x00\x00\x09!\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<svg\x0a xm\
lns:dc=\x22http://p\
url.org/dc/eleme\
nts/1.1/\x22\x0a xml\
ns:cc=\x22http://cr\
eativecommons.or\
g/ns#\x22\x0a xmlns:\
rdf=\x22http://www.\
w3.org/1999/02/2\
2-rdf-syntax-ns#\
\x22\x0a xmlns:svg=\x22\
http://www.w3.or\
g/2000/svg\x22\x0a x\
mlns=\x22http://www\
.w3.org/2000/svg\
\x22\x0a xmlns:sodip\
odi=\x22http://sodi\
podi.sourceforge\
.net/DTD/sodipod\
i-0.dtd\x22\x0a xmln\
s:inkscape=\x22http\
://www.inkscape.\
org/namespaces/i\
nkscape\x22\x0a heig\
ht=\x2248\x22\x0a width\
=\x2248\x22\x0a version\
=\x221.1\x22\x0a id=\x22sv\
g8\x22\x0a sodipodi:\
docname=\x22network\
.svg\x22\x0a inkscap\
e:version=\x220.92.\
4 5da689c313, 20\
19-01-14\x22>\x0a <me\
tadata\x0a id=\x22\
metadata14\x22>\x0a \
<rdf:RDF>\x0a \
<cc:Work\x0a \
rdf:about=\x22\x22>\
\x0a <dc:for\
mat>image/svg+xm\
l</dc:format>\x0a \
<dc:type\x0a \
rdf:re\
source=\x22http://p\
url.org/dc/dcmit\
ype/StillImage\x22 \
/>\x0a <dc:t\
itle></dc:title>\
\x0a </cc:Work\
>\x0a </rdf:RDF>\
\x0a </metadata>\x0a \
<defs\x0a id=\x22\
defs12\x22 />\x0a <so\
dipodi:namedview\
\x0a pagecolor=\
\x22#ffffff\x22\x0a b\
ordercolor=\x22#666\
666\x22\x0a border\
opacity=\x221\x22\x0a \
objecttolerance\
=\x2210\x22\x0a gridt\
olerance=\x2210\x22\x0a \
guidetoleranc\
e=\x2210\x22\x0a inks\
cape:pageopacity\
=\x220\x22\x0a inksca\
pe:pageshadow=\x222\
\x22\x0a inkscape:\
window-width=\x2280\
0\x22\x0a inkscape\
:window-height=\x22\
480\x22\x0a id=\x22na\
medview10\x22\x0a \
showgrid=\x22false\x22\
\x0a inkscape:z\
oom=\x224.9166667\x22\x0a\
inkscape:cx\
=\x2224\x22\x0a inksc\
ape:cy=\x2224\x22\x0a \
inkscape:window\
-x=\x220\x22\x0a inks\
cape:window-y=\x223\
1\x22\x0a inkscape\
:window-maximize\
d=\x220\x22\x0a inksc\
ape:current-laye\
r=\x22svg8\x22 />\x0a <g\
\x0a transform=\
\x22matrix(.3640422\
2 0 0 .36404222 \
.260514 -59.5531\
38)\x22\x0a id=\x22g6\
\x22>\x0a <circle\x0a \
cx=\x2266.523\
804\x22\x0a cy=\x22\
230.09819\x22\x0a \
fill=\x22#7ab3ad\x22\
\x0a r=\x2263.49\
9996\x22\x0a id=\
\x22circle2\x22\x0a \
style=\x22fill:#7a\
a6b3;fill-opacit\
y:1\x22 />\x0a <pat\
h\x0a d=\x22m320\
50.267578v61.73\
2422c0 20.00001.\
00001 20-20 20h-\
50.71484c-9.2857\
2 0-9.28516.0008\
3-9.28516 8.5722\
7v31.42773c0 20.\
00001 0 20-20 20\
h-39.35156c-20.6\
4796 0-20.64844-\
.00001-20.64844 \
20 0 19.99997 0 \
20 20 20h180c20.\
00002 0 20-.0000\
1 20 20v40c0 20.\
00001.00003 20 2\
0 20h64.70703a22\
0 220 0 0 0 6.72\
07-52.85742 220 \
220 0 0 0 -151.4\
2773-208.875002z\
m-273.164062 128\
.568362a220 220 \
0 0 0 -15.408204\
80.30664 220 22\
0 0 0 0 219.9999\
96 220 220 220 0\
0 0 41.75782-4.\
17969l-33.18555-\
82.96289c-20 19.\
99997-100-40.000\
01-80-80z\x22\x0a \
fill=\x22#fff\x22\x0a \
transform=\x22\
matrix(.26458333\
0 0 .26458333 0\
161.53332)\x22\x0a \
id=\x22path4\x22 /\
>\x0a </g>\x0a</svg>\x0a\
\
\x00\x00\x02L\
<\
svg height=\x2248\x22 \
width=\x2248\x22 xmlns\
=\x22http://www.w3.\
org/2000/svg\x22><p\
ath d=\x22m44.32208\
2 27.405077a19.7\
29762 19.729765 \
0 0 1 -19.729762\
19.729765 19.72\
9762 19.729765 0\
0 1 -19.7297621\
-19.729765 19.72\
9762 19.729765 0\
0 1 19.7297621-\
19.7297632 19.72\
9762 19.729765 0\
0 1 19.729762 1\
9.7297632z\x22 fill\
=\x22#5995b6\x22 opaci\
ty=\x22.99\x22 transfo\
rm=\x22matrix(1.150\
3549 0 0 1.15035\
49 -4.486125 -7.\
525565)\x22/><g fil\
l=\x22#fff\x22 fill-ru\
le=\x22evenodd\x22><pa\
th d=\x22m12.6 21h6\
v-7.5h-6z\x22 fill-\
opacity=\x22.532847\
\x22/><path d=\x22m12.\
6 15h16.5v9h-9v1\
0.5h6v-4.5h9v-21\
h-22.5z\x22/><path \
d=\x22m20.1 37.5h6v\
4.5h-6z\x22 fill-op\
acity=\x22.507299\x22/\
></g></svg>\
\x00\x00\x0b\xa6\
\x00\
\x00.\x11x\x9c\xc5\x1a\xd9r\xdbF\xf2]_\x81\xa5\
\x1fb\xd5\x12\xe0\xdc\x07u\xa4\xe2\xb8\x92M\xd5\xa66\
\x95\xd8\xbbU~\x83\x80!\x85\x0d\x08\xb0\x00P\xa4\xfc\
\xf5\xdb\x03\x10\x17\x09\x90\x94-o(K&z\xba\xa7\
g\xfa\xee\xc1\xdc~\xbf[\xc5\xce\x93\xc9\xf2(M\xee\
&\xd8C\x13\xc7$A\x1aF\xc9\xf2n\xf2\xf1\xc3O\
\xae\x9a8y\xe1'\xa1\x1f\xa7\x89\xb9\x9b$\xe9\xe4\xfb\
\xfb\xab\xdb\xbf\xb9\xae\xf3cf\xfc\xc2\x84\xce6*\x1e\
\x9d_\x92?\xf3\xc0_\x1b\xe7\xedcQ\xac\xe7\xb3\xd9\
v\xbb\xf5\xa2=\xd0K\xb3\xe5\xec\xdaq\xdd\xfb\xab\xab\
\xdb\xfciy\xe58\x0e\xf0M\xf2y\x18\xdcM\xf6\x04\
\xebM\x16\x97\x88a03\xb1Y\x99\xa4\xc8g\xd8\xc3\
\xb3I\x8b\x1e\xb4\xe8\x81\xe5\x1e=\x99 ]\xad\xd2$\
/)\x93\xfcM\x079\x0b\x17\x0d\xb6]\xcd\x96\x96H\
Xk=CdF\x88\x0b\x18n\xfe\x9c\x14\xfe\xce\xed\
\x93\xc2\x1a\x87H\x09Bh\x06c-\xe6eX\xf3]\
\x0c\xa2\x18]L9\xda\xe5\x0e\xe2_\xc3oCP\x03\
\xbc<\xddd\x81Y\x00\xa5\xf1\x12S\xcc\xde\x7fx\xdf\
\x0c\xba\xc8\x0b\x8b\xb03M-\xfd\x1e\xdf\x9eJ\x12\x7f\
e\xf2\xb5\x1f\x98|V\xc3K\xfam\x14\x16\x8fw\x13\
\xa6\xca\xa7G\x13-\x1f\x8b\xe6\xf1)2\xdbw\xe9\xee\
n\x82\x1c\xe4`\xe2\xc9\xf2O5\xd4\xda\x11.\x01Q\
x7\x01IT\x845\x8by\x83\x86<M<\xea\xbc\
%\x0cq\xce\xc4\xd4!\x08+\x17Q\x17\xe3\xeb\x92\xa4\
\xde\xdb<L\x03\xbb\xd8\xbb\x89\xbf^\xc7Q\x00\x9aO\
\x137J\x16\xa9g\x05}\x0f\xb8\xb7\xa1Y\xe4\x96\xa6\
\xe2j\x9fH9\x00C _\xe3g?g~\x18\x81\
UUH\x15Z\x7f\x84*!\xf64@\x95\x17\xe9\xba\
\xc6\x85\xa5\x14\xcf1\xf0\xb7@7H\xe34\x9b\xbfA\
\xe5\xe7\xa6\x04\xa5 \xc6\xa8x\x9e#\x8f\x13\xa4(\xa5\
\x95\x00\xaaO\xbaX\xe4\x06$\x88:\xb0R4@\x09\
<\xc1\xc5f\x97s%J\xd1\x80\x1ep\xbd\x19\xe0\x86\
\x07\xb9I\xd4p\xbb\x9d\xf5\xb7\xffbiI\xf62i\
\x85\xc8\x1cJK1\x8c\xb8\x16th\x03\xc3\xe2\x92\xe2\
E\xe2\x1aT\xd2\x0b\xc4\xa5\xce\x89+\x88\xa3\xf5o~\
\xf1\xd8\x15T\x0dS\x9a4\xb3\xd6\xb0\x8fIT@\xdc\
\xd8\xe4&\xfb\xc3\xfa\xde\xbf\x92\x8f\xb9i\xe5\xb8\xeeL\
\xd5\xf1\x99 M\x12\x13\x14i\xe6\x06\x9b\xec\xc9/6\
\x999\x16\xd0\xbad\xc9:P\x00\xfe\xeaP\x05F\xc9\
0\xa1S\x82<B\x09\xd5\xd8\xf9\xb7\xc31|W\xca\
yt\xa8\xc7\xb5\xc4\x9c\x01\xb0E\xf8\xe4\xfc\xea`\xe6\
a\xc2%x&\x81\xcc\x80\x08\xb7d\xc4C\xa02\xc1\
\x9d\x7f8Xz\x92\x10m\xe9\xf6\xe3\x96\x8a{Z\x83\
Gce\xa9\x08\xd7\x04\xd1\x8a\x8e\x08\x09\xff\x80N\x03\
CL0\xa9\x08\xf7(\x9f\x9c\x95C\x98G\xb5\xa2R\
\x92)\xf6\xa8\xc40\xf7\x93C\xed\xdc\x82!\xdd.\xd5\
NH\x88'(b\xba\xa2ta\xe5\x94\x22%%P\
\x0a\x22(U5\xa9B\xb0\xd8\xfe.\x190\x15\x8a\xe2\
\x96),\x0dO\x91\x87\x94\x80e\x1d\x13*\x85tE\
H\x19\xd1|/\x1e\x08_\x82s`I\xb8'5\xb8\
V) \xe1\x01\xa1\xb4\xfb\xe4 w\xd8\x05V\x96\xb4\
A\xb1<\xb1\x00ip\x04\xa2\x1e`\xca\xda\xd5\xf2\x8a\
R)\xa6\x08\xef\x8bh\x8a\x86I\xd8\x11\x89[s\x03\
\x03\xf0\x08\x91\x9ct\xa4\xaa\x0e\x98)\x0f\x83\xa5\xb0J\
\x95 c\xd0\x0e\xd2S\x8a<)\x00eX\xa6\x96\xb0\
\xc1\xf849\xf2\xc7E\x14\xc7\xf37\x8b\xf2sc\x1f\
:\x01\x80\xf0*`\x82\x87f\xe9\x9ff\x9e@\x99\xb1\
\xff\xee\x96yh\x8eA\x8a\xa0iAd\x0d\xb7~\x08\
^1\xcf\xd2M\x12v\x81\xffM\xa3\xa4\x0f]E\x85\
\xc9\xe2\x08\xfe\x9b\xb3\x1a\x16\xfa\xf9\xa3\x9fe\xfes\x8f\
Y\xbd$\xdcq\xf8\xdagG\x5c\xfd\xb4K\x0f\x05\x04\
p8<\xe6\xebM\xb2+\x9em\xd2\xf6\xb3`L\x92\
\xff\xf0P\x92\xb8z\xcc6\xb1\x99\x9b'\x93\xa4a\
\xd8\x15\xe9@\xa4\x80\xb5\xd0\xc9\x00\xfb\x00r;\xa7\xe0\
\xa3\x83\x83\xcf\x10)\xc1\x97\x07\x073\xa0\xc4\x88\x8e\x0c\
>\x1f\x0f\xc2JV\x8e`tZN\xe9\xf8N\x890\
-\xff\xda\xea\x02~\xc0\xb1\xad\xa9\x1f\x0fT\xf0\xcf\x9d\
\xd9\x8a\xccOr(\x8eVw\x93\xf2k\x0c\xe5\xe9[\
\x17\x02\xdf\xd4\xc5\xf2z\x5c\xad\x97&<\x88iz,\
\xe1\x0d\xe5\xac\x81l\xe4\x87A`p?\x1b\xe1\x9b\x81\
\xcc\xc3\x10\xc1\xe3y\xae\xe1\x06~\x0dA\xfc4O\xf1\
\xf0\xb0\xb8\x94'\xbd\x84'$\x04\x824:\xc3\x16\x02\
\x87\x08/d\xcb\xcf\xb3\xc5g\xb8QI\x02t\x197\
\xf9Z\x15\x10DO\xfe\x95\x06\xb1\x0f\x8a\xfdu\x0f.\
[\xc9Kt\x83\x04\xc5\x82q\xfer\xae`K\xc3|\
\xf5%|5\x87\x9a\xa0_\xf5~%_}\x81\xfd\x7f\
\x11;\xaa\x09\x86\xec/\x87\xb9\xd2s\xc6\x01a\x16R\
J\xd7(*\x08\xc5\xb2\xad\xbc\xca\x05@\x83\x02\xf0u\
\x1aW\xedJ\x85\x06y\x22\xff\xfd\xe7w\xad\xd9,\xcc\
\xcf\xfe&\xcf#?y\x17o\xb2\xee~\xc2\xf7\xe6)\
*imG%\x0f\xcd\xa2O\x08\xecEg\xe9\x15\xb3\
\x93\xf6\xbc\xdc?\x7fh\xc3&\xd4\x9a\xb1yk\x13<\
W\x82\x13\xa8M\xb4fX\xe8\xeb\xc9!\xd1\xf9\x94\xf7\
nS\x14i\xf2\xc7\xa3\x1f\xa6\xdbf\xe0\x99\xdcM$\
\x14\x90\x02\x12\x8ch\xa0;\x802\xee1\x06\x85_\xab\
\x96g|7\x81\xfe\x100\xa1\xc8hqq\x17\xf7\xeb\
\x9co\xa87\x18l\x03$G_m\x8c#\xdd\xa2R\
\x84r:\xe4\x02\xc0\x95\xbcV\xa4\xe2\x88)W\xb9\xdf\
B`C]\x1a\x04\x03\xe42\x97\x5c\x129\xce\x84\xaa\
Kud\xe3\x8f+]\xf6m\xf44\xcc\x90\xb8\xc8\xc5\
\xee\xab\xa5\x13\x8e\x04r\x89v\xd1\xff\xc9\xac\x81\x1fq\
\xb5{A^y5\x91\x09\xe6\x22\xe5\xbe\x9aYS\xc5\
\xf1\x98\xb0\xda\x1e\x9e\xd3\xd3\xcb\xe7\x0f*\xf4\xe5\x89\xda\
\xa1\x95\xfb\xa8\xa4:\xdc\xce\x184\x0e(\x04\xaf\x0b\xb8\
\xe1\xaf\xc9D.\xfa\x8bs\x91\xab\xc7\xb2\xd1\xa9\x03\x13\
\x8d\xdb\xacp\xe1\x81\xc9\xb2\xbf\x92\xa5&=\xd3\xab\x0f\
Pb\xff\xc1\xc4\xc0(\xca\x82M\x9c\x1e\xab(\x8c\xf2\
u\x0c-a\x94XY\xdf\xb4\x11Z+]~n\xaa\
\xde\x0b\x13\x81\xa98\xe8\xbd\x86\x9b\x90\x95_d\xd1\x0e\
\xd2)\x86\xde\x9b3=E\xf0\xd3>\xb9\xccc\xb6\xf3\
g|\xeaJ\xe8q9\x17L]7\x1b;\xea\x0f\x0f\
\x9a\xc0\xc1\x85\x9c\xea\xa2\x194\xf2\x1c:\x98\xee\x8c\xe5\
\xf9\x10c\x1e%\xd0\x84\x93)\x91\x1e\x83\xd0-\xa5\xf3\
\x83\x83\xb5'\x89\x96\x82L\xebo\xb6\xf3\xb2\xbd\x17a\
\xd0\xf6\x13J\xa6Lz\x982\xc5\xc8\x09d\xe6)\x01\
[\x93\xba3\xf9\x05SKOHN1U\xa7\xa6\x1e\
X\xf7\xa7\xde\xf6\xeaVWc\xd5\x87\x9f9V\xeb\xb8\
\xf9l\xf9\x0d\x0f\x03\xba\xc7\xcd}e\x97\x9d1f\x8c\
M\x19\xd3\xd0\x18S\xe8b\xe1\xb7n\x8a\x05a\xd0\xfc\
\xf6\x81\x15\xac\xdb\x10\xf7zo@\x1c\xeb\xd9G\x86l\
\xaf\x0f\xdc\xc7\xce\x080>*[\xaac\x051\xd0\x19\
V6\xcb\x98\xff\xf0\x80\xbf\xf4\xe0\xe2\xe4\x01\xc9\xb1\xdf\
!\x0f\x8a|{\xee\xc9J\xc7\xeb<\xba\x9c`\x8fr\
N$8!X\x9a\xc0\x12\xeb\x97\x1f\x10\xb4F\x14\xc7\
`D\xb0\xa2x\xeb?\xe7=]\x1f4\x8c\x18\x0c\xf1\
\x05g\xd7\xe6\x81IvQb\x1a\xe8e09\x91\xaf\
.\xe4v\xf1I9p{\xc5\xacN\xdbz\x7fT\xca\
g\x131\xd5g$5 \x03\x19>\x10~\x9c\x9c/\
H\xfbl\xe8\x85\xcf\x99\xbai\x88\x1b\xba\xf921^\
\xd6\x98\xd9\xfe\x8br\x01&O:\xe77\xb6\xff\xa2X\
x\x88CQ\xdb\xeb\xbf8\x03\x5c\x0a\xb9\xa9\xd7\x7fq\
D<\x05]\x8b8a\xea \x91\xb6\xec*\xdfp\xce\
\x1f3\xb3\xb8\x9b\xbc\xf9\x12e7\x229U<\x00\xcb\
v\xaa/z\xddr\xf1\x11\xec&\x8b\xdf\x1em\x84\xd1\
\xeb\xaf?\x93\x1d\x8f\xb7\x90\xeb\xa0\xedEr,TS\
F<\xa2\x19\x1dD\xb0a\x9e\x08\xe4\x11\xcc\x07\x0f}\
m\x86\x18\x18/\xd3\x10W\xc4\x13\x5c <mX@\
F\xaa\xb1\xa7\xf5\x97:7q\x82<F\xa1\x97\xb1\xe7\
\xb3cX=\xa4\x91C\xdc&\x8e+\xc5\x95\xd0\x5c\xee\
\xe3x\xf3\xe8B\xb9\x800RJL\x99\xe6\xb6R\x93\
\xeaD\x18\x7f\x85\x8c\x0d\xa5\xfb\x98\xed\x0c-\x1ci-\
\x18T\xe3\xfb\x857\x8f\xae\xf20\x81\x00\xc5\xf1\xd4\xc5\
\xc8\xc3H(!\xaf\xffR\xb9\x9f\xb3\x84\x8b-\xe9\xac\
)\x8e\xd8r\xe3\x02\x94\x89\x11\xaf\xabS\xd4\xeb\xd5\x0f\
\xaf\x9d\xf2O\x04\xba2\xf7\x9f*\x0d\x08\xeb\x05Ya\
\xdf\xd5q\x86h/ \x1fK\xd6\x06\xef\xc6R\xfa\x81\
\xfe\x08\xf7t\x92\xa8\x84q;\xb3w'\xcao\x8d\xc0\
\xec\xdd\x8b\xd0^\xfc\xb8jV\xff\xe07>\xb2\xf6\x97\
\xa6\xcch\xb0\xe7\xea\xc8u?\xf0\x90f\xa1\xc9\xea!\
Q~zC{\x1dV\x17\x8f\xae\xfa\x22\xb6\xb36\xe3\
hx</O\x17\xc1\x1e\x0f\x07?\xa7\xe9\xca\x9e4\
j\xac9\xfc\x1c\x0e[\x13\x04\xb7#\x14iJ\xe8\xd1\
\xa8]\x90\xf0\x94\xe6\xbcQY3\x18\xa6\xc1\xc6\xdeM\
r7\x95\x0cW\xab#\xf2M\x96Y\x04\xe8&\x0d\xec\
\xbb\xfc\xafVL\xfe\x98n\x97\x99\x95_\x91m\xcc!\
\xe56J`;\xee\xfe\xfa\x0dtwG\x9b\xdec\xd4\
Wr$\x96#\x18\xbb\xb6\xd49\x1c\xb2\xfe\xcdG\xc6\
V\xfe.ZE\x9fM\xd8\xd6.\xfb}\xaew\xf5m\
\x9a\x86\xc6n\xa4\xb6\xac\xca\xa5v\xcf\x16\xd6\xb3r\x0b\
P\x987\xc6ulS%|e\x0a?\xf4\x0b\xbf5\
\xb0\x1aR\xbfa\xb9\xcd\xc2\xc5\xfc\xf7\xf7?5\xe17\
\x08\xe6\xffI\xb3?[\xff\xb6\x08\xfeC\xba\x01\xc1t\
\xbb\xe80\x98\xdb\xb0\xec\x17\xf7\xd1\x0al\xc6^\xcd\xfa\
\xfbn\x15\x83\x9d7\x03=d\xbb\x95n\xb3h\xa7\xcd\
Lu\xf5j\xf0\xb6Z\x18\xac\x22K4\xfb\xa3\x80H\
\xf4\x8be\xd2\xa9\x18\xf7\x93FEl\xeeK\x9e\xd5\xd7\
\xa6\xbf\xdco\xa3\x8eC\x9d]\xde\xcej\x19\x94O\xcb\
\x03\x95\xedO4~\xf4\xd7\xbe\x83\x0f\xf5\xb9\xcc\xd2\xcd\
z\x95\x86fo\x80\x93V\xb0=\x83\x1c|g\x8a \
\xb3*h\xae\xaf\x1b\xd1C\xac\xab\xb7\xb3\x0f\xc8\xfd\xf0\
;\x7f\xc3\x17\xd2\xd7t<4C,\xfe\x0c\x0e?~\
@\x01\x19E\x13\xa8@i\xf3\x9e\xfe\xf4k\xfe\xf2\xcd\
\xfe\xcb_\xf3[hU\x9e\xcf\xd1\xe1\xab\x7f[Z \
\xa2\xb0\xecY\xb0\xdd|\x17\xb6wO\xe5I\xe8\x9b\x99\
n\x83z\xed\x95\xd8\xde]\x91Hu\xe2\xb9\x8dp\xaa\
\xba\xe8\xd0\x86h\xf0C\xc5\xa1(\xa0\xb2-\xaf\xb32\
\xd8Q\xc1\x11T8\xedav\xaf\xd6\xb8\xe4V\x05\xd4\
\xec\x1aR\xca\xe9\xdcx\xa8\x00$)\xc2P\x90\xafw\
\x87*x\xd8\x14\xc5i\x0d\x1c\x9f\x85\x95gK\xc4\xa3\
\x0a\x13>\xb5;\x15\x044\x5c^\x8bADZQ8\
\xff\xec\x8c+\x8f@\x83\xde\xbd?\xd2\x5ci\xea\x1cZ\
]z!\xaa\x0d3\xe0\x03\xd69!\x84\x05\xf0i%\
Z\x98]c\xd3\x10\x0e\xe6\xe5EH`\x08\xaen\xb2\
\xa7\xb6n\xa8\xa5\x9dBH/\xbf\xc3\x94\x104\xe2\x9b\
\x12\xf2\xe4g\x91\x9f\x14=\xd8\xb6\xb4\x83\x1e\x08\x84d\
\x8a\xe0\xb1\x0f\x838;\x97\x1e\x16ZB\xab.A\xe8\
V\xb2\xfb\xd8>\xb7\xf7\xa2*\xbc\x85\xbf\x8a\xe2\xe7\xf9\
w?\xc4f\xe7'a\xe6;\xbf\x99,O\x13?v\
k\x7fw\xe3\xd62q\xabi\xd7&\x88\x16\xfb;\
\x92\xe3T\xb1)@{\xae\xddu\x94,\xe7\x08\xd8o\
!'\xf7\x00\xe3\x16v\xe2\xa0\x11\xf2\xaa\xd4\x84\x11\xd5\
\xb5~n\xb7I\xec+\xca\xae\xf5k\xeaI.\x14\xee\
i\xdc\xeaEI2\xb9\xbf-`-\xc9P\x05\x9aZ\
\x85Xa\x1d\x94\x8f%\x81\xbd\xe1\xd8\x82\x07y\x8fp\
\xff\x86\xba\xfe6:<\xaf\x9f#\x9d\xdcG\xb7\xb3R\
L\x90\x8b\xac\xa4\xab<\xb3\xbc\xbf\xba\xb5y\xf1\xfe\xea\
\x7f\x5c\xdf\x82\x02\
\x00\x00\x0fA\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<!-- Creat\
ed with Inkscape\
(http://www.ink\
scape.org/) -->\x0a\
\x0a<svg\x0a xmlns:d\
c=\x22http://purl.o\
rg/dc/elements/1\
.1/\x22\x0a xmlns:cc\
=\x22http://creativ\
ecommons.org/ns#\
\x22\x0a xmlns:rdf=\x22\
http://www.w3.or\
g/1999/02/22-rdf\
-syntax-ns#\x22\x0a \
xmlns:svg=\x22http:\
//www.w3.org/200\
0/svg\x22\x0a xmlns=\
\x22http://www.w3.o\
rg/2000/svg\x22\x0a \
xmlns:sodipodi=\x22\
http://sodipodi.\
sourceforge.net/\
DTD/sodipodi-0.d\
td\x22\x0a xmlns:ink\
scape=\x22http://ww\
w.inkscape.org/n\
amespaces/inksca\
pe\x22\x0a width=\x2248\
\x22\x0a height=\x2248\x22\
\x0a viewBox=\x220 0\
12.7 12.7\x22\x0a v\
ersion=\x221.1\x22\x0a \
id=\x22svg8\x22\x0a ink\
scape:version=\x220\
.92.3 (2405546, \
2018-03-11)\x22\x0a \
sodipodi:docname\
=\x22application-pk\
ix-cert.svg\x22>\x0a \
<defs\x0a id=\x22d\
efs2\x22 />\x0a <sodi\
podi:namedview\x0a \
id=\x22base\x22\x0a \
pagecolor=\x22#f\
fffff\x22\x0a bord\
ercolor=\x22#666666\
\x22\x0a borderopa\
city=\x221.0\x22\x0a \
inkscape:pageopa\
city=\x220.0\x22\x0a \
inkscape:pagesha\
dow=\x222\x22\x0a ink\
scape:zoom=\x2211.2\
\x22\x0a inkscape:\
cx=\x22-3.0108321\x22\x0a\
inkscape:cy\
=\x2223.577794\x22\x0a \
inkscape:docum\
ent-units=\x22mm\x22\x0a \
inkscape:cur\
rent-layer=\x22laye\
r1\x22\x0a showgri\
d=\x22true\x22\x0a in\
kscape:window-wi\
dth=\x221360\x22\x0a \
inkscape:window-\
height=\x22732\x22\x0a \
inkscape:windo\
w-x=\x220\x22\x0a ink\
scape:window-y=\x22\
0\x22\x0a inkscape\
:window-maximize\
d=\x221\x22\x0a units\
=\x22px\x22>\x0a <inks\
cape:grid\x0a \
type=\x22xygrid\x22\x0a \
id=\x22grid81\
5\x22 />\x0a </sodipo\
di:namedview>\x0a \
<metadata\x0a i\
d=\x22metadata5\x22>\x0a \
<rdf:RDF>\x0a \
<cc:Work\x0a \
rdf:about=\x22\
\x22>\x0a <dc:f\
ormat>image/svg+\
xml</dc:format>\x0a\
<dc:type\
\x0a rdf:\
resource=\x22http:/\
/purl.org/dc/dcm\
itype/StillImage\
\x22 />\x0a <dc\
:title></dc:titl\
e>\x0a </cc:Wo\
rk>\x0a </rdf:RD\
F>\x0a </metadata>\
\x0a <g\x0a inksc\
ape:label=\x22Capa \
1\x22\x0a inkscape\
:groupmode=\x22laye\
r\x22\x0a id=\x22laye\
r1\x22\x0a transfo\
rm=\x22translate(0,\
-284.3)\x22>\x0a <r\
ect\x0a style\
=\x22opacity:1;fill\
:#588772;fill-op\
acity:1;fill-rul\
e:nonzero;stroke\
:none;stroke-wid\
th:0.29205534;st\
roke-linecap:rou\
nd;stroke-linejo\
in:miter;stroke-\
miterlimit:4;str\
oke-dasharray:no\
ne;stroke-dashof\
fset:0;stroke-op\
acity:0.8802817\x22\
\x0a id=\x22rect\
817\x22\x0a widt\
h=\x228.7312498\x22\x0a \
height=\x2211.\
377084\x22\x0a x\
=\x221.8520833\x22\x0a \
y=\x22285.09375\
\x22\x0a ry=\x220.3\
6506954\x22 />\x0a \
<path\x0a sty\
le=\x22fill:#ffffff\
;fill-opacity:0.\
23529412;fill-ru\
le:evenodd;strok\
e:none;stroke-wi\
dth:0.07301383px\
;stroke-linecap:\
butt;stroke-line\
join:miter;strok\
e-opacity:1\x22\x0a \
d=\x22M 2.38125\
,285.62292 H 5.0\
270833 L 2.38125\
,288.26875 Z\x22\x0a \
id=\x22path819\
\x22\x0a inkscap\
e:connector-curv\
ature=\x220\x22\x0a \
sodipodi:nodety\
pes=\x22cccc\x22 />\x0a \
<path\x0a i\
d=\x22path919-7\x22\x0a \
d=\x22m 6.3500\
003,288.67802 a \
0.79375,0.79375 \
0 0 0 -0.7043497\
,0.42943 0.79375\
,0.79375 0 0 0 -\
0.221692,-0.0325\
0.79375,0.79375\
0 0 0 -0.79375,\
0.79375 0.79375,\
0.79375 0 0 0 0.\
032039,0.22117 0\
.79375,0.79375 0\
0 0 -0.4289145,\
0.70482 0.79375,\
0.79375 0 0 0 0.\
4294312,0.70435 \
0.79375,0.79375 \
0 0 0 -0.032556,\
0.22169 0.79375,\
0.79375 0 0 0 0.\
79375,0.79375 0.\
79375,0.79375 0 \
0 0 0.1322917,-0\
.0124 v 1.20302 \
c 9.26e-5,0.2356\
5 0.2849657,0.35\
364 0.4516519,0.\
18707 L 6.35,293\
.55007 l 0.34209\
8,0.3421 c 0.166\
6862,0.16657 0.4\
515594,0.0486 0.\
451652,-0.18707 \
v -1.20302 a 0.7\
9375,0.79375 0 0\
0 0.1322916,0.0\
124 0.79375,0.79\
375 0 0 0 0.7937\
5,-0.79375 0.793\
75,0.79375 0 0 0\
-0.032039,-0.22\
118 0.79375,0.79\
375 0 0 0 0.4289\
144,-0.70486 0.7\
9375,0.79375 0 0\
0 -0.4294312,-0\
.70435 0.79375,0\
.79375 0 0 0 0.0\
32556,-0.22169 0\
.79375,0.79375 0\
0 0 -0.79375,-0\
.79375 0.79375,0\
.79375 0 0 0 -0.\
2211752,0.032 0.\
79375,0.79375 0 \
0 0 -0.7048663,-\
0.42888 z m 0,0.\
79375 a 1.322916\
7,1.3229167 0 0 \
1 1.3229166,1.32\
292 1.3229167,1.\
3229167 0 0 1 -1\
.3229166,1.32291\
1.3229167,1.322\
9167 0 0 1 -1.32\
29167,-1.32291 1\
.3229167,1.32291\
67 0 0 1 1.32291\
67,-1.32292 z m \
0,0.26458 a 1.05\
83333,1.0583333 \
0 0 0 -1.0583334\
,1.05834 1.05833\
33,1.0583333 0 0\
0 1.0583334,1.0\
5833 1.0583333,1\
.0583333 0 0 0 1\
.0583333,-1.0583\
3 1.0583333,1.05\
83333 0 0 0 -1.0\
583333,-1.05834 \
z\x22\x0a style=\
\x22fill:#ffffff;st\
roke-width:0.264\
58332\x22\x0a in\
kscape:connector\
-curvature=\x220\x22 /\
>\x0a </g>\x0a</svg>\x0a\
\
\x00\x00\x0c\x9d\
<\
?xml version=\x221.\
0\x22 encoding=\x22UTF\
-8\x22 standalone=\x22\
no\x22?>\x0a<svg\x0a xm\
lns:dc=\x22http://p\
url.org/dc/eleme\
nts/1.1/\x22\x0a xml\
ns:cc=\x22http://cr\
eativecommons.or\
g/ns#\x22\x0a xmlns:\
rdf=\x22http://www.\
w3.org/1999/02/2\
2-rdf-syntax-ns#\
\x22\x0a xmlns:svg=\x22\
http://www.w3.or\
g/2000/svg\x22\x0a x\
mlns=\x22http://www\
.w3.org/2000/svg\
\x22\x0a xmlns:sodip\
odi=\x22http://sodi\
podi.sourceforge\
.net/DTD/sodipod\
i-0.dtd\x22\x0a xmln\
s:inkscape=\x22http\
://www.inkscape.\
org/namespaces/i\
nkscape\x22\x0a heig\
ht=\x2248\x22\x0a width\
=\x2248\x22\x0a version\
=\x221.1\x22\x0a id=\x22sv\
g14\x22\x0a sodipodi\
:docname=\x22gtk-fi\
nd.svg\x22\x0a inksc\
ape:version=\x220.9\
2.3 (2405546, 20\
18-03-11)\x22>\x0a <m\
etadata\x0a id=\
\x22metadata20\x22>\x0a \
<rdf:RDF>\x0a \
<cc:Work\x0a \
rdf:about=\x22\x22\
>\x0a <dc:fo\
rmat>image/svg+x\
ml</dc:format>\x0a \
<dc:type\x0a\
rdf:r\
esource=\x22http://\
purl.org/dc/dcmi\
type/StillImage\x22\
/>\x0a </cc:W\
ork>\x0a </rdf:R\
DF>\x0a </metadata\
>\x0a <defs\x0a i\
d=\x22defs18\x22 />\x0a \
<sodipodi:namedv\
iew\x0a pagecol\
or=\x22#ffffff\x22\x0a \
bordercolor=\x22#\
666666\x22\x0a bor\
deropacity=\x221\x22\x0a \
objecttolera\
nce=\x2210\x22\x0a gr\
idtolerance=\x2210\x22\
\x0a guidetoler\
ance=\x2210\x22\x0a i\
nkscape:pageopac\
ity=\x220\x22\x0a ink\
scape:pageshadow\
=\x222\x22\x0a inksca\
pe:window-width=\
\x221920\x22\x0a inks\
cape:window-heig\
ht=\x221029\x22\x0a i\
d=\x22namedview16\x22\x0a\
showgrid=\x22f\
alse\x22\x0a inksc\
ape:zoom=\x224.9166\
667\x22\x0a inksca\
pe:cx=\x2224\x22\x0a \
inkscape:cy=\x2224\x22\
\x0a inkscape:w\
indow-x=\x220\x22\x0a \
inkscape:window\
-y=\x2225\x22\x0a ink\
scape:window-max\
imized=\x221\x22\x0a \
inkscape:current\
-layer=\x22svg14\x22 /\
>\x0a <path\x0a d\
=\x22m3.4609375 8.4\
949237c-.8097214\
0-1.4609375.651\
2155-1.4609375 1\
.460938v14.50898\
23 1.535156h44v-\
13.614451c0-.809\
722-.651216-1.46\
0937-1.460938-1.\
460937h-.769531-\
22.769531c-.3498\
29 0-.699658-2.4\
296883-1.049487-\
2.4296883z\x22\x0a \
fill=\x22#5270ad\x22\x0a\
id=\x22path2\x22 \
/>\x0a <rect\x0a \
fill=\x22#fff\x22\x0a \
height=\x2232.0957\
18\x22\x0a ry=\x221.4\
45225\x22\x0a widt\
h=\x2244\x22\x0a x=\x222\
\x22\x0a y=\x2214\x22\x0a \
id=\x22rect4\x22 />\
\x0a <path\x0a d=\
\x22m23.400391 12.3\
82812c-1.77905.8\
19241-2.314221 2\
.781522-3.453962\
4.546876h-16.48\
54915c-.8097214 \
0-1.4609375.6512\
16-1.4609375 1.4\
60937v26.148437c\
0 .809722.651216\
1 1.460938 1.460\
9375 1.460938h19\
.9394535 20.3691\
4.769531c.809721\
0 1.460938-.651\
216 1.460938-1.4\
60938v-30.693359\
c0-.809721-.6512\
17-1.462891-1.46\
0938-1.462891l-.\
345703.07031c-.1\
35219-.04106-.27\
4844-.07031-.423\
828-.07031z\x22\x0a \
fill=\x22#9d7f7f\x22\
\x0a id=\x22path6\x22\
/>\x0a <path\x0a \
d=\x22m16.923828 1\
8.144531a10.5714\
28 10.571428 0 0\
0 -10.279296 10\
.09961 10.571428\
10.571428 0 0 0\
10.076171 11.02\
7344 10.571428 1\
0.571428 0 0 0 1\
1.044922-10.0546\
88l.0039-.07617a\
10.571428 10.571\
428 0 0 0 -10.11\
7181-10.990236 1\
0.571428 10.5714\
28 0 0 0 -.72851\
6-.00586zm.07617\
2 2.855469a7.714\
2849 7.7142849 0\
0 1 .533203.003\
9 7.7142849 7.71\
42849 0 0 1 7.38\
086 8.019532l-.0\
02.05664a7.71428\
49 7.7142849 0 0\
1 -8.0605 7.337\
897 7.7142849 7.\
7142849 0 0 1 -7\
.351563-8.046875\
7.7142849 7.714\
2849 0 0 1 7.5-7\
.371094z\x22\x0a f\
ill=\x22#fff\x22\x0a \
id=\x22path8\x22 />\x0a \
<path\x0a d=\x22m2\
5 34 12.124356 7\
\x22\x0a fill=\x22non\
e\x22\x0a stroke=\x22\
#fff\x22\x0a strok\
e-linecap=\x22round\
\x22\x0a stroke-wi\
dth=\x223\x22\x0a id=\
\x22path10\x22 />\x0a <p\
ath\x0a d=\x22m18.\
999354 24.047545\
a2.0002487 2.000\
2487 0 0 1 -2.08\
9892 1.902559 2.\
0002487 2.000248\
7 0 0 1 -1.90637\
1-2.086415 2.000\
2487 2.0002487 0\
0 1 2.082932-1.\
910177 2.0002487\
2.0002487 0 0 1\
1.913976 2.0794\
41\x22\x0a fill=\x22#\
fff\x22\x0a fill-o\
pacity=\x22.644366\x22\
\x0a id=\x22path12\
\x22 />\x0a</svg>\x0a\
\x00\x00\x02\x22\
<\
svg height=\x2248\x22 \
width=\x2248\x22 xmlns\
=\x22http://www.w3.\
org/2000/svg\x22><r\
ect fill=\x22#51535\
7\x22 height=\x2234\x22 r\
y=\x221.717172\x22 tra\
nsform=\x22rotate(-\
90)\x22 width=\x2234\x22 \
x=\x22-41.009861\x22 y\
=\x227\x22/><rect fill\
=\x22#6f7177\x22 heigh\
t=\x2234\x22 ry=\x221.717\
172\x22 transform=\x22\
matrix(.70710678\
-.70710678 .707\
10678 .70710678 \
0 0)\x22 width=\x2234\x22\
x=\x22-17.006973\x22 \
y=\x2216.948099\x22/><\
path d=\x22m28.9984\
24.036224a4.965\
1842 4.9651842 0\
0 1 -5.187706 4\
.722691 4.965184\
2 4.9651842 0 0 \
1 -4.732153-5.17\
9075 4.9651842 4\
.9651842 0 0 1 5\
.170427-4.741601\
4.9651842 4.965\
1842 0 0 1 4.751\
032 5.161762\x22 fi\
ll=\x22#fff\x22/></svg\
>\
\x00\x00\x0b\xf1\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00P\x00\x00\x00P\x08\x06\x00\x00\x00\x8e\x11\xf2\xad\
\x00\x00\x00\x06bKGD\x00\xff\x00\xff\x00\xff\xa0\xbd\
\xa7\x93\x00\x00\x0b\xa6IDATx\x9c\xed\x9c}P\
T\xf5\x1e\x87\x9f]\x16\x96e\x977\x01]\x14\x15\x01\
%EA\xd1R4\xa3;\x8a\xd5\xb5{\xd3n\x8df\
j\xdd\x11)\xb32\xb3\x94iR\x9b\xa9&\xa9\xd4\xd1\
J-pny\xbd]\xefK\xda4Y*\x8e\x0d\xe6\
\x0b\xc3\xa5n\x81\xa8\x18\xc8\x86h+\xef\xc8\xc2.\xec\
\xdb\xfdc\xd9\xe3\x82\xec\xb2\xec\x82\xa2\xf7<\xffy\xf6\
\xec\xef\x9c\xfd\xf8\x9c=\xbf\xef\xf9\xfe\x16\x10\x11\x11\x11\
\x11\x11\x11\x11\x11\x11\x11\x11\x11\x11\xf9\xffB\xf2\xd7o\
\x0b\xadN_\x94\x80\xbf\xdc\x9f/\xbe\xbfL\x8b\xc1\xd4\
\xaf'\xf2\xf8\xcc!\x00\xc4\xbd\xbf\xce\xe5~e\xafd\
\x01\xf0\xaf\xef\xaf\xf6\xeb\xf9\xd8\x19>D\xc9\xec\x89\xe1\
\xe8Z\x0d\x00H\xdb\xf4\x84\x1f\xfb\x8a\xa0\x92\x1f\x01\x90\
\xb9z\xb3\xd5\x0az\x83\x81\xc7fFr\xaeROA\
im\xff\x9f\xf1\x00A*\x85\xdf\xdf\x13E\x90\xc2\x22\
\x84\x17\xa0\xb9\xc0\xe0\xc3\xffF\xd6\xdc$\xec'\x1bz\
\xe0S\xae\xa6=\xca\x13\x8f\xfd\xce\xe5\x80V+\x14W\
\xb5\xf3\xddy\x03F\xb3Si=f\xf1\x83\xc1\x00\xe4\
\xbfo\xfb\xf7\xc4\x87\x1f\xee\xf4\xfaO_\x7f\xdd\xb1\xdf\
d\x00\xb44\xd1_\x04)\xa4<8^\xc1\x880\x9b\
_\x96\xb66*sr\xd0~\xf9\xa5-\x08\xc0\x22W\
P3\xeb\x8f\xc8\x02\xca\xcf1\xf2\xf2V\xaa\x15\xad\x0c\
\x9e;\xd7\xe9\xa0\x12\x09$\x0e\xf7cD\x98\x8cCg\
\xf4T\xd5\xf7\xef%}\xabH\x1c\xee\xc7\xfd\xf1\xfe\xf8\
\xc9$\x00\xe8\xce\x9d\xa3,+\x0bCU\x95\xb0O\xf0\
\x94)\xfc<y\x0e\xa6\xc0`\xdb%,5\xb4rq\
\xebV\x1aN\x9ff\xd4\xea\xd5\xf8\x85\x859=@H\
\x80\x94\x05w+\xfb\xd5\xc6[A\x90B\xca\x03\xe3\x15\
\x8c\xec\xb0\xcej2q\xf9\xf3\xcf\xb9\xbcw/V\x8b\
\x05\x00\xa9\x5c\xce\x88e\xcbP\xcf\x9f\xcf\x0f\x87m\xdf\
\x81\xd2k\x09\xc9\xc2 \x0d\xf9\xf9\x14gdP\x97\x97\
\xe7\xf2`v\x1b\x17\xa7\xa8\x88\x0c\xf6\xe9\xa7\x8ft\xf3\
H\x1c\xee\xc7\xd33TBxz\x8d\x863\xcf?O\
\xd5\x9e=Bx\xaa\xb1cI\xfc\xf8c\xd4\x8f>j\
\x0b\xa0\x03Y\xf5C\x0b\xd0\xdd5\x91\xe8\xbc\xafh\xaf\
\xad\xc5\xd8\xd4\xc4/o\xbeImnn\x8f6\x86\xa9\
\xa4<1MEaE\x1b'\xcb\x0c\x98-\xfd\xfbA\
\xfb\x1a\xa5\x5c\xc2\x9c\xf1\x01\xc4Ft\xdcK\xadV\xb4\
\x07\x0eP\x99\x9d\x8d\xc5h\x04@\x22\x931l\xd1\x22\
\x86-^\x8cD*\xbda\x0c\xa9B\xeeK\xeb\xa8x\
\x12sr:}\x076\xe4\xe7S\x94\x9eN\xf5\xc1\x83\
.OB*\x81{b\xe4,\x99\xaeB}\x1b\xd9\x18\
\xaf\xf6\xe5\xcf\xf7\x06\x0a\xe1\xb5i\xb5\x9c]\xb3\x06\xcd\
\x8e\x1dBx\x8a\xe8h\xc6\x7f\xf0\x01QK\x97v\x1b\
\x1e\x80\xf4\x8b\x13Zd29>J\x151\xabWs\
\xd7\xdbo\xe3\x17\x1e\x0e\x80\xa9\xb9\x99\x8b[\xb7R\xfa\
\xfa\xeb\xb4\xd7\xd5\xb9<\xa1p\x95\x0f\x8b\xa6\xa9\xb8o\
\x8c?>\xdd\x1fk@\x10\xe8/\xe5\xb1)J\xfe0\
1\x00\x7f_\xdb\xa5X\x93\x9bK\xd1\xf2\xe5\x5c+*\
\xb2\xed$\x91\xa0\x9e?\x9f\x09;w\xa2\x1c=\xda\xe9\
X~2\x19\xd2\x16\x83\x89\xbf\x7fW\xc9\xbe\x82\x16\x1a\
[-\x84L\x9dz\xc7\xda\x18\xaf\xf6\xe5\xa9\x19*\xa2\
\xc3m\xd6\x19\x1b\x1a(]\xbf\x9e\xf2\xac,\xccz=\
\x00r\xb5\x9aq\x9b7\x13\xbdr%R__\xa7c\
\xa9\x02\x14\x1c\xfb\xb9\x1e\xc1\x95\xcb\x0d&>;\xa9\xa3\
\xe0b\xdb\x1dg\xa3R.a~r@'\xeb\xea\xf2\
\xf2\xf8y\xd92\x1aN\x9f\x16\xf6\x0bOK#\xf1\x93\
O\x08JLt:V\x9b\xd1\xca\x91\x12=\x7f9\xac\
\xe1\xb7z}\xe7J\xc4h\xb6r\xfc\x82\x81\xf2\x1a\x13\
\x0fMP\x086Vfg\x0b\xf65\xe4\xe7\xd3\x9c\x9e\
\xce\x88\xf4t\x97\xf3F\xbb\x8d1\x83e\x1c*\xd6\xa3\
m2{\x15\x82\xa7\xc4\xab}IKP\x08\xc1\x99t\
:4\x1f}Dmn\xae\xb0\x8foh(1\xabW\
\x13:}\xba\xcb\xb1.\xd6\x988R\xa2Gg\xb8~\
\xb7\xec\xb6\x94\xb3\xdb\x98\x12+\xe7\xeeQ6\x1b\x07M\
\x9f\xce\xc5-[h\xaf\xab\x13ltg\xdeh\xb7\xf1\
f\xdf\xa9\x95r\x09s\x12\x14\xc4\x0e\xbe~\x196\x15\
\x16R\xbey3\xed55\xc2\xb6A\xf7\xddG\xcc\xaa\
U\xc8\x82\x83\x9d\x8e\xd5f\xb4\x92w\xc1@\xd1\xa5\xf6\
\x1b^sZ\x0b\xdbm\xbcXc\xe2AG\x1bsr\
\x06\xbc\x8d]\xad\xeb\xae\x14\xf3Q*\x19\x99\x91\xe1\xf2\
\xbc\x01*jL\x1c\xeeb\x9d#.\x1f&\x00Tu\
\xb21\xd0\xa6zJ\x0a\x15[\xb7\x0e8\x1b\x95r\x09\
i\x09\x0a\xe2\x1c\xac\xeb\xb6\x14\x9b<\x99\xd8W^\xc1\
/\x22\xc2\xe9Xm&+y\xa5\xdd[\xe7H\x8f\x01\
\xc2\x8d6\x86N\x9bF`N\x0e\x9a\x1d;\x84\xef\x12\
Ol\xfc\xb6H\xcf\xd5k}ccW\xeb\x9c\x95b\
QK\x960t\xc1\x82N\xd5DW*:\xbe\xeb\x9a\
\x9dX\xe7\x88[\x01\xda\xe9jc\xdc\xbau\x84N\x9b\
\x86f\xfbv\x8cMM\xbd\xb6\xf1\xc9\x94\xeb6z\x8a\
R.!m\x9c\x82\xb8!\xd7\xad\xd3k4\x94m\xda\
DKY\x99\xb0M5v,\xb1k\xd7\xa2\x18>\xdc\
\xe9X\xeeZ\xe7H\xaf\x02\x84\x1bm\x0cKM%(\
)\x89\x8a\xed\xdb\xa9?~\x1c\xf0\xc0\xc6\x88^\x9f\x06\
`\xb3nv\x82\x02E\x87u\xdd\x96b>>D>\
\xfe8\xc3\x9f~\x1a\x89\xcc\xf9q*jM\x1c9\xe3\
\x9eu\x8exv\xe6t\xb51\x841\x1b6P\x97\x97\
\xe7\x99\x8d\x81\xbd\x9ft\xcf\x9b\x14\xd0\xc9\xba6\xad\x96\
\xf2w\xdf\xbd^M\x00\x8a\x91#\x89\xcb\xcctYM\
xb\x9d#^Ms\xed6\xfe\xa3\xa3\x8a\x09KM\
%q\xf7n\x06\xcd\x9c)\xec\xe3n\x15\xd3[\x1c\xc3\
sZ\x8a\xed\xda\xe52\xbc\x8aZ\x13\x9f\x9e\xd0y\x1c\
\x1exa\xa0#7\xd8\xb8q#uyyTl\xdf\
\x8e\xa9\x976\xf6\x06cC\x03\x17\xb7l\xe9TM\xc8\
\x87\x0c!v\xedZ\x82\x92\x92\x9c\xbe\xcf[\xeb\x1c\xe9\
\xb3B\xab;\x1b\x93v\xeff\xd0\xbd\xf7\x0a\xfb\xf4\xa5\
\x8dNK\xb1\xecl\x97\xe1i\xfa\xc0:Gd\xf6n\
\x98\xbd'\xd1\x97\xf8\x86\x840\xe6\x8d7\xfa|\x5c\x80\
\xb0\xd4T\xc2RS{\xfd\xbe\xe8p\x19\xcf\xdc\x1f\xe8\
\xf5\xf1\xd5\xd8r\x1b\x00\xa5\xfe\xed\x8d\xe4\xf4\xacY\x03\
\xb2\xa9\xe1\xac+7\xd0\x10\x0d\xf4\x12\xc1\xc0\xae\xff\xe3\
\x22\xae\xb1_\x11\xa2\x81^\x22\x06\xe8%b\x80^\x22\
\xde\x85\xbdD4\xd0Kd\xf6\xf5v\xf6UO\xb7\x9a\
\xfc\xd9\xb3]\xbe>\xed\xe8\xd1\x9bt&\xae\xd9{\xe8\
\x07@4\xd0kd\xf6\x95\x9e\xde\xae\xb7\x8bW\xfb2\
{\x9c\x02\x85\x9f\xf3G\xe5\xdd5wd*\x15#W\
\xae$\x22-\xcd\xab\xe3w\xa5./\x8f\x8am\xdb0\
]\xbb&lS\x8d\x1dK\x5cf&\xfe\xc3\x86Q\xd3\
l\xe6\xdbb=\xd5\x1e\xb6\x14\xbe\xef\xc8\xcdk\x03\x03\
\xfc$<2\xc9\xd6\xb4v\x15^\xf3\xd9\xb3\x14ed\
\xa0=p@\x08/x\xca\x14\x12\xb3\xb3=\x0a\xcf\xda\
\xc3\xad/,5\x95\xa4\x9c\x1cB\xa6N\x15\xb6\xe9\xce\
\x9d\xa3x\xc5\x0a\xaa\x0f\x1e$\x22\xd0\x87\xc5)\xb6\xe6\
\xbf\xd4\xf9i\xf7\x88W\x01\xda\x17\xe8\x8c\x1e\xe2|\x09\
\x84\xd5d\xa2j\xcf\x1e\xce\xbe\xf4\x12\x86\xcb\x97m\x07\
\x95\xcb\x89~\xee9\xc6\xbe\xf3\x8e\xcb\xce\x98+\xec\x8f\
\xcd\x5c\xe1;h\x10w\xbd\xf5\x161\xabW#\xf5\xf7\
\x07\xc0\xdcj[\x0by\xfe\xb5\xd707\xd4\x0bKQ\
\x06\x07y\xb6\x14\xc5\xa3\x00\xdd\xb5\xaeU\xa3\xe1\xcc\xca\
\x95.\xd7\xd9\x99,p\xfcB\xef\x9bJU\x0eKQ\
\x5c\xda(\x910x\xee\x5c\x92\xb2\xb3\x09LH\x106\
7\x16\x14P\x94\x91A\xc3\xa9S^\xd9\xd8\xeb\x00\xdd\
\xb2\xceb\xe1\xca\xbe}\x14?\xfb,-\xe5\xe5\xb6\xcf\
!\x93\x11\xb5t)\x09\xdb\xb6\xe1\x1f\x15\x05@M\xb3\
\x99\xbf\x9d\xb6\x85\xe0\x09]\x1f\xe2\xbaB\x1e\x19\xc9\xb8\
-[\x18\x91\x9e.4\x97\x8c\x8d\x8d\x94n\xd8@Y\
V\x16V\x83\x9e{b\xe4,NQ\x11\xd1\x8b\x1e\x8d\
\xdb\x8f\xf4\x03\xfclMkW\xc1\x81\xad\xb9S\x96\x95\
Esq\xb1\xb0M\x11\x1dmk\xee\xc4\xc5\x01`\xb1\
BaE\x1b'~1`\xe9\x83i|\xe7\x96\x82\xdc\
i\xcbW\xe2\xe3\xc3\xd0\x85\x0b\x09\x9a4\x89\xf2M\x9b\
\xd0_\xba\x04@mn.\xcd\xc5\xc5\xc4ef2x\
\xfcx\x9eLQq\xaa\xcc\xc0\x7f*z\xb0\x1b7\x0d\
t\xc7:\xacV\xaa\x0f\x1e\xa4h\xf9\xf2\xeb\xe19\xae\
\xb3\xeb\x08\xaf\xb6\xd9\xcc\xde\xd3:\x8e_\xe8\x9b\xf0\xec\
\xf4\xc6FU|<\x13v\xedb\xe8\xc2\x85B\x83\xdd\
\xbe\xc0\xb22'\x07\x1f\x8b\x89\xfb\xc6\xf8\xb3h\xaa\x8a\
0\x95\xeb\x88\x5c\x1a\xe8\xaeu\xc6\xfaz[s'?\
_\xd8&W\xabm\xcd\x9d\x8e\xa5bv\xeb\xfa{\x81\
\x91\xbb6J\xe5rF\xa4\xa7\x13\x9c\x9cL\xf9{\xef\
\xd1^S\x83\xd5l\xe6\xca\xbe}\x5c\xfb\xe9'\xe22\
3\x89\x8c\x8ab\xc9\xf4@\x976:\x8d\xd7-\xeb\xe8\
h\xee\xa4\xa7w\x0aOh\xeet\x84W\xab3\xf3y\
\xbe\xcd\xba\x9b\xb1:\xab76\x06''\x93\x94\x93C\
\xb8\xc3TJw\xfe<E\xcf<\x83v\xff~d\x12\
\xabK\x1bo0\xd0]\xebL:\x1d\x9a\x0f?\xa4\xd6\
\xa1\xb4\xf2\x0d\x0d%\xe6\xe5\x97\x09MI\x01n\x9eu\
\xcep\xd7F\x1f\xa5RX\xa6b\x9f|[\xda\xda\xd0\
\xec\xd8AcA\x011\xaf\xbeJdXX'\x1b\xed\
t\x8a\xd4]\xeb\x1a\x0b\x0b)JO\xef\x14\x9e\xbd\x8d\
i\x0f\xaf\xb1\xd5\xc2?\x0bZn\x9au\xce\xe8\x8d\x8d\
\xddM\xbe\x1b\x0b\x0b)\xce\xc8\xa0\xfe\xe4IdR\x04\
\x1bG\x0f\xb3u\xf6d\x00\x11\xc1r\x1e\x99\x14\xd0c\
p\xee\x96bE\x97\x06\xde\x8fp\xaa\x1aL\xec9\xa5\
\xe3\xfex\x7f\x12\x87\xfb9\xdd\xcf>\xf9\xae\xfe\xe6\x1b\
4;wb1\x18065qa\xe3F\xc2\xd3\xd2\
\x18\xf5\xc2\x0bD\x86\x040y\xb4\x8a\xc4\x98`d\xb3\
\x92\xd5\xa8C|z\x0cOw\xee\x1ce\x9b6\x09\xd5\
\x04\xd8J\xb1\xd85k\x84j\xa2Io\xe1P\xb1\x9e\
K\x03\xf4g`\xed&\xdb\xfa\xe6R\xad\x91\x07&(\
\x08\xf2wr\x0b\xe8\x98|\x07''S\xb6i\x13\xcd\
%%\xc0\xf5\xe9N\xec\xda\xb5\x98\xcd\x16\xa4X\x90\x0e\
RZi7:\xff\xc0\xf6R\xacd\xd5*\x97\xa5X\
\xd1\xa5v>=\xa1\x1b\xb0\xe19\xf2k\x9d{\xab\x13\
\xba\x9b|\xdb\xa7;\xe1\xc7\xbeBb1\xbb\x9e\xc6\xb4\
j4\x94w\xb3\xce.n\xdd:\xa1\x9ah\xd2[8\
|FOe\xdd\xc0\x0f\xce\x11wm\xecv\xf2m\xb5\
\x12\xf2\xe3I\x14W~u2\x8d\xb1Z\xd1\xee\xdf\xcf\
\x99\x15+\x84\xf0\xba+\xc5\x8a.\xb5\xf3\xd9I\xddm\
\x17\x9e#\xee\xda\xd8\xdd\xe4[\xae\xad\xba\xd1\xc0n\xd7\
\xd9u)\xc5Z\xda\xac\x1c9\xd3Jy\xcd\xed\x1b\x9c\
#v\x1b/\x5c52g\xbcs\x1b\x1d'\xdf\xc5o\
\xbe\x8d\xac\xb9\xa9s\x805\xb9\xb9h\xb6o\x17~\xb5\
\x83D\x82z\xde<Fdd\x08\xbf\xda)\xd5\x1a\xc9\
-\xd1c0\x0e\x9c;l_a_\xb9\xd5\xd3\x9d:\
89\x99\xca\xa7^\x22\xe2\xe8\x97\xb6\x00}Zt\x94\
\xae_\xdfy\x9d]\x97R\xac\xa5\xcdJn\x89\x9e\xb2\
jc?\x7f\x8c[\x8b\xbb6Z\xfc\x03\xb8\xfa\xf0\x22\
d\xaa\xd2\x22\x22\x8e\x1e\xa0A\xdf*\xbc\x18\x9e\x96\xc6\
\xa8\x17_\xc4G\xa1\x00l\xd6\x1d-\xd1\xa3\xbf\x03\xad\
s\x86\xbb6v\xea\x0b\x9b\x95*\xaa\xe7\xfc\x89\x96\xd8\
q\x00\xc8}}\xb8\xd2`\xe1\xd8\x7f\xb5\xfd~\xc2\x03\
\xf5\xafv\x00\xccH\x88 V-G\xdf~\xe3\xd5'\
|\x07\xea\xe2\x13\xa9\x99=\x1f\xb3\x22\x00\x00\xa5B\xc1\
\xd7\xf9\xbfQ{\xcd\xb3\x87\x9dw\x12'Kj(\xae\
\xf0e\xde\x8c\xa1\xe8\x0d\x9e\xff$CDDDDD\
DDDDDDDD\xe4N\xe0\x7f\x89eC\xcb\
\x9d\xb9\xf4\xbe\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x05\xc2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00P\x00\x00\x00P\x08\x06\x00\x00\x00\x8e\x11\xf2\xad\
\x00\x00\x00\x06bKGD\x00\xff\x00\xff\x00\xff\xa0\xbd\
\xa7\x93\x00\x00\x05wIDATx\x9c\xed\xdc_h\
SW\x00\xc7\xf1\xef\x8d7i\xfe\xb5\xe9\x92\x86&:\
\xba\xfe\xd9Zu\x0f\xab\xc6?\x15\x8bt\xfa6\x18\x13\
\xb79\xc7t\x0a\x83\xbdlL\xd8\xcb`\xe2D\x870\
\xf60\xf0\xc1w\xa1P\xd49q/sC\x8a\x88X\
\xeb\xacX\xd9`Vmk\xd5\xda\xd46\xa9I\x93\xde\
\x9b4m\xf6\xd04\xea\xa8\xab\xf5\xe6\xdcP8\x9f\xa7\
>\x84\xfb;\xf7\xd7\x9c\x9cs.iA\x92$I\x92\
$I\x92$\xc9lJ\xeb\xd9\xael\xb1\x07\xb1\x98Y\
\x8a=\x80\xc5N\x9d\xfd\xe1\xbd-\xa1b\x8ec\xd1\xf9\
\xb5\xfd\x1a \xdf\x81\x86\xc9\x02\x0d\x92\x05\x1a$\x0b4\
H\x16h\x90,\xd0 Y\xa0A\xb2@\x83d\x81\x06\
\xc9\x02\x0d\x92\x05\x1a\xa4\xce\xff\x12sLOL0\xfe\
g'\xc9\x1b\xdd\xe8}\xbdL\x0e\x87\x99J&\x01X\
\xe2ra\xad\x0c`\xaf\xad\xc3\xd5\xb8\x8a\xd2\xb5\xeb\xb1\
8\x9dE\x1e\xf1\x8c\xa2\x17\x98\x1e|\xc0\xe8\xc9\xe3<\
\xbep\x9el*5\xe7k2\xb1\x18\x99X\x0c\xedV\
\x0fc\xbf\xff\x86RRBy\xcbf*\xb6\xef\xc0\xb6\
t\x99\xc9#~V\xd1\x0a\x9cN\xa5x\xd4z\x8c\xe8\
\x99\xd3d\xa7\xa6\x00px<x*+q\xfb|\xa8\
v;6\xbb\x1d\x80\xb4\xae\x93\xd1u\x12\x91\x08\xb1\xe1\
a\xb4X\x8c\xb1?\xce\xf2\xb8\xfd\x1c\xbe\xad\xdb\xf0\xef\
\xda\x83\xc5f+\xca}\x14\xa5\xc0\xf4\xc3A\xee\x1f:\
\x80>p\x17\x14\x05O0H\xb0\xa1\x01\xbb\xdb=\xe7\
\xeb\xed.\x17\xb8\x5c\xb8}>\x02\xf5\xf5\xe8\x89\x04C\
==\xc4\xc2aFO\x9d$\xf9\xf7_T\xed?\x88\
\xea\xf5\x9a|'EXD\xb4\xde;\xf4\x7f\xfd\x15\xfa\
\xc0]lN'\xf5\x1b7R\x13\x0a=\xb7\xbc\xb9\xd8\
\xddnjB!\xde\xd8\xb0\x01\x9b\xd3\x89v\xf3\x1f\xfa\
\xf6~\x81\xde\xdf'p\xe4s3\xb5\xc0\xf4\xc3A\xee\
\xed\xfb\x86L,\x86\xdb\xe7\xa3\xa1\xb9\x19gy\xf9K\
_\xcf\xe5\xf5R\xdf\xdc\x8c\xdb\xe7crt\x84{\xdf\
\xed#\x13\x8d\x16p\xc4\xf33\xad\xc0\xe9T\x8a\xfb\x87\
\x0e\xe4\xcb\xabkjbI\x01>\xb7T\x9b\x8d\xba\xa6\
\xa6'%~\x7f\x80\xe9\xc9\xc9\x02\x8c\xf8\xc5\x98V\xe0\
\xa3\xd6c\xf9i[\x13\x0a\xa1(J\xc1\xae\xad(\x0a\
\xd5\xa1P~:GN\xb4\x15\xec\xda\xf31\xa5\xc0\xf4\
\xe0\x03\xa2gN\x83\xa2P\xbdzuA\xdey\xff\xa5\
\xdal\xbc\xd6\xd8\x08\x8a\xc2\xe8\xe9S\xa6MeS\x0a\
\x1c=y\x9c\xec\xd4\x14\x9e@\xc0\xd0g\xde|\x5c^\
/\x9e\xcaJ\xa65\x8d\x91\xb6Va9O\x13^\xe0\
\xf4\xc4\x04\x8f/\x9c\x07E!\xd8\xd0 :\x8e\xe0\xf2\
\xe5\x00\x8c\xb5\x9fcZ\xd3\x84\xe7\x09/p\xfc\xcfN\
\xb2\xa9\x14\x8e\xb2\xb2\x05mU^\x96\xdd\xed\xc6QV\
FV\xd7\x19\xbfzEx\x9e\xf0\x02\x937\xba\x01\xf0\
TV\x8a\x8e\xca\xf3\x04\x023\xd9\xdd\xd7\x85g\x09/\
P\xef\xeb\x05\xc0\xed\xf3\x89\x8e\xcas\xe7N$fl\
\xac\x85\x17\x98\x1e\x0e\x03`\xcd\x9dk\xcd\xa0\xe6\xb2&\
\xc3C\xc2\xb3\xc4/\x22\xb9GRjI\x89\xe8\xa8\xbc\
\xd9_\xd6l\xb6H\xf2\x81\xaaA\xc2\x0b\xb4\xb8\x5c\x00\
d\x9e\xf3\xacO\x84I]\x7f&[$\xe1\x05\xda\x02\
A\xe0\xc9M\x99!\x93\xcb\xb2\xe6\xb2E\x12^\xa0\xbd\
\xa6\x16\x80D$\x22:*/\x91;\xc69j\xeb\x84\
g\x09/\xd0\xd5\xb8\x0a\x80\xd8\xf0\xb0\xe8\xa8\xbcXx\
f\xe5w\xe6\xb2E\x12^`\xe9\xda\xf5(%%h\
\xf18z\x22!:\x0e=\x91@\x8b\xc7Q\xecvJ\
\xd7\xac\x13\x9e'~\x11q:)o\xd9\x0c\xd9,C\
==\xa2\xe3\x18\xbay\x13\x80\xf2\x96\xcdX\x1c\x0e\xe1\
y\xa6lc*\xb6\xef@QUb\xe10I\x81\x8f\
\x99\x92\xd1(\xb1p\x18EU\xf1\x7f\xf4\xb1\xb0\x9c\xa7\
\x99R\xa0m\xe92|[\xb7A6\xcb@w7\x99\
t\xba\xe0\x19\x99t\x9a\x81\xeb3g_\xdf\xb6\x0fL\
Y\x81\xc1\xc4\x8d\xb4\x7f\xd7\x1e\x1c\xcbW\x90\x9e\x98\xe0\
\xee\xb5kd\xb3\x85\xfb\xeb\x8al6K\x7fW\x17i\
M\xc3\xb9\xf2M\xfc;w\x17\xec\xda\xf31\xad@\x8b\
\xcdF\xd5\xfe\x83X+\xfc$\x22\x11\xeett\x14d\
s=\x95N\xd3\xdb\xd9I2\x1a\xc5\xea\xf5\xf1\xea\xb7\
\xfb\xb1X\xad\x05\x18\xf1\x8b1\xf5(\xa7z\xbdT\x1d\
:\x8c\xb5\xc2Orl\x8c[\x97.\x19\xfaLLF\
\xa3\xf4\x5c\xbcH\x22\x12\xc1Z\xe1\xa7\xea\xf0\x0fX}\
\x15\x05\x1c\xf1\xfcL?\x0b\xdbkj\xa9=r4?\
\x9do_\xbeL\x7fW\xd7\x82\xb68z\x22A\x7fW\
\x17\xb7;:f\xa6\xed\x8a\x95\xd4\x1e9\x8a\xbd\xbaF\
\xe0\xc8\xe7V\x94o&\xa8^/\xd5?\xfeD\xe4D\
\x1b#\xbf\xfcL,\x1c&\x16\x0e\xe3(+\xc3\x13\x08\
\xe0\xf6zQ\x1d\x0e\xac\xb9'8\x93\xa9\x14\x19M#\
\x91[e\xb5x\x1c\x00EU\xa9x\xffC*>\xf9\
\xd4\xd4i\xfb\xcc\xbd\x14%\x15\xb0X\xad\xf8w\xee\xe6\
\x95w\xdee\xa4\xad\x95\xb1\xf6sh\xf1x\xbe\x9c\xff\
\xa3\xd8\xed\x94\xbf\xbd\x05\xff\xf6\x1d\xa6\xad\xb6\xcfS\xf4\
og\xa9^/\xc1/\xf7R\xf9\xd9\xe7\x8c_\xbd\xc2\
\xc4\x8dn\xb4\xbe^&\xc3CL\xe5\xa6\xf5\x12\xb7\x1b\
k \x88\xa3\xeeu\x9co5R\xbaf\x9d)\x9b\xe4\
\x17Q\xf4\x02gY\x1c\x0e<\x9bZ\xf0lj)\xf6\
P\x16D>P5H\x16h\x90,\xd0 Y\xa0A\
\xb2@\x83d\x81\x06\xc9\x02\x0d\x92\x05\x1a$\x0b4H\
\x16h\x90,\xd0\xa0\xfcYx\xf6\xff\xa0H\x0b#\xdf\
\x81\x92$I\x92$I\x92$I\x8b\xce\xbf\xd9\xba\xc2\
\xa1\x8e\x8fn\xd6\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x04\xe3\
\x00\
\x00\x11Kx\x9c\xddW\xd9\x8e\xdb6\x14}\x9f\xaf`\
\x95\x97\x04\x1dQ\xd4fQ\x8a\xed\x00M\x104@\xfb\
\xd2\xa6(\xd07\x8e\xc8\xb1\xd5H\xa4J\xd1[\xbe\xbe\
\x97\xb2\x16\xcbK2)\x82\x02\x89\x80\x991\xefF\x9e\
s\x0f\xaf<\xf3W\xfb\xaaD[\xa1\x9bB\xc9\x85\xe3\
c\xe2 !s\xc5\x0b\xb9Z8\x7f\xbc\x7f\xebR\x07\
5\x86I\xceJ%\xc5\xc2\x91\xcay\xb5\xbc\x9b\xff\xe0\
\xba\xe8\xb5\x16\xcc\x08\x8ev\x85Y\xa3w\xf2C\x93\xb3\
Z\xa0\xe7kc\xea\xcc\xf3v\xbb\x1d.:#Vz\
\xe5\xbd@\xae\xbb\xbc\xbb\x9b7\xdb\xd5\x1dB\x08\xf6\x95\
M\xc6\xf3\x85\xd3%\xd4\x1b]\xb6\x81<\xf7D)*\
!M\xe3\xf9\xd8\xf7\x9c1<\x1f\xc3s\xbb{\xb1\x15\
\xb9\xaa*%\x9b6S6\xcfN\x825\x7f\x1c\xa2\xed\
iva\x1b\xe4\xa7i\xea\x91\xc0\x0b\x02\x17\x22\xdc\xe6\
\x0d\xdb\xbb\xd3T8\xe3\xb5\xd4\x80\x10\xe2\x81o\x8c\
|ZT\xd6\x00\xa15\xfc\x0c\xe1\xbd\x017j\xa3s\
\xf1\x08y\x02Ka\xbc7\xef\xdf\x0cN\x97`n\xf8\
I\x99\x9e\xcf\xc9\xae\x13\x92%\xabDS\xb3\x5c4^\
oo\xf3w\x057\xeb\x85\x13\xd1v\xb5\x16\xc5jm\
\x86\xe5\xb6\x10\xbb\x9f\xd4~\xe1\x10D\x90\x1f\xe0\xa4\xfd\
ut\x8d\xca\xf0[C\xc1\x17\x0e`;&\xf6[d\
C\x18\xc1i\x80\x03\xf4<\xceCA\x09\xbfG\x01\xf1\
\x13\x97P\x97\xcc^\xb4)=\xb6\x8c\xab\xdc\x1ev\xe1\
\xb0\xba.\x8b\x1cz\xa9\xa4\xbb\x95\x1c+\xd6\x14\xd0\xce\
ZH\x08\xd9X\x19`#\xf6\x06[F\x97Pb\xce\
\xc5ccK\x1d\x0fcW\x81\x83\xbc\xd65T\xb7\xa5\
\xb9\xc55\x06>\xb0\xe6\xc8\x05B5[\x81nJ\xa5\
\x17\xce\xb3\xc7\xf6\xe9\x1c\x0fJs\xa1{\xd7\xac}&\
.\x05\xdc\x16\xe6p\xbc)]\xed\x9e\x04[u\xf0\x93\
\xeb\xfef\xcd\xb8\xda-\x9c\xe0\xdc\xf9Q\xa9j\xe1\xc4\
xv\xee\xc8\xa1/n\x82IL\xa3\x88\xf8\x17^\xd8\
*\x88p\x1c\xa74\xbe\xa8\xd9\xf3\xe7nda@\xaa\
Uu\x91\xbe\xd1\xda\x06\x94\xec \x00q\xfb\xa7\xdf\xa3\
Y\xab\xddJ[\xe6\x8c\xde\x88\xf3\xcc]\x01\xed\xd9\xb9\
\x9d\xae\xfcpv\x01\xb7\x8b\xe8\xb5\x96\xf8\xf4F\x84\x15\
\xde\x0dW\x8b\xee\x86\xafb\xfb\xa2*>\x0a8`\x7f\
\xe4\x0eg\xbdo\x85\x02z\x18r,\x90c\x0cB\xe6\
`o\xd0\xfe`mNo\xb48\xad\x81\xfaq/&\
\xefRM\xad\xbd\x12\x86qf\xd8(\xad\xde\x12\xf7\xfb\
\xc2`\xc9~{\xf3v\xd9U\x9f\xe7y\xf6\xa7\xd2\x1f\
\xfa\xcd\x10\xb2\x01\xecAm\x80\x18g9\x98\xe7<\xcf\
`\x14T\xcc,\x8b\x0a\xd4b\xa7\xc8\x8fp\xf5\xe7\xde\
\xe8\x98\x04[(c\xd1cY-\x8e3\xe5\xea`\xe5\
yU\xd8$\xefwS\x94\xe5;\xbbI\x07\xf7\xa4h\
aJ1\x1a\xe7^w\xfa\x0e\x9bw\x02n\xee\xf5\xd0\
\xdb\xd5\xea\xacS%{\x10\xe5\xc2y\xcdj\x86.\xa4\
\xbb\xd2jSW\x8a\x8bNw\xce\xc8\xe7D\x87F3\
\xd9X\xf0V\x88\xf0\xb1\x84\x97\xcesr\xef\x064\xc2\
\xe1\x8b\x81q\x91\x9b\x1eEc\x0e%T\xed\xeeb\xe6\
\xbf|\x04\xac\xd9\xb34b\x9c\x1f\x17\xee\xd4\xe7\xeaM\
)2\xa9\xe4G\xb8\xe1/\x1b\xa3\xd5\x87v)\xba\xcf\
G\x99g\x04\x07i@\xe28\x8cz{YH\x01`\
2\x80\x22\xf9\xa9\xf1oU\xc8\x0c\xa8\x16\xba\xb7\xb6\x8b\
\x12\x14k\xb2!\x9d3\x98\x07Z\xb3\xc3d3kU\
\x8f\x8f\x8d0\x19\xe9m\xfdy\x09\xa6\x94\x04\xd4O&\
\xc2\xb5\xe0Om\xdd\xad\xa48\x09\xfd J\xe9\xe0\xe8\
/\xa3\xef\xe30I\x08\x8d\x06\xcf\xde\x8e4\x98!\x84\
\x86\xe1`\xb4\xd7\x8f\xc6\x98\xa4a\x12\x0fF\xddN\xb7\
p\x16\x93Y\x1aG\x83z\xe653\xeb\xb3\x0e\x1cy\
?N\xd8)\xef@e\x18\x07i\xe4\x07'\x0d\x10[\
!\x15\xe7\x9fj\x00IB\xe2\x874\xac\xf7\xe7-x\
\xd8\x18\xf3\xe9\x0e\x0c=\x1f\xa0\x00u\xbf\xa2\x00\x87\xd4\
\x0f\xe2{\x8bt\x16@\x87\xd1\xcf\x080\x07\x89\xa5\x02\
\xfdr\xe2\xa78\x98\xd1$F\x7fM\xc8\xb7\xb8\xa9\x9f\
\x8e\xb6a\xb8*\x09G3J\xbb0f\xb7\xccl\xb4\
\x18'\xdd\xc9\x9b\x100\x0b{'ar\xe5\xf0\x8c\x8c\
>A\xd3\xd7\xb8\xfdBMS\xd2>\xfe9\xa1\xcd?\
\x1b\xa6\xc5\xff!j\xffR\xcc\xd1\x85\x98/\xd59\x88\
\x19\xc7\xf4D\x9f\xa0\xe4\x08\xd4e\x1f\x7f\xaa\xe4\x14\x87\
\xd0\xd5\xf4\xf3\x92m\x0f~S\x97=\xe9g<\xc6_\
\xae\xc8\xa7\xd37\xde\x9b4\x05\x0cp\x0d\xa6\x22\x9e\xe1\
0J\xedsoa\xd2x\x16\xc4 c\x8a\xa3\xc9w\
\x98\x13\xc1FO\x17\xecU\xba\x9e\xaa\xf2a\xc3\xd8\xbf\
y\xe2\x94\xe0\xd9\xf5\xe3~sM\xf9\x0e\xa5\xd5_\xa6\
\x10\x1a\xe5\xe3(\x82w\xc1I\xaf\x92+\x9d\x0e\xbf\xd2\
,\xbc\xc1\xe6\xf5\xd8\xff.\xcc\xf86^\xf8_\xe6\x16\
\xdco\xae\xa9\xdf\xb94CL\xe0\xcb\xce\xe7\xa4\x99|\
]i\xce\xbd\xd5\xf2nn\xbf\xa6/\xef\xfe\x05\x98\x15\
LN\
\x00\x00\x01+\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00P\x00\x00\x00P\x08\x06\x00\x00\x00\x8e\x11\xf2\xad\
\x00\x00\x00\x06bKGD\x00\xff\x00\xff\x00\xff\xa0\xbd\
\xa7\x93\x00\x00\x00\xe0IDATx\x9c\xed\xdb\xb1i\
CA\x10@\xc1\x95q\xe4Zdp\x0fJU\x8f+\
S\x05J\x9c\x1a\xe4V\xa4T\x8e\xdc\x80\x9f\xd0\xe7`\
&\xbapylt\xdc\xcd\x00\x00\x00<\xdb\xee\xebp\
\xb8o=\xc4\xca^\xb6\x1e`u\xaf\x7f\x87\x8f\xe3q\
\xcb9\x96\xf3}:\xcd\x8c\x0d\xcc\x04\x8c\x04\x8c\x04\x8c\
\x04\x8c\x04\x8c\x04\x8c\x04\x8c\x04\x8c\x04\x8c\x04\x8c\xdc\xc6\
D60\xda]\xcf\x9f\xf7\x99\x99\xb7\xfd\xfb\xd6\xb3,\
\xe5\xf6s\x99\x19\x1b\x98\x09\x18\x09\x18\x09\x18\x09\x18\x09\
\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\
\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\
\x18\x09\x18\x09\x18\x09\x18\x09\x18\x09\x18y\x9d\x15\xd9\xc0\
\xc8_\xb9\x7f\xf2W\xeeA\x04\x8c\x04\x8c\x04\x8c\x04\x8c\
\x04\x8c\x04\x8c\x04\x8c\x04\x8c\x04\x8c\x04\x8c\xdc\xc6D6\
\x10\x00\x00`9\xbf\xc7`\x15\xd4\xc3\xef\xbc?\x00\x00\
\x00\x00IEND\xaeB`\x82\
"
qt_resource_name = b"\
\x00\x05\
\x00o\xa6S\
\x00i\
\x00c\x00o\x00n\x00s\
\x00\x05\
\x00m\x02\xc3\
\x00f\
\x00i\x00l\x00e\x00s\
\x00\x06\
\x06\xa8M\xc2\
\x00d\
\x00a\x00n\x00g\x00e\x00r\
\x00\x08\
\x06\xe58\x14\
\x00d\
\x00o\x00w\x00n\x00l\x00o\x00a\x00d\
\x00\x04\
\x00\x06\xd0%\
\x00f\
\x00i\x00l\x00e\
\x00\x02\
\x00\x00\x07\xc0\
\x00u\
\x00p\
\x00\x04\
\x00\x07f\xbe\
\x00o\
\x00p\x00e\x00n\
\x00\x04\
\x00\x07\x8c\x04\
\x00q\
\x00u\x00i\x00t\
\x00\x02\
\x00\x00\x07[\
\x00o\
\x00k\
\x00\x05\
\x00~i$\
\x00w\
\x00o\x00r\x00l\x00d\
\x00\x05\
\x00g\x96\xc4\
\x00a\
\x00b\x00o\x00u\x00t\
\x00\x07\
\x0a\xca\x80\xf3\
\x00d\
\x00e\x00t\x00a\x00i\x00l\x00s\
\x00\x08\
\x06C\xc8\xf3\
\x00c\
\x00o\x00m\x00m\x00e\x00n\x00t\x00s\
\x00\x06\
\x07\x9b\x88\x98\
\x00s\
\x00e\x00a\x00r\x00c\x00h\
\x00\x0b\
\x0cg^C\
\x00p\
\x00r\x00e\x00f\x00e\x00r\x00e\x00n\x00c\x00e\x00s\
\x00\x02\
\x00\x00\x06\xbe\
\x00e\
\x00n\
\x00\x02\
\x00\x00\x07\x10\
\x00j\
\x00p\
\x00\x0b\
\x09\xd2?\x1e\
\x00d\
\x00e\x00s\x00c\x00r\x00i\x00p\x00t\x00i\x00o\x00n\
\x00\x02\
\x00\x00\x06\xc3\
\x00e\
\x00s\
"
qt_resource_struct = b"\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\x01\
\x00\x00\x00\x00\x00\x00\x00\x00\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x12\x00\x00\x00\x02\
\x00\x00\x00\x00\x00\x00\x00\x00\
\x00\x00\x00\xfe\x00\x00\x00\x00\x00\x01\x00\x02)!\
\x00\x00\x01~\xf8o.\x7f\
\x00\x00\x01.\x00\x00\x00\x00\x00\x01\x00\x02?\xc3\
\x00\x00\x01~\xf8ouy\
\x00\x00\x01\x08\x00\x00\x00\x00\x00\x01\x00\x025\x16\
\x00\x00\x01~\xf8n\xfc\x01\
\x00\x00\x00|\x00\x00\x00\x00\x00\x01\x00\x01\x87\xb8\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x00V\x00\x00\x00\x00\x00\x01\x00\x01\x06\xab\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x00H\x00\x00\x00\x00\x00\x01\x00\x00\xfd\x16\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x00`\x00\x01\x00\x00\x00\x01\x00\x01\x10\x11\
\x00\x00\x01y\x05\x14\xdd \
\x00\x00\x00n\x00\x00\x00\x00\x00\x01\x00\x01!\xb3\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x00\x96\x00\x00\x00\x00\x00\x01\x00\x01\xfd\x1b\
\x00\x00\x01y\x05\x14\xdd \
\x00\x00\x00\x10\x00\x00\x00\x00\x00\x01\x00\x00\x00\x00\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x00\x86\x00\x00\x00\x00\x00\x01\x00\x01\xf3\xf6\
\x00\x00\x01y\x05\x14\xdd \
\x00\x00\x00\xba\x00\x00\x00\x00\x00\x01\x00\x02\x0b\x15\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x00 \x00\x00\x00\x00\x00\x01\x00\x00H\xca\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x002\x00\x00\x00\x00\x00\x01\x00\x00\xb1\xc0\
\x00\x00\x01{\xdb\xb4\xb7\xb8\
\x00\x00\x00\xd0\x00\x00\x00\x00\x00\x01\x00\x02\x1aZ\
\x00\x00\x01y\x05\x14\xdd \
\x00\x00\x01\x12\x00\x01\x00\x00\x00\x01\x00\x02:\xdc\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x00\xa6\x00\x01\x00\x00\x00\x01\x00\x01\xffk\
\x00\x00\x01{\xdb\x82\x22\x80\
\x00\x00\x00\xe2\x00\x00\x00\x00\x00\x01\x00\x02&\xfb\
\x00\x00\x01y\x05\x14\xdd \
"
def qInitResources():
QtCore.qRegisterResourceData(
0x03, qt_resource_struct, qt_resource_name, qt_resource_data
)
def qCleanupResources():
QtCore.qUnregisterResourceData(
0x03, qt_resource_struct, qt_resource_name, qt_resource_data
)
qInitResources()
|
#!/usr/bin/env python3
import numpy as np
import pandas as pd
import os
test_dir = './results/em_results'
sample = []
unit = []
condition = []
for file in os.listdir(test_dir):
if file.endswith(".counts"):
sample.append(file)
else:
pass
for i in range(len(sample)):
base = os.path.splitext(sample[i])[0]
units = base.split('_')[1] + "_" + base.split('_')[2]
unit.append(units)
condition.append(base.split('_')[1])
units_data = pd.DataFrame({'sample': sample,
'unit': unit,
'condition': condition})
units_data.to_csv('./results/em_results/emtable.tsv', sep = '\t', index=False)
|
# Generated by Django 3.2.11 on 2022-01-24 10:57
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
("main", "0059_alter_financialinformation_area_of_work"),
]
operations = [
migrations.AlterField(
model_name="financialinformation",
name="second_timesheet_validator",
field=models.CharField(
max_length=255,
verbose_name="name of the second timesheet and expenses validator",
),
),
migrations.AlterField(
model_name="financialinformation",
name="timesheet_and_expenses_validator",
field=models.CharField(
max_length=255,
verbose_name="name of the first timesheet and expenses validator",
),
),
]
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
import logging
import argparse
import collections
import os
from Bio import SeqIO
def main(param):
logger = logging.getLogger()
logging.basicConfig(level=param.loglevel, format='%(asctime)s (%(relativeCreated)d ms) -> %(levelname)s:%(message)s', datefmt='%I:%M:%S %p')
# Opening novel alleles:
logger.info("Opening the novel alleles file ...")
novel = collections.defaultdict(list)
for seq_record in SeqIO.parse(param.novel, "fasta"):
novel[seq_record.id].append(seq_record)
# create folder if it does not exist:
if not os.path.isdir(param.output):
os.makedirs(param.output)
# Open mlst
mlst = {}
logger.info("Opening the MLST schema and adding novel alleles ...")
for f in os.listdir(param.pathDB):
f_path = os.path.join(param.pathDB, f)
logger.debug("Opening file %s ..." % f)
file_no_ext, ext = os.path.splitext(f_path)
locus = os.path.basename(f_path).split(".")[0]
record_list = [seq_record for seq_record in SeqIO.parse(f_path, "fasta")]
# if there are novel alleles for this locus, add:
if len(novel[locus]) > 0:
# find maximum id present, novel alleles gets next;
id_list = [int(s.id.split("_")[-1]) for s in record_list]
next_id = max(id_list) + 1
# append novels:
for record in novel[locus]:
record.id += "_%d" % next_id
record.name = record.description = ""
next_id += 1
record_list.append(record)
# save:
SeqIO.write(record_list, os.path.join(param.output, os.path.basename(f_path)), "fasta")
logger.info("Done.")
def run():
parser = argparse.ArgumentParser(description="Adds novel alleles to an existing MLST scheme.")
parser.add_argument("-n", "--novel", type=str, help="FASTA with novel alleles.")
parser.add_argument("-o", "--output", type=str, help="Output folder for new scheme.")
parser.add_argument("-i", "--id", type=int, default=1000, help="Start numbering new alleles on this value, later will implement from last allele id +1.")
# parser.add_argument("-t", "--threads", type=int, default=4, help="number of threads")
parser.add_argument("-db", "--pathDB", type=str, help="MLST Fasta Database Directory")
parser.add_argument('-ll', '--loglevel', type=str, default="INFO", choices=['DEBUG','INFO','WARNING','ERROR','CRITICAL'], help='Set the logging level')
param = parser.parse_args()
main(param)
if __name__ == '__main__':
run()
|
import os, secrets
key=secrets.token_urlsafe(32)
basedir = os.path.abspath(os.path.dirname(__file__))
class Config(object):
DEBUG=True
#TESTING=False
SECRET_KEY = key
SQLALCHEMY_TRACK_MODIFICATIONS=False
SQLALCHEMY_DATABASE_URI = ''
class DevelopmentgConfig(Config):
DEBUG=True
SQLALCHEMY_TRACK_MODIFICATIONS=False
class StagingConfig(Config):
DEBUG=False
SQLALCHEMY_TRACK_MODIFICATIONS=False
class ProductionConfig(Config):
DEBUG=False
SQLALCHEMY_TRACK_MODIFICATIONS=False
|
# _*_ coding: utf-8 _*_
"""
password-validate.utils
-----------------------
This module provides utility functions that are used within password_validate
that are also useful for external consumption.
"""
import hashlib
from os.path import abspath, dirname, join
DICTIONARY_LOC = "dictionary_files"
DICTIONARY = "dictionary.txt"
PHPBB = "phpbb.txt"
ROCKYOU = "rockyou.txt"
DICTS = [
DICTIONARY,
PHPBB,
]
def hashit(password):
"""
Hashes any string sent to it with sha512.
:param password: String to hash
:return: String with a hexdigest of the hashed string.
"""
hash_object = hashlib.sha512()
hash_object.update(password.encode("utf-8"))
return hash_object.hexdigest()
def not_in_dict(password):
"""
Parses several dictionary files to see if the provided password is included
within them.
If the dictionary file contains any words that are under five characters in
length, they are skipped. If the string is found, this is considered to be
a failed check and therefore not a valid password.
:param password: String to check
:return: Boolean, True if not found, False if it is
"""
for passwd_file in DICTS:
dict_words = read_file(passwd_file)
for word in dict_words:
if "dictionary.txt" in passwd_file and len(word) < 5:
# skip common words under 5 characters long
continue
if password == word:
return False
return True
def read_file(filename):
"""
Helper function that simple iterates over the dictionary files.
:param filename: String with the path and filename of the dictionary
:return: String generator with each line of the dictionary
"""
file_loc = dirname(abspath(__file__))
data_loc = join(file_loc, DICTIONARY_LOC, filename)
with open(data_loc, "rb") as file:
for line in file:
try:
yield line.decode("utf-8").rstrip()
except UnicodeDecodeError:
# LOL, like my hack around this one??
continue
|
# This Python file uses the following encoding: utf-8
"""Production application config."""
import os
DEBUG = False
TESTING = False
GITHUB_OAUTH_CLIENT_ID = os.environ.get('GITHUB_OAUTH_CLIENT_ID')
GITHUB_OAUTH_CLIENT_SECRET = os.environ.get('GITHUB_OAUTH_CLIENT_SECRET')
SECRET_KEY = os.environ.get('SECRET_KEY')
|
from ._internal.frameworks.easyocr import load
from ._internal.frameworks.easyocr import save
from ._internal.frameworks.easyocr import load_runner
__all__ = ["load", "load_runner", "save"]
|
from clock import start_clock
from worker import start_worker
|
import torch.nn as nn
class ResNetTrunk(nn.Module):
"""
Adapted from https://github.com/xu-ji/IIC/blob/master/
"""
def __init__(self):
super(ResNetTrunk, self).__init__()
def _make_layer(self, block, planes, blocks, stride=1):
downsample = None
if stride != 1 or self.inplanes != planes * block.expansion:
downsample = nn.Sequential(
nn.Conv2d(self.inplanes, planes * block.expansion,
kernel_size=1, stride=stride, bias=False),
nn.BatchNorm2d(planes * block.expansion,
track_running_stats=self.batchnorm_track),
)
layers = []
layers.append(block(self.inplanes, planes, stride, downsample,
track_running_stats=self.batchnorm_track))
self.inplanes = planes * block.expansion
for i in range(1, blocks):
layers.append(
block(self.inplanes, planes, track_running_stats=self.batchnorm_track))
return nn.Sequential(*layers)
|
"""
Program to find LCM of two numbers
recursive function to return gcd of a and b
"""
def gcd(a: int, b: int) -> int:
if a == 0:
return b
return gcd(b % a, a)
# function to return LCM of two numbers
def lcm(a: int, b: int) -> float:
return (a / gcd(a, b)) * b
if __name__ == '__main__':
a = int(input("Enter the 1st number: \n"))
b = int(input("Enter the 2nd number: \n"))
print('LCM of', a, 'and', b, 'is', lcm(a, b))
|
'''Exercicio 4: Uma pista de Kart permite 10 voltas para cada um de 6 corredores.
Escreva um programa que leia todos os tempos em segundos e os guarde em um
dicionário, onde a chave é o nome do corredor. Ao final diga de quem foi a melhor volta
da prova e em que volta; e ainda a classificação final em ordem (1o o campeão). O
campeão é o que tem a menor média de tempos.'''
resultados = {}
classificacao = {}
menor_volta = [99999, 0, 0]
def leitura_dos_dados():
for _ in range(0, 6):
nome_corredor = input('Insira o nome do corredor: ')
count = 0
media = 0
resultados[nome_corredor] = []
for _ in range(0, 10):
count += 1
volta = int(input(f'Insira o resultado (em segundos) da {count} volta: '))
resultados[nome_corredor].append(volta)
if volta < menor_volta[0]:
menor_volta[0] = volta
menor_volta[1] = count
menor_volta[2] = nome_corredor
media += volta
classificacao[nome_corredor] = media
return resultados
def classificacao_final():
sort_classificacao = sorted(classificacao.items(), key=lambda x: x[1])
count = 0
for corredor in sort_classificacao:
count += 1
print(f'Em {count}o lugar: {corredor[0]}, com uma média de {(corredor[1]/10)} segundos.')
def imprime_menor_volta():
print(f'A menor volta foi de {menor_volta[0]} s, na {menor_volta[1]} volta de {menor_volta[2]}')
def main():
print(leitura_dos_dados())
classificacao_final()
imprime_menor_volta()
main()
|
import streamlit as st
from requests_toolbelt.multipart.encoder import MultipartEncoder
import requests
from PIL import Image
import io
import zipfile
import glob
import os
import json
st.title('MoroccoAI Data Challenge : Automatic Number Plate Recognition (ANPR) in Morocco Licensed Vehicles.')
# fastapi endpoint
url = 'http://13.87.133.185:8000'
endpoint = '/platedetector'
endpoint2 = '/plateocr'
endpoint3 = '/plate_string'
st.write('''This application is a demo result of our work in the comepetiton organized by MoroccoAI in the context of the first MoroccoAI Data Challenge.
it takes an image that contains one or multiple cars and return the plates and the recognized characters on each plate''') # description and instructions
image = st.file_uploader('insert image') # image upload widget
def process(image, server_url: str):
m = MultipartEncoder(
fields={'file': ('filename', image, 'image/jpeg')}
)
r = requests.post(server_url,
data=m,
headers={'Content-Type': m.content_type},
timeout=8000)
return r
if st.button('Get Plate detected'):
res = process(image, url+endpoint)
res1= process(image, url+endpoint3)
res2= process(image, url+endpoint2)
col1, col2 = st.columns(2)
with col1:
p = res1.content.decode('UTF-8')
st.header(p[1:-1])
st.image(io.BytesIO(res.content))
|
from utils import read_file
def calc_parents(connections, node):
if node == 'COM':
return 0
else:
return 1 + calc_parents(connections, connections[node])
def get_connections(map_):
connections = {}
for line in map_:
from_, to_ = line.split(')')
connections[to_] = from_
return connections
def orbits(map_):
connections = get_connections(map_)
return sum([calc_parents(connections, node) for node in connections])
def get_ancestors(connections, node):
if node == 'COM':
return [node]
else:
return [node] + get_ancestors(connections, connections[node])
def transfers(map_, from_, to_):
connections = get_connections(map_)
a = get_ancestors(connections, from_)
b = get_ancestors(connections, to_)
common = [i for i in a if i in b][0]
return (a.index(common) - 1) + (b.index(common) - 1)
print("#--- part1 ---#")
data = """COM)B
B)C
C)D
D)E
E)F
B)G
G)H
D)I
E)J
J)K
K)L""".splitlines()
assert(orbits(data) == 42)
print(orbits(read_file('06.txt')))
print("#--- part2 ---#")
data = """COM)B
B)C
C)D
D)E
E)F
B)G
G)H
D)I
E)J
J)K
K)L
K)YOU
I)SAN""".splitlines()
assert(transfers(data, 'YOU', 'SAN') == 4)
print(transfers(read_file('06.txt'), 'YOU', 'SAN'))
|
#!/usr/bin/env python3
"""Nickel and Dime"""
import argparse
import os
import random
import sys
# --------------------------------------------------
def get_args():
"""Get command-line arguments"""
parser = argparse.ArgumentParser(
description='Argparse Python script',
formatter_class=argparse.ArgumentDefaultsHelpFormatter)
parser.add_argument('-n',
'--nickels',
help='Number of nickels',
metavar='int',
type=int,
default=2018)
parser.add_argument('-d',
'--dimes',
help='Number of dimes',
metavar='int',
type=int,
default=2019)
return parser.parse_args()
# --------------------------------------------------
def main():
"""Make a jazz noise here"""
args = get_args()
nickels = args.nickels
dimes = args.dimes
def mk_jar(n, d):
return (['n'] * nickels) + (['d'] * dimes)
jar = mk_jar(nickels, dimes)
while len(jar) > 1:
c1, c2 = random.sample(jar, k=2)
if c1 == 'd' and c2 == 'd':
dimes -= 1
elif c1 == 'n' and c2 == 'n':
nickels -= 2
dimes += 1
else:
dimes -= 1
nickels += 1
jar = mk_jar(nickels, dimes)
print(jar)
# --------------------------------------------------
if __name__ == '__main__':
main()
|
def swap():
input1=input("enter file name 1:")
input2=input("enter file name 2:")
u = open(input2,"r")
v = open(input1,"r")
data_u = u.read()
data_v = v.read()
u = open(input2,"w")
u.write(data_v)
v = open(input1,"w")
v.write(data_u)
swap()
|
from typing import Dict
from typing import Tuple
from typing import Union
import hypothesis.strategies as st
from myrtlespeech.protos import eval_config_pb2
from tests.protos.test_dataset import datasets
from tests.protos.utils import all_fields_set
# Fixtures and Strategies -----------------------------------------------------
@st.composite
def eval_configs(
draw, return_kwargs: bool = False
) -> Union[
st.SearchStrategy[eval_config_pb2.EvalConfig],
st.SearchStrategy[Tuple[eval_config_pb2.EvalConfig, Dict]],
]:
"""Returns a SearchStrategy for a EvalConfig plus maybe the kwargs."""
kwargs: Dict = {}
kwargs["batch_size"] = draw(st.integers(min_value=1, max_value=128))
kwargs["dataset"] = draw(datasets())
# initialise and return
all_fields_set(eval_config_pb2.EvalConfig, kwargs)
eval_config = eval_config_pb2.EvalConfig(**kwargs)
if not return_kwargs:
return eval_config
return eval_config, kwargs
|
__all__ = ["craw_reviews"]
|
#! /usr/bin/env python
# -*- coding: utf-8 -*-
# Standard modules
import os
import math
# Third-party modules
import numpy
import matplotlib
from mpl_toolkits.axes_grid1 import make_axes_locatable
import matplotlib.pyplot as plt
try:
import weblogo
# Weblogo compatibility
# With version < 3.5, the color class is 'ColorGroup'. In version >= 3.5,
# it is 'SymbolColor'. Here, we change to always have 'ColorGroup'.
try:
ColorGroup = weblogo.SymbolColor
except AttributeError:
ColorGroup = weblogo.ColorGroup
except ImportError:
IS_WEBLOGO = False
else:
IS_WEBLOGO = True
# Local modules
from .. import PB
from . import utils
# Python2/Python3 compatibility
# The range function in python 3 behaves as the range function in python 2
# and returns a generator rather than a list. To produce a list in python 3,
# one should use list(range). Here we change range to behave the same in
# python 2 and in python 3. In both cases, range will return a generator.
try:
range = xrange
except NameError:
pass
# Create the __all__ keyword according to the conditional imports
__all__ = ['plot_neq', 'plot_map']
if IS_WEBLOGO:
__all__ += ['generate_weblogo']
def plot_neq(fname, neq_array, idx_first_residue=1, residue_min=1, residue_max=None):
"""
Generate the Neq plot along the protein sequence
Parameters
----------
fname : str
The path to the file to write in
neq_array : numpy array
an array containing the neq value associated to the residue number
idx_first_residue: int
the index of the first residue in the array
residue_min: int
the lower bound of the protein sequence
residue_max: int
the upper bound of the protein sequence
"""
neq = utils._slice_matrix(neq_array, idx_first_residue, residue_min, residue_max)
nb_residues = neq.shape[0]
# Residue number with good offset given the slice
x = numpy.arange(residue_min, residue_min + nb_residues)
fig = plt.figure(figsize=(2.0 * math.log(nb_residues), 5))
ax = fig.add_subplot(1, 1, 1)
ax.set_ylim([0, round(max(neq), 0) + 1])
ax.plot(x, neq)
ax.set_xlabel('Residue number', fontsize=18)
ax.set_ylabel('Neq', fontsize=18, style='italic')
fig.savefig(fname)
def plot_map(fname, count_mat, idx_first_residue=1, residue_min=1, residue_max=None):
"""
Generate a map of the distribution of PBs along protein sequence from
an occurence matrix.
Parameters
----------
fname : str
The path to the file to write in
count_mat : numpy array
an occurence matrix returned by `count_matrix`.
idx_first_residue: int
the index of the first residue in the matrix
residue_min: int
the lower bound of the protein sequence
residue_max: int
the upper bound of the protein sequence
"""
# Get the frequency matrix
freq_mat = utils.compute_freq_matrix(count_mat)
# take a slice with min/max residues
freq = utils._slice_matrix(freq_mat, idx_first_residue, residue_min, residue_max)
nb_residues = freq.shape[0]
# Residue number with good offset given the slice
x = numpy.arange(residue_min, residue_min + nb_residues)
# Define a scaling factor to handle nice rendering for small and large proteins
# This is empirical!
scaling_factor = math.log(nb_residues)
# define ticks for x-axis
x_step = 1
# space ticks for large proteins
if nb_residues > 12:
x_step = 2
if nb_residues > 25:
x_step = 5
if nb_residues > 100:
x_step = 10
if nb_residues > 200:
x_step = int(scaling_factor) * 5
xticks = x[::x_step]
# trying to round ticks: 5, 10, 15 instead of 6, 11, 16...
if xticks[0] == 1:
xticks = xticks - 1
xticks[0] += 1
# define ticks for y-axis
yticks = ('a', 'b', 'c', 'd', 'e', 'f', 'g', 'h',
'i', 'j', 'k', 'l', 'm', 'n', 'o', 'p')
fig = plt.figure(figsize=(2.0 * scaling_factor, 4))
gs = matplotlib.gridspec.GridSpec(1, 3, width_ratios=[1, 2.0 * scaling_factor, 1])
ax1 = fig.add_subplot(gs[0])
ax2 = fig.add_subplot(gs[1])
ax3 = fig.add_subplot(gs[2])
# Color scheme inspired from ColorBrewer
# http://colorbrewer2.org/?type=diverging&scheme=RdYlBu&n=5
# This color scheme is colorblind safe
colors = [(44.0 / 255, 123.0 / 255, 182.0 / 255),
(171.0 / 255, 217.0 / 255, 233.0 / 255),
(255.0 / 255, 255.0 / 255, 191.0 / 255),
(253.0 / 255, 174.0 / 255, 97.0 / 255),
(215.0 / 255, 25.0 / 255, 28.0 / 255)]
cmap = matplotlib.colors.LinearSegmentedColormap.from_list('ColBrewerRdYlBu', colors)
img = ax2.imshow(numpy.transpose(freq[:, :]), interpolation='none', vmin=0, vmax=1,
origin='lower', aspect='auto', cmap=cmap)
# add colorbar
divider2 = make_axes_locatable(ax2)
# cax2 = divider2.append_axes("right", size="5%", pad=0.08)
cax2 = divider2.append_axes("right", size=0.15, pad=0.08)
plt.colorbar(img, cax=cax2)
# add ticks and labels
ax2.set_xticks(xticks - numpy.min(xticks))
ax2.set_xticklabels(xticks)
ax2.set_yticks(range(len(yticks)))
ax2.set_yticklabels(yticks, style='italic', weight='bold')
ax2.set_xlabel("Residue number", weight="bold")
# add secondary structures
ax1.set_axis_off()
ax1.text(0.2, 0.5, "PBs", rotation=90, weight="bold",
size='larger', ha='center', va='center')
# center alpha-helix: PB m (13th PB out of 16 PBs)
# center coil: PB h and i (8th and 9th PBs out of 16 PBs)
# center beta-sheet: PB d (4th PB out of 16 PBs)
ax1.text(0.5, 4.0 / 16, r"$\beta$-strand", rotation=90,
ha='center', va='center')
ax1.text(0.5, 8.5 / 16, r"coil", rotation=90,
ha='center', va='center')
ax1.text(0.5, 13.0 / 16, r"$\alpha$-helix", rotation=90,
ha='center', va='center')
# add "intensity"
ax3.set_axis_off()
ax3.text(0.7, 0.5, "Intensity", rotation=90, weight="bold", ha='center', va='center')
# adjust margins and save
fig.subplots_adjust(left=0.01, bottom=0.12, top=0.96, right=0.99, wspace=0)
fig.savefig(fname, dpi=300)
def generate_weblogo(fname, count_mat, idx_first_residue=1, residue_min=1, residue_max=None, title=""):
"""
Generates logo representation of PBs frequency along protein sequence through
the weblogo library.
The weblogo reference:
G. E. Crooks, G. Hon, J.-M. Chandonia, and S. E. Brenner.
'WebLogo: A Sequence Logo Generator.'
Genome Research 14:1188–90 (2004)
doi:10.1101/gr.849004.
http://weblogo.threeplusone.com/
Parameters
----------
fname : str
The path to the file to write in
count_mat : numpy array
an occurence matrix returned by `count_matrix`.
idx_first_residue: int
the index of the first residue in the matrix
residue_min: int
the lower bound of residue frame
residue_max: int
the upper bound of residue frame
title: str
the title of the weblogo. Default is empty.
"""
# Slice the matrix
count = utils._slice_matrix(count_mat, idx_first_residue, residue_min, residue_max)
# Create a custom color scheme for PB
colors = weblogo.ColorScheme([ColorGroup("d", "#1240AB", "strand main"),
ColorGroup("abcdef", "#1240AB", "strand others"),
ColorGroup("ghij", "#0BD500", "coil"),
ColorGroup("m", "#FD0006", "helix main"),
ColorGroup("klnop", "#FD0006", "helix others")])
# Load data from an occurence matrix
data = weblogo.LogoData.from_counts(PB.NAMES, count)
# Create options
options = weblogo.LogoOptions(fineprint=False, logo_title=title, color_scheme=colors,
stack_width=weblogo.std_sizes["large"],
first_residue=residue_min)
# Generate weblogo
logo = weblogo.LogoFormat(data, options)
# Retrieve image format
image_format = os.path.splitext(fname)[1][1:]
# Retrieve the right function given the image format
try:
if image_format == 'jpg':
image_format = 'jpeg'
formatter = weblogo.formatters[image_format]
except KeyError:
raise ValueError("Invalid format image '{0}'."
" Valid ones are : eps, png, pdf, jpg/jpeg, svg".format(image_format))
# Format the logo
image = formatter(data, logo)
# Write it
with open(fname, "wb") as f:
f.write(image)
|
from numpy import *
def encrypt():
cnt=0
j=0
for i in range(len(plaintext)):
if(cnt%2==0):
m[j,i]=plaintext[i]
j+=1
if(j==depth-1):
cnt+=1
continue
else:
m[j,i]=plaintext[i]
j-=1
if(j==0):
cnt+=1
continue
print(m)
encrypttext=""
for i in range(depth):
for j in range(len(plaintext)):
if(m[i,j] != '?'):
encrypttext+=m[i,j]
return encrypttext
def decrypt(encrypttext):
m[:]='?'
cnt=0
j=0
for i in range(len(plaintext)):
if(cnt%2==0):
m[j,i]='*'
j+=1
if(j==depth-1):
cnt+=1
continue
else:
m[j,i]='*'
j-=1
if(j==0):
cnt+=1
continue
print(m)
k=0
for i in range(depth):
for j in range(len(plaintext)):
if(m[i,j] == '*'):
m[i,j]=encrypttext[k]
k+=1
print(m)
decrypttext=""
cnt=0
j=0
for i in range(len(plaintext)):
if(cnt%2==0):
decrypttext+=m[j,i]
j+=1
if(j==depth-1):
cnt+=1
continue
else:
decrypttext+=m[j,i]
j-=1
if(j==0):
cnt+=1
continue
return decrypttext
f=open("plaintext.txt","r")
plaintext=f.read()
depth=int(input("Enter depth"))
if(len(plaintext)==depth):
print("not valid key")
exit(-1)
m=empty((depth,len(plaintext)),dtype="str")
m[:]='?'
enc=encrypt()
print(enc)
dec=decrypt(enc)
print(dec)
depth=2
choice="no"
while(choice=="no"):
dec=decrypt(enc)
print(dec)
print(depth)
choice=input("is it correct")
depth+=1
|
from vanilla.vanillaBase import VanillaBaseObject, VanillaBaseControl, VanillaError
from vanilla.vanillaBox import Box, HorizontalLine, VerticalLine
from vanilla.vanillaBrowser import ObjectBrowser
from vanilla.vanillaButton import Button, SquareButton, ImageButton, HelpButton
from vanilla.vanillaCheckBox import CheckBox
from vanilla.vanillaColorWell import ColorWell
from vanilla.vanillaComboBox import ComboBox
from vanilla.vanillaDatePicker import DatePicker
from vanilla.vanillaDrawer import Drawer
from vanilla.vanillaEditText import EditText, SecureEditText
from vanilla.vanillaGradientButton import GradientButton
from vanilla.vanillaGroup import Group
from vanilla.vanillaImageView import ImageView
from vanilla.vanillaLevelIndicator import LevelIndicator, LevelIndicatorListCell
from vanilla.vanillaList import List, CheckBoxListCell, SliderListCell, PopUpButtonListCell, ImageListCell, SegmentedButtonListCell
from vanilla.vanillaList2 import List2, List2GroupRow, EditTextList2Cell, GroupTitleList2Cell, SliderList2Cell, CheckBoxList2Cell, PopUpButtonList2Cell, ImageList2Cell, SegmentedButtonList2Cell, ColorWellList2Cell
from vanilla.vanillaPathControl import PathControl
from vanilla.vanillaPopUpButton import PopUpButton, ActionButton
from vanilla.vanillaPopover import Popover
from vanilla.vanillaProgressBar import ProgressBar
from vanilla.vanillaProgressSpinner import ProgressSpinner
from vanilla.vanillaRadioGroup import RadioGroup, VerticalRadioGroup, HorizontalRadioGroup, RadioButton
from vanilla.vanillaScrollView import ScrollView
from vanilla.vanillaSearchBox import SearchBox
from vanilla.vanillaSegmentedButton import SegmentedButton
from vanilla.vanillaSlider import Slider
from vanilla.vanillaSplitView import SplitView, SplitView2
from vanilla.vanillaStackGroup import HorizontalStackGroup, VerticalStackGroup
from vanilla.vanillaStackView import HorizontalStackView, VerticalStackView
from vanilla.vanillaTabs import Tabs
from vanilla.vanillaTextBox import TextBox
from vanilla.vanillaTextEditor import TextEditor
from vanilla.vanillaWindows import Window, FloatingWindow, HUDFloatingWindow, Sheet
from vanilla.dragAndDrop import startDraggingSession, DropTargetProtocolMixIn
__all__ = [
"VanillaBaseObject", "VanillaBaseControl", "VanillaError",
"Box", "HorizontalLine", "VerticalLine",
"Button", "SquareButton", "ImageButton", "HelpButton",
"CheckBox",
"ColorWell",
"ComboBox",
"DatePicker",
"Drawer",
"EditText",
"GradientButton",
"Group",
"ImageView",
"LevelIndicator", "LevelIndicatorListCell",
"List", "CheckBoxListCell", "SliderListCell", "PopUpButtonListCell", "ImageListCell", "SegmentedButtonListCell",
"List2", "List2GroupRow", "EditTextList2Cell", "GroupTitleList2Cell", "SliderList2Cell", "CheckBoxList2Cell", "PopUpButtonList2Cell", "ImageList2Cell", "SegmentedButtonList2Cell", "ColorWellList2Cell",
"ObjectBrowser",
"PathControl",
"PopUpButton", "ActionButton",
"Popover",
"ProgressBar",
"ProgressSpinner",
"RadioGroup", "VerticalRadioGroup", "HorizontalRadioGroup", "RadioButton",
"ScrollView",
"SearchBox",
"SecureEditText",
"SegmentedButton",
"Slider",
"SplitView",
"SplitView2",
"HorizontalStackGroup", "VerticalStackGroup",
"HorizontalStackView", "VerticalStackView",
"Tabs",
"TextBox",
"TextEditor",
"Window", "FloatingWindow", "HUDFloatingWindow", "Sheet",
"startDraggingSession",
"DropTargetProtocolMixIn"
]
try:
from ._version import version as __version__
except ImportError:
__version__ = "<unknown>"
# NSGridview is available from OS 10.12+
try:
from AppKit import NSGridView
except ImportError:
pass
else:
from vanilla.vanillaGridView import GridView
__all__.append("GridView")
|
# -*- coding: utf-8 -*-
"""
Natural language processing
===========================
Provides a wrapper around NLTK to extract named entities from HTML text::
from coaster.utils import text_blocks
from coaster.nlp import extract_named_entities
html = "<p>This is some HTML-formatted text.</p><p>In two paragraphs.</p>"
textlist = text_blocks(html) # Returns a list of paragraphs.
entities = extract_named_entities(textlist)
"""
import nltk
def extract_named_entities(text_blocks):
"""
Return a list of named entities extracted from provided text blocks (list of text strings).
"""
sentences = []
for text in text_blocks:
sentences.extend(nltk.sent_tokenize(text))
tokenized_sentences = [nltk.word_tokenize(sentence) for sentence in sentences]
tagged_sentences = [nltk.pos_tag(sentence) for sentence in tokenized_sentences]
chunked_sentences = nltk.ne_chunk_sents(tagged_sentences, binary=True)
def extract_entity_names(t):
entity_names = []
if hasattr(t, 'label'):
if t.label() == 'NE':
entity_names.append(' '.join([child[0] for child in t]))
else:
for child in t:
entity_names.extend(extract_entity_names(child))
return entity_names
entity_names = []
for tree in chunked_sentences:
entity_names.extend(extract_entity_names(tree))
return set(entity_names)
|
from scrapy.commands.list import Command as BaseCommand
class Command( BaseCommand ):
def syntax( self ):
return "[options|<pattern>]"
def short_desc( self ):
return "List available spiders matched with pattern if provided."
def add_options( self, parser ):
super( Command, self ).add_options( parser )
parser.add_option( "-c", "--count", dest = "count", action = "store_true", default = False )
def run( self, args, opts ):
s_list = self.crawler_process.spider_loader.list()
if args:
from scrapy_compose.utils.command import spider_filter
s_list = spider_filter( s_list, args[0] )
if opts.count:
print( len( s_list ), "spiders matched." )
return
for s in sorted( s_list ):
print( s )
|
import re
def email(value):
"""Validate an email address
>>> email("barney@purpledino.com")
True
>>> email("barneydino.com")
'An email address must contain a single @'
"""
usernameRE = re.compile(r"^[^ \t\n\r@<>()]+$", re.I)
domainRE = re.compile(r'''
^(?:[a-z0-9][a-z0-9\-]{0,62}\.)+ # (sub)domain - alpha followed by 62max chars (63 total)
[a-z]{2,}$ # TLD
''', re.I | re.VERBOSE)
messages = dict(
empty='Please enter an email address',
noAt='An email address must contain a single @',
badUsername='The username portion of the email address is invalid'
' (the portion before the @: {username!s}',
socketError='An error occured when trying to connect to the server:'
' {error!s}',
badDomain='The domain portion of the email address is invalid'
' (the portion after the @: {domain!s}',
domainDoesNotExist='The domain of the email address does not exist'
' (the portion after the @: {domain!s}')
if not value:
return messages['empty']
value = value.strip()
splitted = value.split('@', 1)
try:
username, domain=splitted
except ValueError:
return messages['noAt']
if not usernameRE.search(username):
return messages['badUsername'].format(username=username)
if not domainRE.search(domain):
return messages['badDomain'].format(domain=domain)
return True
def url(value):
"""Validate a URL completely
>>> url("ixmat.us")
True
>>> url("ixmat")
'You must provide a full domain name (like ixmat.com)'
"""
messages = dict(
noScheme='You must start your URL with http://, https://, etc',
badURL='That is not a valid URL',
httpError='An error occurred when trying to access the URL: {error!s}',
socketError='An error occured when trying to connect to the server: {error!s}',
notFound='The server responded that the page could not be found',
status='The server responded with a bad status code ({status!s})',
noTLD='You must provide a full domain name (like {domain!s}.com)')
url_re = re.compile(r'''
^(http|https)://
(?:[%:\w]*@)? # authenticator
(?: # ip or domain
(?P<ip>(?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?))|
(?P<domain>[a-z0-9][a-z0-9\-]{,62}\.)* # subdomain
(?P<tld>[a-z]{2,63}|xn--[a-z0-9\-]{2,59}) # top level domain
)
(?::[0-9]{1,5})? # port
# files/delims/etc
(?P<path>/[a-z0-9\-\._~:/\?#\[\]@!%\$&\'\(\)\*\+,;=]*)?
$
''', re.I | re.VERBOSE)
scheme_re = re.compile(r'^[a-zA-Z]+:')
value = value.strip()
if not scheme_re.search(value):
value = "http://" + value
value = encode_idna(value)
match = scheme_re.search(value)
if not match:
return messages['noScheme']
value = match.group(0).lower() + value[len(match.group(0)):]
match = url_re.search(value)
if not match:
return messages['badURL']
if not match.group('domain'):
return messages['noTLD'].format(domain=match.group('tld'))
return True
def encode_idna(value):
from urllib.parse import urlparse, urlunparse
scheme, netloc, path, params, query, fragment = urlparse(value)
try:
netloc = netloc.encode('idna')
netloc = netloc.decode('ascii')
return str(urlunparse((scheme,
netloc,
path,
params,
query,
fragment)))
except UnicodeError:
return value
|
import scrapy
class ArticleSpider(scrapy.Spider):
name = 'article'
def start_requests(self):
urls = [
'http://sz.to8to.com/zwj/']
return [scrapy.Request(url=url, callback=self.parse) for url in urls]
def parse(self, response):
url = response.url
title = response.xpath('//a')
print('URL is: {}'.format(url))
print('Title is: {}'.format(title))
|
# %%
import pandas as pd
import math
import os.path
import time
from binance.client import Client
from datetime import timedelta, datetime, timezone
from dateutil import parser
from tqdm import tqdm_notebook # (Optional, used for progress-bars)
import json
import requests
import pandas as pd
### CONSTANTS
binsizes = {"1m": 1, "5m": 5, '15m': 15, '30m': 30, "1h": 60, '2h': 120, "4h": 240, "1d": 1440}
batch_size = 750
### FUNCTIONS
def minutes_of_new_data(symbol, kline_size, data, source, client):
"""Process old and new histrical price data format through binance api.
The boundary between new data and old data is 2017.1.1.
Args:
symbol (str): Trading pair (ex: BTCUSDT).
kline_size (str): A frequency of the price data (ex: "1m", "5m",'15m', '30m', "1h", '2h', "4h", "1d")
data (dataframe): The data from get_all_binance() crawlers.
source (str): data source (ex:'binance','bitmex')
client (Binance.Client) (optional): Binance Client object.
Returns:
old: OHLCV DataFrame of old format.
new: OHLCV DataFrame of new format.
"""
if len(data) > 0:
old = parser.parse(data["timestamp"].iloc[-1])
elif source == "binance":
old = datetime.strptime('1 Jan 2017', '%d %b %Y')
elif source == "bitmex":
old = client.Trade.Trade_getBucketed(symbol=symbol, binSize=kline_size, count=1, reverse=False).result()[0][0][
'timestamp']
if source == "binance": new = pd.to_datetime(client.get_klines(symbol=symbol, interval=kline_size)[-1][0],
unit='ms')
if source == "bitmex": new = \
client.Trade.Trade_getBucketed(symbol=symbol, binSize=kline_size, count=1, reverse=True).result()[0][0]['timestamp']
return old, new
def get_all_binance_modified(symbol, kline_size, save=True, client=Client()):
"""Getting histrical price data through binance api.
Original code from: https://medium.com/swlh/retrieving-full-historical-data-for-every-cryptocurrency-on-binance-bitmex-using-the-python-apis-27b47fd8137f
Args:
symbol (str): Trading pair (ex: BTCUSDT).
kline_size (str): A frequency of the price data (ex: "1m", "5m",'15m', '30m', "1h", '2h', "4h", "1d")
save (bool): Save the results in ./history/ to improve the retreive waiting time.
client (Binance.Client) (optional): Binance Client object.
Returns:
pd.DataFrame: OHLCV data for all
"""
filename = 'history/%s-%s-data.csv' % (symbol, kline_size)
if os.path.isfile(filename):
data_df = pd.read_csv(filename)
else:
data_df = pd.DataFrame()
oldest_point, newest_point = minutes_of_new_data(symbol, kline_size, data_df, source="binance", client=client)
oldest_point = datetime.strptime('23 Sep 2021', '%d %b %Y')
delta_min = (newest_point - oldest_point).total_seconds() / 60
available_data = math.ceil(delta_min / binsizes[kline_size])
print(oldest_point)
if oldest_point == datetime.strptime('1 Jan 2017', '%d %b %Y'):
print('Downloading all available %s data for %s. Be patient..!' % (kline_size, symbol))
else:
print('Downloading %d minutes of new data available for %s, i.e. %d instances of %s data.' % (
delta_min, symbol, available_data, kline_size))
klines = client.get_historical_klines(symbol, kline_size, oldest_point.strftime("%d %b %Y %H:%M:%S"),
newest_point.strftime("%d %b %Y %H:%M:%S"))
data = pd.DataFrame(klines,
columns=['timestamp', 'open', 'high', 'low', 'close', 'volume', 'close_time', 'quote_av',
'trades', 'tb_base_av', 'tb_quote_av', 'ignore'])
data['timestamp'] = pd.to_datetime(data['timestamp'], unit='ms')
if len(data_df) > 0:
temp_df = pd.DataFrame(data)
data_df = data_df.append(temp_df)
else:
data_df = data
data_df.set_index('timestamp', inplace=True)
data_df = data_df[~data_df.index.duplicated(keep='last')]
if save and os.path.exists('./history'): data_df.to_csv(filename)
print('All caught up..!')
data_df.index = pd.to_datetime(data_df.index, utc=True)
data_df = data_df[~data_df.index.duplicated(keep='last')]
return data_df.astype(float)
# %%
if __name__ == "__main__":
import finlab_crypto
finlab_crypto.setup()
ohlcv = get_all_binance_modified('ETHUSDT', '1m')
# ohlcv.head()
# %%
# import matplotlib.pyplot as plt
# new_ohlcv = ohlcv[["close"]][8288:]
# new_ohlcv[1:15]
# plt.figure()
# new_ohlcv.plot()
# import talib
# # 透過『get_function_groups』,取得分類後的技術指標清單
# all_ta_groups = talib.get_function_groups()
# # 看一下這個字典
# all_ta_groups
# # 有哪些大類別?
# all_ta_groups.keys()
# # 查看某類別底下的技術指標清單
# all_ta_groups['Momentum Indicators']
# # 查看所有類別的指標數量
# table = pd.DataFrame({
# '技術指標類別名稱': list(all_ta_groups.keys()),
# '該類別指標總數': list(map(lambda x: len(x), all_ta_groups.values()))
# })
# table
# %%
|
import tensorflow as tf
from keras.models import Sequential
from keras.layers import Convolution2D
from keras.layers import MaxPooling2D
from keras.layers import Flatten
from keras.layers import Dense
classifier=Sequential()
#convolution
classifier.add(Convolution2D(32,3,3,input_shape=(64,64,3) , activation='relu') )
#pooling
classifier.add(MaxPooling2D(pool_size=(2,2))) #reduce the size of feauture map
classifer.add(Dropout(0.25))
#second layer
classifier.add(Convolution2D(32,3,3, activation='relu') )
#pooling
classifier.add(MaxPooling2D(pool_size=(2,2))) #reduce the size of feauture map
classifer.add(Dropout(0.25))
#flattening
classifier.add(Flatten())
classifier.add(Dense(output_dim=128,activation='relu')) #Ann hidden layer
classifier.add(Dense(output_dim=1,activation='sigmoid')) #if not binary then softmax activation function
classifier.compile(optimizer='adam',loss='binary_crossentropy',metrics=['accuracy'])
from keras.preprocessing.image import ImageDataGenerator
train_datagen = ImageDataGenerator(
rotation_range=40,
width_shift_range=0.2,
height_shift_range=0.2,
shear_range=0.2,
fill_mode='nearest',
rescale=1./255,
zoom_range=0.2,
horizontal_flip=True)
test_datagen = ImageDataGenerator(rescale=1./255)
training_set = train_datagen.flow_from_directory(
'Pneumonia set/train',
target_size=(64, 64),
batch_size=32,
class_mode='binary')
test_set = test_datagen.flow_from_directory(
'Pneumonia set/test',
target_size=(64, 64),
batch_size=32,
class_mode='binary')
classifier.fit_generator(
training_set,
steps_per_epoch=457,
nb_epoch=10,
validation_data=test_set,
nb_val_samples=96
)
# serialize model to JSON
model_json = classifier.to_json()
with open("Pneumonia_model.json", "w") as json_file:
json_file.write(model_json)
#serialize weights to HDF5
classifier.save_weights("Pneumonia_model.h5")
print("Saved model to disk")
from keras.models import model_from_json
import numpy
import cv2
from keras.preprocessing import image
path = "IM-0147-0001.jpeg"
json_file = open('Pneumonia_model.json', 'r')
model_json = json_file.read()
model = model_from_json(model_json)
model.load_weights("Pneumonia_model.h5")
img_width = 64
img_height = 64
img = cv2.imread(path)
img = cv2.resize(img,(64,64),3)
img = img.reshape((-1, 64, 64, 3))
#test_image= image.load_img(picturePath, target_size = (img_width, img_height))
#test_image = image.img_to_array(test_image)
#test_image = numpy.expand_dims(test_image, axis = 0)
#test_image = test_image.reshape(img_width, img_height)
result = model.predict(img)
if (result[0][0]==1.0):
print("Pneumonia")
else:
print("Normal")
|
'''
Demo code for imaging through turbulence simulation
Z. Mao, N. Chimitt, and S. H. Chan, "Accerlerating Atmospheric Turbulence
Simulation via Learned Phase-to-Space Transform", ICCV 2021
Arxiv: https://arxiv.org/abs/2107.11627
Zhiyuan Mao, Nicholas Chimitt, and Stanley H. Chan
Copyright 2021
Purdue University, West Lafayette, IN, USA
Ripon - I'm Using demo.py to generate the Turbulence Images using same strength.
'''
from torch import int8
from simulator import Simulator
from turbStats import tilt_mat, corr_mat
import matplotlib.pyplot as plt
import torch
import glob
import numpy as np
from PIL import Image
import cv2
import os
from tqdm import tqdm
# Select device.
device = torch.device('cpu')
map_location = torch.device('cpu')
'''
The corr_mat function is used to generate spatial-temporal correlation matrix
for point spread functions. It may take over 10 minutes to finish. However,
for each correlation value, it only needs to be computed once and can be
used for all D/r0 values. You can also download the pre-generated correlation
matrix from our website.
https://engineering.purdue.edu/ChanGroup/project_turbulence.html
'''
Folder = '/Users/ashenafigurmu/Downloads/archive/tur/img/*.png'
Existing = 'img'
NewFolder = 'img-Tur'
strength = 5
# Load image, permute axis if color
# x = plt.imread('./imag/*.png')
imgList = [a.replace('\\', '/') for a in glob.glob(Folder, recursive=True)]
x = plt.imread(imgList[0])
width = x.shape[1]
height = x.shape[0]
#Uncomment the following line to generate correlation matrix
corr_mat(-0.1,'./data/')
# Generate correlation matrix for tilt. Do this once for each different turbulence parameter.
tilt_mat(width, 0.1, 0.02, 3000)
print('Tilt Map generated')
print('Now Start processing each Imges')
for aimg in tqdm(imgList):
x = plt.imread(aimg)
#print(x.shape[0], width)
if x.shape[0]!=width:
x = cv2.resize(x, (height,width), interpolation=cv2.INTER_CUBIC)
if len(x.shape) == 3:
x = x.transpose((2,0,1))
x = torch.tensor(x, device = device, dtype=torch.float32)
# Simulate
simulator = Simulator(strength, width).to(device, dtype=torch.float32)
out = simulator(x).detach().cpu().numpy()
if len(out.shape) == 3:
out = out.transpose((1,2,0))
out = np.clip(out, 0, 1)
#print('\t\tChanged to = ',out.min(), out.max())
# save image
NewFolderName = aimg.replace(Existing, NewFolder).rsplit('/', 1)[0]
os.makedirs(NewFolderName, exist_ok=True)
#plt.imsave(aimg.replace(Existing, NewFolder), out)
#plt.imsave(aimg.replace(Existing, NewFolder).replace('.jpeg', f'_{strength}_{width}.png'),out)
|
from django import forms
from .models import Idea
from .models import Comments
class Blog_creation(forms.ModelForm):
class Meta:
model=Idea
fields=['title','content','date_posted','tag_name']
class Comment(forms.ModelForm):
class Meta:
model=Comments
fields=['description']
# class Tag(forms.ModelForm):
# class Meta:
# model=Tags
# fields=['tag_name']
|
#!/usr/bin/env python
from nephoria.testcase_utils.cli_test_runner import CliTestRunner, SkipTestException
from cloud_utils.log_utils import get_traceback, red, ForegroundColor, BackGroundColor, markup
from cloud_utils.net_utils.remote_commands import RemoteCommands
from cloud_utils.net_utils.sshconnection import SshConnection
from nephoria.testcontroller import TestController
import copy
import time
import os
class SOSReports(CliTestRunner):
_DEFAULT_CLI_ARGS = copy.copy(CliTestRunner._DEFAULT_CLI_ARGS)
_DEFAULT_CLI_ARGS['ticket_number'] = {
'args': ['--ticket-number'],
'kwargs': {'dest': 'ticket_number',
'help': 'Issue, bug, ticket number or identifier to use (defaults to time)',
'default': None}}
_DEFAULT_CLI_ARGS['timeout'] = {
'args': ['--timeout'],
'kwargs': {'dest': 'timeout',
'help': 'Timeout for the sos gathering operation',
'default': 1200}}
_DEFAULT_CLI_ARGS['remote_dir'] = {
'args': ['--remote-dir'],
'kwargs': {'dest': 'remote_dir',
'help': 'Directory on remote host(s)',
'default': '/root/'}}
_DEFAULT_CLI_ARGS['local_dir'] = {
'args': ['--local-dir'],
'kwargs': {'dest': 'local_dir',
'help': 'Local directory to use for gathering sos reports',
'default': ''}}
_DEFAULT_CLI_ARGS['ip_list'] = {
'args': ['--ip-list'],
'kwargs': {'dest': 'ip_list',
'help': 'Comma separated list of ips or hostnames to gather sos reports from',
'default': None }}
_DEFAULT_CLI_ARGS['package_url'] = {
'args': ['--package-url'],
'kwargs': {'dest': 'package_url',
'help': 'Url to use for eucalyptus sos plugin package',
'default': "http://downloads.eucalyptus.com/software/tools/centos/6/x86_64/"
"eucalyptus-sos-plugins-0.1.5-0.el6.noarch.rpm"}}
def post_init(self, *args, **kwargs):
self.start_time = int(time.time())
self.ticket_number = self.args.ticket_number or self.start_time
self.remote_dir = os.path.join(self.args.remote_dir,
'euca-sosreport-{0}'.format(self.ticket_number))
self._ip_list = []
def _scrub_ip_list(self, value):
value = value or []
ip_list = []
if isinstance(value, basestring):
value = value.split(',')
if not isinstance(value, list):
self.log.error(red('ip_list must be a list of IPs or comma separated string of IPs'))
raise ValueError('ip_list must be a list of IPs or comma separated string of IPs')
for ip in value:
ip_list.append(str(ip).strip())
return ip_list
@property
def ip_list(self):
if not self._ip_list:
ip_list = self.args.ip_list or self.tc.sysadmin.eucahosts.keys()
self._ip_list = self._scrub_ip_list(ip_list)
return self._ip_list
@ip_list.setter
def ip_list(self, value):
self._ip_list = self._scrub_ip_list(value)
@property
def tc(self):
tc = getattr(self, '__tc', None)
if not tc:
self.log.debug('Attempting to create TestController...')
tc = TestController(hostname=self.args.clc,
environment_file=self.args.environment_file,
password=self.args.password,
timeout=self.args.timeout,
log_level=self.args.log_level)
setattr(self, '__tc', tc)
return tc
@property
def rc(self):
rc = getattr(self, '__rc', None)
if not rc:
ip_list = self.ip_list
self.log.debug('Attempting to create remote command driver with ip list: {0}'
.format(ip_list))
rc = RemoteCommands(ips=self.ip_list,
username='root',
password=self.args.password,
timeout=600)
setattr(self, '__rc', rc)
return rc
def clean_method(self):
pass
def test1_install_sos_and_plugins(self):
"""
Attempts to install the SOS and Eucalyptus-sos-plugins on each machine in the cloud.
"""
rc = self.rc
rc.results = {}
self.log.debug('Running install on ips:{0}'.format(rc.ips))
rc.run_remote_commands(command='yum install sos eucalyptus-sos-plugins -y --nogpg')
rc.show_results()
failed = 0
for host, result in rc.results.iteritems():
if result.get('status') != 0:
failed += 1
if failed:
raise RuntimeError('{0}/{1} hosts had errors during install sos and plugin packages'
.format(failed, len(rc.ips)))
def test2_run(self):
"""
Attempts to run SOS on each host in the cloud to create and gather SOS reports.
"""
command = "mkdir -p " + self.remote_dir
command += "; sosreport --batch --tmp-dir {0} --ticket-number {1} "\
.format(self.remote_dir, self.ticket_number)
rc = self.rc
rc.results = {}
rc.run_remote_commands(command=command)
rc.show_results()
failed = 0
for host, result in rc.results.iteritems():
if result.get('status') != 0:
failed += 1
if failed:
raise RuntimeError('{0}/{1} hosts had errors while attempting to run SOS'
.format(failed, len(rc.ips)))
def test3_download(self):
"""
Attempts to download the SOS reports from each host in the cloud and store in a local
directory
"""
error_msg = ""
count = 0
err_count = 0
host_count = len(self.ip_list)
for ip in self.ip_list:
if self.tc:
if ip in self.tc.sysadmin.eucahosts.keys():
host = self.tc.sysadmin.eucahosts.get(ip)
ssh = host.ssh
else:
ssh = SshConnection(host=ip, password=self.args.password)
try:
remote_tarball_path = ssh.sys("ls -1 {0}/*.xz | grep {1}"
.format(self.remote_dir, self.ticket_number),
code=0)[0]
tarball_name = os.path.basename(remote_tarball_path)
local_name = "sosreport-{0}.{1}{2}".format(ip, self.ticket_number,
tarball_name.split(str(self.ticket_number))[1])
local_tarball_path = os.path.join(self.args.local_dir, local_name)
self.log.debug("Downloading file to: " + local_tarball_path)
ssh.sftp_get(localfilepath=local_tarball_path,
remotefilepath=remote_tarball_path)
except Exception, e:
err_count += 1
msg = '\nError Downloading from: {0}. Error:"{0}"\n'.format(ip, e)
self.log.error("{0}\n{1}".format(get_traceback(), msg))
error_msg += msg
else:
count += 1
self.log.info(markup('Downloaded SOS report {0}/{1} to:{2}'
.format(count, host_count, local_tarball_path),
markups=[ForegroundColor.WHITE, BackGroundColor.BG_GREEN]))
if error_msg:
self.log.error(red(error_msg))
raise Exception('Error during download on {0}/{1} hosts'.format(err_count, host_count))
if __name__ == "__main__":
test =SOSReports()
result = test.run()
exit(result)
|
from conduit import *
import nose
def verify_array(value):
inputs = {'value': value}
array = [0,1,2,3]
for element in array:
nose.tools.assert_equal(inputs['value'], element)
inputs = yield
def incremental_generator_with_output():
array = [0,1,2,3]
for value in array:
yield {'value': value}
def printer(value):
print value
class TestGreaterThanGreaterThan(object):
def test_one_channel(self):
"""
Tests the ability to connect two blocks together in the form:
block(channel) >> block(channel)
"""
clear_graph()
increment_block = GeneratorBlock(incremental_generator_with_output)
increment_block.set_debug_name('increment_block')
verification_block = GeneratorBlock(verify_array)
verification_block.set_debug_name('verification_block')
increment_block('value') >> verification_block('value')
trace = core.run()
executed_set = executed_block_set(trace)
nose.tools.assert_equal(executed_set, set(['increment_block','verification_block']))
|
import os
import argparse
import pandas as pd
import numpy as np
import time
from collections import Counter
def save_preds(source, dataset, output):
df = pd.read_csv(dataset)
ids = df['Id'].values.tolist()
preds = ['Id,Category']
label_dict = {
0: 'Negativo',
1: 'Neutro',
2: 'Positivo'
}
a = np.argmax(source, axis=1)
for idx, item in enumerate(a):
row = '{0},{1}'.format(ids[idx], label_dict[item])
preds.append(row)
preds = '\n'.join(preds)
with open(output, 'w+') as f:
print(preds, file=f)
def get_preds(root_dir, submission_prefix, preds_prefix, exclude):
output = []
for root, dirs, files in os.walk(root_dir, topdown=False):
for name in dirs:
directory = os.path.join(root, name)
if name.startswith(submission_prefix) and name != exclude:
preds = os.listdir(directory)
preds = [x for x in preds if x.startswith(preds_prefix)]
if preds:
preds = sorted(preds)[-1]
preds = os.path.join(directory, preds)
output.append(preds)
return output
def get_args():
parser = argparse.ArgumentParser()
parser.add_argument(
'--folder',
type=str,
default='.'
)
parser.add_argument(
'--submission_prefix',
type=str,
default='submission_large'
)
parser.add_argument(
'--preds_prefix',
type=str,
default='preds'
)
parser.add_argument(
'--dataset',
type=str,
default='test.csv'
)
parser.add_argument(
'--output_prefix',
type=str,
default='submission_best_'
)
parser.add_argument(
'--ensemble_prefix',
type=str,
default='ensemble_'
)
parser.add_argument(
'--exclude',
type=str,
default=""
)
args = parser.parse_args()
return args
def build_ensemble(folder, ensemble_prefix, submission_prefix):
def most_frequent(iterable):
occurence_count = Counter(iterable)
return occurence_count.most_common(1)[0][0]
files = [x for x in os.listdir(folder)]
content = []
for filename in files:
if filename.startswith(submission_prefix) and filename.endswith('.csv'):
filename_path = os.path.join(folder, filename)
print('reading {0}'.format(filename))
with open(filename_path, 'r') as f:
text = f.read().split('\n')
content.append(text)
output = ['Id,Category']
for i in range(len(content[0])):
if i:
try:
cands = [x[i] for x in content]
cands = [x.split(',') for x in cands]
row_idx = cands[0][0]
cand_labels = [x[1].strip() for x in cands]
top_label = most_frequent(cand_labels)
new_row = '{0},{1}'.format(row_idx, top_label)
output.append(new_row)
except IndexError:
continue
output = '\n'.join(output)
timestamp = str(int(time.time()))
destination = ensemble_prefix + timestamp + '.csv'
with open(destination, 'w+') as f:
print(output, file=f)
def build_soft_ensemble(preds, dataset, ensemble_prefix):
ensemble_array = np.sum(preds, axis=0)
timestamp = str(int(time.time()))
destination = 'soft_' + ensemble_prefix + timestamp + '.csv'
save_preds(ensemble_array, dataset, destination)
def main():
args = get_args()
preds = get_preds(
args.folder,
args.submission_prefix,
args.preds_prefix,
args.exclude)
pred_arrays = [np.load(x) for x in preds]
for idx, array in enumerate(pred_arrays):
filename = str(preds[idx])
number = ''.join([x for x in filename if x.isdigit()])
output_file = args.submission_prefix + '_' + number + '.csv'
print(filename, output_file)
save_preds(array, args.dataset, output_file)
build_soft_ensemble(pred_arrays, args.dataset, args.ensemble_prefix)
build_ensemble(args.folder, args.ensemble_prefix, args.submission_prefix)
if __name__ == '__main__':
main()
|
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
# Created by tz301 on 2020/05/20
"""Converter module."""
|
import pandas as pd
import numpy as np
import random
def train_data_generator():
r_src = "/home/LAB/zhuxk/project/data/ER-dataset-benchmark/ER/DBLP-ACM/origin/DBLP2.csv"
l_src = "/home/LAB/zhuxk/project/data/ER-dataset-benchmark/ER/DBLP-ACM/origin/ACM.csv"
map_src = "/home/LAB/zhuxk/project/data/ER-dataset-benchmark/ER/DBLP-ACM/origin/DBLP-ACM_perfectMapping.csv"
l_data = pd.read_csv(l_src)
r_data = pd.read_csv(r_src)
map_data = pd.read_csv(map_src)
super_num = 2
df = pd.DataFrame()
global_id=13081
for index, row in l_data.iterrows():
#print(row)
l = row.values
l_id = l[0]
l = np.delete(l,0)
for i in range(super_num):
hash_val = random.uniform(0, len(r_data))
r = r_data.loc[int(hash_val)]
r = r.values
r_id = r[0]
r = np.delete(r, 0)
labe_ = map_data.loc[map_data["idDBLP"] == r_id]
labe_ = labe_.loc[labe_["idACM"] == l_id]
label = 0
if(labe_.empty):
pass
else:
label = 1
print(global_id, label, l_id, r_id, hash_val)
tu_ = np.hstack((int(global_id), int(label), r, l))
tu_ = pd.Series(tu_, name=global_id)
print(tu_)
df = df.append(tu_)
global_id += 1
#print(df)
#break
print(df)
df.to_csv("/home/LAB/zhuxk/project/data/ER-dataset-benchmark/ER/DBLP-ACM/dblp_acm_attr_5_2.csv", index=0)
return
def ground_truth_generator(src_pth="/home/LAB/zhuxk/project/data/PREEDet_data/TPACC/Test2005/test_result_2005.mini.csv"):
pd.set_option('display.max_columns', None)
pd.set_option('display.max_rows', None)
src_data = pd.read_csv(src_pth)
max_no = 10439821
df_gt = pd.DataFrame()
for i in range(7499744, max_no+1):
#r = r_data.oc[int(hash_val)]
match = src_data.loc[src_data['no'] == i]
if len(match) > 1:
cart_df = match.merge(match,how='left',on='no')
for index, row in cart_df.iterrows():
if(row['test_id_x'] != row['test_id_y']):
gt = {"idLeft": str(row['test_id_x']), "idRight" : str(row['test_id_y'])}
df_gt = df_gt.append(gt, ignore_index=True)
print(len(match), i)
#print(cart_df)
# break
else:
print(len(match), i)
print(df_gt)
df_gt.to_csv("/home/LAB/zhuxk/project/data/PREEDet_data/TPACC/Test2005/gt4.csv", index=0)
#print(src_data)
if __name__ == '__main__':
ground_truth_generator("/home/LAB/zhuxk/project/data/PREEDet_data/TPACC/Test2005/mini_result.csv")
|
def list_to_string(strings: [str]) -> str:
return '\n'.join(strings)
|
import random, sys, math
caseno = dict()
PROBID = "smallschedule"
MAXQ = 1000
MAXL = MAXS = MAXM = 1000000
# The first argument is a short string describing the "type" of data
# (eg. sample, hand, random), the rest have the test case data.
#
# This will generate the file in the data directory, putting type "sample" in
# sample and the rest in secret.
#
# Subsequent calls with the same type will increase the number following the
# type. Example: consecutive calls with type=="random" will create files
# PROBID-random-01.in, PROBID-random-02.in, ... in ../data/secret
def genfile(tp, Q, M, S, L):
global caseno
caseno[tp] = caseno.get(tp, 0)+1
#path = "."
path = "../data/{0}".format("sample" if tp == "sample" else "secret")
filename = "{0}/{1}-{2}-{3:02d}.in".format(path, PROBID, tp, caseno[tp])
outfile = open(filename, "w")
#####################################################
# validate data, raise an error if bad
#
def check_range(a, lo, hi):
if type(a) != int or a < lo or a > hi:
raise ValueError("Bad int or range", a, lo, hi)
check_range(Q, 2, MAXQ)
check_range(M, 1, MAXM)
check_range(S, 0, MAXS)
check_range(L, 0, MAXL)
#
# end data validation
#####################################################
#####################################################
# output test case with print(..., file=outfile) here
#
print(Q, M, S, L, file=outfile)
#
# end of test case output
#####################################################
outfile.close()
print("Generated", filename)
def gensample():
genfile("sample", 2, 4, 3, 6)
genfile("sample", 3, 4, 3, 5)
genfile("sample", 10, 2, 0, 1)
def genhand():
for Q in [2, MAXQ]:
for M in [1, MAXM]:
for S in [0, MAXS]:
for L in [0, MAXL]:
genfile("hand", Q, M, S, L)
genfile("hand", MAXQ-713, MAXM-1, 0, MAXL)
genfile("hand", MAXQ-713, MAXM-1, MAXS, MAXL)
genfile("hand", 100, 21, 2000, 22)
genfile("hand", 100, 21, 2001, 22)
genfile("hand", 100, 21, 1999, 22)
genfile("hand", 100, 21, 99, 22)
genfile("hand", 100, 21, 100, 22)
genfile("hand", 100, 21, 101, 22)
def genrandom():
for _ in range(25):
Q = random.randint(2, MAXQ)
M = random.randint(1, MAXM)
S = random.randint(0, MAXS)
L = random.randint(0, MAXL)
genfile("random", Q, M, S, L)
if __name__ == "__main__":
random.seed(0)
gensample()
genhand()
genrandom()
print("Done!")
|
#!/usr/bin/env python
# Copyright (c) 2018-present, Facebook, Inc.
# All rights reserved.
#
# This source code is licensed under the BSD-style license found in the
# LICENSE file in the root directory of this source tree.
import os
import sys
import torch
from console_lib import GoConsoleGTP
from rlpytorch import Evaluator, load_env
def main():
print('Python version:', sys.version)
print('PyTorch version:', torch.__version__)
print('CUDA version', torch.version.cuda)
print('Conda env:', os.environ.get("CONDA_DEFAULT_ENV", ""))
additional_to_load = {
'evaluator': (
Evaluator.get_option_spec(),
lambda object_map: Evaluator(object_map, stats=None)),
}
# Set game to online model.
env = load_env(
os.environ,
overrides={
'num_games': 1,
'greedy': True,
'T': 1,
'model': 'online',
'additional_labels': ['aug_code', 'move_idx'],
},
additional_to_load=additional_to_load)
evaluator = env['evaluator']
GC = env["game"].initialize()
model_loader = env["model_loaders"][0]
model = model_loader.load_model(GC.params)
mi = env['mi']
mi.add_model("model", model)
mi.add_model("actor", model)
mi["model"].eval()
mi["actor"].eval()
console = GoConsoleGTP(GC, evaluator)
def human_actor(batch):
return console.prompt("", batch)
def actor(batch):
return console.actor(batch)
def train(batch):
console.prompt("DF Train> ", batch)
evaluator.setup(sampler=env["sampler"], mi=mi)
GC.reg_callback_if_exists("actor_black", actor)
GC.reg_callback_if_exists("human_actor", human_actor)
GC.reg_callback_if_exists("train", train)
GC.start()
GC.GC.getClient().setRequest(
mi["actor"].step, -1, env['game'].options.resign_thres, -1)
evaluator.episode_start(0)
while True:
GC.run()
if console.exit:
break
GC.stop()
if __name__ == '__main__':
main()
|
# 15/15
tp = int(input())
pop = int(input())
dmo = sorted(map(int, input().split()))
peg = sorted(map(int, input().split()))
pairs = []
for index in range(pop):
if tp == 1:
pairs.append([dmo[index], peg[index]])
elif tp == 2:
pairs.append([dmo[index], peg[(-1 * index) - 1]])
total = sum(map(max, pairs))
print(total)
|
from autoconf import conf
import autoarray as aa
import numpy as np
from autogalaxy.galaxy import galaxy as g
from autolens.pipeline.phase import dataset
class Result(dataset.Result):
@property
def max_log_likelihood_fit(self):
return self.analysis.positions_fit_for_tracer(
tracer=self.max_log_likelihood_tracer
)
|
from imhotep.diff_parser import DiffContextParser
diff = """diff --git a/foo.py b/foo.py
new file mode 100644
index 0000000..78ce7f6
--- /dev/null
+++ b/foo.py
@@ -0,0 +1,7 @@
+class Foo(object):
+ pass
+
+class Bar(object):
+ pass
+
+print "Works";
"""
def test_file_adds_arent_off():
parser = DiffContextParser(diff)
results = parser.parse()
assert "class Foo" in results[0].added_lines[0].contents
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.