blob_id
stringlengths 40
40
| directory_id
stringlengths 40
40
| path
stringlengths 3
616
| content_id
stringlengths 40
40
| detected_licenses
sequencelengths 0
112
| license_type
stringclasses 2
values | repo_name
stringlengths 5
115
| snapshot_id
stringlengths 40
40
| revision_id
stringlengths 40
40
| branch_name
stringclasses 777
values | visit_date
timestamp[us]date 2015-08-06 10:31:46
2023-09-06 10:44:38
| revision_date
timestamp[us]date 1970-01-01 02:38:32
2037-05-03 13:00:00
| committer_date
timestamp[us]date 1970-01-01 02:38:32
2023-09-06 01:08:06
| github_id
int64 4.92k
681M
⌀ | star_events_count
int64 0
209k
| fork_events_count
int64 0
110k
| gha_license_id
stringclasses 22
values | gha_event_created_at
timestamp[us]date 2012-06-04 01:52:49
2023-09-14 21:59:50
⌀ | gha_created_at
timestamp[us]date 2008-05-22 07:58:19
2023-08-21 12:35:19
⌀ | gha_language
stringclasses 149
values | src_encoding
stringclasses 26
values | language
stringclasses 1
value | is_vendor
bool 2
classes | is_generated
bool 2
classes | length_bytes
int64 3
10.2M
| extension
stringclasses 188
values | content
stringlengths 3
10.2M
| authors
sequencelengths 1
1
| author_id
stringlengths 1
132
|
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
beba7761e3c9f91219f06b74b9cbab4211c96b1e | 4148260054c2cf4605dacb8bdef3605c82eca470 | /temboo/Library/YouTube/GetVideoData.py | 251023437876e0043e127d825dfedaf39bd70dca | [] | no_license | wimsy/actuarize-web | 0f23d5f00afe3d36d430621cdb497d2e64998416 | 5f43af3019da6fb08cafeec9ff0a89df5196b864 | refs/heads/master | 2021-03-12T19:38:21.887681 | 2012-12-19T01:13:50 | 2012-12-19T01:13:50 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,892 | py | # -*- coding: utf-8 -*-
###############################################################################
#
# GetVideoData
# Retrieve information about a single video using its ID.
#
# Python version 2.6
#
###############################################################################
from temboo.core.choreography import Choreography
from temboo.core.choreography import InputSet
from temboo.core.choreography import ResultSet
from temboo.core.choreography import ChoreographyExecution
class GetVideoData(Choreography):
"""
Create a new instance of the GetVideoData Choreography. A TembooSession object, containing a valid
set of Temboo credentials, must be supplied.
"""
def __init__(self, temboo_session):
Choreography.__init__(self, temboo_session, '/Library/YouTube/GetVideoData')
def new_input_set(self):
return GetVideoDataInputSet()
def _make_result_set(self, result, path):
return GetVideoDataResultSet(result, path)
def _make_execution(self, session, exec_id, path):
return GetVideoDataChoreographyExecution(session, exec_id, path)
"""
An InputSet with methods appropriate for specifying the inputs to the GetVideoData
choreography. The InputSet object is used to specify input parameters when executing this choreo.
"""
class GetVideoDataInputSet(InputSet):
"""
Set the value of the Callback input for this choreography. ((optional, string) Value to identify the callback function to which the API response will be sent. Only necessary when ResponseFormat is jason-in-script.)
"""
def set_Callback(self, value):
InputSet._set_input(self, 'Callback', value)
"""
Set the value of the ResponseFormat input for this choreography. ((optional, string) The format of the response from YouTube. Accepts atom, rss, json, json-in-script, and jsonc. Defaults to atom.)
"""
def set_ResponseFormat(self, value):
InputSet._set_input(self, 'ResponseFormat', value)
"""
Set the value of the VideoID input for this choreography. ((required, string) The unique ID given to a video by YouTube.)
"""
def set_VideoID(self, value):
InputSet._set_input(self, 'VideoID', value)
"""
A ResultSet with methods tailored to the values returned by the GetVideoData choreography.
The ResultSet object is used to retrieve the results of a choreography execution.
"""
class GetVideoDataResultSet(ResultSet):
"""
Retrieve the value for the "Response" output from this choreography execution. (The response from YouTube.)
"""
def get_Response(self):
return self._output.get('Response', None)
class GetVideoDataChoreographyExecution(ChoreographyExecution):
def _make_result_set(self, response, path):
return GetVideoDataResultSet(response, path)
| [
"[email protected]"
] | |
87b1dfad526d13c87d36c656f69dc17a42896b7a | 966280ab617298a3ced79bc60189b301c795067a | /Arrays/849_Maximize_Distance_to_Closest_Person.py | a0995f69ead8954fb648b5097c491a25f7386fab | [] | no_license | Rishabhh/LeetCode-Solutions | c0382e5ba5b77832322c992418f697f42213620f | 2536744423ee9dc7da30e739eb0bca521c216f00 | refs/heads/master | 2020-06-10T02:37:42.103289 | 2019-05-29T06:38:02 | 2019-05-29T06:38:02 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 920 | py | class Solution:
def maxDistToClosest(self, seats):
"""
:type seats: List[int]
:rtype: int
"""
temp = []
MIN_ = -sys.maxsize
MAX_ = sys.maxsize
left_closest, right_closest = -1, -1
for ii, seat in enumerate(seats):
if seat == 1:
left_closest = ii
temp.append(-1)
else:
if left_closest >= 0:
temp.append(ii - left_closest)
else:
temp.append(MAX_)
res = MIN_
temp = temp[::-1]
for ii, seat in enumerate(seats[::-1], 0):
if seat == 1:
right_closest = ii
else:
if right_closest >= 0:
res = max(res, min(temp[ii], ii - right_closest))
else:
res = max(res, temp[ii])
return res
| [
"[email protected]"
] | |
c945d1ab3b59d516b883b0730daa41751640c90e | 95fcf7ebe0fa31d93a5792ec2970096840be2fa0 | /synthesize_forcing.py | 52c7e92d9cc3cc5c9b704f2dfc79ab793e35eef9 | [] | no_license | alphaparrot/rossby-blocking | d40036ff46a590cff115bca5cd65dae20b3872ca | a04beb0ff406f92002cd572387bc1ab23ccf5c48 | refs/heads/master | 2020-03-20T02:28:15.805933 | 2018-07-10T21:29:32 | 2018-07-10T21:29:32 | 137,114,260 | 0 | 0 | null | 2018-06-15T20:32:15 | 2018-06-12T18:48:57 | Jupyter Notebook | UTF-8 | Python | false | false | 2,663 | py | import numpy as np
import matplotlib.pyplot as plt
# Block Shape: (time, xwidth, twidth, phase, (xcoord,tcoord)) (the last only for onsets)
if __name__=="__main__":
nblocks = np.zeros((5,10,5,20))
starts = np.zeros((5,10,5,20,2),dtype=object)
avgdelays = np.zeros((5,10,5,20))
stddelays = np.zeros((5,10,5,20))
phase = np.zeros(20)
foundphase = False
t1 = 0.5
t2 = 10.0
x1 = 50.0
x2 = 5000.0
p1 = 0.5
p2 = 10.0
peaks = np.logspace(np.log10(p1),np.log10(p2),num=5)
xwidth = np.logspace(np.log10(x1),np.log10(x2),num=10)
twidth = np.logspace(np.log10(t1),np.log10(t2),num=5)
nt=0
for t in twidth:
nx=0
for x in xwidth:
ip=0
for p in peaks:
name = "block%02.1f_%04.1f_%02.1f.npy"%(t,x,p)
try:
output = np.load(name)
except:
print(name)
raise
for nphase in range(0,20):
nblocks[nt,nx,ip,nphase] = output[nphase]["nblocks"]
starts[nt,nx,ip,nphase,0] = output[nphase]["onset"][0]
starts[nt,nx,ip,nphase,1] = output[nphase]["onset"][1]
dels = np.array(output[nphase]["delay"][1])
if len(dels)>0:
avgdelays[nt,nx,ip,nphase] = np.mean(dels)
stddelays[nt,nx,ip,nphase] = np.std(dels)
else:
avgdelays[nt,nx,ip,nphase] = np.nan
stddelays[nt,nx,ip,nphase] = np.nan
if not foundphase:
phase[nphase] = output[nphase]["forcing phase"]
foundphase=True
ip+=1
nx+=1
print("Finished Time %d of %d"%(nt+1,len(twidth)))
nt+=1
nblkstats = np.zeros((5,10,5,2))
ndelstats = np.zeros((5,10,5,2))
nblkstats[:,:,:,0] = np.mean(nblocks,axis=3)
nblkstats[:,:,:,1] = np.std(nblocks,axis=3)
ndelstats[:,:,:,0] = np.nanmean(avgdelays,axis=3)
ndelstats[:,:,:,1] = np.sqrt(np.nansum((stddelays*avgdelays)**2,axis=3))
output = {"raw blocks":nblocks,
"onset coords":starts,
"onset delays":(avgdelays,stddelays),
"block stats":nblkstats,
"delay stats":ndelstats,
"forcing peak":peaks,
"forcing xwidth":xwidth,
"forcing twidth":twidth,
"phase":phase,
"shape":"(peak,xwidth,twidth,phase or (mean,std))"}
np.save("forcingsweep.npy",output)
| [
"[email protected]"
] | |
52261d342e614435f55e2603a9afba68ca74ec2a | 9f760efe9f29e1a6275897491a26717066009366 | /raet/test/test_resend.py | fff4d770daf03816762c6fd548e94c28b5f7eca8 | [
"Apache-2.0"
] | permissive | KennethWilke/raet | ba2e79dfcbd831bff8e34d9d69f9c4490c233d03 | 9e0aa33e1c75c9ff4c3843094c62806a22ea98bc | refs/heads/master | 2020-12-26T03:33:14.493683 | 2014-04-25T00:56:41 | 2014-04-25T00:56:41 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 7,454 | py | # -*- coding: utf-8 -*-
'''
Tests to try out stacking. Potentially ephemeral
'''
# pylint: skip-file
import os
import time
from ioflo.base.odicting import odict
from ioflo.base.aiding import Timer, StoreTimer
from ioflo.base import storing
from ioflo.base.consoling import getConsole
console = getConsole()
from salt.transport.road.raet import (raeting, nacling, packeting, keeping,
estating, yarding, transacting, stacking)
def test():
'''
initially
master on port 7530 with eid of 1
minion on port 7531 with eid of 0
eventually
master eid of 1
minion eid of 2
'''
console.reinit(verbosity=console.Wordage.concise)
store = storing.Store(stamp=0.0)
#master stack
masterName = "master"
signer = nacling.Signer()
masterSignKeyHex = signer.keyhex
privateer = nacling.Privateer()
masterPriKeyHex = privateer.keyhex
masterDirpath = os.path.join(os.getcwd(), 'keep', masterName)
#minion0 stack
minionName0 = "minion0"
signer = nacling.Signer()
minionSignKeyHex = signer.keyhex
privateer = nacling.Privateer()
minionPriKeyHex = privateer.keyhex
m0Dirpath = os.path.join(os.getcwd(), 'keep', minionName0)
keeping.clearAllKeepSafe(masterDirpath)
keeping.clearAllKeepSafe(m0Dirpath)
estate = estating.LocalEstate( eid=1,
name=masterName,
sigkey=masterSignKeyHex,
prikey=masterPriKeyHex,)
stack0 = stacking.RoadStack(name=masterName,
estate=estate,
store=store,
main=True,
dirpath=masterDirpath)
estate = estating.LocalEstate( eid=0,
name=minionName0,
ha=("", raeting.RAET_TEST_PORT),
sigkey=minionSignKeyHex,
prikey=minionPriKeyHex,)
stack1 = stacking.RoadStack(name=minionName0,
estate=estate,
store=store,
dirpath=m0Dirpath)
print "\n********* Join Transaction **********"
stack1.join()
#timer = StoreTimer(store=store, duration=3.0)
while store.stamp < 2.0:
stack1.serviceAll()
stack0.serviceAll()
if store.stamp >= 0.3:
for estate in stack0.estates.values():
if estate.acceptance == raeting.acceptances.pending:
stack0.safe.acceptRemote(estate)
store.advanceStamp(0.1)
time.sleep(0.1)
for estate in stack0.estates.values():
print "Remote Estate {0} joined= {1}".format(estate.eid, estate.joined)
for estate in stack1.estates.values():
print "Remote Estate {0} joined= {1}".format(estate.eid, estate.joined)
print "{0} eid={1}".format(stack0.name, stack0.estate.uid)
print "{0} estates=\n{1}".format(stack0.name, stack0.estates)
print "{0} transactions=\n{1}".format(stack0.name, stack0.transactions)
print "{0} eid={1}".format(stack1.name, stack1.estate.uid)
print "{0} estates=\n{1}".format(stack1.name, stack1.estates)
print "{0} transactions=\n{1}".format(stack1.name, stack1.transactions)
print "Road {0}".format(stack0.name)
print stack0.road.loadLocalData()
print stack0.road.loadAllRemoteData()
print "Safe {0}".format(stack0.name)
print stack0.safe.loadLocalData()
print stack0.safe.loadAllRemoteData()
print
print "Road {0}".format(stack1.name)
print stack1.road.loadLocalData()
print stack1.road.loadAllRemoteData()
print "Safe {0}".format(stack1.name)
print stack1.safe.loadLocalData()
print stack1.safe.loadAllRemoteData()
print
print "\n********* Allow Transaction **********"
if not stack1.estates.values()[0].joined:
return
stack1.allow()
#timer = StoreTimer(store=store, duration=3.0)
while store.stamp < 4.0:
stack1.serviceAll()
stack0.serviceAll()
store.advanceStamp(0.1)
time.sleep(0.1)
for estate in stack0.estates.values():
print "Remote Estate {0} allowed= {1}".format(estate.eid, estate.allowed)
for estate in stack1.estates.values():
print "Remote Estate {0} allowed= {1}".format(estate.eid, estate.allowed)
print "{0} eid={1}".format(stack0.name, stack0.estate.uid)
print "{0} estates=\n{1}".format(stack0.name, stack0.estates)
print "{0} transactions=\n{1}".format(stack0.name, stack0.transactions)
print "{0} eid={1}".format(stack1.name, stack1.estate.uid)
print "{0} estates=\n{1}".format(stack1.name, stack1.estates)
print "{0} transactions=\n{1}".format(stack1.name, stack1.transactions)
#while stack1.transactions or stack0.transactions:
#stack1.serviceAll()
#stack0.serviceAll()
#store.advanceStamp(0.1)
print "{0} Stats".format(stack0.name)
for key, val in stack0.stats.items():
print " {0}={1}".format(key, val)
print
print "{0} Stats".format(stack1.name)
for key, val in stack1.stats.items():
print " {0}={1}".format(key, val)
print
print "\n********* Message Transactions Both Ways Again **********"
#stack1.transmit(odict(house="Oh Boy1", queue="Nice"))
#stack1.transmit(odict(house="Oh Boy2", queue="Mean"))
#stack1.transmit(odict(house="Oh Boy3", queue="Ugly"))
#stack1.transmit(odict(house="Oh Boy4", queue="Pretty"))
#stack0.transmit(odict(house="Yeah Baby1", queue="Good"))
#stack0.transmit(odict(house="Yeah Baby2", queue="Bad"))
#stack0.transmit(odict(house="Yeah Baby3", queue="Fast"))
#stack0.transmit(odict(house="Yeah Baby4", queue="Slow"))
#segmented packets
stuff = []
for i in range(300):
stuff.append(str(i).rjust(10, " "))
stuff = "".join(stuff)
stack1.transmit(odict(house="Snake eyes", queue="near stuff", stuff=stuff))
stack0.transmit(odict(house="Craps", queue="far stuff", stuff=stuff))
#timer.restart(duration=3)
while store.stamp < 8.0: #not timer.expired
stack1.serviceAll()
stack0.serviceAll()
store.advanceStamp(0.1)
time.sleep(0.1)
print "{0} eid={1}".format(stack0.name, stack0.estate.uid)
print "{0} estates=\n{1}".format(stack0.name, stack0.estates)
print "{0} transactions=\n{1}".format(stack0.name, stack0.transactions)
print "{0} Received Messages".format(stack0.name)
for msg in stack0.rxMsgs:
print msg
print "{0} Stats".format(stack0.name)
for key, val in stack0.stats.items():
print " {0}={1}".format(key, val)
print
print "{0} eid={1}".format(stack1.name, stack1.estate.uid)
print "{0} estates=\n{1}".format(stack1.name, stack1.estates)
print "{0} transactions=\n{1}".format(stack1.name, stack1.transactions)
print "{0} Received Messages".format(stack1.name)
for msg in stack1.rxMsgs:
print msg
print "{0} Stats".format(stack1.name)
for key, val in stack1.stats.items():
print " {0}={1}".format(key, val)
print
stack0.server.close()
stack1.server.close()
stack0.clearLocal()
stack0.clearRemoteKeeps()
stack1.clearLocal()
stack1.clearRemoteKeeps()
if __name__ == "__main__":
test()
| [
"[email protected]"
] | |
8bc4198785572801be0e33bd3d272e583af48ee1 | 1f5dc6ce24fdf4557456e3cd6775142338043d9c | /active_reward_learning/envs/reward_model_mean_wrapper.py | 35a2121067a6bf1dea06a214f4b3b56acc0f21ba | [
"MIT"
] | permissive | david-lindner/idrl | 7c747211fc38e0478b26d254206ddef70d3dac64 | 54cfad330b0598ad4f6621796f2411644e50a6ba | refs/heads/main | 2023-09-02T11:20:23.120737 | 2021-11-16T17:31:33 | 2021-11-16T17:31:33 | 421,450,567 | 13 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,208 | py | from types import SimpleNamespace
from typing import Dict, Tuple, Union
import gym
import numpy as np
class RewardModelMeanWrapper(gym.RewardWrapper):
def __init__(self, env: gym.Env, reward_model, debug=False, normalize=False):
self.reward_model = reward_model
self.debug = debug
self.normalize = normalize
# import outside leads to circular import
from active_reward_learning.reward_models.kernels.linear import LinearKernel
self.is_linear = isinstance(self.reward_model.gp_model.kernel, LinearKernel)
super().__init__(env)
def step(self, action: int) -> Tuple[Union[int, np.ndarray], float, bool, Dict]:
obs, reward, done, info = self.env.step(action)
orig_reward = reward
info["true_reward"] = reward
if self.debug:
print()
print("gp_repr", info["gp_repr"])
print("reward true", reward)
if self.is_linear:
weight = self.reward_model.gp_model.linear_predictive_mean
if self.normalize:
weight /= np.linalg.norm(weight) + 1e-3
# DL: This is necessary for performance reasons in the Mujoco environments
reward = np.dot(info["gp_repr"], weight)
else:
if self.normalize:
raise NotImplementedError()
reward, _ = self.reward_model.gp_model.predict([info["gp_repr"]])
if isinstance(reward, np.ndarray):
assert reward.shape == (1,)
reward = reward[0]
info["inferred_reward"] = reward
if self.debug:
print("reward new", reward)
print()
return obs, reward, done, info
@classmethod
def load_from_model(cls, env, filename, debug=False):
# importing here prevents some circular dependencies
from active_reward_learning.reward_models.gaussian_process_linear import (
LinearObservationGP,
)
gp_model = LinearObservationGP.load(filename)
print(f"Loaded mode from {filename}")
reward_model = SimpleNamespace()
setattr(reward_model, "gp_model", gp_model)
return cls(env, reward_model, debug=debug)
| [
"[email protected]"
] | |
98635d4fc5f53515fc9a84f85e75df945ff982b5 | 9d0d3b7de45213b285856b85c0045166524826aa | /pymorphy2/tokenizers.py | 57806fb35350349c44c49a7111887a34b1e6c623 | [] | no_license | albedium/pymorphy2 | b9b41eacef6c3d12464a513f76e71e64ece125ee | 174662e229535cba7ae06360d14d41c943175b3a | refs/heads/master | 2021-01-14T11:49:19.806721 | 2015-05-02T21:06:20 | 2015-05-02T21:06:20 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 290 | py | # -*- coding: utf-8 -*-
import re
GROUPING_SPACE_REGEX = re.compile('([^\w_-]|[+])', re.UNICODE)
def simple_word_tokenize(text, _split=GROUPING_SPACE_REGEX.split):
""" Split text into tokens. Don't split by a hyphen. """
return [t for t in _split(text) if t and not t.isspace()]
| [
"[email protected]"
] | |
9e364fe7c9378298374f78d0f5533f5be9285466 | ecab049c0784e61b05fd9c76320cc7b330a63a73 | /Adversarial Games/connect4.py | 95224c8b6814908093c5bdfca9641f0cfa79dc41 | [] | no_license | Praj390/CPSC6420_Artificial_Intelligence | 50ea2440c3e46b1baed3a6d0706e70b41eb61255 | 8257a50fab73a909a9791521bf097a7a11291e2f | refs/heads/main | 2023-01-29T18:53:32.057094 | 2020-12-12T15:26:53 | 2020-12-12T15:26:53 | 306,147,373 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 14,476 | py | # connect4.py
# ---------
# Licensing Information: You are free to use or extend these projects for
# educational purposes provided that (1) you do not distribute or publish
# solutions, (2) you retain this notice, and (3) you provide clear
# attribution to Clemson University and the authors.
#
# Authors: Pei Xu ([email protected]) and Ioannis Karamouzas ([email protected])
#
"""
In this assignment, the task is to implement the minimax algorithm with depth
limit for a Connect-4 game.
To complete the assignment, you must finish these functions:
minimax (line 196), alphabeta (line 237), and expectimax (line 280)
in this file.
In the Connect-4 game, two players place discs in a 6-by-7 board one by one.
The discs will fall straight down and occupy the lowest available space of
the chosen column. The player wins if four of his or her discs are connected
in a line horizontally, vertically or diagonally.
See https://en.wikipedia.org/wiki/Connect_Four for more details about the game.
A Board() class is provided to simulate the game board.
It has the following properties:
b.rows # number of rows of the game board
b.cols # number of columns of the game board
b.PLAYER1 # an integer flag to represent the player 1
b.PLAYER2 # an integer flag to represent the player 2
b.EMPTY_SLOT # an integer flag to represent an empty slot in the board;
and the following methods:
b.terminal() # check if the game is terminal
# terminal means draw or someone wins
b.has_draw() # check if the game is a draw
w = b.who_wins() # return the winner of the game or None if there
# is no winner yet
# w should be in [b.PLAYER1,b.PLAYER2, None]
b.occupied(row, col) # check if the slot at the specific location is
# occupied
x = b.get(row, col) # get the player occupying the given slot
# x should be in [b.PLAYER1, b.PLAYER2, b.EMPTY_SLOT]
row = b.row(r) # get the specific row of the game described using
# b.PLAYER1, b.PLAYER2 and b.EMPTY_SLOT
col = b.column(r) # get a specific column of the game board
b.placeable(col) # check if a disc can be placed at the specific
# column
b.place(player, col) # place a disc at the specific column for player
# raise ValueError if the specific column does not have available space
new_board = b.clone() # return a new board instance having the same
# disc placement with b
str = b.dump() # a string to describe the game board using
# b.PLAYER1, b.PLAYER2 and b.EMPTY_SLOT
Hints:
1. Depth-limited Search
We use depth-limited search in the current code. That is we
stop the search forcefully, and perform evaluation directly not only when a
terminal state is reached but also when the search reaches the specified
depth.
2. Game State
Three elements decide the game state. The current board state, the
player that needs to take an action (place a disc), and the current search
depth (remaining depth).
3. Evaluation Target
The minimax algorithm always considers that the adversary tries to
minimize the score of the max player, for whom the algorithm is called
initially. The adversary never considers its own score at all during this
process. Therefore, when evaluating nodes, the target should always be
the max player.
4. Search Result
The pesudo code provided in the slides only returns the best utility value.
However, in practice, we need to select the action that is associated with this
value. Here, such action is specified as the column in which a disc should be
placed for the max player. Therefore, for each search algorithm, you should
consider all valid actions for the max player, and return the one that leads
to the best value.
"""
# use math library if needed
import math
def get_child_boards(player, board):
"""
Generate a list of succesor boards obtained by placing a disc
at the given board for a given player
Parameters
----------
player: board.PLAYER1 or board.PLAYER2
the player that will place a disc on the board
board: the current board instance
Returns
-------
a list of (col, new_board) tuples,
where col is the column in which a new disc is placed (left column has a 0 index),
and new_board is the resulting board instance
"""
res = []
for c in range(board.cols):
if board.placeable(c):
tmp_board = board.clone()
tmp_board.place(player, c)
res.append((c, tmp_board))
return res
def evaluate(player, board):
"""
This is a function to evaluate the advantage of the specific player at the
given game board.
Parameters
----------
player: board.PLAYER1 or board.PLAYER2
the specific player
board: the board instance
Returns
-------
score: float
a scalar to evaluate the advantage of the specific player at the given
game board
"""
adversary = board.PLAYER2 if player == board.PLAYER1 else board.PLAYER1
# Initialize the value of scores
# [s0, s1, s2, s3, --s4--]
# s0 for the case where all slots are empty in a 4-slot segment
# s1 for the case where the player occupies one slot in a 4-slot line, the rest are empty
# s2 for two slots occupied
# s3 for three
# s4 for four
score = [0]*5
adv_score = [0]*5
# Initialize the weights
# [w0, w1, w2, w3, --w4--]
# w0 for s0, w1 for s1, w2 for s2, w3 for s3
# w4 for s4
weights = [0, 1, 4, 16, 1000]
# Obtain all 4-slot segments on the board
seg = []
invalid_slot = -1
left_revolved = [
[invalid_slot]*r + board.row(r) + \
[invalid_slot]*(board.rows-1-r) for r in range(board.rows)
]
right_revolved = [
[invalid_slot]*(board.rows-1-r) + board.row(r) + \
[invalid_slot]*r for r in range(board.rows)
]
for r in range(board.rows):
# row
row = board.row(r)
for c in range(board.cols-3):
seg.append(row[c:c+4])
for c in range(board.cols):
# col
col = board.col(c)
for r in range(board.rows-3):
seg.append(col[r:r+4])
for c in zip(*left_revolved):
# slash
for r in range(board.rows-3):
seg.append(c[r:r+4])
for c in zip(*right_revolved):
# backslash
for r in range(board.rows-3):
seg.append(c[r:r+4])
# compute score
for s in seg:
if invalid_slot in s:
continue
if adversary not in s:
score[s.count(player)] += 1
if player not in s:
adv_score[s.count(adversary)] += 1
reward = sum([s*w for s, w in zip(score, weights)])
penalty = sum([s*w for s, w in zip(adv_score, weights)])
return reward - penalty
def minimax(player, board, depth_limit):
"""
Minimax algorithm with limited search depth.
Parameters
----------
player: board.PLAYER1 or board.PLAYER2
the player that needs to take an action (place a disc in the game)
board: the current game board instance
depth_limit: int
the tree depth that the search algorithm needs to go further before stopping
max_player: boolean
Returns
-------
placement: int or None
the column in which a disc should be placed for the specific player
(counted from the most left as 0)
None to give up the game
"""
max_player = player
placement = None
### Please finish the code below ##############################################
###############################################################################
def value(player, board, depth_limit):
if board.terminal() == True or depth_limit == 0 :
return evaluate(max_player,board), None
if player == max_player:
val,act = max_value(max_player,board,depth_limit)
return val,act
else:
val, act = min_value(next_player,board,depth_limit)
return val, act
def max_value(player, board, depth_limit):
score = -math.inf
successors = get_child_boards(player,board)
for act,successor in successors:
new_score, _ = value(next_player,successor,depth_limit-1)
if new_score > score:
score = new_score
action = act
return score , action
def min_value(player, board, depth_limit):
score = math.inf
successors = get_child_boards(player, board)
for act, successor in successors:
new_score, _ = value(max_player,successor,depth_limit-1)
if new_score < score:
score = new_score
action = act
return score,action
next_player = board.PLAYER2 if player == board.PLAYER1 else board.PLAYER1
score = -math.inf
score,placement = value(max_player,board,depth_limit)
return placement
def alphabeta(player, board, depth_limit):
"""
Minimax algorithm with alpha-beta pruning.
Parameters
----------
player: board.PLAYER1 or board.PLAYER2
the player that needs to take an action (place a disc in the game)
board: the current game board instance
depth_limit: int
the tree depth that the search algorithm needs to go further before stopping
alpha: float
beta: float
max_player: boolean
Returns
-------
placement: int or None
the column in which a disc should be placed for the specific player
(counted from the most left as 0)
None to give up the game
"""
max_player = player
placement = None
### Please finish the code below ##############################################
###############################################################################
def value(player, board,alpha,beta,depth_limit):
if board.terminal() == True or depth_limit == 0 :
return evaluate(max_player,board), None
if player == max_player:
val,act = max_value(max_player,board,alpha,beta,depth_limit)
return val,act
else:
val, act = min_value(next_player,board,alpha,beta,depth_limit)
return val, act
def max_value(player, board,alpha,beta, depth_limit):
score = -math.inf
successors = get_child_boards(player,board)
for act,successor in successors:
new_score, _ = value(next_player,successor,alpha,beta,depth_limit-1)
if new_score > score:
score = new_score
action = act
if new_score > alpha:
alpha = new_score
if beta <= alpha:
break
return score , action
def min_value(player, board,alpha,beta, depth_limit):
score = math.inf
successors = get_child_boards(player,board)
for act,successor in successors:
new_score, _ = value(max_player,successor,alpha,beta,depth_limit-1)
if new_score < score:
score = new_score
action = act
if new_score < alpha:
alpha = new_score
if beta <= alpha:
break
return score , action
next_player = board.PLAYER2 if player == board.PLAYER1 else board.PLAYER1
score = -math.inf
score,placement = value(max_player,board,-math.inf,+math.inf,depth_limit)
return placement
def expectimax(player, board, depth_limit):
"""
Expectimax algorithm.
We assume that the adversary of the initial player chooses actions
uniformly at random.
Say that it is the turn for Player 1 when the function is called initially,
then, during search, Player 2 is assumed to pick actions uniformly at
random.
Parameters
----------
player: board.PLAYER1 or board.PLAYER2
the player that needs to take an action (place a disc in the game)
board: the current game board instance
depth_limit: int
the tree depth that the search algorithm needs to go before stopping
max_player: boolean
Returns
-------
placement: int or None
the column in which a disc should be placed for the specific player
(counted from the most left as 0)
None to give up the game
"""
max_player = player
placement = None
### Please finish the code below ##############################################
###############################################################################
def value(player, board, depth_limit):
if board.terminal() == True or depth_limit == 0 :
return evaluate(max_player,board), None
if player == max_player:
val,act = max_value(max_player,board,depth_limit)
return val,act
else:
val,act = exp_value(next_player,board,depth_limit)
return val,act
def max_value(player, board, depth_limit):
score = -math.inf
successors = get_child_boards(player,board)
for act,successor in successors:
new_score, _ = value(next_player,successor,depth_limit-1)
if new_score > score:
score = new_score
action = act
return score , action
def exp_value(player, board, depth_limit):
score = 0
successors = get_child_boards(player,board)
for act,successor in successors:
new_score, _ = value(max_player,successor,depth_limit-1)
score += new_score/(len(successors))
return score , None
next_player = board.PLAYER2 if player == board.PLAYER1 else board.PLAYER1
score = -math.inf
score, placement = value(max_player,board,depth_limit)
###############################################################################
return placement
if __name__ == "__main__":
from utils.app import App
import tkinter
algs = {
"Minimax": minimax,
"Alpha-beta pruning": alphabeta,
"Expectimax": expectimax
}
root = tkinter.Tk()
App(algs, root)
root.mainloop()
| [
"[email protected]"
] | |
9970bdc6d139a4de2ffe6edfe933ebe791804b02 | 08024f21c1319d54ea3e524edf08e614eb0960bc | /old code/DoubanClient/douban_top250_demoV2.py | f8981b23e5671add044a5d515fc708ec6da8dc8e | [] | no_license | beforeuwait/webCrawl | 08dd5375da93f511672d746c64ef42cf5b25449c | dc30ed7ef00f077894cfc0c2555f9dddb22c3537 | refs/heads/master | 2020-06-23T02:16:40.828657 | 2017-06-15T02:59:05 | 2017-06-15T02:59:05 | 74,671,539 | 0 | 1 | null | null | null | null | UTF-8 | Python | false | false | 2,672 | py | # -*- coding:utf8 -*-
import requests
from lxml import etree
import pymongo
class DoubanClient():
def __init__(self):
object.__init__(self)
self.url = 'http://movie.douban.com/top250'
self.headers = {
'User-Agent':
'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/54.0.2840.100 Safari/537.36',
'Host': 'movie.douban.com'
}
self.session = requests.session()
self.session.headers.update(self.headers)
self.connection = pymongo.MongoClient()
def setupsession(self):
r = self.session.get(self.url)
#获取response的cookies作为后续请求的cookies
self.cookies = r.cookies
self.session.cookies.update(self.cookies)
dbName =self.connection.Douban
self.post_info = dbName.DoubanMovieTop250
#创建链接时即创建数据库
return self.get_data(r.content)
def get_data(self, content):
selector = etree.HTML(content)
input_data = {}
Movies = selector.xpath('//div[@class="info"]')
for eachMovie in Movies:
title = eachMovie.xpath('div[@class="hd"]/a/span/text()')
full_title = ''
for each in title:
full_title += each
input_data['title'] = full_title
input_data['movieInfo'] = eachMovie.xpath('div[@class="bd"]/p/text()')[0].replace(' ','')
input_data['star'] = eachMovie.xpath('div[@class="bd"]/div[@class="star"]/span[@class="rating_num"]/text()')[0]
#测试过程中发现有的电影没有quote,这里需要对他做一个判断,没有quote的则赋空值
quote = eachMovie.xpath('div[@class="bd"]/p[@class="quote"]/span/text()')
if quote:
input_data['quote'] = quote[0]
else:
input_data['quote'] = ''
# 因为数据插入是一条一条以字典的格式,并不是插入一个字典,因此每次插入后,应该重新定义字典
self.post_info.insert(input_data)
input_data = {}
Paginator = selector.xpath('//span[@class="next"]/a/@href')
#到最后一页没有数据,则对列表做一个判断
if Paginator:
paginator_url = 'http://movie.douban.com/top250'+Paginator[0]
n = self.session.get(paginator_url)
return self.nextPage(n.content)
print 'it\'done'
#接收数据翻页数据,返回给get_data
def nextPage(self, content):
return self.get_data(content)
if __name__ == '__main__':
c = DoubanClient()
c.setupsession() | [
"[email protected]"
] | |
57c88811564948b7722125c6c0d4fb97522586aa | 7c964cd93343ac704ac3d9c82c977a0cd0a672e7 | /listing/migrations/0001_initial.py | de9a37a83efcd5555bca0d1c47a762b2a37abb1c | [] | no_license | praekelt/jmbo-listing | be32bd43225ccf6de2c530e46c54dcac6b3c6a46 | 91a9e369a67cccef38d125e16272e01187c0ef1c | refs/heads/master | 2020-04-19T10:31:51.345676 | 2017-08-30T12:20:30 | 2017-08-30T12:20:30 | 66,532,006 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 5,099 | py | # -*- coding: utf-8 -*-
# Generated by Django 1.9.6 on 2016-08-25 07:21
from __future__ import unicode_literals
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
initial = True
dependencies = [
('jmbo', '0003_auto_20160530_1247'),
('contenttypes', '0002_remove_content_type_name'),
('sites', '0002_alter_domain_unique'),
('category', '0001_initial'),
]
operations = [
migrations.CreateModel(
name='Listing',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('title', models.CharField(help_text=b'A short descriptive title.', max_length=256)),
('subtitle', models.CharField(blank=True, help_text=b'Some titles may be the same. A subtitle makes a distinction. It is not displayed on the site.', max_length=256, null=True)),
('slug', models.SlugField(max_length=32)),
('count', models.IntegerField(default=0, help_text=b'Number of items to display (excludes any pinned items).\nSet to zero to display all items.')),
('style', models.CharField(choices=[(b'Horizontal', b'Horizontal'), (b'Vertical', b'Vertical'), (b'Promo', b'Promo'), (b'VerticalThumbnail', b'VerticalThumbnail'), (b'Widget', b'Widget'), (b'CustomFive', b'CustomFive'), (b'CustomFour', b'CustomFour'), (b'CustomOne', b'CustomOne'), (b'CustomThree', b'CustomThree'), (b'CustomTwo', b'CustomTwo'), (b'Horizontal', b'Horizontal'), (b'Promo', b'Promo'), (b'Vertical', b'Vertical'), (b'VerticalThumbnail', b'VerticalThumbnail'), (b'Widget', b'Widget'), (b'Widget', b'Widget'), (b'CustomOne', b'CustomOne'), (b'CustomTwo', b'CustomTwo'), (b'CustomThree', b'CustomThree'), (b'CustomFour', b'CustomFour'), (b'CustomFive', b'CustomFive')], max_length=64)),
('items_per_page', models.PositiveIntegerField(default=0, help_text=b'Number of items displayed on a page (excludes any pinned items). Set to zero to disable paging.')),
('categories', models.ManyToManyField(blank=True, help_text=b'Categories for which to collect items.', null=True, related_name='listing_categories', to='category.Category')),
],
options={
'ordering': ('title', 'subtitle'),
},
),
migrations.CreateModel(
name='ListingContent',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('position', models.PositiveIntegerField(default=0)),
('listing', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, related_name='content_link_to_listing', to='listing.Listing')),
('modelbase_obj', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='jmbo.ModelBase')),
],
),
migrations.CreateModel(
name='ListingPinned',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('position', models.PositiveIntegerField(default=0)),
('listing', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, related_name='pinned_link_to_listing', to='listing.Listing')),
('modelbase_obj', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='jmbo.ModelBase')),
],
),
migrations.AddField(
model_name='listing',
name='content',
field=models.ManyToManyField(blank=True, help_text=b'Individual items to display. Setting this will ignore any setting for <i>Content Type</i>, <i>Categories</i> and <i>Tags</i>.', null=True, related_name='listing_content', through='listing.ListingContent', to='jmbo.ModelBase'),
),
migrations.AddField(
model_name='listing',
name='content_types',
field=models.ManyToManyField(blank=True, help_text=b'Content types to display, eg. post or gallery.', null=True, to='contenttypes.ContentType'),
),
migrations.AddField(
model_name='listing',
name='pinned',
field=models.ManyToManyField(blank=True, help_text=b'Individual items to pin to the top of the listing. These\nitems are visible across all pages when navigating the listing.', null=True, related_name='listing_pinned', through='listing.ListingPinned', to='jmbo.ModelBase'),
),
migrations.AddField(
model_name='listing',
name='sites',
field=models.ManyToManyField(blank=True, help_text=b'Sites that this listing will appear on.', null=True, to='sites.Site'),
),
migrations.AddField(
model_name='listing',
name='tags',
field=models.ManyToManyField(blank=True, help_text=b'Tags for which to collect items.', null=True, related_name='listing_tags', to='category.Tag'),
),
]
| [
"[email protected]"
] | |
339abc4f028a0a65d15b39f546ab2a0fa4beafd3 | 58e5e46b7e213e55f0f6e2a003b0a4ecfb261673 | /filtered_contenttypes/fields.py | 9bf1d2a7db8be61de7e3fa94d65a104ae86a4352 | [
"MIT"
] | permissive | pombredanne/djorm-ext-filtered-contenttypes | 3b334d89c08c74b898b8e27ae82581cbbd59013d | ad15e35d0242259182d72db8ae61455b2bc833fa | refs/heads/master | 2021-01-17T22:59:42.608934 | 2014-10-26T09:02:37 | 2014-10-26T09:02:37 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 7,677 | py | # -*- encoding: utf-8 -*-
from django.contrib.contenttypes.fields import GenericForeignKey
from django.db.models import Lookup
from django.contrib.contenttypes.models import ContentType
from django.db.models.lookups import RegisterLookupMixin
from django.db.models.query import QuerySet
from django.utils.itercompat import is_iterable
from django.db import models
class FilteredGenericForeignKeyFilteringException(Exception):
pass
class FilteredGenericForeignKey(RegisterLookupMixin, GenericForeignKey):
"""This is a GenericForeignKeyField, that can be used to perform
filtering in Django ORM.
"""
def __init__(self, *args, **kw):
# The line below is needed to bypass this
# https://github.com/django/django/commit/572885729e028eae2f2b823ef87543b7c66bdb10
# thanks to MarkusH @ freenode for help
self.attname = self.related = '(this is a hack)'
# this is needed when filtering(this__contains=x, this__not_contains=y)
self.null = False
GenericForeignKey.__init__(self, *args, **kw)
def get_prep_lookup(self, lookup_name, rhs):
"""
Perform preliminary non-db specific lookup checks and conversions
"""
if lookup_name == 'exact':
if not isinstance(rhs, models.Model):
raise FilteredGenericForeignKeyFilteringException(
"For exact lookup, please pass a single Model instance.")
elif lookup_name in ['in', 'in_raw']:
if type(rhs) == QuerySet:
return rhs, None
if not is_iterable(rhs):
raise FilteredGenericForeignKeyFilteringException(
"For 'in' lookup, please pass an iterable or a QuerySet.")
else:
raise FilteredGenericForeignKeyFilteringException(
"Lookup %s not supported." % lookup_name)
return rhs, None
def get_db_prep_lookup(self, lookup_name, param, db, prepared, **kw):
rhs, _ignore = param
if lookup_name == 'exact':
ct_id = ContentType.objects.get_for_model(rhs).pk
return "(%s, %s)", (ct_id, rhs.pk)
elif lookup_name == 'in':
if isinstance(rhs, QuerySet):
# QuerSet was passed. Don't fetch its items. Use server-side
# subselect, which will be way faster. Get the content_type_id
# from django_content_type table.
compiler = rhs.query.get_compiler(connection=db)
compiled_query, compiled_args = compiler.as_sql()
query = """
SELECT
%(django_content_type_db_table)s.id AS content_type_id,
U0.id AS object_id
FROM
%(django_content_type_db_table)s,
(%(compiled_query)s) U0
WHERE
%(django_content_type_db_table)s.model = '%(model)s' AND
%(django_content_type_db_table)s.app_label = '%(app_label)s'
""" % dict(
django_content_type_db_table=ContentType._meta.db_table,
compiled_query=compiled_query,
model=rhs.model._meta.model_name,
app_label=rhs.model._meta.app_label)
return query, compiled_args
if is_iterable(rhs):
buf = []
for elem in rhs:
if isinstance(elem, models.Model):
buf.append((ContentType.objects.get_for_model(elem).pk, elem.pk))
else:
raise FilteredGenericForeignKeyFilteringException(
"Unknown type: %r" % type(elem))
query = ",".join(["%s"] * len(buf))
return query, buf
raise NotImplementedError("You passed %r and I don't know what to do with it" % rhs)
elif lookup_name == 'in_raw':
if isinstance(rhs, QuerySet):
# Use the passed QuerSet as a 'raw' one - it selects 2 fields
# first is content_type_id, second is object_id
compiler = rhs.query.get_compiler(connection=db)
compiled_query, compiled_args = compiler.as_sql()
# XXX: HACK AHEAD. Perhaps there is a better way to change
# select, preferably by using extra. I need to have the proper
# order of columns AND the proper count of columns, which
# is no more, than two.
#
# Currently, even if I use "only", I have no control over
# the order of columns. And, if I use
# .extra(select=SortedDict([...]), I get the proper order
# of columns and the primary key and other two columns even
# if I did not specify them in the query.
#
# So, for now, let's split the query on first "FROM" and change
# the beginning part with my own SELECT:
compiled_query = "SELECT content_type_id, object_id FROM " + \
compiled_query.split("FROM", 1)[1]
return compiled_query, compiled_args
if is_iterable(rhs):
buf = []
for elem in rhs:
if isinstance(elem, tuple) and type(elem[0]) == int and type(elem[1]) == int and len(elem)==2:
buf.append(elem)
else:
raise FilteredGenericForeignKeyFilteringException(
"If you pass a list of tuples as an argument, every tuple "
"must have exeactly 2 elements and they must be integers")
query = ",".join(["%s"] * len(buf))
return query, buf
raise NotImplementedError("You passed %r and I don't know what to do with it" % rhs)
else:
raise FilteredGenericForeignKeyFilteringException(
"Unsupported lookup_name: %r" % lookup_name)
pass
class FilteredGenericForeignKeyLookup(Lookup):
def as_sql(self, qn, connection):
ct_attname = self.lhs.output_field.model._meta.get_field(
self.lhs.output_field.ct_field).get_attname()
lhs = '(%s."%s", %s."%s")' % (
self.lhs.alias,
self.lhs.output_field.ct_field + "_id",
self.lhs.alias,
self.lhs.output_field.fk_field)
rhs, rhs_params = self.process_rhs(qn, connection)
# in
subquery, args = rhs_params
return "%s %s (%s)" % (lhs, self.operator, subquery), args
class FilteredGenericForeignKeyLookup_Exact(FilteredGenericForeignKeyLookup):
lookup_name = 'exact'
operator = '='
class FilteredGenericForeignKeyLookup_In(FilteredGenericForeignKeyLookup):
lookup_name = 'in'
operator = 'in'
class FilteredGenericForeignKeyLookup_In_Raw(FilteredGenericForeignKeyLookup):
"""
in_raw lookup will not try to get the content_type_id of the right hand
side QuerySet of the lookup, but instead it will re-write the query, so
it selects columns named 'content_type_id' and 'object_id' from the right-
hand side QuerySet. See comments in
FilteredGenericForeignKeyLookup.get_db_prep
"""
lookup_name = 'in_raw'
operator = 'in'
FilteredGenericForeignKey.register_lookup(
FilteredGenericForeignKeyLookup_Exact)
FilteredGenericForeignKey.register_lookup(
FilteredGenericForeignKeyLookup_In)
FilteredGenericForeignKey.register_lookup(
FilteredGenericForeignKeyLookup_In_Raw)
| [
"[email protected]"
] | |
ff6af04706daacf32c78ad33e94466af43186202 | 61cb083d5d3c70d3ea1c66e4bae341c20c8e38b4 | /accounts/migrations/0007_auto_20190827_0050.py | 89703acd856462b1ddf5729e73c3da0661535cb8 | [] | no_license | Fabricourt/villacare | 1c60aab2f76096d1ae4b773508fe6eb437763555 | 983e512eace01b4dee23c98cc54fcb7fdbd90987 | refs/heads/master | 2022-11-28T11:15:18.530739 | 2019-09-05T03:30:03 | 2019-09-05T03:30:03 | 205,774,903 | 0 | 0 | null | 2022-11-22T03:16:03 | 2019-09-02T04:09:48 | CSS | UTF-8 | Python | false | false | 1,017 | py | # Generated by Django 2.1.5 on 2019-08-26 21:50
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('accounts', '0006_auto_20190827_0035'),
]
operations = [
migrations.RenameField(
model_name='account',
old_name='total_payments_made',
new_name='propertys_payments_made',
),
migrations.RenameField(
model_name='property_payment',
old_name='balance',
new_name='total_balance',
),
migrations.AlterField(
model_name='buyer',
name='property_bought',
field=models.ManyToManyField(help_text='all properties bought by buyer', to='accounts.Property_id'),
),
migrations.AlterField(
model_name='property_payment',
name='payment_expected',
field=models.IntegerField(help_text='total payment expected from all properties bought', null=True),
),
]
| [
"[email protected]"
] | |
3b57edfe545881fccfea9a871d223f56cffa25bd | 0263e511b29dde94d833bec1e5a2a95b8c29f8b0 | /TIMBER/Utilities/TrigTester.py | dc4383688da44e30736433d761ac15ba56d772b0 | [] | no_license | jialin-guo1/TIMBER | f4907466e39281385c153be5372d266543908a0d | 448b6063234632ef0239e4cd42c15a98ab497501 | refs/heads/master | 2023-01-08T18:03:54.917039 | 2020-11-05T14:22:32 | 2020-11-05T14:22:32 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 11,272 | py | #####################################################################################################
# Name: TrigTester.py #
# Author: Lucas Corcodilos #
# Date: 1/2/2020 #
# Description: Tests the efficiency of triggers that are NOT included in a specified trigger #
# selection. Will print the following for each trigger: #
# pass(cuts & tested HLT & !(standard HLTs))/pass(cuts & (standard HLTs)) #
# The numerical values will be printed and plotted in a histogram for each HLT considered. #
# It's recommended to run the JHUanalyzer to slim and skim before using this tool as it will #
# simplify the evaluation (for speed and your sanity) #
#####################################################################################################
import ROOT,pprint,sys
from optparse import OptionParser
pp = pprint.PrettyPrinter(indent=4)
ROOT.gStyle.SetOptStat(0)
parser = OptionParser(usage="usage: %prog [options]")
parser.add_option('-i', '--input', metavar='FILE', type='string', action='store',
default = '',
dest = 'input',
help = 'A root file or text file with multiple root file locations to analyze')
parser.add_option('-t', '--tree', metavar='TTREE', type='string', action='store',
default = 'Events',
dest = 'tree',
help = 'Name of the tree in the input file with the HLT branches')
parser.add_option('-c', '--cuts', type='string', action='store',
default = '',
dest = 'cuts',
help = 'C++ boolean evaluation of branches to select on (excluding triggers)')
parser.add_option('--not', type='string', action='store',
default = '',
dest = 'Not',
help = 'C++ boolean evaluation of HLTs to veto that would otherwise be in your selection')
parser.add_option('--ignore', metavar='LIST', type='string', action='store',
default = '',
dest = 'ignore',
help = 'Comma separated list of strings. Ignore any triggers containing one of these strings in the name (case insensitive).')
parser.add_option('--threshold', type='float', action='store',
default = 0.01,
dest = 'threshold',
help = 'Threshold of (pass events)/(total events) of HLTs tested to determine whether info should be recorded (default to > 0.01)')
parser.add_option('--manual', type='string', action='store',
default = '',
dest = 'manual',
help = 'Rather than looping over all triggers, supply comma separated list of those to consider.')
parser.add_option('--vs', type='string', action='store',
default = '',
dest = 'vs',
help = 'Branch name to compare HLTs against. Plots together the distribution of the provided variable for events that pass the top 9 most efficient triggers (vetoing those events that pass the triggers in the `not` option).')
parser.add_option('--noTrig', action='store_true',
default = False,
dest = 'noTrig',
help = 'Branch name to compare HLTs against. Plots together the distribution of the provided variable for events that pass the top 9 most efficient triggers (vetoing those events that pass the triggers in the `not` option).')
parser.add_option('-o', '--output', metavar='FILE', type='string', action='store',
default = '',
dest = 'output',
help = 'Output file name (no extension - will be pdf). Defaults to variation of input file name.')
(options, args) = parser.parse_args()
# Quick function for drawing trigger bits vs a variable
def drawHere(name,tree,var,cuts,histWbinning=None):
# base_hist = ROOT.TH1F(name,name,14,array.array('d',[700,800,900,1000,1100,1200,1300,1400,1500,1700,1900,2100,2500,3000,3500]))
if histWbinning != None:
base_hist = histWbinning.Clone(name)
base_hist.Reset()
tree.Draw('%s>>%s'%(var,name),cuts)
outhist = ROOT.gDirectory.Get(name)
outhist.GetYaxis().SetTitle("Gain/Current")
outhist.GetXaxis().SetTitle(var)
return outhist
# Open file/tree
f = ROOT.TFile.Open(options.input)
tree = f.Get(options.tree)
possible_trigs = {}
# If just checking if there are no trigger bits for any events...
if options.noTrig:
all_trigs = []
for branchObj in tree.GetListOfBranches():
if 'HLT_' in branchObj.GetName():
all_trigs.append(branchObj.GetName())
nEntries= tree.GetEntries()
for i in range(0, nEntries):
tree.GetEntry(i)
found_trig = False
sys.stdout.write("\r%d/%s" % (i,nEntries))
sys.stdout.flush()
for trig in all_trigs:
trig_bit = getattr(tree,trig)
if trig_bit != 0:
found_trig = True
break
if not found_trig: print('\nEvent %s has no trigger bits that are non-zero!' %(i))
quit()
# Otherwise, establish what we're looking for
fullSelection_string = '(%s) && (%s)'%(options.cuts,options.Not)
print('Full selection will be evaluated as '+fullSelection_string)
if options.vs == '':
fullSelection = tree.GetEntries(fullSelection_string)
print('Selected %s events with standard triggers' %fullSelection)
else:
fullSelection = drawHere('fullSelection',tree,options.vs,fullSelection_string)
print('Selected %s events with standard triggers' %fullSelection.Integral())
# Automatically scan all triggers
if options.manual == '':
for branchObj in tree.GetListOfBranches():
if 'HLT' in branchObj.GetName():
# Ignore trigger if requested
ignore = False
for ign in options.ignore.split(','):
if ign.lower() in branchObj.GetName().lower():
print('Ignoring '+branchObj.GetName())
ignore = True
if ignore: continue
# Say what's being processed
print(branchObj.GetName()+'...')
# If no comparison against another branch, just count
if options.vs == '':
thisTrigPassCount = float(tree.GetEntries('%s==1 && %s==1 && !%s'%(options.cuts,branchObj.GetName(),options.Not)))
if thisTrigPassCount/(fullSelection) > options.threshold: possible_trigs[branchObj.GetName()] = '%s/%s = %.2f' % (int(thisTrigPassCount),int(fullSelection),thisTrigPassCount/fullSelection)
# If comparing against another branch, draw
else:
thisTrigPassCount = drawHere('pass_'+branchObj.GetName(),tree,options.vs,'%s==1 && %s==1 && !%s'%(options.cuts,branchObj.GetName(),options.Not),histWbinning=fullSelection)
ratio = thisTrigPassCount.Clone('ratio_'+branchObj.GetName())
ratio.Divide(fullSelection)
# ratio.Draw('hist')
# raw_input(ratio.GetName())
possible_trigs[branchObj.GetName()] = ratio
# Only consider those triggers manually specified
else:
for trig in options.manual.split(','):
# If no comparison against another branch, just count
if options.vs == '':
thisTrigPassCount = float(tree.GetEntries('%s==1 && %s==1 && !%s'%(options.cuts,branchObj.GetName(),options.Not)))
if thisTrigPassCount/(fullSelection) > options.threshold: possible_trigs[branchObj.GetName()] = '%s/%s = %.2f' % (int(thisTrigPassCount),int(fullSelection),thisTrigPassCount/fullSelection)
# If comparing against another branch, draw
else:
thisTrigPassCount = drawHere('pass_'+branchObj.GetName(),tree,options.vs,'%s==1 && %s==1 && !%s'%(options.cuts,branchObj.GetName(),options.Not),histWbinning=fullSelection)
ratio = thisTrigPassCount.Clone('ratio_'+branchObj.GetName())
ratio.Divide(fullSelection)
possible_trigs[branchObj.GetName()] = ratio
# pp.pprint(possible_trigs)
# Print out results if just counting
if options.vs == '':
pp.pprint(possible_trigs)
# Book histogram
out = ROOT.TH1F('out','out',len(possible_trigs.keys()),0,len(possible_trigs.keys()))
out.GetYaxis().SetTitle("Gain/Current")
out.GetXaxis().SetTitle("")
# Loop over HLTs/bins and set bin label and content
bincount = 1
for k in possible_trigs.keys():
out.GetXaxis().SetBinLabel(bincount,k.replace('HLT_','')[:25]) # truncate file name so that it fits in bin label
out.SetBinContent(bincount,float(possible_trigs[k].split(' = ')[-1]))
bincount+=1
# Save histogram
c = ROOT.TCanvas('c','c',1400,700)
c.SetBottomMargin(0.35)
out.Draw('hist')
if options.output == '':
c.Print('TrigTester_'+options.input.split('.root')[0]+'.pdf','pdf')
else:
c.Print(options.output+'.pdf','pdf')
# Draw results as function of options.vs variable
else:
# Get number of triggers to start
ntrigs = len(possible_trigs.keys())
# As long as we have > 9 triggers... (9 chosen for the sake of simplicity in coloring later on)
while ntrigs>9:
# Initialize minimum and mintrig name
minval = 100
mintrig = ''
# Loop over all triggers and find minimum
for k in possible_trigs.keys():
if possible_trigs[k].Integral() < minval:
print('Replacing %s(%s) with %s(%s) as min' %(mintrig,minval,k,possible_trigs[k].Integral()))
minval = possible_trigs[k].Integral()
mintrig = k
# Drop the found minimum and reflect this in the ntrigs count
if mintrig in possible_trigs.keys():
print('Removing min %s(%s)' %(mintrig,minval))
del possible_trigs[mintrig]
ntrigs = ntrigs-1
# Draw with legend
c = ROOT.TCanvas('c','c',1400,700)
color = 1
l = ROOT.TLegend(0.5,0.4,0.9,0.9)
# Find maximum
trig_max = -1
for k in possible_trigs.keys():
if possible_trigs[k].GetMaximum()>trig_max:
trig_max = possible_trigs[k].GetMaximum()
first = True
for k in possible_trigs.keys():
print('%s: %s' %(k,possible_trigs[k].Integral()))
this_hist = possible_trigs[k]
if first: this_hist.SetMaximum(trig_max*1.1)
this_hist.SetLineColor(color)
this_hist.SetTitle('Trigger test as a function of %s'%options.vs)
color+=1
if first: this_hist.Draw('hist')
else: this_hist.Draw('histsame')
first = False
l.AddEntry(this_hist,k,'l')
l.Draw()
if options.output == '':
c.Print('TrigTester_'+sys.argv[1].split('.')[0]+'_vs_'+options.vs+'.pdf','pdf')
else:
c.Print(options.output+'.pdf','pdf') | [
"[email protected]"
] | |
3659bd20dff05e3843f0e513a207c6e3ef09f4c6 | e26a5d55a219da7a5fb2e691a7fe2adb1683543d | /tensortrade/features/feature_pipeline.py | e158740f1584f1ea90839b7c4e01681617605b4d | [
"Apache-2.0"
] | permissive | MildlyOffensive/tensortrade | e02dbcbec07597292de91eaa375b8af9ae305194 | 9fe223c1ff0d58428e9e88d4d287570e24ee1ae4 | refs/heads/master | 2022-04-06T21:48:35.380231 | 2019-10-24T18:17:02 | 2019-10-24T18:17:02 | 282,754,798 | 1 | 1 | Apache-2.0 | 2020-07-27T00:05:44 | 2020-07-27T00:05:43 | null | UTF-8 | Python | false | false | 3,842 | py | # Copyright 2019 The TensorTrade Authors.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import pandas as pd
import numpy as np
from gym import Space
from typing import List, Union, Callable
from .feature_transformer import FeatureTransformer
DTypeString = Union[type, str]
class FeaturePipeline(object):
"""An pipeline for transforming observation data frames into features for learning."""
def __init__(self, steps: List[FeatureTransformer], **kwargs):
"""
Arguments:
dtype: The `dtype` elements in the pipeline should be cast to.
"""
self._steps = steps
self._dtype: DTypeString = kwargs.get('dtype', np.float16)
@property
def steps(self) -> List[FeatureTransformer]:
"""A list of feature transformations to apply to observations."""
return self._steps
@steps.setter
def steps(self, steps: List[FeatureTransformer]):
self._steps = steps
@property
def dtype(self) -> DTypeString:
"""The `dtype` that elements in the pipeline should be input and output as."""
return self._dtype
@dtype.setter
def dtype(self, dtype: DTypeString):
self._dtype = dtype
def reset(self):
"""Reset all transformers within the feature pipeline."""
for transformer in self._steps:
transformer.reset()
def transform_space(self, input_space: Space, column_names: List[str]) -> Space:
"""Get the transformed output space for a given input space.
Args:
input_space: A `gym.Space` matching the shape of the pipeline's input.
column_names: A list of all column names in the input data frame.
Returns:
A `gym.Space` matching the shape of the pipeline's output.
"""
output_space = input_space
for transformer in self._steps:
output_space = transformer.transform_space(output_space, column_names)
return output_space
def _transform(self, observations: pd.DataFrame, input_space: Space) -> pd.DataFrame:
"""Utility method for transforming observations via a list of `FeatureTransformer` objects."""
for transformer in self._steps:
observations = transformer.transform(observations, input_space)
return observations
def transform(self, observation: pd.DataFrame, input_space: Space) -> pd.DataFrame:
"""Apply the pipeline of feature transformations to an observation frame.
Arguments:
observation: A `pandas.DataFrame` corresponding to an observation within a `TradingEnvironment`.
input_space: A `gym.Space` matching the shape of the pipeline's input.
Returns:
A `pandas.DataFrame` of features corresponding to an input oversvation.
Raises:
ValueError: In the case that an invalid observation frame has been input.
"""
features = self._transform(observation, input_space)
if not isinstance(features, pd.DataFrame):
raise ValueError("A FeaturePipeline must transform a pandas.DataFrame into another pandas.DataFrame.\n \
Expected return type: {} `\n \
Actual return type: {}.".format(type(pd.DataFrame([])), type(features)))
return features
| [
"[email protected]"
] | |
1f48ce3aa62ece3db3e57b1134cb2ab81a563424 | 1c655b13e159ec064968d74297fb3e994a1fa3f7 | /0x00-python_variable_annotations/main/100-main.py | 3163850ec41e7e25a085e95403fb340a6a58ad05 | [] | no_license | Faith-qa/alx-backend-python | 886672663a8206afa47ce877331deef97802512c | 1eb5ad2cbc2d2bfa4dc911901417797d160d3645 | refs/heads/master | 2023-08-16T07:21:55.127802 | 2021-09-21T09:50:49 | 2021-09-21T09:50:49 | 388,657,895 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 146 | py | #!/usr/bin/env python3
safe_first_element = __import__('100-safe_first_element').safe_first_element
print(safe_first_element.__annotations__)
| [
"[email protected]"
] | |
a943d4d0152eac60671d88862ad057df96206c55 | 9c63f6d39a6085674ab42d1488476d0299f39ec9 | /Python/LC_Minesweeper.py | 7fce4305e14c974fcd536afc78f77ee3cbc38f62 | [] | no_license | vijayjag-repo/LeetCode | 2237e3117e7e902f5ac5c02bfb5fbe45af7242d4 | 0a5f47e272f6ba31e3f0ff4d78bf6e3f4063c789 | refs/heads/master | 2022-11-14T17:46:10.847858 | 2022-11-08T10:28:30 | 2022-11-08T10:28:30 | 163,639,628 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,589 | py | class Solution(object):
def updateBoard(self, board, click):
"""
:type board: List[List[str]]
:type click: List[int]
:rtype: List[List[str]]
Approach:
You're given click, which corresponds to a particular coordinate within the board.
If this point is a mine, you change the board to 'X' and return the board.
Else,
This point could be an unrevealed square.
The first thing that you do is, check if this point has any mines nearby.
If it does not have any mines nearby, you gotta call its neighbors and set the current point to 'B'.
Else,
you set the current point to whatever the mine value is and do not call dfs.
Finally after first dfs calls ends, you return the state of the board.
"""
neighbors = [(-1,-1),(-1,0),(-1,1),(0,-1),(0,1),(1,-1),(1,0),(1,1)]
def dfs(x,y):
mine = 0
for (i,j) in neighbors:
if(0<=x+i<len(board) and 0<=y+j<len(board[0]) and board[x+i][y+j]=='M'):
mine+=1
if(mine>0):
board[x][y] = str(mine)
else:
board[x][y] = 'B'
for (i,j) in neighbors:
if(0<=x+i<len(board) and 0<=y+j<len(board[0]) and board[x+i][y+j]=='E'):
dfs(x+i,y+j)
x,y = click
if(board[x][y]=='M'):
board[x][y] = 'X'
else:
dfs(x,y)
return board
| [
"[email protected]"
] | |
6c32e35bd711b0391725f3959ab4d3aa654ee111 | 7117862ecbccf811b8c9f476d328c0c91db15b48 | /Config/local_settings.py | 6e9e9080547256775543884280c4888d7dfb2d77 | [] | no_license | turamant/Profile | 330e968ffe797fd7759269a3c804b82388a5838e | a7c32f22b11e93f1264aaa9d7b72aaf497acff65 | refs/heads/main | 2023-04-08T15:50:40.052101 | 2021-04-26T19:50:55 | 2021-04-26T19:50:55 | 361,712,435 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 251 | py | # SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'django-insecure-gy^s)i8g=3i46ypvnrk-j_x+@s4^y&1*fd%$-2$dnc=#4(vxek'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True
ALLOWED_HOSTS = ['*'] | [
"[email protected]"
] | |
ec22a156d3c9287499019a6a37d7ad52401e6b2f | cb4902406f4271394c352bfc49ac4a0e8931d5dc | /backend/home/migrations/0002_load_initial_data.py | 3c22b9d08248db69bd7856d4286b1ed72cc5dd2c | [] | no_license | crowdbotics-apps/yourtb-21307 | 492e2eec85e8a562d71f67a7c99ed64ba915ce5e | ce93c74f6bb21bceca6abdca6bb4c4e46bd5e7cb | refs/heads/master | 2022-12-29T23:02:15.003469 | 2020-10-09T19:27:13 | 2020-10-09T19:27:13 | 302,735,020 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,278 | py | from django.db import migrations
def create_customtext(apps, schema_editor):
CustomText = apps.get_model("home", "CustomText")
customtext_title = "Yourtb"
CustomText.objects.create(title=customtext_title)
def create_homepage(apps, schema_editor):
HomePage = apps.get_model("home", "HomePage")
homepage_body = """
<h1 class="display-4 text-center">Yourtb</h1>
<p class="lead">
This is the sample application created and deployed from the Crowdbotics app.
You can view list of packages selected for this application below.
</p>"""
HomePage.objects.create(body=homepage_body)
def create_site(apps, schema_editor):
Site = apps.get_model("sites", "Site")
custom_domain = "yourtb-21307.botics.co"
site_params = {
"name": "Yourtb",
}
if custom_domain:
site_params["domain"] = custom_domain
Site.objects.update_or_create(defaults=site_params, id=1)
class Migration(migrations.Migration):
dependencies = [
("home", "0001_initial"),
("sites", "0002_alter_domain_unique"),
]
operations = [
migrations.RunPython(create_customtext),
migrations.RunPython(create_homepage),
migrations.RunPython(create_site),
]
| [
"[email protected]"
] | |
f4342daeb939ca4561554ef1dbb83de6b0ace017 | f6c6085c34ac6e1b494ff039cd0173b47cc9c6c4 | /byceps/services/user_badge/transfer/models.py | 42e439d39bb717540a0ec59220198242e23a10c4 | [
"BSD-3-Clause",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | FakoorCo/byceps | 971042f598a12c00465b0c3a714f4ac7dbdc9d5b | 11290b154b83f5ac3a9530fb6cd752b3d7a3989b | refs/heads/main | 2023-01-23T18:53:59.930267 | 2020-11-30T01:09:20 | 2020-11-30T01:09:50 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 822 | py | """
byceps.services.user_badge.transfer.models
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
:Copyright: 2006-2020 Jochen Kupperschmidt
:License: Revised BSD (see `LICENSE` file for details)
"""
from dataclasses import dataclass
from datetime import datetime
from typing import NewType
from uuid import UUID
from ....typing import BrandID, UserID
BadgeID = NewType('BadgeID', UUID)
@dataclass(frozen=True)
class Badge:
id: BadgeID
slug: str
label: str
description: str
image_filename: str
image_url_path: str
brand_id: BrandID
featured: bool
@dataclass(frozen=True)
class BadgeAwarding:
id: UUID
badge_id: BadgeID
user_id: UserID
awarded_at: datetime
@dataclass(frozen=True)
class QuantifiedBadgeAwarding:
badge_id: BadgeID
user_id: UserID
quantity: int
| [
"[email protected]"
] | |
348940e392a4bfa8cbd62fb6a434869f9e9f56d9 | feba0822906bc306aacd1ba07254f9d85f7195db | /week 5/MoneyChange.py | 391778b6abe4d8c365e88c4d8f9df1e2c14a983f | [] | no_license | Pratyaksh7/Algorithmic-Toolbox | 0d535d652a5619c8d1c1e8b602ab8b1cf4e12eb7 | 2153a37426a510e9232d3b3cdd01a2d624eee83f | refs/heads/master | 2022-12-03T21:57:53.699507 | 2020-08-24T07:49:59 | 2020-08-24T07:49:59 | 281,179,714 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 361 | py | # using python3
def minCoins(n, Coins):
maxCoin = max(Coins)
dic = {1: 1, 2: 2, 3: 1, 4: 1}
if n > 4:
if n % maxCoin == 0:
print(n // 4)
elif n % maxCoin == 1 or n % maxCoin == 2 or n % maxCoin == 3:
print((n // 4) + 1)
else:
print(dic[n])
n = int(input())
Coins = [1, 3, 4]
minCoins(n, Coins)
| [
"[email protected]"
] | |
d8ac7dbd544e75aa6e93408cab924c49ff306ac1 | d491c11dc87a955c95a4e14a2feea19fe1fa859e | /python/Arcade/Python/P15FeebackReview.py | 77f7ef9557afa7896637dc067567d08a73208df9 | [] | no_license | Vagacoder/Codesignal | 0f6ea791b25716cad7c46ab7df73679fb18a9882 | 87eaf44555603dd5b8cf221fbcbae5421ae20727 | refs/heads/master | 2023-07-16T04:18:44.780821 | 2021-08-15T18:41:16 | 2021-08-15T18:41:16 | 294,745,195 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,975 | py | #
# * Python 15, Feedback Review
# * Easy
# * You've launched a revolutionary service not long ago, and were busy improving
# * it for the last couple of months. When you finally decided that the service
# * is perfect, you remembered that you created a feedbacks page long time ago,
# * which you never checked out since then. Now that you have nothing left to do,
# * you would like to have a look at what the community thinks of your service.
# * Unfortunately it looks like the feedbacks page is far from perfect: each
# * feedback is displayed as a one-line string, and if it's too long there's no
# * way to see what it is about. Naturally, this horrible bug should be fixed.
# * Implement a function that, given a feedback and the size of the screen, splits
# * the feedback into lines so that:
# each token (i.e. sequence of non-whitespace characters) belongs to one of
# the lines entirely;
# each line is at most size characters long;
# no line has trailing or leading spaces;
# each line should have the maximum possible length, assuming that all lines
# before it were also the longest possible.
# * Example
# For feedback = "This is an example feedback" and size = 8,
# the output should be
# feedbackReview(feedback, size) = ["This is",
# "an",
# "example",
# "feedback"]
# * Input/Output
# [execution time limit] 4 seconds (py3)
# [input] string feedback
# A string containing a feedback. Each feedback is guaranteed to contain only letters, punctuation marks and whitespace characters (' ').
# Guaranteed constraints:
# 0 ≤ feedback.length ≤ 100.
# [input] integer size
# The size of the screen. It is guaranteed that it is not smaller than the longest token in the feedback.
# Guaranteed constraints:
# 1 ≤ size ≤ 100.
# [output] array.string
# Lines from the feedback, split as described above.
#%%
# * Solution 1
# ! Hard to use regex, NOT solved yet
import re
def feedbackReview1(feedback:str, size:int)->list:
pattern = '(?<=(.{{{}}}))\w+'.format(4)
print(pattern)
return re.split(pattern, feedback)
# * Solution 2
# ! Easy one using textwrap
import textwrap
def feedbackReview2(feedback:str, size: int)->list:
return textwrap.wrap(feedback, size)
# * Solution 3
# !! Awesome
def feedbackReview3(feedback:str, size:int)->list:
return re.findall('(?:\s|^)(\S(?:.{0,%d}\S)?)(?=\s|$)' % (size-2),feedback)
# * Solution 4
# !! Awesome too
def feedbackReview4(feedback:str, size:int)->list:
return [feedback[x:y].strip() for x,y in [(m.start(),m.end()) for m in re.finditer('(.{1,%d}$)|(.{1,%d} )'%(size,size), feedback)]]
a1 = 'This is an example feedback'
a2 = 8
e1 = ["This is", "an", "example", "feedback"]
r1 = feedbackReview3(a1, a2)
# print('Expected:')
# print(e1)
print('Result:')
print(r1)
# %%
| [
"[email protected]"
] | |
147027e78c585ffbc62132cb0116bc6522c71e71 | 8a5669848a675c367e6a58d57dd25f15bf8bb2a5 | /examples/classification/01_functional_style_metric.py | 5a90f22f4be00cb4891772d18054d28865e4af4d | [
"GPL-1.0-or-later",
"GPL-3.0-only"
] | permissive | thieu1995/permetrics | a6c74150e6f03d2e62ad762dc7fe1fa7d03c5d84 | 85b0f3a750bdebc5ade0422e6be7343d90d3cb98 | refs/heads/master | 2023-08-17T14:00:03.705206 | 2023-08-12T15:23:53 | 2023-08-12T15:23:53 | 280,617,738 | 30 | 8 | Apache-2.0 | 2022-06-27T04:03:30 | 2020-07-18T08:47:17 | Python | UTF-8 | Python | false | false | 1,692 | py | #!/usr/bin/env python
# Created by "Thieu" at 11:36, 25/03/2022 ----------%
# Email: [email protected] %
# Github: https://github.com/thieu1995 %
# --------------------------------------------------%
## This is traditional way to call a specific metric you want to use.
## Everytime, you want to use a function, you need to pass y_true and y_pred
## 1. Import packages, classes
## 2. Create object
## 3. From object call function and use
import numpy as np
from permetrics.classification import ClassificationMetric
y_true = [0, 1, 0, 0, 1, 0]
y_pred = [0, 1, 0, 0, 0, 1]
evaluator = ClassificationMetric()
## 3.1 Call specific function inside object, each function has 2 names like below
ps1 = evaluator.precision_score(y_true, y_pred, decimal=5)
ps2 = evaluator.PS(y_true, y_pred)
print(f"Precision: {ps1}, {ps2}")
recall = evaluator.recall_score(y_true, y_pred)
accuracy = evaluator.accuracy_score(y_true, y_pred)
print(f"recall: {recall}, accuracy: {accuracy}")
# CM = confusion_matrix
# PS = precision_score
# NPV = negative_predictive_value
# RS = recall_score
# AS = accuracy_score
# F1S = f1_score
# F2S = f2_score
# FBS = fbeta_score
# SS = specificity_score
# MCC = matthews_correlation_coefficient
# HS = hamming_score
# LS = lift_score
# CKS = cohen_kappa_score
# JSI = JSC = jaccard_similarity_coefficient = jaccard_similarity_index
# GMS = g_mean_score
# GINI = gini_index
# ROC = AUC = RAS = roc_auc_score
| [
"[email protected]"
] | |
8bfae8d09d2c6cb4ff1a5cce566dad3e7cbe52ed | e23a4f57ce5474d468258e5e63b9e23fb6011188 | /125_algorithms/_exercises/templates/_algorithms_challenges/pybites/intermediate/259_v2/test_reverse_complement.py | 8306e1e9cc6d840d6832bd8d3e4d29db696d1bb5 | [] | no_license | syurskyi/Python_Topics | 52851ecce000cb751a3b986408efe32f0b4c0835 | be331826b490b73f0a176e6abed86ef68ff2dd2b | refs/heads/master | 2023-06-08T19:29:16.214395 | 2023-05-29T17:09:11 | 2023-05-29T17:09:11 | 220,583,118 | 3 | 2 | null | 2023-02-16T03:08:10 | 2019-11-09T02:58:47 | Python | UTF-8 | Python | false | false | 7,946 | py | # _______ p__
#
# _______ ?
#
# # Table copied from
# # http://arep.med.harvard.edu/labgc/adnan/projects/Utilities/revcomp.html
# # Note that this table is different from the simple table in the template
# # This table includes additional rules which are used in more advanced
# # reverse complement generators. Please ensure that your functions work
# # with both tables (complementary base always in last column)
#
# COMPLEMENTS_STR """# Full table with ambigous bases
# Base Name Bases Represented Complementary Base
# A Adenine A T
# T Thymidine T A
# U Uridine(RNA only) U A
# G Guanidine G C
# C Cytidine C G
# Y pYrimidine C T R
# R puRine A G Y
# S Strong(3Hbonds) G C S
# W Weak(2Hbonds) A T W
# K Keto T/U G M
# M aMino A C K
# B not A C G T V
# D not C A G T H
# H not G A C T D
# V not T/U A C G B
# N Unknown A C G T N
# """
#
# # ############################################################################
# # Use default table from bite template and test functions
# # ############################################################################
#
# ACGT_BASES_ONLY
# "ACGT",
# "TTTAAAGGGCCC",
# ("TACTGGTACTAATGCCTAAGTGACCGGCAGCAAAATGTTGCAGCACTGACCCTTTTGGGACCGCAATGGGT"
# "TGAATTAGCGGAACGTCGTGTAGGGGGAAAGCGGTCGACCGCATTATCGCTTCTCCGGGCGTGGCTAGCGG"
# "GAAGGGTTGTCAACGCGTCGGACTTACCGCTTACCGCGAAACGGACCAAAGGCCGTGGTCTTCGCCACGGC"
# "CTTTCGACCGACCTCACGCTAGAAGGA"),
#
# MIXED_CASE_DNA
# "AcgT",
# "TTTaaaGGGCCc",
# ("TACtGGTACTAATGCCtAAGtGaccggcagCAAAATGTTGCAGCACTGACCCTTTTGGGACCGCAATGGGT"
# "TGAATTAGCGGAACGTCGTGTAGGGGGAAAgcgGTCGACCGCATTATCGCTTCTCCGGGCGTGGCTAGCGG"
# "GAAGGGTTGTCAACGCGTCGGACTTACCGCttaCCGCGAAACGGAccAAAGGCCGTGGTCTTCGCCACGGC"
# "CTTtcGACCGACCTCACGCTAGAAGGA"),
#
# DIRTY_DNA
# "335>\nA c g T",
# ">\nT-TT-AAA- GGGCCC!!!",
# ("TAC TGG TAC TAA TGC CTA AGT GAC CGG CAG CAA AAT GTT GCA GCA CTG ACC CTT"
# " TTG GGA CCG CAA TGG GTT GAA TTA GCG GAA CGT CGT GTA GGG GGA AAG CGG TC"
# "G ACC GCA TTA TCG CTT CTC CGG GCG TGG CTA GCG GGA AGG GTT GTC AAC GCG T"
# "CG GAC TTA CCG CTT ACC GCG AAA CGG ACC AAA GGC CGT GGT CTT CGC CAC GGC "
# "CTT TCG ACC GAC CTC ACG CTA GAA GGA"),
#
#
# CORRECT_ANSWERS_COMPLEMENTED
# "TGCA",
# "AAATTTCCCGGG",
# ("ATGACCATGATTACGGATTCACTGGCCGTCGTTTTACAACGTCGTGACTGGGAAAACCCTGGCGTTACCCA"
# "ACTTAATCGCCTTGCAGCACATCCCCCTTTCGCCAGCTGGCGTAATAGCGAAGAGGCCCGCACCGATCGCC"
# "CTTCCCAACAGTTGCGCAGCCTGAATGGCGAATGGCGCTTTGCCTGGTTTCCGGCACCAGAAGCGGTGCCG"
# "GAAAGCTGGCTGGAGTGCGATCTTCCT"),
#
# CORRECT_ANSWERS_REVERSE
# "TGCA",
# "CCCGGGAAATTT",
# ("AGGAAGATCGCACTCCAGCCAGCTTTCCGGCACCGCTTCTGGTGCCGGAAACCAGGCAAAGCGCCATTCGC"
# "CATTCAGGCTGCGCAACTGTTGGGAAGGGCGATCGGTGCGGGCCTCTTCGCTATTACGCCAGCTGGCGAAA"
# "GGGGGATGTGCTGCAAGGCGATTAAGTTGGGTAACGCCAGGGTTTTCCCAGTCACGACGTTGTAAAACGAC"
# "GGCCAGTGAATCCGTAATCATGGTCAT"),
#
# CORRECT_ANSWERS_REVERSE_COMPLEMENT
# "ACGT",
# "GGGCCCTTTAAA",
# ("TCCTTCTAGCGTGAGGTCGGTCGAAAGGCCGTGGCGAAGACCACGGCCTTTGGTCCGTTTCGCGGTAAGCG"
# "GTAAGTCCGACGCGTTGACAACCCTTCCCGCTAGCCACGCCCGGAGAAGCGATAATGCGGTCGACCGCTTT"
# "CCCCCTACACGACGTTCCGCTAATTCAACCCATTGCGGTCCCAAAAGGGTCAGTGCTGCAACATTTTGCTG"
# "CCGGTCACTTAGGCATTAGTACCAGTA"),
#
#
# # ############################################################################
# # Test complement function
# # ############################################################################
#
#
# ?p__.m__.p.
# "input_sequence,expected",
# z.. A.. C..
#
# ___ test_acgt_complement input_sequence e..
# ... r__.c.. ?.u.. __ e..
#
#
# ?p__.m__.p.
# "input_sequence,expected",
# z.. M.. C..
#
# ___ test_mixed_case_complement input_sequence e..
# ... r__.c.. ?.u.. __ e..
#
#
# ?p__.m__.p.
# "input_sequence,expected", z.. D.. C..
#
# ___ test_dirty_complement input_sequence e..
# ... r__.c.. ?.u.. __ e..
#
#
# # ############################################################################
# # Test reverse function
# # ############################################################################
#
#
# ?p__.m__.p.
# "input_sequence,expected", z.. A.. C..
#
# ___ test_acgt_reverse input_sequence e..
# ... r__.r.. ?.u.. __ e..
#
#
# ?p__.m__.p.
# "input_sequence,expected", z.. M.. C..
#
# ___ test_mixed_case_reverse input_sequence e..
# ... r__.r.. ?.u.. __ e..
#
#
# ?p__.m__.p.
# "input_sequence,expected", z.. D.. C..
#
# ___ test_dirty_reverse input_sequence e..
# ... r__.r.. ?.u.. __ e..
#
#
# # ############################################################################
# # Test reverse complement function
# # ############################################################################
#
#
# ?p__.m__.p.
# "input_sequence,expected",
# z.. A.. C..
#
# ___ test_acgt_reverse_complement input_sequence e..
# ...
# r__.r.. ?.u..
# __ e..
#
#
#
# ?p__.m__.p.
# "input_sequence,expected",
# z.. M.. C..
#
# ___ test_mixed_case_reverse_complement input_sequence e..
# ...
# r__.r.. ?.u..
# __ e..
#
#
#
# ?p__.m__.p.
# "input_sequence,expected",
# z.. D.. C..
#
# ___ test_dirty_reverse_complement input_sequence e..
# ...
# r__.r.. ?.u..
# __ e..
#
#
# # ############################################################################
# # Use more complex complement table
# # ############################################################################
#
#
# AMBIGOUS_DIRTY_DNA
# "AGB Vnc gRy Tvv V",
# ">\nT-TT-AAA-BDNNSSRYMNXXXX GGGCCC!!!",
# ("TAC WSA YBG KGK DVN YRS TGG TAC TAA TGC CTA AGT GAC CGG CAG CAA AAT GTT"
# " GCA GCA CTG ACC CTT TTG GGA CCG CAA TGG GTT GAA TTA GCG GAA CGT CGT GT"
# "A GGG GGA AAG CGG TCG ACC GCA TTA TCG CTT CTC CGG GCG TGG CTA GCG GGA A"
# "GG GTT GTC AAC GCG TCG GAC TTA CCG CTT ACC GCG AAA CGG ACC AAA GGC CGT "
# "GGT CTT CGC CAC GGC CTT TCG ACC GAC CTC ACG CTA GAA GGA"),
#
# CORRECT_ANSWER_AMBIGOUS_DNA_COMPLEMENT
# "TCVBNGCYRABBB",
# "AAATTTVHNNSSYRKNCCCGGG",
# ("ATGWSTRVCMCMHBNRYSACCATGATTACGGATTCACTGGCCGTCGTTTTACAACGTCGTGACTGGGAAAA"
# "CCCTGGCGTTACCCAACTTAATCGCCTTGCAGCACATCCCCCTTTCGCCAGCTGGCGTAATAGCGAAGAGG"
# "CCCGCACCGATCGCCCTTCCCAACAGTTGCGCAGCCTGAATGGCGAATGGCGCTTTGCCTGGTTTCCGGCA"
# "CCAGAAGCGGTGCCGGAAAGCTGGCTGGAGTGCGATCTTCCT"),
#
# CORRECT_ANSWER_AMBIGOUS_DNA_REVERSE
# "VVVTYRGCNVBGA",
# "CCCGGGNMYRSSNNDBAAATTT",
# ("AGGAAGATCGCACTCCAGCCAGCTTTCCGGCACCGCTTCTGGTGCCGGAAACCAGGCAAAGCGCCATTCGC"
# "CATTCAGGCTGCGCAACTGTTGGGAAGGGCGATCGGTGCGGGCCTCTTCGCTATTACGCCAGCTGGCGAAA"
# "GGGGGATGTGCTGCAAGGCGATTAAGTTGGGTAACGCCAGGGTTTTCCCAGTCACGACGTTGTAAAACGAC"
# "GGCCAGTGAATCCGTAATCATGGTSRYNVDKGKGBYASWCAT"),
#
# CORRECT_ANSWER_AMBIGOUS_DNA_REVERSE_COMPLEMENT
# "BBBARYCGNBVCT",
# "GGGCCCNKRYSSNNHVTTTAAA",
# ("TCCTTCTAGCGTGAGGTCGGTCGAAAGGCCGTGGCGAAGACCACGGCCTTTGGTCCGTTTCGCGGTAAGCGG"
# "TAAGTCCGACGCGTTGACAACCCTTCCCGCTAGCCACGCCCGGAGAAGCGATAATGCGGTCGACCGCTTTCC"
# "CCCTACACGACGTTCCGCTAATTCAACCCATTGCGGTCCCAAAAGGGTCAGTGCTGCAACATTTTGCTGCCG"
# "GTCACTTAGGCATTAGTACCASYRNBHMCMCVRTSWGTA"),
#
#
#
# # ############################################################################
# # Test reverse, complement and rev comp. function with new table
# # ############################################################################
#
#
# ?p__.m__.p.
# "input_sequence,expected",
# z.. A.. C..
#
# ___ test_acgt_complement_new_table input_sequence e..
# ...
# ? ? C__ .u..
# __ e..
#
#
#
# ?p__.m__.p.
# "input_sequence,expected",
# z..A.., C..
#
# ___ test_mixed_case_reverse_new_table input_sequence e..
# ...
# ? ? C...u..
# __ e..
#
#
#
# ?p__.m__.p.
# "input_sequence,expected",
# z.. A.., C..
#
# ___ test_dirty_reverse_complement_new_table input_sequence e..
# ...
# ?.r..
# ? C..
# .u..
# __ e..
#
| [
"[email protected]"
] | |
1098a789c29b45f0d9d74b610f2bd525c611d6ba | e70b678712a355a0b51632728c7781b0bdcf29f4 | /Algorithms/Python/House-Robber-III.py | a74ac277aba3199f40ac9f6b7b313a6b34906408 | [] | no_license | keyi/Leetcode_Solutions | b3e3c6835ed335d7d4ad53a1b37e59ac15fcf3af | 69e4e969b435ff2796bd7c4b5dad9284a853ab54 | refs/heads/master | 2020-05-21T23:36:20.450053 | 2018-11-11T03:45:28 | 2018-11-11T03:45:28 | 33,714,612 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 577 | py | # Definition for a binary tree node.
# class TreeNode(object):
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
class Solution(object):
def rob(self, root):
"""
:type root: TreeNode
:rtype: int
"""
def dfs(node):
if not node:
return 0, 0
robL, no_robL = dfs(node.left)
robR, no_robR = dfs(node.right)
return node.val + no_robL + no_robR, max(robL, no_robL) + max(robR, no_robR)
return max(dfs(root))
| [
"[email protected]"
] | |
372a51ab5a1ba04386d600954a4b8dfd5297b211 | e61e725d9a962837e2b56f84e3934b0fb52dd0b1 | /eoxserver/backends/middleware.py | fcd2756c0adad6b32c04637ceb2a4f2e2ccd6006 | [
"MIT",
"LicenseRef-scancode-warranty-disclaimer"
] | permissive | ESA-VirES/eoxserver | 719731172c2e5778186a4b144a201f602c07ce7e | d7b65adf9317538b267d5cbb1281acb72bc0de2c | refs/heads/master | 2021-01-21T20:06:22.164030 | 2014-10-14T12:21:13 | 2014-10-14T12:21:13 | 25,151,203 | 1 | 0 | null | 2014-12-04T09:46:54 | 2014-10-13T09:00:54 | Python | UTF-8 | Python | false | false | 2,089 | py | #-------------------------------------------------------------------------------
# $Id$
#
# Project: EOxServer <http://eoxserver.org>
# Authors: Fabian Schindler <[email protected]>
#
#-------------------------------------------------------------------------------
# Copyright (C) 2013 EOX IT Services GmbH
#
# 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 of this Software or works derived from this 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.
#-------------------------------------------------------------------------------
import logging
from eoxserver.backends.cache import setup_cache_session, shutdown_cache_session
logger = logging.getLogger(__name__)
class BackendsCacheMiddleware(object):
""" A request middleware f
"""
def process_request(self, request):
setup_cache_session()
def process_response(self, request, response):
shutdown_cache_session()
return response
def process_template_response(self, request, response):
shutdown_cache_session()
return response
def process_exception(self, request, exception):
shutdown_cache_session()
return None
| [
"[email protected]"
] | |
451fca20992f85b6ab2bdff565ff25314a62df06 | 5a72f4ad3dee9c93e907e5db6ae073a0f6173557 | /web/actions/log_handler.py | 8eb2c9e92525a051d778d3ec66e77de9aa6b3fba | [
"Apache-2.0"
] | permissive | avikowy/machinaris | 170117fa8857942d90b33b15a727674924da1d66 | 23eead3c30e5d4a75b13c142638c61bcd0af4bfe | refs/heads/main | 2023-06-17T15:54:08.795622 | 2021-07-16T04:19:37 | 2021-07-16T04:19:37 | 386,497,979 | 0 | 0 | Apache-2.0 | 2021-07-16T03:35:17 | 2021-07-16T03:35:17 | null | UTF-8 | Python | false | false | 822 | py | #
# Actions around access to logs on distributed workers.
#
import datetime
import os
import psutil
import re
import signal
import shutil
import socket
import time
import traceback
import yaml
from flask import Flask, jsonify, abort, request, flash
from web import app, db, utils
def get_log_lines(worker, log_type, log_id, blockchain):
try:
payload = {"type": log_type }
if log_id != 'undefined':
payload['log_id'] = log_id
if blockchain != 'undefined':
payload['blockchain'] = blockchain
response = utils.send_get(worker, "/logs/{0}".format(log_type), payload, debug=False)
return response.content.decode('utf-8')
except:
app.logger.info(traceback.format_exc())
return 'Failed to load log file from {0}'.format(worker.hostname)
| [
"[email protected]"
] | |
1e748bcd33d6fe1bf140ccdb45cb963a56a7eaaa | 55c552b03a07dcfa2d621b198aa8664d6ba76b9a | /Algorithm/BOJ/13300_방 배정_b2/13300.py | 1f760d8e2112fd870232bb7889e148e0582076d3 | [] | no_license | LastCow9000/Algorithms | 5874f1523202c10864bdd8bb26960953e80bb5c0 | 738d7e1b37f95c6a1b88c99eaf2bc663b5f1cf71 | refs/heads/master | 2023-08-31T12:18:45.533380 | 2021-11-07T13:24:32 | 2021-11-07T13:24:32 | 338,107,899 | 0 | 1 | null | null | null | null | UTF-8 | Python | false | false | 723 | py | # boj 13300 방 배정 b2
# https://www.acmicpc.net/problem/13300
import math
N, K = map(int, input().split())
count_studentMen = [0] * 7 # 6학년까지 ex. 1학년은 1번인덱스를 사용
count_studentWomen = [0] * 7
res = 0
for i in range(N):
S, Y = map(int, input().split()) # S성별 Y학년
if S == 0: # 여자라면
count_studentWomen[Y] += 1 # 해당하는 학년의 여자수 증가
else:
count_studentMen[Y] += 1
for i in range(1, 7): # 1~6학년까지 돌면서
# 학년당 인원수 / 한방에 들어갈 수 있는 인원수 올림처리 ex. 2.3 일겨우 3개
res += math.ceil(count_studentMen[i] / K)
res += math.ceil(count_studentWomen[i] / K)
print(res)
| [
"[email protected]"
] | |
36e25d40975cb3f2bbb9ca251092b2dcf81d78b0 | de24f83a5e3768a2638ebcf13cbe717e75740168 | /moodledata/vpl_data/303/usersdata/298/68638/submittedfiles/testes.py | 7bb6c9f0c7507804399fccf4e2c1e9aca7ac8f50 | [] | no_license | rafaelperazzo/programacao-web | 95643423a35c44613b0f64bed05bd34780fe2436 | 170dd5440afb9ee68a973f3de13a99aa4c735d79 | refs/heads/master | 2021-01-12T14:06:25.773146 | 2017-12-22T16:05:45 | 2017-12-22T16:05:45 | 69,566,344 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,370 | py | print('Sejam a, b e c os coeficientes de uma equação do segundo grau')
a = float(input('Digite a: '))
b = float(input('Digite b: '))
c = float(input('Digite c: '))
delta = (b**2 - 4*a*c)
if (delta>=0):
raizdelta = float((delta)**(1/2))
else:
raizdelta = float((-(delta)**(1/2))*float(j))
x1 = float(-b/2 + raizdelta/2)
x2 = float(-b/2 - raizdelta/2)
print('A variável x assume os valores x1=%f e x2+%f' % (x1, x2))
n1 = float(input('Digite um valor N1: '))
n2 = float(input('Digite um valor N2: '))
n3 = float(input('Digite um valor N3: '))
total = n1 + n2 + n3
print('TOTAL = %f' % total)
print('\n')
raio = float(input('Insira o raio do círculo, em centímetros: '))
pi = 3.141592
area = float(pi*((raio)**2))
print('A área do círculo é, aproximadamente, A=%.3f cm^2' % area)
print('\n')
altura = float(input('Qual a sua altura, em metros?: '))
peso = float((72.7*altura) - 58)
print('Seu peso ideal é %.2f kg' % peso)
print('\n')
metro = float(input('Insira a medida f, em metros: '))
cent = float((metro)*100)
print('A medida f é f=%.2f cm' % cent)
print('\n')
nota1 = float(input('Qual sua primeira nota?: '))
nota2 = float(input('Qual sua segunda nota?: '))
nota3 = float(input('Qual sua terceira nota?: '))
nota4 = float(input('Qual sua quarta nota?: '))
media = float((nota1 + nota2 + nota3 + nota4)/4)
print('Sua média é %.1f' % media) | [
"[email protected]"
] | |
ff33b0745544823f2ef412e0af480151dc88739a | 8ef477149fdd8cd8c0ad88f160e2b8a445550a1e | /ebay_message_mgnt_v13/models/sale.py | 640d56cdf61c3f2595d74646f9d71dd5e8ca8e3f | [] | no_license | cokotracy/ebay_connector_v13 | 97f3e23ba951f14457514b71b408b389a7c16dc7 | 3c08603875d464e5bee818091fa704f5f7192499 | refs/heads/master | 2022-07-19T21:15:23.065880 | 2020-05-20T15:20:23 | 2020-05-20T15:20:23 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 15,814 | py | from odoo import api, fields, models, _
import time
import datetime
# from odoo import SUPERUSER_ID, api
import logging
logger = logging.getLogger('sale')
class sale_shop(models.Model):
_inherit = "sale.shop"
last_ebay_messages_import = fields.Datetime('Last Ebay Messages Import')
def import_ebay_customer_messages(self):
'''
This function is used to Import Ebay customer messages
parameters:
No Parameter
'''
print ("ibnmmmmmmmmmmmmmmm innnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnnn")
connection_obj = self.env['ebayerp.osv']
mail_obj =self.env['mail.thread']
mail_msg_obj = self.env['mail.message']
partner_obj = self.env['res.partner']
sale_shop_obj = self.env['sale.shop']
message_obj = self.env['ebay.messages']
# shop_obj = self
inst_lnk = self.instance_id
#
# for id in ids:
# shop_data = self.browse(cr,uid,id)
inst_lnk = self.instance_id
currentTimeTo = datetime.datetime.utcnow()
currentTimeTo = time.strptime(str(currentTimeTo), "%Y-%m-%d %H:%M:%S.%f")
currentTimeTo = time.strftime("%Y-%m-%dT%H:%M:%S.000Z",currentTimeTo)
currentTimeFrom = self.last_ebay_messages_import
currentTime = datetime.datetime.strptime(currentTimeTo, "%Y-%m-%dT%H:%M:%S.000Z")
if not currentTimeFrom:
now = currentTime - datetime.timedelta(days=100)
currentTimeFrom = now.strftime("%Y-%m-%dT%H:%M:%S.000Z")
else:
currentTimeFrom = time.strptime(currentTimeFrom, "%Y-%m-%d %H:%M:%S")
now = currentTime - datetime.timedelta(days=5)
currentTimeFrom = now.strftime("%Y-%m-%dT%H:%M:%S.000Z")
pageNo = 1
data = True
while data:
results = connection_obj.call(inst_lnk, 'GetMemberMessages',currentTimeFrom,currentTimeTo,pageNo)
if not results:
data = False
continue
pageNo = pageNo + 1
# for testing
# results.append({
# 'Subject' : "Test For Available sender Id Type of MESSAGES, states",
# 'MessageID' : "1124165313010244433",
# 'SenderID' : "karamveer26",
# 'SenderEmail' : "[email protected]",
# 'RecipientID' : "powerincloud.store2",
# 'Body' : "Test For Available sender Id Type of MESSAGES",
# 'ItemID' : "261698035031"
# })
if results:
for msg in results:
if msg:
if msg.get('RecipientID'):
part_ids_recep = partner_obj.search([('name','=', msg.get('RecipientID'))])
if not len(part_ids_recep):
part_id_recp = partner_obj.create({'name' : msg.get('RecipientID')})
else:
part_id_recp = part_ids_recep[0]
if msg.get('SenderID'):
part_ids_sender = partner_obj.search([('name','=', msg.get('SenderID'))])
if not len(part_ids_sender):
part_id_sender = partner_obj.create({'name' : msg.get('SenderID')})
else:
part_id_sender = part_ids_sender[0]
if not msg.get('RecipientID') or not msg.get('SenderID'):
continue
msg_vals = {
'name' : msg.get('Subject',False),
'message_id' : msg.get('MessageID',False),
'sender' : part_id_sender.id,
'sender_email' : msg.get('SenderEmail',False),
'recipient_user_id' : part_id_recp.id,
'body' : msg.get('Body',False),
'item_id' : msg.get('ItemID',False),
'shop_id' : self.id
}
# m_ids = message_obj.search(cr, uid, [('message_id','=', msg['MessageID'])])
m_ids = message_obj.search([('message_id','=',msg.get('MessageID'))])
if not m_ids:
# self._context.update({'ebay' : True})
m_id = message_obj.create(msg_vals)
self._cr.commit()
else:
msg_vals = {
'res_id' : m_ids[0].id,
'model' : 'ebay.messages',
'record_name' : msg.get('SenderEmail') or '',
'body' : msg.get('Body',False),
'email_from' : msg.get('SenderEmail') or '',
'message_id_log' : msg.get('MessageID',False),
'shop_id': self._context.get('active_id')
}
log_msg_ids = mail_msg_obj.search([('message_id_log','=', msg.get('MessageID'))])
if not len(log_msg_ids):
# self._context.update({'ebay' : True})
mail_id = mail_msg_obj.create(msg_vals)
now_data = m_ids[0]
if now_data.state != 'unassigned':
message_obj.write(m_ids[0].id, {'state' : 'pending'})
self._cr.commit()
else:
mail_id = log_msg_ids[0]
self._cr.commit()
self.write({'last_ebay_messages_import' : currentTimeTo})
return True
def import_ebay_customer_messages_jinal(self):
'''
This function is used to Import Ebay customer messages
parameters:
No Parameter
'''
connection_obj = self.env['ebayerp.osv']
mail_obj = self.env['mail.thread']
mail_msg_obj = self.env['mail.message']
partner_obj = self.env['res.partner']
sale_shop_obj = self.env['sale.shop']
message_obj = self.env['ebay.messages']
# inst_lnk = s.instance_id
#
# for id in ids:
# shop_data = self.browse(cr,uid,id)
inst_lnk = self.instance_id
currentTimeTo = datetime.datetime.utcnow()
currentTimeTo = time.strptime(str(currentTimeTo), "%Y-%m-%d %H:%M:%S.%f")
currentTimeTo = time.strftime("%Y-%m-%dT%H:%M:%S.000Z",currentTimeTo)
currentTimeFrom = self.last_ebay_messages_import
currentTime = datetime.datetime.strptime(currentTimeTo, "%Y-%m-%dT%H:%M:%S.000Z")
if not currentTimeFrom:
now = currentTime - datetime.timedelta(days=100)
currentTimeFrom = now.strftime("%Y-%m-%dT%H:%M:%S.000Z")
else:
currentTimeFrom = time.strptime(currentTimeFrom, "%Y-%m-%d %H:%M:%S")
now = currentTime - datetime.timedelta(days=5)
currentTimeFrom = now.strftime("%Y-%m-%dT%H:%M:%S.000Z")
results = connection_obj.call(inst_lnk, 'GetMyMessages', currentTimeFrom, currentTimeTo, False)
if results:
datas = connection_obj.call(inst_lnk, 'GetMyMessages', currentTimeFrom, currentTimeTo, results)
if datas:
for msg in datas:
if msg:
dd = False
if msg['ExpirationDate']:
d = msg['ExpirationDate']
dd = datetime.datetime.strptime(d[:19], '%Y-%m-%dT%H:%M:%S')
msg_vals = {
'name' : msg.get('Subject',False),
'message_id' : msg.get('MessageID',False),
'external_msg_id' : msg.get('ExternalMessageID',False),
'sender' : msg.get('Sender',False),
'recipient_user_id' : msg.get('RecipientUserID',False),
'expiry_on_date' : dd,
'body' : msg.get('Text',False),
'item_id' : msg.get('ItemID',False)
}
m_ids = message_obj.search([('message_id','=', msg['MessageID'])])
if not m_ids:
self._cr.commit()
self.write({'last_ebay_messages_import' : currentTimeTo})
return True
sale_shop()
class mail_message(models.Model):
_inherit = "mail.message"
message_id_log = fields.Char('MessageID',size=256)
is_reply = fields.Boolean('Reply')
@api.model
def _message_read_dict_postprocess(self, messages, message_tree):
""" Post-processing on values given by message_read. This method will
handle partners in batch to avoid doing numerous queries.
:param list messages: list of message, as get_dict result
:param dict message_tree: {[msg.id]: msg browse record as super user}
"""
# 1. Aggregate partners (author_id and partner_ids), attachments and tracking values
partners = self.env['res.partner'].sudo()
attachments = self.env['ir.attachment']
trackings = self.env['mail.tracking.value']
# for key, message in message_tree.iteritems():
for key, message in message_tree.items():
if message.author_id:
partners |= message.author_id
if message.subtype_id and message.partner_ids: # take notified people of message with a subtype
partners |= message.partner_ids
elif not message.subtype_id and message.partner_ids: # take specified people of message without a subtype (log)
partners |= message.partner_ids
if message.needaction_partner_ids: # notified
partners |= message.needaction_partner_ids
if message.attachment_ids:
attachments |= message.attachment_ids
if message.tracking_value_ids:
trackings |= message.tracking_value_ids
# Read partners as SUPERUSER -> message being browsed as SUPERUSER it is already the case
partners_names = partners.name_get()
partner_tree = dict((partner[0], partner) for partner in partners_names)
# 2. Attachments as SUPERUSER, because could receive msg and attachments for doc uid cannot see
attachments_data = attachments.sudo().read(['id', 'name', 'mimetype'])
attachments_tree = dict((attachment['id'], {
'id': attachment['id'],
'filename': attachment['name'],
'name': attachment['name'],
'mimetype': attachment['mimetype'],
}) for attachment in attachments_data)
# 3. Tracking values
tracking_tree = dict((tracking.id, {
'id': tracking.id,
'changed_field': tracking.field_desc,
'old_value': tracking.get_old_display_value()[0],
'new_value': tracking.get_new_display_value()[0],
'field_type': tracking.field_type,
}) for tracking in trackings)
# 4. Update message dictionaries
for message_dict in messages:
message_id = message_dict.get('id')
message = message_tree[message_id]
if message.author_id:
author = partner_tree[message.author_id.id]
else:
author = (0, message.email_from)
partner_ids = []
if message.subtype_id:
partner_ids = [partner_tree[partner.id] for partner in message.partner_ids
if partner.id in partner_tree]
else:
partner_ids = [partner_tree[partner.id] for partner in message.partner_ids
if partner.id in partner_tree]
customer_email_data = []
for notification in message.notification_ids.filtered(lambda notif: notif.res_partner_id.partner_share):
customer_email_data.append((partner_tree[notification.res_partner_id.id][0],
partner_tree[notification.res_partner_id.id][1], notification.email_status))
attachment_ids = []
for attachment in message.attachment_ids:
if attachment.id in attachments_tree:
attachment_ids.append(attachments_tree[attachment.id])
tracking_value_ids = []
for tracking_value in message.tracking_value_ids:
if tracking_value.id in tracking_tree:
tracking_value_ids.append(tracking_tree[tracking_value.id])
if self._context.get('default_model') == 'ebay.messages' and self._context.get('default_res_id') and not self._context.get(
'mail_post_autofollow') == True:
message_obj = self.env['ebay.messages']
obj = message_obj.browse(self._context.get('default_res_id'))
mail_obj = self.env['mail.message']
mail_data = mail_obj.browse(message_id)
if mail_data.message_id_log == False or mail_data.is_reply == True:
partner_ids = [(obj.sender.id, obj.sender.name)]
else:
partner_ids = [(obj.recipient_user_id.id, obj.recipient_user_id.name)]
if self._context.get('mail_post_autofollow') == True and self._context.get(
'default_model') == 'ebay.messages' and self._context.get('default_res_id'):
message_obj = self.env['ebay.messages']
obj = message_obj.browse(self._context.get('default_res_id'))
partner_ids = [(obj.sender.id, obj.sender.name)]
# partner_ids = obj.sender.id
message_dict.update({
'author_id': author,
'partner_ids': partner_ids,
'customer_email_status': (all(d[2] == 'sent' for d in customer_email_data) and 'sent') or
(any(d[2] == 'exception' for d in customer_email_data) and 'exception') or
(any(d[2] == 'bounce' for d in customer_email_data) and 'bounce') or 'ready',
'customer_email_data': customer_email_data,
'attachment_ids': attachment_ids,
'tracking_value_ids': tracking_value_ids,
})
return True
@api.model
def create(self,values):
message_obj = self.env['ebay.messages']
if self._context.get('ebay'):
if values.get('res_id'):
msg_data = message_obj.browse( values.get('res_id'))
values.update({'author_id' : msg_data.sender.id})
if self._context.get('default_model') == 'ebay.messages' and self._context.get('default_res_id') and self._context.get('mail_post_autofollow') == True:
msg_data = message_obj.browse( self._context.get('default_res_id'))
values.update({'author_id' : msg_data.recipient_user_id.id})
if self._context.get('ebay_reply') and self._context.get('active_id'):
msg_data = message_obj.browse( self._context.get('active_id'))
values.update({'author_id' : msg_data.recipient_user_id.id})
return super(mail_message, self).create(values) | [
"https://[email protected]"
] | https://[email protected] |
6e3dfb3631b760423c667b2beb46878bf90acc3d | 79d9637df98bc89387963fc0173f375a690f8922 | /coffee-time-challenges/01-two-bases/main.py | edbf0a927a8c53a494d1f2bc839ea9be5f6798ff | [] | no_license | schickling/challenges | 979248b916a24d232dd8adce89355b9eaf767b34 | 1af54711f0530a46395ccb18eb51fc25bf385f22 | refs/heads/master | 2020-04-06T04:00:37.007054 | 2014-11-06T22:50:33 | 2014-11-06T22:50:33 | 21,869,648 | 2 | 3 | null | 2014-08-06T21:44:20 | 2014-07-15T17:46:46 | Python | UTF-8 | Python | false | false | 369 | py | #!/usr/bin/env python3
from itertools import combinations_with_replacement
def check(x, y, z):
return x*100+y*10+z == x+y*9+z*9**2
def main():
retults = []
for x, y, z in combinations_with_replacement(list(range(10)), 3):
if check(x, y, z):
retults.append((x, y, z))
return retults
if __name__ == '__main__':
print(main())
| [
"[email protected]"
] | |
05dfe07de9ba0591de1500ea636fa068095f821c | 6fa7f99d3d3d9b177ef01ebf9a9da4982813b7d4 | /ZAYqnMhmqT5K3JWu8_23.py | c5aa2fd02e9faf3824d7d3e58878054a3bc3506e | [] | no_license | daniel-reich/ubiquitous-fiesta | 26e80f0082f8589e51d359ce7953117a3da7d38c | 9af2700dbe59284f5697e612491499841a6c126f | refs/heads/master | 2023-04-05T06:40:37.328213 | 2021-04-06T20:17:44 | 2021-04-06T20:17:44 | 355,318,759 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 84 | py |
def calculate_fuel(n):
if n * 10 <100:
return 100
else:
return n * 10
| [
"[email protected]"
] | |
8c475f1e44e2c48ce766a5e3e2fdc0acbf79ef4b | 50b9e93fb40e368c73d8d22680171f22e0200c65 | /tuesday-api/first-meet-jwt.py | a45f78edc5bc526f05c65977e80d5700d79089cc | [] | no_license | bopopescu/python-cgi-monitor | cd87a2a07a41547a19222dd7bef7190eec221ed1 | c79e81e129a5f1da3bffae6d69ec8ba2c0e2a8a6 | refs/heads/master | 2022-11-19T23:44:39.484833 | 2019-01-22T11:36:55 | 2019-01-22T11:36:55 | 281,807,428 | 0 | 0 | null | 2020-07-22T23:55:00 | 2020-07-22T23:54:59 | null | UTF-8 | Python | false | false | 2,432 | py | from datetime import datetime, timedelta
import jwt
JWT_SECRET = 'secret'
JWT_ALGORITHM = 'HS256'
JWT_ISS = 'http://192.168.254.31'
JWT_AUD = 'http://192.168.254.31'
JWT_EXP_DELTA_SECONDS = 60
def encode_jwt(user):
JWT_IAT=JWT_NBF = datetime.utcnow()
playload = {
'user_iid': user,
'iss': JWT_ISS,
'aud': JWT_AUD,
'iat': JWT_IAT,
'nbf': JWT_NBF,
'exp': datetime.utcnow() + timedelta(seconds=JWT_EXP_DELTA_SECONDS)
}
jwt_token = jwt.encode(playload, JWT_SECRET, JWT_ALGORITHM)
return jwt_token
def decode_jwt(str, user):
zoo = jwt.decode(str, 'plain', JWT_ALGORITHM, audience=user)
print zoo
print type(zoo)
print dir(zoo)
code = encode_jwt('admin')
print code
# decode_jwt('eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJhdWQiOiJodHRwOi8vMTkyLjE2OC4yNTQuMzEiLCJ1c2VyX2lpZCI6ImFkbWluIiwiaXNzIjoiaHR0cDovLzE5Mi4xNjguMjU0LjMxIiwiZXhwIjoxNTQwNTQ2MjM4LCJpYXQiOjE1NDA0NTk4MzgsIm5iZiI6MTU0MDQ1OTgzOH0.vZsPWmHUd_zcdHHQau5rzRyXdL-sw2NDymVXrSKpkUE')
# decode_jwt('eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJ1c2VyX2lkIjoid2FydXQua2QiLCJleHAiOjE1NDA0NTYwMjB9.zoWIgEN8z0X9IyxDUTi2iIPtpNfSzPREMtkEVEKV4kw')
# decode_jwt('eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9.eyJhdWQiOiJodHRwOi8vMTkyLjE2OC4yNTQuMzEiLCJ1c2VyX2lpZCI6ImFkbWluIiwiaXNzIjoiaHR0cDovLzE5Mi4xNjguMjU0LjMxIiwiZXhwIjoxNTQwNDYwNTQzLCJpYXQiOjE1NDA0NjA0ODMsIm5iZiI6MTU0MDQ2MDQ4M30.3_orBKIxZYfRq-BwlRQF__8SrFxbrAbK_OFMMgoMA0k', 'http://192.168.254.31')
# decode_jwt(code, JWT_AUD)
# decode_jwt('eyJhbGciOiJIUzI1NiIsInR5cCI6IkpXVCJ9')
def python_sha256():
import hashlib
print hashlib.sha256("playload = {'user_id': 'warut.kd','exp': datetime.utcnow() + timedelta(seconds=JWT_EXP_DELTA_SECONDS)}").hexdigest()
# python_sha256()
# async def login(request):
# post_data = await request.post()
#
# try:
# user = User.objects.get(email=post_data['email'])
# user.match_password(post_data['password'])
# except (User.DoesNotExist, User.PasswordDoesNotMatch):
# return json_response({'message': 'Wrong credentials'}, status=400)
#
# payload = {
# 'user_id': user.id,
# 'exp': datetime.utcnow() + timedelta(seconds=JWT_EXP_DELTA_SECONDS)
# }
# jwt_token = jwt.encode(payload, JWT_SECRET, JWT_ALGORITHM)
# return json_response({'token': jwt_token.decode('utf-8')})
#
# app = web.Application()
# app.router.add_route('POST', '/login', login) | [
"[email protected]"
] | |
f4cd681d7022d51d6c996a82e8b22f278d3d8f88 | 34548104ae25886505a681971a7a55e11046a213 | /facenet/train_softmax.py | 67fb73713b8236a209cc17fad3e3b13c1fead756 | [] | no_license | classnalytic/classnalytic-ML | 37b5b20c9ad57dab7a3d3128bc42bcb4d21dea15 | e78e87883978e7c415f03931136e40346da6cabc | refs/heads/master | 2020-03-22T19:44:10.523444 | 2019-02-08T14:05:45 | 2019-02-08T14:05:45 | 140,547,359 | 2 | 1 | null | null | null | null | UTF-8 | Python | false | false | 32,919 | py | """Training a face recognizer with TensorFlow using softmax cross entropy loss"""
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
from datetime import datetime
import os.path
import time
import sys
import random
import tensorflow as tf
import numpy as np
import importlib
import argparse
import facenet
import facenet.lfw
import h5py
import math
import tensorflow.contrib.slim as slim
from tensorflow.python.ops import data_flow_ops
from tensorflow.python.framework import ops
from tensorflow.python.ops import array_ops
def main(args):
network = importlib.import_module(args.model_def)
image_size = (args.image_size, args.image_size)
subdir = datetime.strftime(datetime.now(), '%Y%m%d-%H%M%S')
log_dir = os.path.join(os.path.expanduser(args.logs_base_dir), subdir)
if not os.path.isdir(log_dir): # Create the log directory if it doesn't exist
os.makedirs(log_dir)
model_dir = os.path.join(os.path.expanduser(args.models_base_dir), subdir)
if not os.path.isdir(model_dir): # Create the model directory if it doesn't exist
os.makedirs(model_dir)
stat_file_name = os.path.join(log_dir, 'stat.h5')
# Write arguments to a text file
facenet.write_arguments_to_file(
args, os.path.join(log_dir, 'arguments.txt'))
# Store some git revision info in a text file in the log directory
src_path, _ = os.path.split(os.path.realpath(__file__))
facenet.store_revision_info(src_path, log_dir, ' '.join(sys.argv))
np.random.seed(seed=args.seed)
random.seed(args.seed)
dataset = facenet.get_dataset(args.data_dir)
if args.filter_filename:
dataset = filter_dataset(dataset, os.path.expanduser(args.filter_filename),
args.filter_percentile, args.filter_min_nrof_images_per_class)
if args.validation_set_split_ratio > 0.0:
train_set, val_set = facenet.split_dataset(
dataset, args.validation_set_split_ratio, args.min_nrof_val_images_per_class, 'SPLIT_IMAGES')
else:
train_set, val_set = dataset, []
nrof_classes = len(train_set)
print('Model directory: %s' % model_dir)
print('Log directory: %s' % log_dir)
pretrained_model = None
if args.pretrained_model:
pretrained_model = os.path.expanduser(args.pretrained_model)
print('Pre-trained model: %s' % pretrained_model)
if args.lfw_dir:
print('LFW directory: %s' % args.lfw_dir)
# Read the file containing the pairs used for testing
pairs = lfw.read_pairs(os.path.expanduser(args.lfw_pairs))
# Get the paths for the corresponding images
lfw_paths, actual_issame = lfw.get_paths(
os.path.expanduser(args.lfw_dir), pairs)
with tf.Graph().as_default():
tf.set_random_seed(args.seed)
global_step = tf.Variable(0, trainable=False)
# Get a list of image paths and their labels
image_list, label_list = facenet.get_image_paths_and_labels(train_set)
assert len(image_list) > 0, 'The training set should not be empty'
val_image_list, val_label_list = facenet.get_image_paths_and_labels(
val_set)
# Create a queue that produces indices into the image_list and label_list
labels = ops.convert_to_tensor(label_list, dtype=tf.int32)
range_size = array_ops.shape(labels)[0]
index_queue = tf.train.range_input_producer(range_size, num_epochs=None,
shuffle=True, seed=None, capacity=32)
index_dequeue_op = index_queue.dequeue_many(
args.batch_size*args.epoch_size, 'index_dequeue')
learning_rate_placeholder = tf.placeholder(
tf.float32, name='learning_rate')
batch_size_placeholder = tf.placeholder(tf.int32, name='batch_size')
phase_train_placeholder = tf.placeholder(tf.bool, name='phase_train')
image_paths_placeholder = tf.placeholder(
tf.string, shape=(None, 1), name='image_paths')
labels_placeholder = tf.placeholder(
tf.int32, shape=(None, 1), name='labels')
control_placeholder = tf.placeholder(
tf.int32, shape=(None, 1), name='control')
nrof_preprocess_threads = 4
input_queue = data_flow_ops.FIFOQueue(capacity=2000000,
dtypes=[tf.string,
tf.int32, tf.int32],
shapes=[(1,), (1,), (1,)],
shared_name=None, name=None)
enqueue_op = input_queue.enqueue_many(
[image_paths_placeholder, labels_placeholder, control_placeholder], name='enqueue_op')
image_batch, label_batch = facenet.create_input_pipeline(
input_queue, image_size, nrof_preprocess_threads, batch_size_placeholder)
image_batch = tf.identity(image_batch, 'image_batch')
image_batch = tf.identity(image_batch, 'input')
label_batch = tf.identity(label_batch, 'label_batch')
print('Number of classes in training set: %d' % nrof_classes)
print('Number of examples in training set: %d' % len(image_list))
print('Number of classes in validation set: %d' % len(val_set))
print('Number of examples in validation set: %d' % len(val_image_list))
print('Building training graph')
# Build the inference graph
prelogits, _ = network.inference(image_batch, args.keep_probability,
phase_train=phase_train_placeholder, bottleneck_layer_size=args.embedding_size,
weight_decay=args.weight_decay)
logits = slim.fully_connected(prelogits, len(train_set), activation_fn=None,
weights_initializer=slim.initializers.xavier_initializer(),
weights_regularizer=slim.l2_regularizer(
args.weight_decay),
scope='Logits', reuse=False)
embeddings = tf.nn.l2_normalize(prelogits, 1, 1e-10, name='embeddings')
# Norm for the prelogits
eps = 1e-4
prelogits_norm = tf.reduce_mean(
tf.norm(tf.abs(prelogits)+eps, ord=args.prelogits_norm_p, axis=1))
tf.add_to_collection(tf.GraphKeys.REGULARIZATION_LOSSES,
prelogits_norm * args.prelogits_norm_loss_factor)
# Add center loss
prelogits_center_loss, _ = facenet.center_loss(
prelogits, label_batch, args.center_loss_alfa, nrof_classes)
tf.add_to_collection(tf.GraphKeys.REGULARIZATION_LOSSES,
prelogits_center_loss * args.center_loss_factor)
learning_rate = tf.train.exponential_decay(learning_rate_placeholder, global_step,
args.learning_rate_decay_epochs*args.epoch_size, args.learning_rate_decay_factor, staircase=True)
tf.summary.scalar('learning_rate', learning_rate)
# Calculate the average cross entropy loss across the batch
cross_entropy = tf.nn.sparse_softmax_cross_entropy_with_logits(
labels=label_batch, logits=logits, name='cross_entropy_per_example')
cross_entropy_mean = tf.reduce_mean(
cross_entropy, name='cross_entropy')
tf.add_to_collection('losses', cross_entropy_mean)
correct_prediction = tf.cast(
tf.equal(tf.argmax(logits, 1), tf.cast(label_batch, tf.int64)), tf.float32)
accuracy = tf.reduce_mean(correct_prediction)
# Calculate the total losses
regularization_losses = tf.get_collection(
tf.GraphKeys.REGULARIZATION_LOSSES)
total_loss = tf.add_n([cross_entropy_mean] +
regularization_losses, name='total_loss')
# Build a Graph that trains the model with one batch of examples and updates the model parameters
train_op = facenet.train(total_loss, global_step, args.optimizer,
learning_rate, args.moving_average_decay, tf.global_variables(), args.log_histograms)
# Create a saver
saver = tf.train.Saver(tf.trainable_variables(), max_to_keep=3)
# Build the summary operation based on the TF collection of Summaries.
summary_op = tf.summary.merge_all()
# Start running operations on the Graph.
gpu_options = tf.GPUOptions(
per_process_gpu_memory_fraction=args.gpu_memory_fraction)
sess = tf.Session(config=tf.ConfigProto(
gpu_options=gpu_options, log_device_placement=False))
sess.run(tf.global_variables_initializer())
sess.run(tf.local_variables_initializer())
summary_writer = tf.summary.FileWriter(log_dir, sess.graph)
coord = tf.train.Coordinator()
tf.train.start_queue_runners(coord=coord, sess=sess)
with sess.as_default():
if pretrained_model:
print('Restoring pretrained model: %s' % pretrained_model)
saver.restore(sess, pretrained_model)
# Training and validation loop
print('Running training')
nrof_steps = args.max_nrof_epochs*args.epoch_size
# Validate every validate_every_n_epochs as well as in the last epoch
nrof_val_samples = int(
math.ceil(args.max_nrof_epochs / args.validate_every_n_epochs))
stat = {
'loss': np.zeros((nrof_steps,), np.float32),
'center_loss': np.zeros((nrof_steps,), np.float32),
'reg_loss': np.zeros((nrof_steps,), np.float32),
'xent_loss': np.zeros((nrof_steps,), np.float32),
'prelogits_norm': np.zeros((nrof_steps,), np.float32),
'accuracy': np.zeros((nrof_steps,), np.float32),
'val_loss': np.zeros((nrof_val_samples,), np.float32),
'val_xent_loss': np.zeros((nrof_val_samples,), np.float32),
'val_accuracy': np.zeros((nrof_val_samples,), np.float32),
'lfw_accuracy': np.zeros((args.max_nrof_epochs,), np.float32),
'lfw_valrate': np.zeros((args.max_nrof_epochs,), np.float32),
'learning_rate': np.zeros((args.max_nrof_epochs,), np.float32),
'time_train': np.zeros((args.max_nrof_epochs,), np.float32),
'time_validate': np.zeros((args.max_nrof_epochs,), np.float32),
'time_evaluate': np.zeros((args.max_nrof_epochs,), np.float32),
'prelogits_hist': np.zeros((args.max_nrof_epochs, 1000), np.float32),
}
for epoch in range(1, args.max_nrof_epochs+1):
step = sess.run(global_step, feed_dict=None)
# Train for one epoch
t = time.time()
cont = train(args, sess, epoch, image_list, label_list, index_dequeue_op, enqueue_op, image_paths_placeholder, labels_placeholder,
learning_rate_placeholder, phase_train_placeholder, batch_size_placeholder, control_placeholder, global_step,
total_loss, train_op, summary_op, summary_writer, regularization_losses, args.learning_rate_schedule_file,
stat, cross_entropy_mean, accuracy, learning_rate,
prelogits, prelogits_center_loss, args.random_rotate, args.random_crop, args.random_flip, prelogits_norm, args.prelogits_hist_max, args.use_fixed_image_standardization)
stat['time_train'][epoch-1] = time.time() - t
if not cont:
break
t = time.time()
if len(val_image_list) > 0 and ((epoch-1) % args.validate_every_n_epochs == args.validate_every_n_epochs-1 or epoch == args.max_nrof_epochs):
validate(args, sess, epoch, val_image_list, val_label_list, enqueue_op, image_paths_placeholder, labels_placeholder, control_placeholder,
phase_train_placeholder, batch_size_placeholder,
stat, total_loss, regularization_losses, cross_entropy_mean, accuracy, args.validate_every_n_epochs, args.use_fixed_image_standardization)
stat['time_validate'][epoch-1] = time.time() - t
# Save variables and the metagraph if it doesn't exist already
save_variables_and_metagraph(
sess, saver, summary_writer, model_dir, subdir, epoch)
# Evaluate on LFW
t = time.time()
if args.lfw_dir:
evaluate(sess, enqueue_op, image_paths_placeholder, labels_placeholder, phase_train_placeholder, batch_size_placeholder, control_placeholder,
embeddings, label_batch, lfw_paths, actual_issame, args.lfw_batch_size, args.lfw_nrof_folds, log_dir, step, summary_writer, stat, epoch,
args.lfw_distance_metric, args.lfw_subtract_mean, args.lfw_use_flipped_images, args.use_fixed_image_standardization)
stat['time_evaluate'][epoch-1] = time.time() - t
print('Saving statistics')
with h5py.File(stat_file_name, 'w') as f:
for key, value in stat.items():
f.create_dataset(key, data=value)
return model_dir
def find_threshold(var, percentile):
hist, bin_edges = np.histogram(var, 100)
cdf = np.float32(np.cumsum(hist)) / np.sum(hist)
bin_centers = (bin_edges[:-1]+bin_edges[1:])/2
#plt.plot(bin_centers, cdf)
threshold = np.interp(percentile*0.01, cdf, bin_centers)
return threshold
def filter_dataset(dataset, data_filename, percentile, min_nrof_images_per_class):
with h5py.File(data_filename, 'r') as f:
distance_to_center = np.array(f.get('distance_to_center'))
label_list = np.array(f.get('label_list'))
image_list = np.array(f.get('image_list'))
distance_to_center_threshold = find_threshold(
distance_to_center, percentile)
indices = np.where(distance_to_center >=
distance_to_center_threshold)[0]
filtered_dataset = dataset
removelist = []
for i in indices:
label = label_list[i]
image = image_list[i]
if image in filtered_dataset[label].image_paths:
filtered_dataset[label].image_paths.remove(image)
if len(filtered_dataset[label].image_paths) < min_nrof_images_per_class:
removelist.append(label)
ix = sorted(list(set(removelist)), reverse=True)
for i in ix:
del(filtered_dataset[i])
return filtered_dataset
def train(args, sess, epoch, image_list, label_list, index_dequeue_op, enqueue_op, image_paths_placeholder, labels_placeholder,
learning_rate_placeholder, phase_train_placeholder, batch_size_placeholder, control_placeholder, step,
loss, train_op, summary_op, summary_writer, reg_losses, learning_rate_schedule_file,
stat, cross_entropy_mean, accuracy,
learning_rate, prelogits, prelogits_center_loss, random_rotate, random_crop, random_flip, prelogits_norm, prelogits_hist_max, use_fixed_image_standardization):
batch_number = 0
if args.learning_rate > 0.0:
lr = args.learning_rate
else:
lr = facenet.get_learning_rate_from_file(
learning_rate_schedule_file, epoch)
if lr <= 0:
return False
index_epoch = sess.run(index_dequeue_op)
label_epoch = np.array(label_list)[index_epoch]
image_epoch = np.array(image_list)[index_epoch]
# Enqueue one epoch of image paths and labels
labels_array = np.expand_dims(np.array(label_epoch), 1)
image_paths_array = np.expand_dims(np.array(image_epoch), 1)
control_value = facenet.RANDOM_ROTATE * random_rotate + facenet.RANDOM_CROP * random_crop + \
facenet.RANDOM_FLIP * random_flip + \
facenet.FIXED_STANDARDIZATION * use_fixed_image_standardization
control_array = np.ones_like(labels_array) * control_value
sess.run(enqueue_op, {image_paths_placeholder: image_paths_array,
labels_placeholder: labels_array, control_placeholder: control_array})
# Training loop
train_time = 0
while batch_number < args.epoch_size:
start_time = time.time()
feed_dict = {learning_rate_placeholder: lr,
phase_train_placeholder: True, batch_size_placeholder: args.batch_size}
tensor_list = [loss, train_op, step, reg_losses, prelogits, cross_entropy_mean,
learning_rate, prelogits_norm, accuracy, prelogits_center_loss]
if batch_number % 100 == 0:
loss_, _, step_, reg_losses_, prelogits_, cross_entropy_mean_, lr_, prelogits_norm_, accuracy_, center_loss_, summary_str = sess.run(
tensor_list + [summary_op], feed_dict=feed_dict)
summary_writer.add_summary(summary_str, global_step=step_)
else:
loss_, _, step_, reg_losses_, prelogits_, cross_entropy_mean_, lr_, prelogits_norm_, accuracy_, center_loss_ = sess.run(
tensor_list, feed_dict=feed_dict)
duration = time.time() - start_time
stat['loss'][step_-1] = loss_
stat['center_loss'][step_-1] = center_loss_
stat['reg_loss'][step_-1] = np.sum(reg_losses_)
stat['xent_loss'][step_-1] = cross_entropy_mean_
stat['prelogits_norm'][step_-1] = prelogits_norm_
stat['learning_rate'][epoch-1] = lr_
stat['accuracy'][step_-1] = accuracy_
stat['prelogits_hist'][epoch-1, :] += np.histogram(np.minimum(np.abs(
prelogits_), prelogits_hist_max), bins=1000, range=(0.0, prelogits_hist_max))[0]
duration = time.time() - start_time
print('Epoch: [%d][%d/%d]\tTime %.3f\tLoss %2.3f\tXent %2.3f\tRegLoss %2.3f\tAccuracy %2.3f\tLr %2.5f\tCl %2.3f' %
(epoch, batch_number+1, args.epoch_size, duration, loss_, cross_entropy_mean_, np.sum(reg_losses_), accuracy_, lr_, center_loss_))
batch_number += 1
train_time += duration
# Add validation loss and accuracy to summary
summary = tf.Summary()
#pylint: disable=maybe-no-member
summary.value.add(tag='time/total', simple_value=train_time)
summary_writer.add_summary(summary, global_step=step_)
return True
def validate(args, sess, epoch, image_list, label_list, enqueue_op, image_paths_placeholder, labels_placeholder, control_placeholder,
phase_train_placeholder, batch_size_placeholder,
stat, loss, regularization_losses, cross_entropy_mean, accuracy, validate_every_n_epochs, use_fixed_image_standardization):
print('Running forward pass on validation set')
nrof_batches = len(label_list) // args.lfw_batch_size
nrof_images = nrof_batches * args.lfw_batch_size
# Enqueue one epoch of image paths and labels
labels_array = np.expand_dims(np.array(label_list[:nrof_images]), 1)
image_paths_array = np.expand_dims(np.array(image_list[:nrof_images]), 1)
control_array = np.ones_like(
labels_array, np.int32)*facenet.FIXED_STANDARDIZATION * use_fixed_image_standardization
sess.run(enqueue_op, {image_paths_placeholder: image_paths_array,
labels_placeholder: labels_array, control_placeholder: control_array})
loss_array = np.zeros((nrof_batches,), np.float32)
xent_array = np.zeros((nrof_batches,), np.float32)
accuracy_array = np.zeros((nrof_batches,), np.float32)
# Training loop
start_time = time.time()
for i in range(nrof_batches):
feed_dict = {phase_train_placeholder: False,
batch_size_placeholder: args.lfw_batch_size}
loss_, cross_entropy_mean_, accuracy_ = sess.run(
[loss, cross_entropy_mean, accuracy], feed_dict=feed_dict)
loss_array[i], xent_array[i], accuracy_array[i] = (
loss_, cross_entropy_mean_, accuracy_)
if i % 10 == 9:
print('.', end='')
sys.stdout.flush()
print('')
duration = time.time() - start_time
val_index = (epoch-1)//validate_every_n_epochs
stat['val_loss'][val_index] = np.mean(loss_array)
stat['val_xent_loss'][val_index] = np.mean(xent_array)
stat['val_accuracy'][val_index] = np.mean(accuracy_array)
print('Validation Epoch: %d\tTime %.3f\tLoss %2.3f\tXent %2.3f\tAccuracy %2.3f' %
(epoch, duration, np.mean(loss_array), np.mean(xent_array), np.mean(accuracy_array)))
def evaluate(sess, enqueue_op, image_paths_placeholder, labels_placeholder, phase_train_placeholder, batch_size_placeholder, control_placeholder,
embeddings, labels, image_paths, actual_issame, batch_size, nrof_folds, log_dir, step, summary_writer, stat, epoch, distance_metric, subtract_mean, use_flipped_images, use_fixed_image_standardization):
start_time = time.time()
# Run forward pass to calculate embeddings
print('Runnning forward pass on LFW images')
# Enqueue one epoch of image paths and labels
nrof_embeddings = len(actual_issame)*2 # nrof_pairs * nrof_images_per_pair
nrof_flips = 2 if use_flipped_images else 1
nrof_images = nrof_embeddings * nrof_flips
labels_array = np.expand_dims(np.arange(0, nrof_images), 1)
image_paths_array = np.expand_dims(
np.repeat(np.array(image_paths), nrof_flips), 1)
control_array = np.zeros_like(labels_array, np.int32)
if use_fixed_image_standardization:
control_array += np.ones_like(labels_array) * \
facenet.FIXED_STANDARDIZATION
if use_flipped_images:
# Flip every second image
control_array += (labels_array % 2)*facenet.FLIP
sess.run(enqueue_op, {image_paths_placeholder: image_paths_array,
labels_placeholder: labels_array, control_placeholder: control_array})
embedding_size = int(embeddings.get_shape()[1])
assert nrof_images % batch_size == 0, 'The number of LFW images must be an integer multiple of the LFW batch size'
nrof_batches = nrof_images // batch_size
emb_array = np.zeros((nrof_images, embedding_size))
lab_array = np.zeros((nrof_images,))
for i in range(nrof_batches):
feed_dict = {phase_train_placeholder: False,
batch_size_placeholder: batch_size}
emb, lab = sess.run([embeddings, labels], feed_dict=feed_dict)
lab_array[lab] = lab
emb_array[lab, :] = emb
if i % 10 == 9:
print('.', end='')
sys.stdout.flush()
print('')
embeddings = np.zeros((nrof_embeddings, embedding_size*nrof_flips))
if use_flipped_images:
# Concatenate embeddings for flipped and non flipped version of the images
embeddings[:, :embedding_size] = emb_array[0::2, :]
embeddings[:, embedding_size:] = emb_array[1::2, :]
else:
embeddings = emb_array
assert np.array_equal(lab_array, np.arange(
nrof_images)) == True, 'Wrong labels used for evaluation, possibly caused by training examples left in the input pipeline'
_, _, accuracy, val, val_std, far = lfw.evaluate(
embeddings, actual_issame, nrof_folds=nrof_folds, distance_metric=distance_metric, subtract_mean=subtract_mean)
print('Accuracy: %2.5f+-%2.5f' % (np.mean(accuracy), np.std(accuracy)))
print('Validation rate: %2.5f+-%2.5f @ FAR=%2.5f' % (val, val_std, far))
lfw_time = time.time() - start_time
# Add validation loss and accuracy to summary
summary = tf.Summary()
#pylint: disable=maybe-no-member
summary.value.add(tag='lfw/accuracy', simple_value=np.mean(accuracy))
summary.value.add(tag='lfw/val_rate', simple_value=val)
summary.value.add(tag='time/lfw', simple_value=lfw_time)
summary_writer.add_summary(summary, step)
with open(os.path.join(log_dir, 'lfw_result.txt'), 'at') as f:
f.write('%d\t%.5f\t%.5f\n' % (step, np.mean(accuracy), val))
stat['lfw_accuracy'][epoch-1] = np.mean(accuracy)
stat['lfw_valrate'][epoch-1] = val
def save_variables_and_metagraph(sess, saver, summary_writer, model_dir, model_name, step):
# Save the model checkpoint
print('Saving variables')
start_time = time.time()
checkpoint_path = os.path.join(model_dir, 'model-%s.ckpt' % model_name)
saver.save(sess, checkpoint_path, global_step=step, write_meta_graph=False)
save_time_variables = time.time() - start_time
print('Variables saved in %.2f seconds' % save_time_variables)
metagraph_filename = os.path.join(model_dir, 'model-%s.meta' % model_name)
save_time_metagraph = 0
if not os.path.exists(metagraph_filename):
print('Saving metagraph')
start_time = time.time()
saver.export_meta_graph(metagraph_filename)
save_time_metagraph = time.time() - start_time
print('Metagraph saved in %.2f seconds' % save_time_metagraph)
summary = tf.Summary()
#pylint: disable=maybe-no-member
summary.value.add(tag='time/save_variables',
simple_value=save_time_variables)
summary.value.add(tag='time/save_metagraph',
simple_value=save_time_metagraph)
summary_writer.add_summary(summary, step)
def parse_arguments(argv):
parser = argparse.ArgumentParser()
parser.add_argument('--logs_base_dir', type=str,
help='Directory where to write event logs.', default='~/logs/facenet')
parser.add_argument('--models_base_dir', type=str,
help='Directory where to write trained models and checkpoints.', default='~/models/facenet')
parser.add_argument('--gpu_memory_fraction', type=float,
help='Upper bound on the amount of GPU memory that will be used by the process.', default=1.0)
parser.add_argument('--pretrained_model', type=str,
help='Load a pretrained model before training starts.')
parser.add_argument('--data_dir', type=str,
help='Path to the data directory containing aligned face patches.',
default='~/datasets/casia/casia_maxpy_mtcnnalign_182_160')
parser.add_argument('--model_def', type=str,
help='Model definition. Points to a module containing the definition of the inference graph.', default='models.inception_resnet_v1')
parser.add_argument('--max_nrof_epochs', type=int,
help='Number of epochs to run.', default=500)
parser.add_argument('--batch_size', type=int,
help='Number of images to process in a batch.', default=90)
parser.add_argument('--image_size', type=int,
help='Image size (height, width) in pixels.', default=160)
parser.add_argument('--epoch_size', type=int,
help='Number of batches per epoch.', default=1000)
parser.add_argument('--embedding_size', type=int,
help='Dimensionality of the embedding.', default=128)
parser.add_argument('--random_crop',
help='Performs random cropping of training images. If false, the center image_size pixels from the training images are used. ' +
'If the size of the images in the data directory is equal to image_size no cropping is performed', action='store_true')
parser.add_argument('--random_flip',
help='Performs random horizontal flipping of training images.', action='store_true')
parser.add_argument('--random_rotate',
help='Performs random rotations of training images.', action='store_true')
parser.add_argument('--use_fixed_image_standardization',
help='Performs fixed standardization of images.', action='store_true')
parser.add_argument('--keep_probability', type=float,
help='Keep probability of dropout for the fully connected layer(s).', default=1.0)
parser.add_argument('--weight_decay', type=float,
help='L2 weight regularization.', default=0.0)
parser.add_argument('--center_loss_factor', type=float,
help='Center loss factor.', default=0.0)
parser.add_argument('--center_loss_alfa', type=float,
help='Center update rate for center loss.', default=0.95)
parser.add_argument('--prelogits_norm_loss_factor', type=float,
help='Loss based on the norm of the activations in the prelogits layer.', default=0.0)
parser.add_argument('--prelogits_norm_p', type=float,
help='Norm to use for prelogits norm loss.', default=1.0)
parser.add_argument('--prelogits_hist_max', type=float,
help='The max value for the prelogits histogram.', default=10.0)
parser.add_argument('--optimizer', type=str, choices=['ADAGRAD', 'ADADELTA', 'ADAM', 'RMSPROP', 'MOM'],
help='The optimization algorithm to use', default='ADAGRAD')
parser.add_argument('--learning_rate', type=float,
help='Initial learning rate. If set to a negative value a learning rate ' +
'schedule can be specified in the file "learning_rate_schedule.txt"', default=0.1)
parser.add_argument('--learning_rate_decay_epochs', type=int,
help='Number of epochs between learning rate decay.', default=100)
parser.add_argument('--learning_rate_decay_factor', type=float,
help='Learning rate decay factor.', default=1.0)
parser.add_argument('--moving_average_decay', type=float,
help='Exponential decay for tracking of training parameters.', default=0.9999)
parser.add_argument('--seed', type=int,
help='Random seed.', default=666)
parser.add_argument('--nrof_preprocess_threads', type=int,
help='Number of preprocessing (data loading and augmentation) threads.', default=4)
parser.add_argument('--log_histograms',
help='Enables logging of weight/bias histograms in tensorboard.', action='store_true')
parser.add_argument('--learning_rate_schedule_file', type=str,
help='File containing the learning rate schedule that is used when learning_rate is set to to -1.', default='data/learning_rate_schedule.txt')
parser.add_argument('--filter_filename', type=str,
help='File containing image data used for dataset filtering', default='')
parser.add_argument('--filter_percentile', type=float,
help='Keep only the percentile images closed to its class center', default=100.0)
parser.add_argument('--filter_min_nrof_images_per_class', type=int,
help='Keep only the classes with this number of examples or more', default=0)
parser.add_argument('--validate_every_n_epochs', type=int,
help='Number of epoch between validation', default=5)
parser.add_argument('--validation_set_split_ratio', type=float,
help='The ratio of the total dataset to use for validation', default=0.0)
parser.add_argument('--min_nrof_val_images_per_class', type=float,
help='Classes with fewer images will be removed from the validation set', default=0)
# Parameters for validation on LFW
parser.add_argument('--lfw_pairs', type=str,
help='The file containing the pairs to use for validation.', default='data/pairs.txt')
parser.add_argument('--lfw_dir', type=str,
help='Path to the data directory containing aligned face patches.', default='')
parser.add_argument('--lfw_batch_size', type=int,
help='Number of images to process in a batch in the LFW test set.', default=100)
parser.add_argument('--lfw_nrof_folds', type=int,
help='Number of folds to use for cross validation. Mainly used for testing.', default=10)
parser.add_argument('--lfw_distance_metric', type=int,
help='Type of distance metric to use. 0: Euclidian, 1:Cosine similarity distance.', default=0)
parser.add_argument('--lfw_use_flipped_images',
help='Concatenates embeddings for the image and its horizontally flipped counterpart.', action='store_true')
parser.add_argument('--lfw_subtract_mean',
help='Subtract feature mean before calculating distance.', action='store_true')
return parser.parse_args(argv)
if __name__ == '__main__':
main(parse_arguments(sys.argv[1:]))
| [
"[email protected]"
] | |
1a604200841cdb5e426f73eaa13a5b46d175c696 | e85e846960750dd498431ac8412d9967646ff98d | /cms/urls/admin.py | a20ef9f30b42d704db803611f070617109c8e0d0 | [] | no_license | onosaburo/clublink_django | 19368b4a59b3aed3632883ceffe3326bfc7a61a6 | d2f6024b6224ea7f47595481b3382b8d0670584f | refs/heads/master | 2022-03-30T05:30:12.288354 | 2020-01-27T18:09:11 | 2020-01-27T18:09:11 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 404 | py | from django.conf.urls import include, url
urlpatterns = [
url(r'^club-sites/', include('clublink.cms.modules.club_sites.urls')),
url(r'^corp-site/', include('clublink.cms.modules.corp_site.urls')),
url(r'^assets/', include('clublink.cms.modules.assets.urls')),
url(r'^users/', include('clublink.cms.modules.users.urls')),
url(r'', include('clublink.cms.modules.dashboard.urls')),
]
| [
"[email protected]"
] | |
d52c94cca0b3de9681b5b345b45606a67bb54bd9 | 329664fce59d25d6e88c125c1105bc6b4989a3b8 | /_exercice_version_prof.py | 6fa3252521c4ec7bf995ba41442cfd66c1597a72 | [] | no_license | INF1007-2021A/2021a-c01-ch6-supp-3-exercices-LucasBouchard1 | a8e7d13d8c582ebc44fe10f4be5e98ab65609bcb | f46ea10010a823cad46bbc93dba8d7691568d330 | refs/heads/master | 2023-08-13T20:49:54.742681 | 2021-09-30T18:05:38 | 2021-09-30T18:05:38 | 410,077,221 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 4,700 | py | #!/usr/bin/env python
# -*- coding: utf-8 -*-
def check_brackets(text, brackets):
# TODO: Associer les ouvrantes et fermantes (à l'aide d'un dict)
opening_brackets = dict(zip(brackets[0::2], brackets[1::2])) # Ouvrants à fermants
closing_brackets = dict(zip(brackets[1::2], brackets[0::2])) # Fermants à ouvrants
# TODO: Vérifier les ouvertures/fermetures
bracket_stack = []
# Pour chaque char de la string
for chr in text:
# Si ouvrant:
if chr in opening_brackets:
# On empile
bracket_stack.append(chr)
# Si fermant
elif chr in closing_brackets:
# Si la pile est vide ou on n'a pas l'ouvrant associé au top de la pile
if len(bracket_stack) == 0 or bracket_stack[-1] != closing_brackets[chr]:
# Pas bon
return False
# On dépile
bracket_stack.pop()
# On vérifie que la pile est vide à la fin (au cas où il y aurait des ouvrants de trop)
return len(bracket_stack) == 0
def remove_comments(full_text, comment_start, comment_end):
# Cette ligne sert à rien, on ne modifie pas la variable originale de toute façon
text = full_text
while True:
# Trouver le prochain début de commentaire
start = text.find(comment_start)
# Trouver la prochaine fin de commentaire
end = text.find(comment_end)
# Si aucun des deux trouvés
if start == -1 and end == -1:
return text
# Si fermeture précède ouverture ou j'en ai un mais pas l'autre
if end < start or (start == -1) != (end == -1):
# Pas bon
return None
# Enlever le commentaire de la string
text = text[:start] + text[end + len(comment_end):]
def get_tag_prefix(text, opening_tags, closing_tags):
for t in zip(opening_tags, closing_tags):
if text.startswith(t[0]):
return (t[0], None)
elif text.startswith(t[1]):
return (None, t[1])
return (None, None)
def check_tags(full_text, tag_names, comment_tags):
text = remove_comments(full_text, *comment_tags)
if text is None:
return False
# On construit nos balises à la HTML ("head" donne "<head>" et "</head>")
otags = {f"<{name}>": f"</{name}>" for name in tag_names}
ctags = dict((v, k) for k, v in otags.items())
# Même algo qu'au numéro 1, mais adapté aux balises de plusieurs caractères
tag_stack = []
while len(text) != 0:
tag = get_tag_prefix(text, otags.keys(), ctags.keys())
# Si ouvrant:
if tag[0] is not None:
# On empile et on avance
tag_stack.append(tag[0])
text = text[len(tag[0]):]
# Si fermant:
elif tag[1] is not None:
# Si pile vide OU match pas le haut de la pile:
if len(tag_stack) == 0 or tag_stack[-1] != ctags[tag[1]]:
# Pas bon
return False
# On dépile et on avance
tag_stack.pop()
text = text[len(tag[1]):]
# Sinon:
else:
# On avance jusqu'à la prochaine balise.
text = text[1:]
# On vérifie que la pile est vide à la fin (au cas où il y aurait des balises ouvrantes de trop)
return len(tag_stack) == 0
if __name__ == "__main__":
brackets = ("(", ")", "{", "}", "[", "]")
yeet = "(yeet){yeet}"
yeeet = "({yeet})"
yeeeet = "({yeet)}"
yeeeeet = "(yeet"
print(check_brackets(yeet, brackets))
print(check_brackets(yeeet, brackets))
print(check_brackets(yeeeet, brackets))
print(check_brackets(yeeeeet, brackets))
print()
spam = "Hello, world!"
eggs = "Hello, /* OOGAH BOOGAH world!"
parrot = "Hello, OOGAH BOOGAH*/ world!"
print(remove_comments(spam, "/*", "*/"))
print(remove_comments(eggs, "/*", "*/"))
print(remove_comments(parrot, "/*", "*/"))
print()
otags = ("<head>", "<body>", "<h1>")
ctags = ("</head>", "</body>", "</h1>")
print(get_tag_prefix("<body><h1>Hello!</h1></body>", otags, ctags))
print(get_tag_prefix("<h1>Hello!</h1></body>", otags, ctags))
print(get_tag_prefix("Hello!</h1></body>", otags, ctags))
print(get_tag_prefix("</h1></body>", otags, ctags))
print(get_tag_prefix("</body>", otags, ctags))
print()
spam = (
"<html>"
" <head>"
" <title>"
" <!-- Ici j'ai écrit qqch -->"
" Example"
" </title>"
" </head>"
" <body>"
" <h1>Hello, world</h1>"
" <!-- Les tags vides sont ignorés -->"
" <br>"
" <h1/>"
" </body>"
"</html>"
)
eggs = (
"<html>"
" <head>"
" <title>"
" <!-- Ici j'ai écrit qqch -->"
" Example"
" <!-- Il manque un end tag"
" </title>-->"
" </head>"
"</html>"
)
parrot = (
"<html>"
" <head>"
" <title>"
" Commentaire mal formé -->"
" Example"
" </title>"
" </head>"
"</html>"
)
tags = ("html", "head", "title", "body", "h1")
comment_tags = ("<!--", "-->")
print(check_tags(spam, tags, comment_tags))
print(check_tags(eggs, tags, comment_tags))
print(check_tags(parrot, tags, comment_tags))
print()
| [
"66690702+github-classroom[bot]@users.noreply.github.com"
] | 66690702+github-classroom[bot]@users.noreply.github.com |
ad894d4f56aba4cac738231d9e972e40bc62b0a9 | 3d7e1a506d65c23c84b7430fa46623cb98de8c64 | /moreifelse.py | d00d9e4937067bacab561253371fcb13cdce1fc3 | [] | no_license | crakama/UdacityIntrotoComputerScience | cb6ac8a9084f078eaf245a52adc43541c35dc3f4 | 416b82b85ff70c48eabae6bb9d7b43354a158d9a | refs/heads/master | 2021-01-09T20:39:15.974791 | 2016-07-18T20:59:09 | 2016-07-18T20:59:09 | 60,571,882 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 396 | py | # Define a procedure, is_friend, that takes
# a string as its input, and returns a
# Boolean indicating if the input string
# is the name of a friend. Assume
# I am friends with everyone whose name
# starts with either 'D' or 'N', but no one
# else. You do not need to check for
# lower case 'd' or 'n
def is_friend(string):
if string[0] == 'D' or string[0] == 'N':
return True
return False
| [
"[email protected]"
] | |
8231022b260cc49ceca99cdc566df4b0860f21eb | fb468eee3a5a6467d299373c9632802f903c2ea8 | /CIL/rastersystem.py | 852c637a35a6a47c79a18a505dbba2b8e199b57a | [] | no_license | fish2000/cython-imaging | ebcd51789692de756fd8cd1030636364d1c248ba | a3f0d1784275a3d4e3ad509b77c7563856be96d4 | refs/heads/master | 2021-01-20T11:23:00.414850 | 2012-07-14T20:17:29 | 2012-07-14T20:17:29 | 4,513,759 | 1 | 1 | null | null | null | null | UTF-8 | Python | false | false | 16,504 | py | #!/usr/bin/env python
#
# NB: see warning regarding matrix row/column ordering in raytracer.cpp file header
#
# The matrix is stored in sparse format.
# For each row we have an (index,value) pair.
import numpy as np
from os.path import isdir, join, basename, dirname, abspath, splitext
from os import getcwd, chdir
from scipy.integrate import quadrature
from scipy import special
from h5py import File
from datetime import datetime
from glob import glob
from optparse import OptionParser
import sys
ipython = hasattr(sys, 'ipcompleter')
if ipython:
from IPython.Debugger import Tracer
dbg = Tracer()
else:
def dbg():
print("Run inside ipython to activate debugging")
def log_verbose(msg, force=True):
print( "{} {}".format(datetime.now(),msg) )
def log_quiet(msg, force=False):
if force:
log_verbose( msg )
pass
def logerr(msg):
log_verbose( "ERROR: " + msg )
def logwarn(msg):
log_verbose( "WARNING: " + msg )
log = log_quiet
#############################################################################################
# C++ interface glue
#############################################################################################
import ctypes
from ctypes import c_void_p as cvoidp, c_int as cint
#from ctypes import c_float as cfloat
#from ctypes import c_char_p as ccharp
#from ctypes import c_bool as cbool
from ctypes import c_uint64 as cuint64
from ctypes import c_uint8 as cuint8
from ctypes import c_double as cdouble
from ctypes import POINTER
from functools import partial
ptrUInt8_3D = np.ctypeslib.ndpointer(dtype=np.uint8, ndim=3, flags='CONTIGUOUS')
ptrUInt8_2D = np.ctypeslib.ndpointer(dtype=np.uint8, ndim=2, flags='CONTIGUOUS')
ptrUInt8 = np.ctypeslib.ndpointer(dtype=np.uint8, ndim=1, flags='CONTIGUOUS')
ptrInt32_3D = np.ctypeslib.ndpointer(dtype=np.int32, ndim=3, flags='CONTIGUOUS')
ptrInt32_2D = np.ctypeslib.ndpointer(dtype=np.int32, ndim=2, flags='CONTIGUOUS')
ptrInt32 = np.ctypeslib.ndpointer(dtype=np.int32, ndim=1, flags='CONTIGUOUS')
ptrFloat_3D = np.ctypeslib.ndpointer(dtype=np.float32, ndim=3, flags='CONTIGUOUS')
ptrFloat_2D = np.ctypeslib.ndpointer(dtype=np.float32, ndim=2, flags='CONTIGUOUS')
ptrFloat = np.ctypeslib.ndpointer(dtype=np.float32, ndim=1, flags='CONTIGUOUS')
ptrUInt64_3D = np.ctypeslib.ndpointer(dtype=np.uint64, ndim=3, flags='CONTIGUOUS')
ptrUInt64_2D = np.ctypeslib.ndpointer(dtype=np.uint64, ndim=2, flags='CONTIGUOUS')
ptrUInt64 = np.ctypeslib.ndpointer(dtype=np.uint64, ndim=1, flags='CONTIGUOUS')
class CPlusPlusInterface(object):
def bindfunc(self, name, restype=None, argtypes=[]):
mangledName = self.__class__.__name__ + '_' + name
self._dll.__setattr__(mangledName, self._dll.__getattr__(mangledName))
func = self._dll.__getattr__(mangledName)
func.restype = restype
func.argtypes = [cvoidp] + argtypes
self.__setattr__(name, partial(func, self.obj))
self._name = {
'name': name,
'mangledName': mangledName}
#############################################################################################
# Example external C++ library interface
#############################################################################################
'''
class ExampleWrapper(CPlusPlusInterface):
def __init__(self):
self._dll = ctypes.cdll.LoadLibrary('./build/libexample.dylib')
self._dll.Example_New.restype = cvoidp
self.obj = self._dll.Example_New()
self.bindfunc('Release')
self.bindfunc('Foo', None, [ccharp])
self.bindfunc('Sum_Array', cfloat, [ptrFloat_3D, cint, cint, cint])
self.bindfunc('Get_Cached_Sum', cfloat)
self._Sum_Array = self.Sum_Array
self.Sum_Array = lambda X: self._Sum_Array(np.ascontiguousarray(X), *X.shape)
'''
try:
if __file__:
pass
except:
from os import environ
__file__ = environ.get('PWD')
#############################################################################################
# External C++ library interface
#############################################################################################
RS = None
class RasterSystem(CPlusPlusInterface):
class Digest(ctypes.Structure):
_fields_ = [("id", POINTER(cint)),
("coeffs", POINTER(cuint8)),
("size", cint)]
def __init__(self, dataDir):
# currently need to be in the raytracer dir for this to work
chdir(abspath(dirname(__file__)))
self._dll = ctypes.cdll.LoadLibrary(join(getcwd(), 'ext/librastersystem.so'))
self._dll.RasterSystem_Get_Instance.restype = cvoidp
self.obj = self._dll.RasterSystem_Get_Instance()
"""
# setters
self.bindfunc( 'Bind_Path', None,
[ptrFloat_2D, cint] )
self.bindfunc( 'Bind_Ray', None,
[ptrFloat] )
self.bindfunc( 'Bind_Exit_Dir', None,
[ptrFloat] )
self.bindfunc( 'Bind_Row_Indices', None,
[ptrInt32, cint] )
self.bindfunc( 'Bind_Row_Weights', None,
[ptrFloat, cint] )
self.bindfunc( 'Bind_RBF_LUT', None,
[ptrFloat, cint] )
self.bindfunc( 'Bind_RBF_Integral_LUT', None,
[ptrFloat, cint] )
self.bindfunc( 'Set_RBF_Radius', None,
[cfloat] )
# main interaction functions
self.bindfunc( 'Init_HDF5', None,
[ccharp] )
self.bindfunc( 'Close_HDF5', None,
[] )
self.bindfunc( 'Insert_Points', None,
[ptrFloat_2D, cint, ptrFloat, ptrFloat_2D] )
self.bindfunc( 'Solve_ODE', cint,
[] )
"""
# MY SHIT
self.bindfunc( 'Calculate_PHash_Digest', None,
[ptrUInt8_3D, cdouble, cdouble, self.Digest, cint] )
self.bindfunc( 'Calculate_PHash_DCT', None,
[ptrUInt8_3D, cuint64] )
"""
# for debugging
self.bindfunc( 'Build_Matrix_Row', cint,
[ptrFloat_2D, cint] )
self.bindfunc( 'Range_Search', cint,
[cfloat, cfloat, cfloat] )
self.bindfunc( 'Interpolate', cfloat,
[cfloat, cfloat, cfloat, ptrFloat] )
self.bindfunc( 'Get_RBF_Radius', cfloat,
[] )
self.bindfunc( 'Get_HMin', cfloat,
[] )
self.bindfunc( 'Get_HMax', cfloat,
[] )
"""
def old_init(self, dataDir):
# init ray in/out buffers
self.ray = np.zeros( 6, dtype=np.float32 )
self.Bind_Ray( self.ray )
self.exitDir = np.zeros( 3, dtype=np.float32 )
self.Bind_Exit_Dir( self.exitDir )
# init path
# bad things will happen if these buffers overflow in the C++ code
BUFSIZE = 4096
self.path = np.zeros( (BUFSIZE,3), dtype=np.float32 )
self.Bind_Path( self.path, self.path.shape[0] )
self.rowIndices = np.zeros( BUFSIZE, dtype=np.int32 )
self.Bind_Row_Indices( self.rowIndices, self.rowIndices.shape[0] )
self.rowWeights = np.zeros( BUFSIZE, dtype=np.float32 )
self.Bind_Row_Weights( self.rowWeights, self.rowWeights.shape[0] )
# init voxels and rays
assert isdir( dataDir ), "Invalid data directory"
self.dataDir = dataDir
voxelFile = join( dataDir, 'voxels.h5' )
#rayFile = join( dataDir, 'rays.h5' )
# get interVoxelSpace of finest resolution grid
log( "Loading " + voxelFile )
with File( voxelFile, 'r' ) as dat:
self.interVoxelSpace = sorted( map(float,dat.keys()) )[0]
group = dat[str(self.interVoxelSpace)]
try:
pos = group['pos'][:]
rindex = group['rindex'][:]
gradients = group['gradients'][:]
if pos.shape != gradients.shape or len(pos) != len(rindex):
logerr( "Mismatching voxel dataset sizes" )
return
except KeyError, err:
logerr( "{} in group '{}'".format(err.message,group.name) )
return
log( "Initialising voxels for raytracer" )
self.insert_points( pos, rindex, gradients )
# init RBF (radial basis function / filter kernel)
nBins = 256
self.radius = self.select_rbf_radius()
(self.rbf_lut, self.rbf_integral_lut) = self.get_rbf( nBins )
self.Bind_RBF_LUT( self.rbf_lut, nBins )
self.Bind_RBF_Integral_LUT( self.rbf_integral_lut, nBins )
self.Set_RBF_Radius( self.radius )
def init_traced_file(self, cam):
assert '{:03d}'.format(int(cam)) == cam
self.tracedFile = join( self.dataDir, 'traced_{}.h5'.format(cam) )
self.Init_HDF5( self.tracedFile )
def kaiser_bessel_filter(self, resolution, alpha=2.0):
"""Tabled 1D function from 1 to [slightly above] 0 in 'resolution' steps"""
# let radius = 1 unit
samples = np.linspace( 0, 1, resolution )
def kb(d):
"""Value of KaiserBessel filter of radius 1 at distance d from centre"""
bessel = lambda y: special.iv(0,y)
return bessel( np.pi*alpha*np.sqrt(1-d**2) ) / bessel( np.pi*alpha )
rbf_lut = kb( samples ).astype(np.float32)
def integrand(d, y):
"""kb filter value at distance y away from midpoint of a chord
d world units away (orthogonally) from basis function centre"""
hypot = np.sqrt( d**2 + y**2 )
return kb( hypot )
rbf_integral_lut = np.empty( resolution, dtype=np.float32 )
for (i,d) in enumerate( samples ):
ymax = np.sqrt( 1 - d**2 )
f = lambda y: integrand( d, y )
rbf_integral_lut[i] = quadrature( f, -ymax,ymax, vec_func=False )[0]
return (rbf_lut, rbf_integral_lut/rbf_integral_lut[0])
def get_rbf(self, resolution, alpha=2.0):
"""Load existing RBF kernel from disk, otherwise generate it"""
lutFilename = join( self.dataDir, 'rbf.h5' )
try:
# load existing kernel from disk
with File( lutFilename, 'r' ) as dat:
log( "Loading RBF kernel" )
rbf_lut = dat['rbf_lut'][:]
rbf_integral_lut = dat['rbf_integral_lut'][:]
if rbf_lut.shape != rbf_integral_lut.shape:
raise ValueError( "LUT resolution mismatch" )
if rbf_lut.size != resolution:
raise ValueError( "LUT resolution mismatch" )
except (IOError, ValueError):
# if it didn't already exist in correct size, create data and save
(rbf_lut, rbf_integral_lut) = self.kaiser_bessel_filter( resolution, alpha )
with File( lutFilename, 'w' ) as dat:
log( "Precomputing RBF kernel" )
def insert(name, data):
dat.create_dataset( name, data=data, compression=3, shuffle=True )
insert( 'rbf_lut', rbf_lut )
insert( 'rbf_integral_lut', rbf_integral_lut )
dat.attrs['timestamp'] = str( datetime.now() )
return (rbf_lut, rbf_integral_lut)
def select_rbf_radius(self):
"""Find reasonable size for RBF (width in inches)"""
# want to reach the voxel diagonally adjacent to a voxel, but not overlap
# the one two voxels off along a single dimension
minFactor = np.sqrt(3)
maxFactor = 2
factor = (minFactor + maxFactor) / 2
log( "InterVoxel:{}, RBF_Radius:{}".format(self.interVoxelSpace, self.interVoxelSpace*factor) )
return self.interVoxelSpace * factor
def insert_points(self, points, rindices, gradients):
"""points = Nx3, will be labelled sequentially"""
ascont = lambda arr: np.ascontiguousarray( arr, dtype=np.float32 )
self.Insert_Points( ascont(points), points.shape[0],
ascont(rindices), ascont(gradients) )
def solve_ode(self, ray):
"""ray = 1x6 vector (x,y,z,dx,dy,dz), unit length dir"""
# passing ctypes arrays to C++ funcs incurs some nontrivial overhead
# so rather than passing ray as an argument, write its values directly
# to memory shared by Python/C++ and then call Solve_ODE without args
self.ray[:] = ray[:]
pair = self.Solve_ODE()
# decode the 'tuple' of two 16bit ints packed into single 32bit int
pathLength = pair >> 16
#nnz = pair - (pathLength << 16)
if pathLength > 0:
# return angle difference between ingoing and exiting directions (radians)
dot = np.dot( ray[3:], self.exitDir )
return np.arccos( dot ) if abs(dot)<=1 else 0
# NOTE there may be something wrong with computed delta.
# they are always zero or occassionally 0.0197823 (homogeneous voxels)
else:
return 0
def build_matrix_row(self, path):
"""path = mx3 matrix (x,y,z)
m = num steps inside bbox after resampling
After this, self.path and self.indices are sparse vector of points"""
path = np.ascontiguousarray( path, dtype=np.float32 )
return self.Build_Matrix_Row( path, path.shape[0] )
# for debugging
def range_search(self, x, y, z):
return self.Range_Search( x, y, z )
# for debugging
def interpolate(self, x, y, z):
gradient = np.empty( 3, dtype=np.float32 )
rindex = self.Interpolate( x,y,z, gradient )
return (rindex, gradient)
def main(cam):
"""Trace and output results for all rays belonging to this camera"""
# note that we intentionally output traced rays to multiple files rather
# then keeping them more neatly as groups within a single HDF5 file. This
# is because raytracing is the slowest operation and we may want to
# perform it on multiple computers in parallel, so they cannot all be
# writing to the same file simultaneously.
RS.init_traced_file(cam)
# now trace each camera
rayFile = join( RS.dataDir, 'rays.h5' )
log( "Loading " + rayFile )
with File( rayFile, 'r' ) as dat:
if cam not in dat.keys():
logerr( "Missing '{}' in '{}'".format(cam,dat.name) )
return
group = dat[cam]
log( "Tracing camera " + cam )
origin = group['origin']
direction = group['direction']
rays = np.hstack( [origin, direction] )
delta = np.rad2deg( np.array(map(RS.solve_ode,rays),dtype=np.float32) )
# now write output to disk
# don't open file with 'w' otherwise you clobber the existing data
RS.Close_HDF5()
log( "Saving data to " + RS.tracedFile )
with File( RS.tracedFile, 'r+' ) as dat:
dat.attrs['timestamp'] = str( datetime.now() )
def insert(name, data):
dat.create_dataset( name, data=data, compression=3, shuffle=True )
insert( 'degreesTraced', delta )
log( "Done tracing " + cam )
if __name__ == '__main__':
cmd = OptionParser()
cmd.add_option("--dataDir", default=None,
type="string", metavar="DIR",
help="location of data files to process [%default]")
cmd.add_option("--camera", default=-1,
type="int", metavar="N",
help="camera angle to trace (-1 for all) [%default]")
cmd.add_option("-v", "--verbose", default=False,
action="store_true",
help="output additional progress information [%default]")
(opt,args) = cmd.parse_args()
if opt.verbose:
log = log_verbose
RS = RasterSystem( opt.dataDir )
if opt.camera == -1:
cameras = [splitext( basename(c) )[0].split( '_' )[-1]
for c in glob( join(opt.dataDir,'data_far_???.h5') )]
for cam in cameras:
main( cam )
else:
cam = '{:03d}'.format( opt.camera )
main( cam )
| [
"[email protected]"
] | |
97ee66ff1a3f90a62d9c62d68d7867612770f666 | eee6dd18897d3118f41cb5e6f93f830e06fbfe2f | /venv/lib/python3.6/site-packages/sklearn/gaussian_process/tests/test_kernels.py | 291458c12d1df9af9acbc79e933cb0ac4a84c03a | [] | no_license | georgeosodo/ml | 2148ecd192ce3d9750951715c9f2bfe041df056a | 48fba92263e9295e9e14697ec00dca35c94d0af0 | refs/heads/master | 2020-03-14T11:39:58.475364 | 2018-04-30T13:13:01 | 2018-04-30T13:13:01 | 131,595,044 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 12,539 | py | """Testing for kernels for Gaussian processes."""
# Author: Jan Hendrik Metzen <[email protected]>
# License: BSD 3 clause
from sklearn.externals.funcsigs import signature
import numpy as np
from sklearn.gaussian_process.kernels import _approx_fprime
from sklearn.metrics.pairwise \
import PAIRWISE_KERNEL_FUNCTIONS, euclidean_distances, pairwise_kernels
from sklearn.gaussian_process.kernels \
import (RBF, Matern, RationalQuadratic, ExpSineSquared, DotProduct,
ConstantKernel, WhiteKernel, PairwiseKernel, KernelOperator,
Exponentiation)
from sklearn.base import clone
from sklearn.utils.testing import (assert_equal, assert_almost_equal,
assert_not_equal, assert_array_equal,
assert_array_almost_equal)
X = np.random.RandomState(0).normal(0, 1, (5, 2))
Y = np.random.RandomState(0).normal(0, 1, (6, 2))
kernel_white = RBF(length_scale=2.0) + WhiteKernel(noise_level=3.0)
kernels = [RBF(length_scale=2.0), RBF(length_scale_bounds=(0.5, 2.0)),
ConstantKernel(constant_value=10.0),
2.0 * RBF(length_scale=0.33, length_scale_bounds="fixed"),
2.0 * RBF(length_scale=0.5), kernel_white,
2.0 * RBF(length_scale=[0.5, 2.0]),
2.0 * Matern(length_scale=0.33, length_scale_bounds="fixed"),
2.0 * Matern(length_scale=0.5, nu=0.5),
2.0 * Matern(length_scale=1.5, nu=1.5),
2.0 * Matern(length_scale=2.5, nu=2.5),
2.0 * Matern(length_scale=[0.5, 2.0], nu=0.5),
3.0 * Matern(length_scale=[2.0, 0.5], nu=1.5),
4.0 * Matern(length_scale=[0.5, 0.5], nu=2.5),
RationalQuadratic(length_scale=0.5, alpha=1.5),
ExpSineSquared(length_scale=0.5, periodicity=1.5),
DotProduct(sigma_0=2.0), DotProduct(sigma_0=2.0) ** 2,
RBF(length_scale=[2.0]), Matern(length_scale=[2.0])]
for metric in PAIRWISE_KERNEL_FUNCTIONS:
if metric in ["additive_chi2", "chi2"]:
continue
kernels.append(PairwiseKernel(gamma=1.0, metric=metric))
def test_kernel_gradient():
# Compare analytic and numeric gradient of kernels.
for kernel in kernels:
K, K_gradient = kernel(X, eval_gradient=True)
assert_equal(K_gradient.shape[0], X.shape[0])
assert_equal(K_gradient.shape[1], X.shape[0])
assert_equal(K_gradient.shape[2], kernel.theta.shape[0])
def eval_kernel_for_theta(theta):
kernel_clone = kernel.clone_with_theta(theta)
K = kernel_clone(X, eval_gradient=False)
return K
K_gradient_approx = \
_approx_fprime(kernel.theta, eval_kernel_for_theta, 1e-10)
assert_almost_equal(K_gradient, K_gradient_approx, 4)
def test_kernel_theta():
# Check that parameter vector theta of kernel is set correctly.
for kernel in kernels:
if isinstance(kernel, KernelOperator) \
or isinstance(kernel, Exponentiation): # skip non-basic kernels
continue
theta = kernel.theta
_, K_gradient = kernel(X, eval_gradient=True)
# Determine kernel parameters that contribute to theta
init_sign = list(signature(kernel.__class__.__init__).parameters.values())
args = [p.name for p in init_sign if p.name != 'self']
theta_vars = [s.rstrip("_bounds") for s in [s for s in args if s.endswith("_bounds")]]
assert_equal(
set(hyperparameter.name
for hyperparameter in kernel.hyperparameters),
set(theta_vars))
# Check that values returned in theta are consistent with
# hyperparameter values (being their logarithms)
for i, hyperparameter in enumerate(kernel.hyperparameters):
assert_equal(theta[i],
np.log(getattr(kernel, hyperparameter.name)))
# Fixed kernel parameters must be excluded from theta and gradient.
for i, hyperparameter in enumerate(kernel.hyperparameters):
# create copy with certain hyperparameter fixed
params = kernel.get_params()
params[hyperparameter.name + "_bounds"] = "fixed"
kernel_class = kernel.__class__
new_kernel = kernel_class(**params)
# Check that theta and K_gradient are identical with the fixed
# dimension left out
_, K_gradient_new = new_kernel(X, eval_gradient=True)
assert_equal(theta.shape[0], new_kernel.theta.shape[0] + 1)
assert_equal(K_gradient.shape[2], K_gradient_new.shape[2] + 1)
if i > 0:
assert_equal(theta[:i], new_kernel.theta[:i])
assert_array_equal(K_gradient[..., :i],
K_gradient_new[..., :i])
if i + 1 < len(kernel.hyperparameters):
assert_equal(theta[i + 1:], new_kernel.theta[i:])
assert_array_equal(K_gradient[..., i + 1:],
K_gradient_new[..., i:])
# Check that values of theta are modified correctly
for i, hyperparameter in enumerate(kernel.hyperparameters):
theta[i] = np.log(42)
kernel.theta = theta
assert_almost_equal(getattr(kernel, hyperparameter.name), 42)
setattr(kernel, hyperparameter.name, 43)
assert_almost_equal(kernel.theta[i], np.log(43))
def test_auto_vs_cross():
# Auto-correlation and cross-correlation should be consistent.
for kernel in kernels:
if kernel == kernel_white:
continue # Identity is not satisfied on diagonal
K_auto = kernel(X)
K_cross = kernel(X, X)
assert_almost_equal(K_auto, K_cross, 5)
def test_kernel_diag():
# Test that diag method of kernel returns consistent results.
for kernel in kernels:
K_call_diag = np.diag(kernel(X))
K_diag = kernel.diag(X)
assert_almost_equal(K_call_diag, K_diag, 5)
def test_kernel_operator_commutative():
# Adding kernels and multiplying kernels should be commutative.
# Check addition
assert_almost_equal((RBF(2.0) + 1.0)(X),
(1.0 + RBF(2.0))(X))
# Check multiplication
assert_almost_equal((3.0 * RBF(2.0))(X),
(RBF(2.0) * 3.0)(X))
def test_kernel_anisotropic():
# Anisotropic kernel should be consistent with isotropic kernels.
kernel = 3.0 * RBF([0.5, 2.0])
K = kernel(X)
X1 = np.array(X)
X1[:, 0] *= 4
K1 = 3.0 * RBF(2.0)(X1)
assert_almost_equal(K, K1)
X2 = np.array(X)
X2[:, 1] /= 4
K2 = 3.0 * RBF(0.5)(X2)
assert_almost_equal(K, K2)
# Check getting and setting via theta
kernel.theta = kernel.theta + np.log(2)
assert_array_equal(kernel.theta, np.log([6.0, 1.0, 4.0]))
assert_array_equal(kernel.k2.length_scale, [1.0, 4.0])
def test_kernel_stationary():
# Test stationarity of kernels.
for kernel in kernels:
if not kernel.is_stationary():
continue
K = kernel(X, X + 1)
assert_almost_equal(K[0, 0], np.diag(K))
def check_hyperparameters_equal(kernel1, kernel2):
# Check that hyperparameters of two kernels are equal
for attr in set(dir(kernel1) + dir(kernel2)):
if attr.startswith("hyperparameter_"):
attr_value1 = getattr(kernel1, attr)
attr_value2 = getattr(kernel2, attr)
assert_equal(attr_value1, attr_value2)
def test_kernel_clone():
# Test that sklearn's clone works correctly on kernels.
bounds = (1e-5, 1e5)
for kernel in kernels:
kernel_cloned = clone(kernel)
# XXX: Should this be fixed?
# This differs from the sklearn's estimators equality check.
assert_equal(kernel, kernel_cloned)
assert_not_equal(id(kernel), id(kernel_cloned))
# Check that all constructor parameters are equal.
assert_equal(kernel.get_params(), kernel_cloned.get_params())
# Check that all hyperparameters are equal.
yield check_hyperparameters_equal, kernel, kernel_cloned
# This test is to verify that using set_params does not
# break clone on kernels.
# This used to break because in kernels such as the RBF, non-trivial
# logic that modified the length scale used to be in the constructor
# See https://github.com/scikit-learn/scikit-learn/issues/6961
# for more details.
params = kernel.get_params()
# RationalQuadratic kernel is isotropic.
isotropic_kernels = (ExpSineSquared, RationalQuadratic)
if 'length_scale' in params and not isinstance(kernel,
isotropic_kernels):
length_scale = params['length_scale']
if np.iterable(length_scale):
params['length_scale'] = length_scale[0]
params['length_scale_bounds'] = bounds
else:
params['length_scale'] = [length_scale] * 2
params['length_scale_bounds'] = bounds * 2
kernel_cloned.set_params(**params)
kernel_cloned_clone = clone(kernel_cloned)
assert_equal(kernel_cloned_clone.get_params(),
kernel_cloned.get_params())
assert_not_equal(id(kernel_cloned_clone), id(kernel_cloned))
yield (check_hyperparameters_equal, kernel_cloned,
kernel_cloned_clone)
def test_matern_kernel():
# Test consistency of Matern kernel for special values of nu.
K = Matern(nu=1.5, length_scale=1.0)(X)
# the diagonal elements of a matern kernel are 1
assert_array_almost_equal(np.diag(K), np.ones(X.shape[0]))
# matern kernel for coef0==0.5 is equal to absolute exponential kernel
K_absexp = np.exp(-euclidean_distances(X, X, squared=False))
K = Matern(nu=0.5, length_scale=1.0)(X)
assert_array_almost_equal(K, K_absexp)
# test that special cases of matern kernel (coef0 in [0.5, 1.5, 2.5])
# result in nearly identical results as the general case for coef0 in
# [0.5 + tiny, 1.5 + tiny, 2.5 + tiny]
tiny = 1e-10
for nu in [0.5, 1.5, 2.5]:
K1 = Matern(nu=nu, length_scale=1.0)(X)
K2 = Matern(nu=nu + tiny, length_scale=1.0)(X)
assert_array_almost_equal(K1, K2)
def test_kernel_versus_pairwise():
# Check that GP kernels can also be used as pairwise kernels.
for kernel in kernels:
# Test auto-kernel
if kernel != kernel_white:
# For WhiteKernel: k(X) != k(X,X). This is assumed by
# pairwise_kernels
K1 = kernel(X)
K2 = pairwise_kernels(X, metric=kernel)
assert_array_almost_equal(K1, K2)
# Test cross-kernel
K1 = kernel(X, Y)
K2 = pairwise_kernels(X, Y, metric=kernel)
assert_array_almost_equal(K1, K2)
def test_set_get_params():
# Check that set_params()/get_params() is consistent with kernel.theta.
for kernel in kernels:
# Test get_params()
index = 0
params = kernel.get_params()
for hyperparameter in kernel.hyperparameters:
if hyperparameter.bounds == "fixed":
continue
size = hyperparameter.n_elements
if size > 1: # anisotropic kernels
assert_almost_equal(np.exp(kernel.theta[index:index + size]),
params[hyperparameter.name])
index += size
else:
assert_almost_equal(np.exp(kernel.theta[index]),
params[hyperparameter.name])
index += 1
# Test set_params()
index = 0
value = 10 # arbitrary value
for hyperparameter in kernel.hyperparameters:
if hyperparameter.bounds == "fixed":
continue
size = hyperparameter.n_elements
if size > 1: # anisotropic kernels
kernel.set_params(**{hyperparameter.name: [value] * size})
assert_almost_equal(np.exp(kernel.theta[index:index + size]),
[value] * size)
index += size
else:
kernel.set_params(**{hyperparameter.name: value})
assert_almost_equal(np.exp(kernel.theta[index]), value)
index += 1
def test_repr_kernels():
# Smoke-test for repr in kernels.
for kernel in kernels:
repr(kernel)
| [
"[email protected]"
] | |
2090d13db2c206218556a5ebdfd8c9f99b604499 | d0ddcccea697ddcb3aad37c51e11f57a5fc6573c | /tests/test_data/recursive_hello.py | a492ccaec19505a36f3f0177320bd88dd6a487c6 | [
"MIT"
] | permissive | kiok46/webkivy | 0c0d8fcd1b1e596ec45833501e92d659159f5b1c | 8f3522e61cd5951f825f5f1eef5482aa1bc436a5 | refs/heads/master | 2021-01-22T01:38:04.007487 | 2016-03-13T06:46:11 | 2016-03-13T06:46:11 | 53,776,897 | 1 | 0 | null | 2016-03-13T09:23:20 | 2016-03-13T09:23:19 | null | UTF-8 | Python | false | false | 74 | py | from subfolder.subtest import subhello
def hello():
return subhello() | [
"[email protected]"
] | |
ece46492b31fb46f106f1115a52f482853cf4f21 | b167407960a3b69b16752590def1a62b297a4b0c | /tools/project-creator/Python2.6.6/Lib/bsddb/test/test_get_none.py | 9c08a61b1e86fd2f0f11cfd0919ea35f308fe7de | [
"MIT"
] | permissive | xcode1986/nineck.ca | 543d1be2066e88a7db3745b483f61daedf5f378a | 637dfec24407d220bb745beacebea4a375bfd78f | refs/heads/master | 2020-04-15T14:48:08.551821 | 2019-01-15T07:36:06 | 2019-01-15T07:36:06 | 164,768,581 | 1 | 1 | MIT | 2019-01-15T08:30:27 | 2019-01-09T02:09:21 | C++ | UTF-8 | Python | false | false | 2,330 | py | """
TestCases for checking set_get_returns_none.
"""
import os, string
import unittest
from test_all import db, verbose, get_new_database_path
#----------------------------------------------------------------------
class GetReturnsNoneTestCase(unittest.TestCase):
def setUp(self):
self.filename = get_new_database_path()
def tearDown(self):
try:
os.remove(self.filename)
except os.error:
pass
def test01_get_returns_none(self):
d = db.DB()
d.open(self.filename, db.DB_BTREE, db.DB_CREATE)
d.set_get_returns_none(1)
for x in string.letters:
d.put(x, x * 40)
data = d.get('bad key')
self.assertEqual(data, None)
data = d.get(string.letters[0])
self.assertEqual(data, string.letters[0]*40)
count = 0
c = d.cursor()
rec = c.first()
while rec:
count = count + 1
rec = c.next()
self.assertEqual(rec, None)
self.assertEqual(count, len(string.letters))
c.close()
d.close()
def test02_get_raises_exception(self):
d = db.DB()
d.open(self.filename, db.DB_BTREE, db.DB_CREATE)
d.set_get_returns_none(0)
for x in string.letters:
d.put(x, x * 40)
self.assertRaises(db.DBNotFoundError, d.get, 'bad key')
self.assertRaises(KeyError, d.get, 'bad key')
data = d.get(string.letters[0])
self.assertEqual(data, string.letters[0]*40)
count = 0
exceptionHappened = 0
c = d.cursor()
rec = c.first()
while rec:
count = count + 1
try:
rec = c.next()
except db.DBNotFoundError: # end of the records
exceptionHappened = 1
break
self.assertNotEqual(rec, None)
self.assert_(exceptionHappened)
self.assertEqual(count, len(string.letters))
c.close()
d.close()
#----------------------------------------------------------------------
def test_suite():
return unittest.makeSuite(GetReturnsNoneTestCase)
if __name__ == '__main__':
unittest.main(defaultTest='test_suite')
| [
"[email protected]"
] | |
59d056538621fac227eb382e34ac693ad942fe9a | 5189a2e2e1fbf04edb2e212652b268361bc54de6 | /dephell/commands/jail_show.py | 0dea75396705ef81137ac8537f6baff5868bde42 | [
"MIT"
] | permissive | Brishen/dephell | 50f74a4d9c94fc81c3ae5bc3b8472b4d89e23fd7 | 1a09de4b9204466b4c9b833fd880542fb6b73d52 | refs/heads/master | 2021-03-30T09:19:05.518468 | 2020-03-17T17:54:22 | 2020-03-17T17:54:22 | 248,037,267 | 0 | 0 | MIT | 2020-03-17T17:53:53 | 2020-03-17T17:53:52 | null | UTF-8 | Python | false | false | 2,249 | py | # built-in
from argparse import ArgumentParser
from pathlib import Path
# external
from dephell_venvs import VEnvs
from packaging.utils import canonicalize_name
# app
from ..actions import format_size, get_path_size, make_json
from ..config import builders
from ..converters import InstalledConverter
from .base import BaseCommand
class JailShowCommand(BaseCommand):
"""Show info about the package isolated environment.
"""
@staticmethod
def build_parser(parser) -> ArgumentParser:
builders.build_config(parser)
builders.build_venv(parser)
builders.build_output(parser)
builders.build_other(parser)
parser.add_argument('name', help='jail name')
return parser
def __call__(self) -> bool:
venvs = VEnvs(path=self.config['venv'])
name = canonicalize_name(self.args.name)
venv = venvs.get_by_name(name)
if not venv.exists():
self.logger.error('jail does not exist', extra=dict(package=name))
return False
# get list of exposed entrypoints
entrypoints_names = []
for entrypoint in venv.bin_path.iterdir():
global_entrypoint = Path(self.config['bin']) / entrypoint.name
if not global_entrypoint.exists():
continue
if not global_entrypoint.resolve().samefile(entrypoint):
continue
entrypoints_names.append(entrypoint.name)
root = InstalledConverter().load(paths=[venv.lib_path], names={name})
version = None
for subdep in root.dependencies:
if subdep.name != name:
continue
version = str(subdep.constraint).replace('=', '')
data = dict(
name=name,
path=str(venv.path),
entrypoints=entrypoints_names,
version=version,
size=dict(
lib=format_size(get_path_size(venv.lib_path)),
total=format_size(get_path_size(venv.path)),
),
)
print(make_json(
data=data,
key=self.config.get('filter'),
colors=not self.config['nocolors'],
table=self.config['table'],
))
return True
| [
"[email protected]"
] | |
5f761522ce7ca247bfbcbff7daf927ba4f28a87b | bf902add6952d7f7decdb2296bb136eea55bf441 | /YOLO/.history/pytorch-yolo-v3/video_demo_v1_20201106013212.py | 68f68f8e2ac4d0205b1ba8899014a62bf1fab713 | [
"MIT"
] | permissive | jphacks/D_2003 | c78fb2b4d05739dbd60eb9224845eb78579afa6f | 60a5684d549862e85bdf758069518702d9925a48 | refs/heads/master | 2023-01-08T16:17:54.977088 | 2020-11-07T06:41:33 | 2020-11-07T06:41:33 | 304,576,949 | 1 | 4 | null | null | null | null | UTF-8 | Python | false | false | 16,516 | py | from __future__ import division
import time
import torch
import torch.nn as nn
from torch.autograd import Variable
import numpy as np
import cv2
from util import *
from darknet import Darknet
from preprocess import prep_image, inp_to_image
import pandas as pd
import random
import argparse
import pickle as pkl
import requests
from requests.auth import HTTPDigestAuth
import io
from PIL import Image, ImageDraw, ImageFilter
import play
import csv
import pprint
with open('csv/Lidar.csv', 'r', encoding="utf-8_sig", newline = '') as f:
LiDAR = csv.reader(f)
l = [row for row in LiDAR]
# for row in LiDAR:
# print(row)
print(l)
print(LiDAR[0])
def prep_image(img, inp_dim):
# CNNに通すために画像を加工する
orig_im = img
dim = orig_im.shape[1], orig_im.shape[0]
img = cv2.resize(orig_im, (inp_dim, inp_dim))
img_ = img[:,:,::-1].transpose((2,0,1)).copy()
img_ = torch.from_numpy(img_).float().div(255.0).unsqueeze(0)
return img_, orig_im, dim
def count(x, img, count):
# 画像に結果を描画
c1 = tuple(x[1:3].int())
c2 = tuple(x[3:5].int())
cls = int(x[-1])
label = "{0}".format(classes[cls])
print("label:\n", label)
# 人数カウント
if(label=='no-mask'):
count+=1
print(count)
return count
def write(x, img,camId):
global count
global point
p = [0,0]
# 画像に結果を描画
c1 = tuple(x[1:3].int())
c2 = tuple(x[3:5].int())
cls = int(x[-1])
print(camId, "_c0:",c1)
print(camId, "_c1:",c2)
label = "{0}".format(classes[cls])
print("label:", label)
# 人数カウント
if(label=='no-mask'):
count+=1
print(count)
p[0] = (c2[0]+c1[0])/2
p[1] = (c2[1]+c1[1])/2
point[camId].append(p)
color = random.choice(colors)
cv2.rectangle(img, c1, c2,color, 1)
t_size = cv2.getTextSize(label, cv2.FONT_HERSHEY_PLAIN, 1 , 1)[0]
c2 = c1[0] + t_size[0] + 3, c1[1] + t_size[1] + 4
cv2.rectangle(img, c1, c2,color, -1)
cv2.putText(img, label, (c1[0], c1[1] + t_size[1] + 4), cv2.FONT_HERSHEY_PLAIN, 1, [225,255,255], 1);
return img
def arg_parse():
# モジュールの引数を作成
parser = argparse.ArgumentParser(description='YOLO v3 Cam Demo') # ArgumentParserで引数を設定する
parser.add_argument("--confidence", dest = "confidence", help = "Object Confidence to filter predictions", default = 0.25)
# confidenceは信頼性
parser.add_argument("--nms_thresh", dest = "nms_thresh", help = "NMS Threshhold", default = 0.4)
# nms_threshは閾値
parser.add_argument("--reso", dest = 'reso', help =
"Input resolution of the network. Increase to increase accuracy. Decrease to increase speed",
default = "160", type = str)
# resoはCNNの入力解像度で、増加させると精度が上がるが、速度が低下する。
return parser.parse_args() # 引数を解析し、返す
def cvpaste(img, imgback, x, y, angle, scale):
# x and y are the distance from the center of the background image
r = img.shape[0]
c = img.shape[1]
rb = imgback.shape[0]
cb = imgback.shape[1]
hrb=round(rb/2)
hcb=round(cb/2)
hr=round(r/2)
hc=round(c/2)
# Copy the forward image and move to the center of the background image
imgrot = np.zeros((rb,cb,3),np.uint8)
imgrot[hrb-hr:hrb+hr,hcb-hc:hcb+hc,:] = img[:hr*2,:hc*2,:]
# Rotation and scaling
M = cv2.getRotationMatrix2D((hcb,hrb),angle,scale)
imgrot = cv2.warpAffine(imgrot,M,(cb,rb))
# Translation
M = np.float32([[1,0,x],[0,1,y]])
imgrot = cv2.warpAffine(imgrot,M,(cb,rb))
# Makeing mask
imggray = cv2.cvtColor(imgrot,cv2.COLOR_BGR2GRAY)
ret, mask = cv2.threshold(imggray, 10, 255, cv2.THRESH_BINARY)
mask_inv = cv2.bitwise_not(mask)
# Now black-out the area of the forward image in the background image
img1_bg = cv2.bitwise_and(imgback,imgback,mask = mask_inv)
# Take only region of the forward image.
img2_fg = cv2.bitwise_and(imgrot,imgrot,mask = mask)
# Paste the forward image on the background image
imgpaste = cv2.add(img1_bg,img2_fg)
return imgpaste
def cosineTheorem(Lidar, radian1, radian2):
theta = abs(radian1-radian2)
distance = Lidar[radian1][1] ** 2 + Lidar[radian2][1] ** 2 - 2 * Lidar[radian1][1] * Lidar[radian2][1] * math.cos(abs(radian2 - radian1))
return distance
def combinations_count(n, r):
return math.factorial(n) // (math.factorial(n - r) * math.factorial(r))
# def beep(freq, dur=100):
# winsound.Beep(freq, dur)
if __name__ == '__main__':
#学習前YOLO
# cfgfile = "cfg/yolov3.cfg" # 設定ファイル
# weightsfile = "weight/yolov3.weights" # 重みファイル
# classes = load_classes('data/coco.names') # 識別クラスのリスト
#マスク学習後YOLO
cfgfile = "cfg/mask.cfg" # 設定ファイル
weightsfile = "weight/mask_1500.weights" # 重みファイル
classes = load_classes('data/mask.names') # 識別クラスのリスト
num_classes = 80 # クラスの数
args = arg_parse() # 引数を取得
confidence = float(args.confidence) # 信頼性の設定値を取得
nms_thesh = float(args.nms_thresh) # 閾値を取得
start = 0
CUDA = torch.cuda.is_available() # CUDAが使用可能かどうか
num_classes = 80 # クラスの数
bbox_attrs = 5 + num_classes
max = 0 #限界人数
num_camera = 1 #camera数
model = [[] for i in range(num_camera)]
inp_dim = [[] for i in range(num_camera)]
cap = [[] for i in range(num_camera)]
ret = [[] for i in range(num_camera)]
frame = [[] for i in range(num_camera)]
img = [[] for i in range(num_camera)]
orig_im = [[] for i in range(num_camera)]
dim = [[] for i in range(num_camera)]
# output = [[] for i in range(num_camera)]
# output = torch.tensor(output)
# print("output_shape\n", output.shape)
for i in range(num_camera):
model[i] = Darknet(cfgfile) #model1の作成
model[i].load_weights(weightsfile) # model1に重みを読み込む
model[i].net_info["height"] = args.reso
inp_dim[i] = int(model[i].net_info["height"])
assert inp_dim[i] % 32 == 0
assert inp_dim[i] > 32
#mixer.init() #初期化
if CUDA:
for i in range(num_camera):
model[i].cuda() #CUDAが使用可能であればcudaを起動
for i in range(num_camera):
model[i].eval()
cap[0] = cv2.VideoCapture(1) #カメラを指定(USB接続)
# cap[1] = cv2.VideoCapture(1) #カメラを指定(USB接続)
# cap = cv2.VideoCapture("movies/sample.mp4")
#cap = cv2.VideoCapture("movies/one_v2.avi")
# Use the next line if your camera has a username and password
# cap = cv2.VideoCapture('protocol://username:password@IP:port/1')
#cap = cv2.VideoCapture('rtsp://admin:[email protected]/1') #(ネットワーク接続)
#cap = cv2.VideoCapture('rtsp://admin:[email protected]/80')
#cap = cv2.VideoCapture('http://admin:[email protected]:80/video')
#cap = cv2.VideoCapture('http://admin:[email protected]/camera-cgi/admin/recorder.cgi?action=start&id=samba')
#cap = cv2.VideoCapture('http://admin:[email protected]/recorder.cgi?action=start&id=samba')
#cap = cv2.VideoCapture('http://admin:[email protected]:80/snapshot.jpg?user=admin&pwd=admin&strm=0')
print('-1')
#assert cap.isOpened(), 'Cannot capture source' #カメラが起動できたか確認
img1 = cv2.imread("images/phase_1.jpg")
img2 = cv2.imread("images/phase_2.jpg")
img3 = cv2.imread("images/phase_2_red.jpg")
img4 = cv2.imread("images/phase_3.jpg")
#mixer.music.load("voice/voice_3.m4a")
#print(img1)
frames = 0
count_frame = 0 #フレーム数カウント
flag = 0 #密状態(0:疎密,1:密入り)
start = time.time()
print('-1')
while (cap[i].isOpened() for i in range(num_camera)): #カメラが起動している間
count=0 #人数をカウント
point = [[] for i in range(num_camera)]
for i in range(num_camera):
ret[i], frame[i] = cap[i].read() #キャプチャ画像を取得
if (ret[i] for i in range(num_camera)):
# 解析準備としてキャプチャ画像を加工
for i in range(num_camera):
img[i], orig_im[i], dim[i] = prep_image(frame[i], inp_dim[i])
if CUDA:
for i in range(num_camera):
im_dim[i] = im_dim[i].cuda()
img[i] = img[i].cuda()
for i in range(num_camera):
# output[i] = model[i](Variable(img[i]), CUDA)
output = model[i](Variable(img[i]), CUDA)
#print("output:\n", output)
# output[i] = write_results(output[i], confidence, num_classes, nms = True, nms_conf = nms_thesh)
output = write_results(output, confidence, num_classes, nms = True, nms_conf = nms_thesh)
# print("output", i, ":\n", output[i])
print(output.shape)
"""
# FPSの表示
if (type(output[i]) == int for i in range(num_camera)):
print("表示")
frames += 1
print("FPS of the video is {:5.2f}".format( frames / (time.time() - start)))
# qキーを押すとFPS表示の終了
key = cv2.waitKey(1)
if key & 0xFF == ord('q'):
break
continue
for i in range(num_camera):
output[i][:,1:5] = torch.clamp(output[i][:,1:5], 0.0, float(inp_dim[i]))/inp_dim[i]
output[i][:,[1,3]] *= frame[i].shape[1]
output[i][:,[2,4]] *= frame[i].shape[0]
"""
# FPSの表示
if type(output) == int:
print("表示")
frames += 1
print("FPS of the video is {:5.2f}".format( frames / (time.time() - start)))
# qキーを押すとFPS表示の終了
key = cv2.waitKey(1)
if key & 0xFF == ord('q'):
break
continue
for i in range(num_camera):
output[:,1:5] = torch.clamp(output[:,1:5], 0.0, float(inp_dim[i]))/inp_dim[i]
output[:,[1,3]] *= frame[i].shape[1]
output[:,[2,4]] *= frame[i].shape[0]
colors = pkl.load(open("pallete", "rb"))
#count = lambda x: count(x, orig_im, count) #人数をカウント
"""
for i in range(num_camera):
list(map(lambda x: write(x, orig_im[i]), output[i]))
print("count:\n",count)
"""
for i in range(num_camera):
list(map(lambda x: write(x, orig_im[i], i), output))
print("count:\n",count)
print("count_frame", count_frame)
print("framex", frame[0].shape[1])
print("framey", frame[0].shape[0])
print("point0",point[0])
#LiDARの情報の人識別
num_person = 0
radian_lists = []
for count, (radian, length) in enumerate(LiDAR):
radian_cam = [[] for i in range(point)]
if count % 90 == 0:
radian_list = []
if count < 90:
for num, p in enumerate(point[0]):
radian_cam[num] = p / frame[0].shape[1] * 100
for dif in range(10):
if int(radian)+dif-5 == int(radian_cam):
num_person += 1
radian_list.append(radian)
elif count < 180:
for num, p in enumerate(point[0]):
radian_cam[num] = p / frame[0].shape[1] * 100
for dif in range(10):
if int(radian)+dif-5 == int(radian_cam):
num_person += 1
radian_list.append(radian)
elif count < 270:
for num, p in enumerate(point[0]):
radian_cam[num] = p / frame[0].shape[1] * 100
for dif in range(10):
if int(radian)+dif-5 == int(radian_cam):
num_person += 1
radian_list.append(radian)
else:
for num, p in enumerate(point[0]):
radian_cam[num] = p / frame[0].shape[1] * 100
for dif in range(10):
if int(radian)+dif-5 == int(radian_cam):
num_person += 1
radian_list.append(radian)
radian_lists.append(radian_list)
dis_list = []
for direction in range(4):
if len(radian_lists[direction]) > 1:
# n = combinations_count(len(radian_lists[direction]), 2)
dis_combination = itertools.combinations(radian_lists[direction], 2)
distance = [[] for i in range(len(dis_combination))]
for num_dis, com_list in enumerate(dis_combination):
distance[num_dis] = cosineTheorem(Lidar,com_list[0], com_list[1])
dis_list.append(distance)
#密集判定
close_list = [0] * 4
dense_list = [0] * 4
for direction in range(4):
close = 0 #密接数
dense = 0 #密集数
for dis in distance[distance]:
if dis < 2:
close += 1
close_list[direction] = 1
if close > 1:
dense_list[direction] = 1
print("close_list", close_list)
print("dense_list", dense_list)
# print("point1",point[1])
if count > max:
count_frame += 1
#print("-1")
if count_frame <= 50:
x=0
y=0
angle=20
scale=1.5
for i in range(num_camera):
imgpaste = cvpaste(img1, orig_im[i], x, y, angle, scale)
if flag == 1:
play.googlehome()
flag += 1
#mixer.music.play(1)
elif count_frame <= 100:
x=-30
y=10
angle=20
scale=1.1
if count_frame%2==1:
for i in range(num_camera):
imgpaste = cvpaste(img2, orig_im[i], x, y, angle, scale)
else:
for i in range(num_camera):
imgpaste = cvpaste(img3, orig_im[i], x, y, angle, scale)
if flag == 2:
play.googlehome()
flag += 1
else:
x=-30
y=0
angle=20
scale=1.5
for i in range(num_camera):
imgpaste = cvpaste(img4, orig_im[i], x, y, angle, scale)
if count_frame > 101: #<--2フレームずらす
print("\007") #警告音
time.sleep(3)
if flag == 3:
play.googlehome()
flag += 1
cv2.imshow("frame", imgpaste)
else:
count_frame = 0
flag = 0
#print("-2")
for i in range(num_camera):
cv2.imshow("frame", orig_im[i])
# play.googlehome()
key = cv2.waitKey(1)
# qキーを押すと動画表示の終了
if key & 0xFF == ord('q'):
break
frames += 1
print("count_frame:\n", count_frame)
print("FPS of the video is {:5.2f}".format( frames / (time.time() - start)))
else:
break
| [
"[email protected]"
] | |
b62c2124b3745f705af3028c3d40ff02d6de01eb | a6f8aae8f552a06b82fe018246e8dcd65c27e632 | /pr064/pr064.py | 118db0003bd02932d1a6e1bd3e0df29b4e8e386a | [] | no_license | P4SSER8Y/ProjectEuler | 2339ee7676f15866ceb38cad35e21ead0dad57e9 | 15d1b681e22133fc562a08b4e8e41e582ca8e625 | refs/heads/master | 2021-06-01T09:22:11.165235 | 2016-05-06T14:02:40 | 2016-05-06T14:02:40 | 46,722,844 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 916 | py | from math import sqrt, floor
from itertools import count
def get(n):
def gcd(a, b):
if b == 0:
return a
return gcd(b, a%b)
if n == (int(sqrt(n)))**2:
return 0
an = lambda k, c, d: int(floor(((k*sqrt(n)-c)/d)))
pn = lambda k, c, d: [d*k,
-d*(c+d*an(k,c,d)),
k*k*n-(c+d*an(k,c,d))**2]
a = [0]
p = [[1, 0, 1]]
a.append(an(*p[-1]))
t = pn(*p[-1])
g = gcd(gcd(t[0], t[1]), t[2])
p.append([t[0]//g, t[1]//g, t[2]//g])
for _ in count(2):
a.append(an(*p[-1]))
t = pn(*p[-1])
g = gcd(gcd(t[0], t[1]), t[2])
p.append([t[0]//g, t[1]//g, t[2]//g])
if p[-1] == p[1]:
return _ - 1
def run():
ret = 0
for n in range(1, 10001):
if get(n) % 2 == 1:
ret += 1
return ret
if __name__ == "__main__":
print(run())
| [
"[email protected]"
] | |
ecac4bdb1c8034948e2a47fc06bb722bf9c7a990 | c1960138a37d9b87bbc6ebd225ec54e09ede4a33 | /adafruit-circuitpython-bundle-py-20210402/lib/adafruit_mcp230xx/digital_inout.py | 877d588cc07250f952b5661bf7a59f8ccf8b843d | [] | no_license | apalileo/ACCD_PHCR_SP21 | 76d0e27c4203a2e90270cb2d84a75169f5db5240 | 37923f70f4c5536b18f0353470bedab200c67bad | refs/heads/main | 2023-04-07T00:01:35.922061 | 2021-04-15T18:02:22 | 2021-04-15T18:02:22 | 332,101,844 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 5,166 | py | # SPDX-FileCopyrightText: 2017 Tony DiCola for Adafruit Industries
# SPDX-FileCopyrightText: 2019 Carter Nelson
#
# SPDX-License-Identifier: MIT
"""
`digital_inout`
====================================================
Digital input/output of the MCP230xx.
* Author(s): Tony DiCola
"""
import digitalio
__version__ = "2.4.5"
__repo__ = "https://github.com/adafruit/Adafruit_CircuitPython_MCP230xx.git"
# Internal helpers to simplify setting and getting a bit inside an integer.
def _get_bit(val, bit):
return val & (1 << bit) > 0
def _enable_bit(val, bit):
return val | (1 << bit)
def _clear_bit(val, bit):
return val & ~(1 << bit)
class DigitalInOut:
"""Digital input/output of the MCP230xx. The interface is exactly the
same as the digitalio.DigitalInOut class, however:
* MCP230xx family does not support pull-down resistors;
* MCP23016 does not support pull-up resistors.
Exceptions will be thrown when attempting to set unsupported pull
configurations.
"""
def __init__(self, pin_number, mcp230xx):
"""Specify the pin number of the MCP230xx (0...7 for MCP23008, or 0...15
for MCP23017) and MCP23008 instance.
"""
self._pin = pin_number
self._mcp = mcp230xx
# kwargs in switch functions below are _necessary_ for compatibility
# with DigitalInout class (which allows specifying pull, etc. which
# is unused by this class). Do not remove them, instead turn off pylint
# in this case.
# pylint: disable=unused-argument
def switch_to_output(self, value=False, **kwargs):
"""Switch the pin state to a digital output with the provided starting
value (True/False for high or low, default is False/low).
"""
self.direction = digitalio.Direction.OUTPUT
self.value = value
def switch_to_input(self, pull=None, invert_polarity=False, **kwargs):
"""Switch the pin state to a digital input with the provided starting
pull-up resistor state (optional, no pull-up by default) and input polarity. Note that
pull-down resistors are NOT supported!
"""
self.direction = digitalio.Direction.INPUT
self.pull = pull
self.invert_polarity = invert_polarity
# pylint: enable=unused-argument
@property
def value(self):
"""The value of the pin, either True for high or False for
low. Note you must configure as an output or input appropriately
before reading and writing this value.
"""
return _get_bit(self._mcp.gpio, self._pin)
@value.setter
def value(self, val):
if val:
self._mcp.gpio = _enable_bit(self._mcp.gpio, self._pin)
else:
self._mcp.gpio = _clear_bit(self._mcp.gpio, self._pin)
@property
def direction(self):
"""The direction of the pin, either True for an input or
False for an output.
"""
if _get_bit(self._mcp.iodir, self._pin):
return digitalio.Direction.INPUT
return digitalio.Direction.OUTPUT
@direction.setter
def direction(self, val):
if val == digitalio.Direction.INPUT:
self._mcp.iodir = _enable_bit(self._mcp.iodir, self._pin)
elif val == digitalio.Direction.OUTPUT:
self._mcp.iodir = _clear_bit(self._mcp.iodir, self._pin)
else:
raise ValueError("Expected INPUT or OUTPUT direction!")
@property
def pull(self):
"""Enable or disable internal pull-up resistors for this pin. A
value of digitalio.Pull.UP will enable a pull-up resistor, and None will
disable it. Pull-down resistors are NOT supported!
"""
try:
if _get_bit(self._mcp.gppu, self._pin):
return digitalio.Pull.UP
except AttributeError as error:
# MCP23016 doesn't have a `gppu` register.
raise ValueError("Pull-up/pull-down resistors not supported.") from error
return None
@pull.setter
def pull(self, val):
try:
if val is None:
self._mcp.gppu = _clear_bit(self._mcp.gppu, self._pin)
elif val == digitalio.Pull.UP:
self._mcp.gppu = _enable_bit(self._mcp.gppu, self._pin)
elif val == digitalio.Pull.DOWN:
raise ValueError("Pull-down resistors are not supported!")
else:
raise ValueError("Expected UP, DOWN, or None for pull state!")
except AttributeError as error:
# MCP23016 doesn't have a `gppu` register.
raise ValueError("Pull-up/pull-down resistors not supported.") from error
@property
def invert_polarity(self):
"""The polarity of the pin, either True for an Inverted or
False for an normal.
"""
if _get_bit(self._mcp.ipol, self._pin):
return True
return False
@invert_polarity.setter
def invert_polarity(self, val):
if val:
self._mcp.ipol = _enable_bit(self._mcp.ipol, self._pin)
else:
self._mcp.ipol = _clear_bit(self._mcp.ipol, self._pin)
| [
"[email protected]"
] | |
3effc29166723a048756a4a499fd6f88ece2cb63 | aba00d6272765b71397cd3eba105fc79b3a346e0 | /Digisig/digsigvenv/lib/python3.6/site-packages/ufl/algorithms/formtransformations.py | 1d4fe6041eeb9b87781c111e6617b423b24ab219 | [] | no_license | JosteinGj/School | a2c7cc090571b867637003fe6c647898ba9d8d24 | 3b5f29846e443b97f042241237dbda3208b20831 | refs/heads/master | 2023-05-02T11:07:29.517669 | 2021-04-26T09:04:57 | 2021-04-26T09:04:57 | 295,340,194 | 3 | 1 | null | null | null | null | UTF-8 | Python | false | false | 16,674 | py | # -*- coding: utf-8 -*-
"""This module defines utilities for transforming
complete Forms into new related Forms."""
# Copyright (C) 2008-2016 Martin Sandve Alnæs
#
# This file is part of UFL.
#
# UFL is free software: you can redistribute it and/or modify
# it under the terms of the GNU Lesser General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# UFL 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 Lesser General Public License for more details.
#
# You should have received a copy of the GNU Lesser General Public License
# along with UFL. If not, see <http://www.gnu.org/licenses/>.
#
# Modified by Anders Logg, 2008-2009.
# Modified by Garth N. Wells, 2010.
# Modified by Marie E. Rognes, 2010.
from ufl.log import error, warning, debug
# All classes:
from ufl.core.expr import ufl_err_str
from ufl.argument import Argument
from ufl.coefficient import Coefficient
from ufl.constantvalue import Zero
from ufl.algebra import Conj
# Other algorithms:
from ufl.algorithms.map_integrands import map_integrands
from ufl.algorithms.transformer import Transformer
from ufl.algorithms.replace import replace
# FIXME: Don't use this below, it makes partextracter more expensive than necessary
def _expr_has_terminal_types(expr, ufl_types):
input = [expr]
while input:
e = input.pop()
ops = e.ufl_operands
if ops:
input.extend(ops)
elif isinstance(e, ufl_types):
return True
return False
def zero_expr(e):
return Zero(e.ufl_shape, e.ufl_free_indices, e.ufl_index_dimensions)
class PartExtracter(Transformer):
"""
PartExtracter extracts those parts of a form that contain the
given argument(s).
"""
def __init__(self, arguments):
Transformer.__init__(self)
self._want = set(arguments)
def expr(self, x):
"""The default is a nonlinear operator not accepting any
Arguments among its children."""
if _expr_has_terminal_types(x, Argument):
error("Found Argument in %s, this is an invalid expression." % ufl_err_str(x))
return (x, set())
# Terminals that are not Variables or Arguments behave as default
# expr-s.
terminal = expr
def variable(self, x):
"Return relevant parts of this variable."
# Extract parts/provides from this variable's expression
expression, label = x.ufl_operands
part, provides = self.visit(expression)
# If the extracted part is zero or we provide more than we
# want, return zero
if isinstance(part, Zero) or (provides - self._want):
return (zero_expr(x), set())
# Reuse varible if possible (or reconstruct from part)
x = self.reuse_if_possible(x, part, label)
return (x, provides)
def argument(self, x):
"Return itself unless itself provides too much."
# An argument provides itself
provides = {x}
# If we provide more than we want, return zero
if provides - self._want:
return (zero_expr(x), set())
return (x, provides)
def sum(self, x):
"""
Return the terms that might eventually yield the correct
parts(!)
The logic required for sums is a bit elaborate:
A sum may contain terms providing different arguments. We
should return (a sum of) a suitable subset of these
terms. Those should all provide the same arguments.
For each term in a sum, there are 2 simple possibilities:
1a) The relevant part of the term is zero -> skip.
1b) The term provides more arguments than we want -> skip
2) If all terms fall into the above category, we can just
return zero.
Any remaining terms may provide exactly the arguments we want,
or fewer. This is where things start getting interesting.
3) Bottom-line: if there are terms with providing different
arguments -- provide terms that contain the most arguments. If
there are terms providing different sets of same size -> throw
error (e.g. Argument(-1) + Argument(-2))
"""
parts_that_provide = {}
# 1. Skip terms that provide too much
original_terms = x.ufl_operands
assert len(original_terms) == 2
for term in original_terms:
# Visit this term in the sum
part, term_provides = self.visit(term)
# If this part is zero or it provides more than we want,
# skip it
if isinstance(part, Zero) or (term_provides - self._want):
continue
# Add the contributions from this part to temporary list
term_provides = frozenset(term_provides)
if term_provides in parts_that_provide:
parts_that_provide[term_provides] += [part]
else:
parts_that_provide[term_provides] = [part]
# 2. If there are no remaining terms, return zero
if not parts_that_provide:
return (zero_expr(x), set())
# 3. Return the terms that provide the biggest set
most_provided = frozenset()
for (provideds, parts) in parts_that_provide.items(): # TODO: Just sort instead?
# Throw error if size of sets are equal (and not zero)
if len(provideds) == len(most_provided) and len(most_provided):
error("Don't know what to do with sums with different Arguments.")
if provideds > most_provided:
most_provided = provideds
terms = parts_that_provide[most_provided]
if len(terms) == 2:
x = self.reuse_if_possible(x, *terms)
else:
x, = terms
return (x, most_provided)
def product(self, x, *ops):
""" Note: Product is a visit-children-first handler. ops are
the visited factors."""
provides = set()
factors = []
for factor, factor_provides in ops:
# If any factor is zero, return
if isinstance(factor, Zero):
return (zero_expr(x), set())
# Add factor to factors and extend provides
factors.append(factor)
provides = provides | factor_provides
# If we provide more than we want, return zero
if provides - self._want:
return (zero_expr(x), provides)
# Reuse product if possible (or reconstruct from factors)
x = self.reuse_if_possible(x, *factors)
return (x, provides)
# inner, outer and dot all behave as product
inner = product
outer = product
dot = product
def division(self, x):
"Return parts_of_numerator/denominator."
# Get numerator and denominator
numerator, denominator = x.ufl_operands
# Check for Arguments in the denominator
if _expr_has_terminal_types(denominator, Argument):
error("Found Argument in denominator of %s , this is an invalid expression." % ufl_err_str(x))
# Visit numerator
numerator_parts, provides = self.visit(numerator)
# If numerator is zero, return zero. (No need to check whether
# it provides too much, already checked by visit.)
if isinstance(numerator_parts, Zero):
return (zero_expr(x), set())
# Reuse x if possible, otherwise reconstruct from (parts of)
# numerator and denominator
x = self.reuse_if_possible(x, numerator_parts, denominator)
return (x, provides)
def linear_operator(self, x, arg):
"""A linear operator with a single operand accepting arity > 0,
providing whatever Argument its operand does."""
# linear_operator is a visit-children-first handler. Handled
# arguments are in arg.
part, provides = arg
# Discard if part is zero. (No need to check whether we
# provide too much, already checked by children.)
if isinstance(part, Zero):
return (zero_expr(x), set())
x = self.reuse_if_possible(x, part)
return (x, provides)
# Positive and negative restrictions behave as linear operators
positive_restricted = linear_operator
negative_restricted = linear_operator
# Cell and facet average are linear operators
cell_avg = linear_operator
facet_avg = linear_operator
# Grad is a linear operator
grad = linear_operator
# Conj, Real, Imag are linear operators
conj = linear_operator
real = linear_operator
imag = linear_operator
def linear_indexed_type(self, x):
"""Return parts of expression belonging to this indexed
expression."""
expression, index = x.ufl_operands
part, provides = self.visit(expression)
# Return zero if extracted part is zero. (The expression
# should already have checked if it provides too much.)
if isinstance(part, Zero):
return (zero_expr(x), set())
# Reuse x if possible (or reconstruct by indexing part)
x = self.reuse_if_possible(x, part, index)
return (x, provides)
# All of these indexed thingies behave as a linear_indexed_type
indexed = linear_indexed_type
index_sum = linear_indexed_type
component_tensor = linear_indexed_type
def list_tensor(self, x, *ops):
# list_tensor is a visit-children-first handler. ops contains
# the visited operands with their provides. (It follows that
# none of the visited operands provide more than wanted.)
# Extract the most arguments provided by any of the components
most_provides = ops[0][1]
for (component, provides) in ops:
if (provides - most_provides):
most_provides = provides
# Check that all components either provide the same arguments
# or vanish. (This check is here b/c it is not obvious what to
# return if the components provide different arguments, at
# least with the current transformer design.)
for (component, provides) in ops:
if (provides != most_provides and not isinstance(component, Zero)):
error("PartExtracter does not know how to handle list_tensors with non-zero components providing fewer arguments")
# Return components
components = [op[0] for op in ops]
x = self.reuse_if_possible(x, *components)
return (x, most_provides)
def compute_form_with_arity(form, arity, arguments=None):
"""Compute parts of form of given arity."""
# Extract all arguments in form
if arguments is None:
arguments = form.arguments()
parts = [arg.part() for arg in arguments]
if set(parts) - {None}:
error("compute_form_with_arity cannot handle parts.")
if len(arguments) < arity:
warning("Form has no parts with arity %d." % arity)
return 0 * form
# Assuming that the form is not a sum of terms
# that depend on different arguments, e.g. (u+v)*dx
# would result in just v*dx. But that doesn't make
# any sense anyway.
sub_arguments = set(arguments[:arity])
pe = PartExtracter(sub_arguments)
def _transform(e):
e, provides = pe.visit(e)
if provides == sub_arguments:
return e
return Zero()
return map_integrands(_transform, form)
def compute_form_arities(form):
"""Return set of arities of terms present in form."""
# Extract all arguments present in form
arguments = form.arguments()
parts = [arg.part() for arg in arguments]
if set(parts) - {None}:
error("compute_form_arities cannot handle parts.")
arities = set()
for arity in range(len(arguments) + 1):
# Compute parts with arity "arity"
parts = compute_form_with_arity(form, arity, arguments)
# Register arity if "parts" does not vanish
if parts and parts.integrals():
arities.add(arity)
return arities
def compute_form_lhs(form):
"""Compute the left hand side of a form.
Example:
a = u*v*dx + f*v*dx
a = lhs(a) -> u*v*dx
"""
return compute_form_with_arity(form, 2)
def compute_form_rhs(form):
"""Compute the right hand side of a form.
Example:
a = u*v*dx + f*v*dx
L = rhs(a) -> -f*v*dx
"""
return -compute_form_with_arity(form, 1)
def compute_form_functional(form):
"""Compute the functional part of a form, that
is the terms independent of Arguments.
(Used for testing, not sure if it's useful for anything?)"""
return compute_form_with_arity(form, 0)
def compute_form_action(form, coefficient):
"""Compute the action of a form on a Coefficient.
This works simply by replacing the last Argument
with a Coefficient on the same function space (element).
The form returned will thus have one Argument less
and one additional Coefficient at the end if no
Coefficient has been provided.
"""
# TODO: Check whatever makes sense for coefficient
# Extract all arguments
arguments = form.arguments()
parts = [arg.part() for arg in arguments]
if set(parts) - {None}:
error("compute_form_action cannot handle parts.")
# Pick last argument (will be replaced)
u = arguments[-1]
fs = u.ufl_function_space()
if coefficient is None:
coefficient = Coefficient(fs)
elif coefficient.ufl_function_space() != fs:
debug("Computing action of form on a coefficient in a different function space.")
return replace(form, {u: coefficient})
def compute_energy_norm(form, coefficient):
"""Compute the a-norm of a Coefficient given a form a.
This works simply by replacing the two Arguments
with a Coefficient on the same function space (element).
The Form returned will thus be a functional with no
Arguments, and one additional Coefficient at the
end if no coefficient has been provided.
"""
arguments = form.arguments()
parts = [arg.part() for arg in arguments]
if set(parts) - {None}:
error("compute_energy_norm cannot handle parts.")
if len(arguments) != 2:
error("Expecting bilinear form.")
v, u = arguments
U = u.ufl_function_space()
V = v.ufl_function_space()
if U != V:
error("Expecting equal finite elements for test and trial functions, got '%s' and '%s'." % (U, V))
if coefficient is None:
coefficient = Coefficient(V)
else:
if coefficient.ufl_function_space() != U:
error("Trying to compute action of form on a "
"coefficient in an incompatible element space.")
return replace(form, {u: coefficient, v: coefficient})
def compute_form_adjoint(form, reordered_arguments=None):
"""Compute the adjoint of a bilinear form.
This works simply by swapping the number and part of the two arguments,
but keeping their elements and places in the integrand expressions.
"""
arguments = form.arguments()
parts = [arg.part() for arg in arguments]
if set(parts) - {None}:
error("compute_form_adjoint cannot handle parts.")
if len(arguments) != 2:
error("Expecting bilinear form.")
v, u = arguments
if v.number() >= u.number():
error("Mistaken assumption in code!")
if reordered_arguments is None:
reordered_u = Argument(u.ufl_function_space(), number=v.number(),
part=v.part())
reordered_v = Argument(v.ufl_function_space(), number=u.number(),
part=u.part())
else:
reordered_u, reordered_v = reordered_arguments
if reordered_u.number() >= reordered_v.number():
error("Ordering of new arguments is the same as the old arguments!")
if reordered_u.part() != v.part():
error("Ordering of new arguments is the same as the old arguments!")
if reordered_v.part() != u.part():
error("Ordering of new arguments is the same as the old arguments!")
if reordered_u.ufl_function_space() != u.ufl_function_space():
error("Element mismatch between new and old arguments (trial functions).")
if reordered_v.ufl_function_space() != v.ufl_function_space():
error("Element mismatch between new and old arguments (test functions).")
return map_integrands(Conj, replace(form, {v: reordered_v, u: reordered_u}))
| [
"[email protected]"
] | |
751478a95c3542713d69302bb04e829266b80014 | 67b62f49ff89982ef62ce5d5c68bc7655ededcee | /chap6/basic_evaluator.py | 7fd1b1bcb0e15607838e88ad314e8711d2e2c8e8 | [] | no_license | planset/stone-py | 0614737e59a14745019754c453f9b49e44f125cf | 467617e201a3f4028f2fb23b2bc6ce3aaa371125 | refs/heads/master | 2016-09-06T18:36:49.564450 | 2012-12-31T12:57:06 | 2012-12-31T12:57:06 | 6,389,161 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 4,955 | py | # -*- coding: utf-8 -*-
from stone.util import reviser, super
from stone.myast import ast, literal, expression, statement
from stone import exception
#class BasicEvaluator(object):
# def __init__(self):
# pass
TRUE = 1
FALSE = 0
@reviser
class ASTreeEx(ast.ASTree):
def eval(self, env):
raise NotImplementedError()
@reviser
class ASTListEx(ast.ASTList):
def __init__(self, list_of_astree):
super(ASTListEx, self).__init__(list_of_astree)
def eval(self, env):
raise exception.StoneException("cannot eval: " + self.to_string(), self)
@reviser
class ASTLeafEx(ast.ASTLeaf):
def __init__(self, token):
super(ASTLeafEx, self).__init__(token)
def eval(self, env):
raise exception.StoneException("cannot eval: " + self.to_string(), self)
@reviser
class NumberEx(literal.NumberLiteral):
def __init__(self, token):
super(NumberEx, self).__init__(token)
def eval(self, env):
return self.value()
@reviser
class StringEx(literal.StringLiteral):
def __init__(self, token):
super(StringEx, self).__init__(token)
def eval(self, env):
return self.value()
@reviser
class NameEx(literal.Name):
def __init__(self, token):
super(NameEx, self).__init__(token)
def eval(self, env):
value = env.get(self.name())
if value is None:
raise exception.StoneException('undefined name: ' + self.name(), self)
else:
return value
@reviser
class NegativeEx(expression.NegativeExpr):
def __init__(self, list_of_astree):
super(NegativeEx, self).__init__(list_of_astree)
def eval(self, env):
v = self.operand().eval(env)
if isinstance(v, int):
return -v
else:
raise exception.StoneException('bad type for -', self)
@reviser
class BinaryEx(expression.BinaryExpr):
def __init__(self, list_of_astree):
super(BinaryEx, self).__init__(list_of_astree)
def eval(self, env):
op = self.operator()
if op == '=':
right = self.right().eval(env)
return self.compute_assign(env, right)
else:
left = self.left().eval(env)
right = self.right().eval(env)
return self.compute_op(left, op, right)
def compute_assign(self, env, rvalue):
l = self.left()
if isinstance(l, literal.Name):
env.put(l.name(), rvalue)
return rvalue
else:
raise expression.StoneException('bad assignment', self)
def compute_op(self, left, op, right):
if isinstance(left, int) and isinstance(right, int):
return self.compute_number(left, op, right)
else:
if op == '+':
return str(left) + str(right)
elif op == '==':
if left is None:
return TRUE if right else FALSE
else:
return TRUE if left == right else FALSE
else:
raise exception.StoneException('bad type', self)
def compute_number(self, left, op, right):
a = int(left)
b = int(right)
if op == '+':
return a + b
elif op == '-':
return a - b
elif op == '*':
return a * b
elif op == '/':
return a / b
elif op == '%':
return a % b
elif op == '==':
return TRUE if a == b else FALSE
elif op == '>':
return TRUE if a > b else FALSE
elif op == '<':
return TRUE if a < b else FALSE
else:
return exception.StoneException('bad operator', self)
@reviser
class BlockEx(statement.BlockStmnt):
def __init__(self, list_of_astree):
super(BlockEx, self).__init__(list_of_astree)
def eval(self, env):
result = 0
for token in self.children():
if not isinstance(token, statement.NullStmnt):
result = token.eval(env)
return result
@reviser
class IfEx(statement.IfStmnt):
def __init__(self, list_of_astree):
super(IfEx, self).__init__(list_of_astree)
def eval(self, env):
c = self.condition().eval(env)
if isinstance(c, int) and int(c) != FALSE:
return self.then_block().eval(env)
else:
b = self.else_block()
if b is None:
return 0
else:
return b.eval(env)
@reviser
class WhileEx(statement.WhileStmnt):
def __init__(self, list_of_astree):
super(WhileEx, self).__init__(list_of_astree)
def eval(self, env):
result = 0
while True:
c = self.condition().eval(env)
if isinstance(c, int) and int(c) == FALSE:
return result
else:
result = self.body().eval(env)
# vim: tabstop=8 expandtab shiftwidth=4 softtabstop=4
| [
"[email protected]"
] | |
8de737368f805d8d9c748a04dc6b26df83141c3e | f55623e3aea5b8ae3d2c37bcfa8a853150a0b376 | /a10_horizon/_enabled_hooks/_91000_a10admin_panel.py | bbfda541cbf0467babfe76f4b091824b63db24dd | [
"Apache-2.0"
] | permissive | isaaczurn/a10-horizon | 0fab288d321516de72ea276d54b415a1c2e4d7d6 | a96f9e95dfcda619f08a19a9057b061bdba12487 | refs/heads/development | 2020-12-26T04:49:33.131115 | 2016-08-11T16:47:09 | 2016-08-11T16:47:09 | 64,965,205 | 1 | 0 | null | 2016-08-04T20:31:28 | 2016-08-04T20:31:28 | null | UTF-8 | Python | false | false | 846 | py | # Copyright (C) 2016, A10 Networks Inc. All rights reserved.
# Licensed under the Apache License, Version 2.0 (the "License"); you may
# not use this file except in compliance with the License. You may obtain
# a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS, WITHOUT
# WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. See the
# License for the specific language governing permissions and limitations
# under the License.
PANEL_GROUP = 'a10admin'
PANEL_GROUP_NAME = 'A10 Networks'
PANEL_DASHBOARD = "admin"
PANEL_GROUP_DASHBOARD = PANEL_DASHBOARD
ADD_INSTALLED_APPS = ['a10_horizon.dashboard.admin']
AUTO_DISCOVER_STATIC_FILES = True
| [
"[email protected]"
] | |
7151eacc02e7268941d808551b82a302f388b83a | a24d889cc6fd5cd3fc180bcf5cf7dcd688eb691a | /yggdrasil/metaschema/properties/__init__.py | e26481182221d47dd0902bcc594398be467a91c2 | [
"BSD-3-Clause"
] | permissive | ghanashyamchalla/yggdrasil | f5346bad5d1f4ed8a53e7b570c19eefb58a8a921 | 7b59439276eacb66f1f6ea4177d3a85cc061eed5 | refs/heads/master | 2022-04-20T06:08:49.110242 | 2020-04-15T02:44:51 | 2020-04-15T02:44:51 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 3,579 | py | import os
import glob
import importlib
from collections import OrderedDict
_metaschema_properties = OrderedDict()
def register_metaschema_property(prop_class):
r"""Register a schema property.
Args:
prop_class (class): Class to be registered.
Raises:
ValueError: If a property class has already been registered under the
same name.
ValueError: If the base validator already has a validator function for
the property and the new property class has a schema defined.
ValueError: If the base validator already has a validator function for
the property and the validate method on the new property class is
not disabled.
ValueError: If the property class does not have an entry in the existing
metaschema.
"""
from yggdrasil.metaschema import _metaschema, _base_validator
global _metaschema_properties
prop_name = prop_class.name
if prop_name in _metaschema_properties:
raise ValueError("Property '%s' already registered." % prop_name)
if prop_name in _base_validator.VALIDATORS:
if (prop_class.schema is not None):
raise ValueError("Replacement property '%s' modifies the default schema."
% prop_name)
if (((prop_class._validate not in [None, False])
or ('validate' in prop_class.__dict__))):
raise ValueError("Replacement property '%s' modifies the default validator."
% prop_name)
prop_class._validate = False
# prop_class.types = [] # To ensure base class not modified by all
# prop_class.python_types = []
# Check metaschema if it exists
if _metaschema is not None:
if prop_name not in _metaschema['properties']:
raise ValueError("Property '%s' not in pre-loaded metaschema." % prop_name)
_metaschema_properties[prop_name] = prop_class
return prop_class
class MetaschemaPropertyMeta(type):
r"""Meta class for registering properties."""
def __new__(meta, name, bases, class_dict):
cls = type.__new__(meta, name, bases, class_dict)
if not (name.endswith('Base') or (cls.name in ['base'])
or cls._dont_register):
cls = register_metaschema_property(cls)
return cls
def get_registered_properties():
r"""Return a dictionary of registered properties.
Returns:
dict: Registered property/class pairs.
"""
return _metaschema_properties
def get_metaschema_property(property_name, skip_generic=False):
r"""Get the property class associated with a metaschema property.
Args:
property_name (str): Name of property to get class for.
skip_generic (bool, optional): If True and the property dosn't have a
class, None is returned. Defaults to False.
Returns:
MetaschemaProperty: Associated property class.
"""
from yggdrasil.metaschema.properties import MetaschemaProperty
if property_name in _metaschema_properties:
return _metaschema_properties[property_name]
else:
if skip_generic:
return None
else:
return MetaschemaProperty.MetaschemaProperty
def import_all_properties():
r"""Import all types to ensure they are registered."""
for x in glob.glob(os.path.join(os.path.dirname(__file__), '*.py')):
mod = os.path.basename(x)[:-3]
if not mod.startswith('__'):
importlib.import_module('yggdrasil.metaschema.properties.%s' % mod)
| [
"[email protected]"
] | |
d8263e73a475526bf1e265cb8fa6a400a8694500 | 33b7a63d0866f9aabfdfdc342236191bebd1c1e6 | /django_learning/django_03_url介绍/path_converter_demo/path_converter_demo/settings.py | cb32c9dcd3e6eb052f719db998531d3478ac4df0 | [] | no_license | leolvcl/leo_python | 21f61bb898f8c755d1ff405f90864887e18a317e | 5be0d897eeee34d50d835707112fb610de69b4c8 | refs/heads/master | 2020-08-02T21:00:01.808704 | 2019-12-06T17:04:59 | 2019-12-06T17:04:59 | 211,505,290 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 3,292 | py | """
Django settings for path_converter_demo project.
Generated by 'django-admin startproject' using Django 2.0.2.
For more information on this file, see
https://docs.djangoproject.com/en/2.0/topics/settings/
For the full list of settings and their values, see
https://docs.djangoproject.com/en/2.0/ref/settings/
"""
import os
# Build paths inside the project like this: os.path.join(BASE_DIR, ...)
BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
# Quick-start development settings - unsuitable for production
# See https://docs.djangoproject.com/en/2.0/howto/deployment/checklist/
# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'cub82$820^fngq+)z=17p^92f!nch=e+j3ldvu)d#)4k(%*k88'
# SECURITY WARNING: don't run with debug turned on in production!
DEBUG = True
ALLOWED_HOSTS = []
# Application definition
INSTALLED_APPS = [
'django.contrib.admin',
'django.contrib.auth',
'django.contrib.contenttypes',
'django.contrib.sessions',
'django.contrib.messages',
'django.contrib.staticfiles',
]
MIDDLEWARE = [
'django.middleware.security.SecurityMiddleware',
'django.contrib.sessions.middleware.SessionMiddleware',
'django.middleware.common.CommonMiddleware',
'django.middleware.csrf.CsrfViewMiddleware',
'django.contrib.auth.middleware.AuthenticationMiddleware',
'django.contrib.messages.middleware.MessageMiddleware',
'django.middleware.clickjacking.XFrameOptionsMiddleware',
]
ROOT_URLCONF = 'path_converter_demo.urls'
TEMPLATES = [
{
'BACKEND': 'django.template.backends.django.DjangoTemplates',
'DIRS': [os.path.join(BASE_DIR, 'templates')]
,
'APP_DIRS': True,
'OPTIONS': {
'context_processors': [
'django.template.context_processors.debug',
'django.template.context_processors.request',
'django.contrib.auth.context_processors.auth',
'django.contrib.messages.context_processors.messages',
],
},
},
]
WSGI_APPLICATION = 'path_converter_demo.wsgi.application'
# Database
# https://docs.djangoproject.com/en/2.0/ref/settings/#databases
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
}
}
# Password validation
# https://docs.djangoproject.com/en/2.0/ref/settings/#auth-password-validators
AUTH_PASSWORD_VALIDATORS = [
{
'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
},
{
'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
},
]
# Internationalization
# https://docs.djangoproject.com/en/2.0/topics/i18n/
LANGUAGE_CODE = 'en-us'
TIME_ZONE = 'UTC'
USE_I18N = True
USE_L10N = True
USE_TZ = True
# Static files (CSS, JavaScript, Images)
# https://docs.djangoproject.com/en/2.0/howto/static-files/
STATIC_URL = '/static/'
| [
"[email protected]"
] | |
11783965c99a7fec6aa8653159a599e25ce3ebfa | 491d2fd36f2ca26975b3eb302a3d5600415bf7c4 | /central/multi_node_utils.py | 8fbeb6444b67d9aab6cdff45669e13032d27f208 | [] | no_license | kmanchella-habana/Model-References | 9fa42654d57a867d82f417e9fff668946f9105f6 | 460d3b23ce75f30561e8f725ebcb21298897d163 | refs/heads/master | 2023-08-28T17:42:48.866251 | 2021-09-18T21:38:04 | 2021-09-18T21:38:04 | 411,371,667 | 0 | 0 | null | 2021-09-28T17:08:13 | 2021-09-28T17:08:13 | null | UTF-8 | Python | false | false | 6,092 | py | ###############################################################################
# Copyright (C) 2020-2021 Habana Labs, Ltd. an Intel Company
###############################################################################
"""Utilities for multi-card and scaleout training"""
import os
import socket
import subprocess
import sys
from functools import lru_cache
from central.habana_model_runner_utils import (get_canonical_path,
get_multi_node_config_nodes,
is_valid_multi_node_config)
def run_cmd_as_subprocess(cmd=str, use_devnull=False):
print(cmd)
sys.stdout.flush()
sys.stderr.flush()
if use_devnull:
with subprocess.Popen(cmd, shell=True, executable='/bin/bash', stdout=subprocess.DEVNULL, stderr=subprocess.DEVNULL) as proc:
proc.wait()
else:
with subprocess.Popen(cmd, shell=True, executable='/bin/bash') as proc:
proc.wait()
# -------------------------------------------------------------------------------
# For scaleout, depends on MULTI_HLS_IPS environment variable being set to contain
# ",' separated list of host IPs.
# If MULTI_HLS_IPS is not set, the command "cmd" will be run on the local host.
# Make sure that the command "cmd" being run on the remote host does not depend on
# any other environment variables being available on the remote host besides the ones
# in the "env_vars_for_mpi" list that this function will export to the remote IPs.
# -------------------------------------------------------------------------------
def run_per_ip(cmd, env_vars_for_mpi=None, use_devnull=False, kubernetes_run=False):
if kubernetes_run:
print("************************* Kubernetes mode *************************")
run_cmd_as_subprocess(cmd, use_devnull)
return
if os.environ.get('OMPI_COMM_WORLD_SIZE') is not None:
raise RuntimeError(
"Function run_per_ip is not meant to be run from within an OpenMPI context. It is intended to invoke mpirun by itelf.")
if not is_valid_multi_node_config():
print("************************* Single-HLS mode *************************")
run_cmd_as_subprocess(cmd, use_devnull)
else:
if os.environ.get('DOCKER_SSHD_PORT'):
portnum = os.environ.get('DOCKER_SSHD_PORT')
else:
portnum = 3022
scmd = f"mpirun --allow-run-as-root --mca plm_rsh_args -p{portnum} --tag-output --merge-stderr-to-stdout --prefix {os.environ.get('MPI_ROOT')} -H {os.environ.get('MULTI_HLS_IPS')} "
if env_vars_for_mpi is not None:
for env_var in env_vars_for_mpi:
scmd += f"-x {env_var} "
scmd += cmd
print(f"{socket.gethostname()}: In MULTI NODE run_per_ip(): scmd = {scmd}")
run_cmd_as_subprocess(scmd, use_devnull)
# Generate the MPI hostfile
def generate_mpi_hostfile(file_path, devices_per_hls=8):
mpi_hostfile_path = ''
if is_valid_multi_node_config():
multi_hls_nodes = get_multi_node_config_nodes()
print("Generating MPI hostfile...")
file_name = "hostfile"
os.makedirs(get_canonical_path(file_path), mode=0o777, exist_ok=True)
mpi_hostfile_path = get_canonical_path(file_path).joinpath(file_name)
if os.path.exists(mpi_hostfile_path):
cmd = f"rm -f {str(mpi_hostfile_path)}"
run_cmd_as_subprocess(cmd)
print(f"Path: {mpi_hostfile_path}")
out_fid = open(mpi_hostfile_path, 'a')
config_str = ''
for node in multi_hls_nodes:
config_str += f"{node} slots={devices_per_hls}\n"
print(f"MPI hostfile: \n{config_str}")
out_fid.write(config_str)
out_fid.close()
return mpi_hostfile_path
def print_file_contents(file_name):
with open(file_name, 'r') as fl:
for line in fl:
print(line, end='')
def _is_relevant_env_var(env_var: str):
""" Given an environment variable name, determines whether is it "relevant" for the child processes spawned by OpenMPI.
OpenMPI passes the local environment only to the local child processes.
"""
RELEVANT_ENV_VAR_INFIXES = [
"PATH", "LD_", # System-specific: PATH, PYTHONPATH, LD_LIBRARY_PATH, LD_PRELOAD
"TF_", # TensorFlow-specific, e.g.: TF_BF16_CONVERSION
"TPC_", # TPC-specific, e.g.: RUN_TPC_FUSER
"GC_", # GC-specific, e.g.: GC_KERNEL_PATH
"HABANA", "HBN", # Other Habana-specific, e.g.: HABANA_INITIAL_WORKSPACE_SIZE_MB
"HOROVOD", # Horovod-specific, e.g.: HOROVOD_LOG_LEVEL
"SYN", # Synapse-specific
"HCL", # HCL-specific, e.g.: HCL_CONFIG_PATH
"HCCL", "NCCL", # HCCL-specific: HCCL_SOCKET_IFNAME, HABANA_NCCL_COMM_API
"LOG_LEVEL", # Logger-specific, e.g.: LOG_LEVEL_HCL, LOG_LEVEL_SYN_API
]
OTHER_RELEVANT_ENV_VARS = [
"VIRTUAL_ENV",
"ENABLE_CONSOLE",
"MULTI_HLS_IPS"
]
ENV_VARS_DEPRECATIONS = {
"TF_ENABLE_BF16_CONVERSION": "Superceeded by TF_BF16_CONVERSION.",
"HABANA_USE_PREALLOC_BUFFER_FOR_ALLREDUCE": "'same address' optimization for collective operations is no longer supported.",
"HABANA_USE_STREAMS_FOR_HCL": "HCL streams are always used. Setting to 0 enforces blocking synchronization after collective operations (debug feature).",
}
if env_var in ENV_VARS_DEPRECATIONS:
print(
f"warninig: Environment variable '{env_var}' is deprecated: {ENV_VARS_DEPRECATIONS[env_var]}")
if env_var in OTHER_RELEVANT_ENV_VARS:
return True
for infix in RELEVANT_ENV_VAR_INFIXES:
if infix in env_var:
return True
return False
@lru_cache()
def get_relevant_env_vars():
""" Retrieves the list of those environment variables, which should be passed to the child processes spawned by OpenMPI.
"""
return [env_var for env_var in os.environ if _is_relevant_env_var(env_var)]
| [
"[email protected]"
] | |
f871cb804836e1732c5ccb6ac5804e5a11670af4 | 64a1a418c6e0794dcf7be5605f1e254f2beaa65d | /tutorial/ch1/qt5_2.py | fc15b92cc431579a59972a827e95fbdeb97dd546 | [] | no_license | notmikeb/python_desk | 792c93f68b69dcd8c24384883421166771d40c15 | 1685d6e9e0c8b4d8201625ce58fa2420bc1b930e | refs/heads/master | 2021-01-20T09:36:46.832716 | 2016-02-03T13:51:20 | 2016-02-03T13:51:20 | 40,387,601 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 496 | py | """
ZetCode pyQT5 tutorial
"""
import sys
from PyQt5.QtWidgets import QApplication, QWidget
from PyQt5.QtGui import QIcon
class Example(QWidget):
def __init__(self):
super().__init__()
self.initUI()
def initUI(self):
self.setGeometry(300,300, 300, 220)
self.setWindowTitle('Icon')
self.setWindowIcon(QIcon('web.jpg'))
self.show()
if __name__ == '__main__':
app = QApplication(sys.argv)
print ("done app")
print ("show done")
ex = Example()
app.exec_()
| [
"[email protected]"
] | |
e99a6cd94845610e54407e4cd435907ff9efacc5 | cb25407fc1480f771391bb09e36dad123ec9fca2 | /zeta/ccore.py | ae1284a066b89b51957c83e4cab38fb7716f9b45 | [] | no_license | prataprc/zeta | f68925c9dfbf70331eae59ff5cf173956d249696 | 9c3bc88c56c67d0fff5c0790d768ad6cac79642f | refs/heads/master | 2021-01-20T01:51:20.194893 | 2017-04-25T08:07:41 | 2017-04-25T08:07:41 | 89,334,343 | 0 | 1 | null | null | null | null | UTF-8 | Python | false | false | 8,435 | py | # -*- coding: utf-8 -*-
"""Everything can be a component.
Component :
* The ComponentMeta acts as the metaclass for all the Component derived
classes.
* Components with 'abstract' attribute set to True will not be registered
for interface.
* Components can only have no-argument initializers, like,
def __init__( self )
* implements. When a component implements an interface, it can declare so
by calling the implements() api.
* ExtensionPoint property can be instantiated to extend the functionality
of a component through interfaces.
Component Manager :
* Normally ComponentManager class is instantiated as an environment object
and binded to the Component objects as and when the Component objects are
instantiated.
Interfaces and Extension points :
* Interfaces are used to extend the functionality of Zeta framework and
currently it is used to implement view templates, plugins and more.
"""
from zeta.lib.error import ZetaComponentError
class Interface( object ) :
"""Marker base class for extension point interfaces."""
class ExtensionPoint( property ) :
"""Marker class for extension points in components."""
def __init__( self, interface ) :
"""Create the extension point.
@param interface: the `Interface` subclass that defines the protocol
for the extension point
"""
property.__init__( self, self.extensions )
self.interface = interface
self.__doc__ = 'List of components that implement `%s`' % \
self.interface.__name__
def extensions(self, component):
"""Return a list of components that declare to implement the extension
point interface.
"""
extensions = ComponentMeta._registry.get( self.interface, [] )
return filter( None, [ component.compmgr[cls] for cls in extensions ])
def __repr__( self ):
"""Return a textual representation of the extension point."""
return '<ExtensionPoint %s>' % self.interface.__name__
class ComponentMeta( type ) :
"""Meta class for components.
Takes care of component and extension point registration.
"""
_components = []
_registry = {}
_formcomps = {}
def __new__( cls, name, bases, d ) :
"""Create the component class."""
new_class = type.__new__( cls, name, bases, d )
if name == 'Component':
# Don't put the Component base class in the registry
return new_class
# Only override __init__ for Components not inheriting ComponentManager
if True not in [ issubclass(x, ComponentManager) for x in bases ] :
# Allow components to have a no-argument initializer so that
# they don't need to worry about accepting the component manager
# as argument and invoking the super-class initializer
init = d.get( '__init__' )
if not init:
# Because we're replacing the initializer, we need to make sure
# that any inherited initializers are also called.
for init in [ b.__init__._original for b in new_class.mro()
if issubclass(b, Component)
and '__init__' in b.__dict__ ] :
break
def maybe_init( self, compmgr, init=init, cls=new_class, **kwargs ) :
"""Component Init function hooked in by ComponentMeta."""
if cls not in compmgr.components:
compmgr.components[cls] = self
if init:
try:
init( self, **kwargs )
except:
del compmgr.components[cls]
raise
maybe_init._original = init
new_class.__init__ = maybe_init
if d.get( 'abstract' ):
# Don't put abstract component classes in the registry
return new_class
ComponentMeta._components.append( new_class )
registry = ComponentMeta._registry
for interface in d.get( '_implements', [] ) :
registry.setdefault( interface, [] ).append( new_class )
for base in [ base for base in bases if hasattr(base, '_implements') ] :
for interface in base._implements :
registry.setdefault( interface, [] ).append( new_class )
if 'formname' in d :
if isinstance( d.get('formname'), str ) :
ComponentMeta._formcomps.setdefault( d.get( 'formname' ),
new_class )
elif isinstance( d.get('formname'), list ) :
[ ComponentMeta._formcomps.setdefault( f, new_class )
for f in d.get('formname') ]
return new_class
class Component( object ) :
"""Base class for components.
Every component can declare what extension points it provides, as well as
what extension points of other components it extends.
"""
__metaclass__ = ComponentMeta
def __new__( cls, *args, **kwargs ) :
"""Return an existing instance of the component if it has already been
activated, otherwise create a new instance.
"""
# If this component is also the component manager, just invoke that
if issubclass( cls, ComponentManager ) :
self = super( Component, cls ).__new__( cls )
self.compmgr = self
return self
# The normal case where the component is not also the component manager
compmgr = args[0]
self = compmgr.components.get( cls )
if self is None:
self = super( Component, cls ).__new__( cls )
self.compmgr = compmgr
compmgr.component_activated( self )
return self
@staticmethod
def implements( *interfaces ):
"""Can be used in the class definiton of `Component` subclasses to
declare the extension points that are extended.
"""
import sys
frame = sys._getframe(1)
locals_ = frame.f_locals
# Some sanity checks
assert locals_ is not frame.f_globals and '__module__' in locals_, \
'implements() can only be used in a class definition'
locals_.setdefault( '_implements', [] ).extend( interfaces )
implements = Component.implements
class ComponentManager( object ) :
"""The component manager keeps a pool of active components."""
def __init__( self ) :
"""Initialize the component manager."""
self.components = {}
self.enabled = {}
if isinstance( self, Component ) :
self.components[self.__class__] = self
def __contains__( self, cls ) :
"""Return wether the given class is in the list of active components."""
return cls in self.components
def __getitem__( self, cls ) :
"""Activate the component instance for the given class, or return the
existing the instance if the component has already been activated.
"""
if cls not in self.enabled :
self.enabled[cls] = self.is_component_enabled( cls )
if not self.enabled[cls]:
return None
component = self.components.get( cls )
if not component:
if cls not in ComponentMeta._components :
raise ZetaComponentError('Component "%s" not registered' % cls.__name__)
try:
component = cls( self )
except TypeError, e :
raise ZetaComponentError('Unable to instantiate component %r (%s)' % (cls, e))
return component
def component_activated( self, component ) :
"""Can be overridden by sub-classes so that special initialization for
components can be provided.
"""
def is_component_enabled( self, cls ) :
"""Can be overridden by sub-classes to veto the activation of a
component.
If this method returns False, the component with the given class will
not be available.
"""
return True
def formcomponent( formname ) :
"""Get the component class implementing `formname` component"""
return ComponentMeta._formcomps.get( formname, None )
| [
"[email protected]"
] | |
42827266ae0abe6cf4bb9c8f2a439f58df2b3e9a | 8781d392b65ccf7ebad7332de07eddea3349f55c | /examples/vtk-structured-2d-curved.py | e322305c0b6b03fe6e91706abff7bb1edf09c799 | [
"MIT"
] | permissive | mattwala/pyvisfile | 95006fb7771cb7b51264543344fcbb1da0504432 | 41c908e1530d73a2af83fa9436751cb46c0f922a | refs/heads/master | 2022-11-11T11:19:15.474390 | 2020-06-23T05:14:31 | 2020-06-23T05:14:31 | 276,822,466 | 0 | 0 | MIT | 2020-07-03T06:14:45 | 2020-07-03T06:14:44 | null | UTF-8 | Python | false | false | 482 | py | from __future__ import absolute_import
from pyvisfile.vtk import write_structured_grid
import numpy as np
angle_mesh = np.mgrid[1:2:10j, 0:2*np.pi:20j]
r = angle_mesh[0, np.newaxis]
phi = angle_mesh[1, np.newaxis]
mesh = np.vstack((
r*np.cos(phi),
r*np.sin(phi),
))
from pytools.obj_array import make_obj_array
vec = make_obj_array([
np.cos(phi),
np.sin(phi),
])
write_structured_grid("yo-2d.vts", mesh,
point_data=[("phi", phi), ("vec", vec)])
| [
"[email protected]"
] | |
12d2b319e45161b64b8c5e2a24a13222bf797dc1 | 43e900f11e2b230cdc0b2e48007d40294fefd87a | /Facebook/1763.longest-nice-substring.py | 6c10cfdaef09b7133bf7adcc369d6f99c980d0c9 | [] | no_license | DarkAlexWang/leetcode | 02f2ed993688c34d3ce8f95d81b3e36a53ca002f | 89142297559af20cf990a8e40975811b4be36955 | refs/heads/master | 2023-01-07T13:01:19.598427 | 2022-12-28T19:00:19 | 2022-12-28T19:00:19 | 232,729,581 | 3 | 1 | null | null | null | null | UTF-8 | Python | false | false | 539 | py | #
# @lc app=leetcode id=1763 lang=python3
#
# [1763] Longest Nice Substring
#
# @lc code=start
class Solution:
def longestNiceSubstring(self, s: str) -> str:
if len(s) < 2:
return ""
chars = set(list(s))
for i in range(len(s)):
if not (s[i].lower() in chars and s[i].upper() in chars):
s1 = self.longestNiceSubstring(s[:i])
s2 = self.longestNiceSubstring(s[i + 1:])
return s2 if len(s2) > len(s1) else s1
return s
# @lc code=end
| [
"[email protected]"
] | |
d045c1f2d9bbf9c9ae7d90b60a3d2acae0704637 | acd41dc7e684eb2e58b6bef2b3e86950b8064945 | /res/packages/scripts/scripts/client/gui/miniclient/tech_tree/pointcuts.py | fb5d3bd3f860d356b28b23a159f21b25c9372f1e | [] | no_license | webiumsk/WoT-0.9.18.0 | e07acd08b33bfe7c73c910f5cb2a054a58a9beea | 89979c1ad547f1a1bbb2189f5ee3b10685e9a216 | refs/heads/master | 2021-01-20T09:37:10.323406 | 2017-05-04T13:51:43 | 2017-05-04T13:51:43 | 90,268,530 | 0 | 0 | null | null | null | null | WINDOWS-1250 | Python | false | false | 1,103 | py | # 2017.05.04 15:21:52 Střední Evropa (letní čas)
# Embedded file name: scripts/client/gui/miniclient/tech_tree/pointcuts.py
import aspects
from helpers import aop
class OnTechTreePopulate(aop.Pointcut):
def __init__(self):
aop.Pointcut.__init__(self, 'gui.Scaleform.daapi.view.lobby.techtree.TechTree', 'TechTree', '_populate', aspects=(aspects.OnTechTreePopulate,))
class OnBuyVehicle(aop.Pointcut):
def __init__(self, config):
aop.Pointcut.__init__(self, 'gui.Scaleform.daapi.view.lobby.vehicle_obtain_windows', 'VehicleBuyWindow', 'submit', aspects=(aspects.OnBuyVehicle(config),))
class OnRestoreVehicle(aop.Pointcut):
def __init__(self, config):
aop.Pointcut.__init__(self, 'gui.Scaleform.daapi.view.lobby.vehicle_obtain_windows', 'VehicleRestoreWindow', 'submit', aspects=(aspects.OnRestoreVehicle(config),))
# okay decompyling C:\Users\PC\wotmods\files\originals\res\packages\scripts\scripts\client\gui\miniclient\tech_tree\pointcuts.pyc
# decompiled 1 files: 1 okay, 0 failed, 0 verify failed
# 2017.05.04 15:21:52 Střední Evropa (letní čas)
| [
"[email protected]"
] | |
5573c985cf87f71b6dc605b266b0413315c3457f | 15e818aada2b18047fa895690bc1c2afda6d7273 | /analysis/control/optimize.py | 84bb77fa593651b7c63536c6d78e82f883a5d0b6 | [
"Apache-2.0"
] | permissive | ghomsy/makani | 4ee34c4248fb0ac355f65aaed35718b1f5eabecf | 818ae8b7119b200a28af6b3669a3045f30e0dc64 | refs/heads/master | 2023-01-11T18:46:21.939471 | 2020-11-10T00:23:31 | 2020-11-10T00:23:31 | 301,863,147 | 0 | 0 | Apache-2.0 | 2020-11-10T00:23:32 | 2020-10-06T21:51:21 | null | UTF-8 | Python | false | false | 3,865 | py | # Copyright 2020 Makani Technologies LLC
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Wrappers around third-party optimization libraries."""
import cvxopt
import cvxopt.solvers
from makani.analysis.control import type_util
import numpy as np
from numpy import linalg
# pylint doesn't like capital letters in variable names, in contrast
# to numerical optimization conventions.
# pylint: disable=invalid-name
class ArgumentException(Exception):
pass
class BadSolutionException(Exception):
pass
class NoSolutionException(Exception):
pass
def SolveQp(P, q, G, h, A, b, ineq_tolerance=1e-6, eq_tolerance=1e-6):
"""Solve a quadratic program (QP).
Solves a QP of the form:
min. 0.5 * x^T * P x + q^T * x
subj. to (G * x)[i] <= h[i] for i in len(x)
A * x = b
Arguments:
P: Quadratic term of the cost (n-by-n positive semidefinite np.matrix).
q: Linear term of the cost (n-by-1 np.matrix).
G: Linear term of inequality constraints (k-by-n np.matrix).
h: constant term of the inequality constraints (k-by-1 np.matrix).
A: Linear term of the equations (l-by-n np.matrix).
b: Constant term of the equations (l-by-1 np.matrix).
ineq_tolerance: Required tolerance for inequality constraints.
eq_tolerance: Required tolerance for equality constraints.
Raises:
ArgumentException: If the arguments are not of the right type or shape.
NoSolutionException: If the solver reports any errors.
BadSolutionException: If the solver returns a solution that does not respect
constraints conditions.
Returns:
A n-by-1 np.matrix containing the (not necessarily unique) optimal solution.
"""
if (not isinstance(q, np.matrix) or not isinstance(h, np.matrix)
or not isinstance(b, np.matrix)):
raise ArgumentException()
num_var = q.shape[0]
num_ineq = h.shape[0]
num_eq = b.shape[0]
if (not type_util.CheckIsMatrix(P, shape=(num_var, num_var))
or not np.all(P.A1 == P.T.A1)
or not type_util.CheckIsMatrix(q, shape=(num_var, 1))
or not type_util.CheckIsMatrix(G, shape=(num_ineq, num_var))
or not type_util.CheckIsMatrix(h, shape=(num_ineq, 1))
or not type_util.CheckIsMatrix(A, shape=(num_eq, num_var))
or not type_util.CheckIsMatrix(b, shape=(num_eq, 1))):
raise ArgumentException(num_var, num_ineq, num_eq)
eig, _ = linalg.eigh(P)
if not np.all(eig >= -1e-6):
raise ArgumentException('P is not positive definite')
old_options = cvxopt.solvers.options
cvxopt.solvers.options['show_progress'] = False
try:
result = cvxopt.solvers.qp(cvxopt.matrix(P),
cvxopt.matrix(q),
cvxopt.matrix(G),
cvxopt.matrix(h),
cvxopt.matrix(A),
cvxopt.matrix(b))
except Exception as e:
raise NoSolutionException(e)
if result['status'] != 'optimal':
raise NoSolutionException(result)
x = np.matrix(result['x'])
# Check primal feasibility.
if np.any(G * x - h >= ineq_tolerance):
raise BadSolutionException('Inequalities mismatch.')
if np.any(np.abs(b - A * x) >= eq_tolerance):
raise BadSolutionException('Equalities mismatch.')
# TODO: Test optimality.
cvxopt.solvers.options = old_options
return np.matrix(result['x'])
| [
"[email protected]"
] | |
87d64712d998d3b868640d48f892d7e959c074cc | 87dae6d55c66df1d40d6881272009319a1600cb3 | /PROGRAMACION I SEGUNDO CUATRIMESTE TP1 EJ 1.py | fdb33f593f6082dcfbe9ff1eb7b7f96ae7012bcd | [] | no_license | abaldeg/EjerciciosPython | 92a30a82c05ec75aa7f313c8a6fa0dd052a8db11 | c8a3238587ebf6b10dbff32516c81bf00bb01630 | refs/heads/master | 2021-07-09T07:46:11.584855 | 2020-11-09T11:51:50 | 2020-11-09T11:51:50 | 210,438,930 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 679 | py | """
Desarrollar una función que reciba tres números positivos y devuelva el mayor de
los tres, sólo si éste es único (mayor estricto). En caso de no existir el mayor estricto
devolver -1. No utilizar operadores lógicos (and, or, not). Desarrollar también
un programa para ingresar los tres valores, invocar a la función y mostrar el
máximo hallado, o un mensaje informativo si éste no existe.
"""
def obtenerMayor(n1,n2,n3):
if n1>n2:
if n1>n3:
mayor=n1
elif n2>n1:
if n2>n3:
mayor=n2
elif n3>n1:
if n3>n2:
mayor=n3
else:
mayor=-1
return(mayor)
print(obtenerMayor(1,1,1))
| [
"[email protected]"
] | |
9de584dc3b0a4e354a76f9b19a508aacad68619d | d79ec3cb3e59778d2b4a17846434ef2d027d5f98 | /polls/migrations/0001_initial.py | d025fcfa894499c76821c28ea2673060914a4cd2 | [] | no_license | Marlysson/PollsApp | df08a9eae257f947f93ffa4130aec26186a087a8 | 57b1477ecc3732444123dbfa996a7287dc5d7052 | refs/heads/master | 2020-12-02T10:13:55.554610 | 2017-11-11T14:50:21 | 2017-11-11T14:50:21 | 96,703,281 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 700 | py | # -*- coding: utf-8 -*-
# Generated by Django 1.11.2 on 2017-07-06 19:29
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
initial = True
dependencies = [
]
operations = [
migrations.CreateModel(
name='Question',
fields=[
('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')),
('question_text', models.CharField(max_length=50)),
('closed', models.BooleanField(default=False)),
('pub_date', models.DateField()),
],
),
]
| [
"[email protected]"
] | |
8e10a71488576fd11c908c3ed8dcc5e6ab0dfff5 | 8c9d5bc245b343d9a36882d6d1c850ce6a86442d | /dbdaora/geospatial/_tests/datastore/conftest.py | 3fa3329a173ddadfe0ab7827399e84af9c563b7e | [
"MIT"
] | permissive | dutradda/dbdaora | 1089fa9c80a93c38357818680327b24d48ac8b64 | 5c87a3818e9d736bbf5e1438edc5929a2f5acd3f | refs/heads/master | 2021-07-04T10:06:59.596720 | 2020-12-05T12:24:45 | 2020-12-05T12:24:45 | 205,046,848 | 23 | 1 | null | null | null | null | UTF-8 | Python | false | false | 446 | py | import pytest
from dbdaora import DatastoreGeoSpatialRepository, KindKeyDatastoreDataSource
@pytest.fixture
def fallback_data_source():
return KindKeyDatastoreDataSource()
@pytest.fixture
def fake_repository_cls(fake_entity_cls):
class FakeGeoSpatialRepository(DatastoreGeoSpatialRepository):
name = 'fake'
key_attrs = ('fake2_id', 'fake_id')
entity_cls = fake_entity_cls
return FakeGeoSpatialRepository
| [
"[email protected]"
] | |
f5c61dfd6024796264c0b50d239d70e492c8e49e | e83e8a3b7ef31b36b2c590b37bf2d1df1487fe5a | /tests/test_docs/test_query.py | a7d055d10b61f98b14ac194e3ebf9d696b3d26ff | [
"MIT"
] | permissive | duilio/django-ninja | 19d66eae1b3b01f9910f3ea0f569ed6d3a561707 | 8dac3c981bcf431322d32acd34c8179564a3698d | refs/heads/master | 2023-01-21T07:17:02.544071 | 2020-11-25T10:48:30 | 2020-11-25T10:48:30 | 316,243,580 | 0 | 0 | MIT | 2020-11-26T13:56:19 | 2020-11-26T13:45:12 | null | UTF-8 | Python | false | false | 3,259 | py | from unittest.mock import patch
from ninja import NinjaAPI
from client import NinjaClient
def test_examples():
api = NinjaAPI()
with patch("builtins.api", api, create=True):
import docs.src.tutorial.query.code01
import docs.src.tutorial.query.code02
import docs.src.tutorial.query.code03
import docs.src.tutorial.query.code010
client = NinjaClient(api)
# Defaults
assert client.get("/weapons").json() == [
"Ninjato",
"Shuriken",
"Katana",
"Kama",
"Kunai",
"Naginata",
"Yari",
]
assert client.get("/weapons?offset=0&limit=3").json() == [
"Ninjato",
"Shuriken",
"Katana",
]
assert client.get("/weapons?offset=2&limit=2").json() == [
"Katana",
"Kama",
]
# Required/Optional
assert client.get("/weapons/search?offset=1&q=k").json() == [
"Katana",
"Kama",
"Kunai",
]
# Coversion
# fmt: off
assert client.get("/example?b=1").json() == [None, True, None, None]
assert client.get("/example?b=True").json() == [None, True, None, None]
assert client.get("/example?b=true").json() == [None, True, None, None]
assert client.get("/example?b=on").json() == [None, True, None, None]
assert client.get("/example?b=yes").json() == [None, True, None, None]
assert client.get("/example?b=0").json() == [None, False, None, None]
assert client.get("/example?b=no").json() == [None, False, None, None]
assert client.get("/example?b=false").json() == [None, False, None, None]
assert client.get("/example?d=1577836800").json() == [None, None, "2020-01-01", None]
assert client.get("/example?d=2020-01-01").json() == [None, None, "2020-01-01", None]
# fmt: on
# Schema
assert client.get("/filter").json() == {
"filters": {"limit": 100, "offset": None, "query": None}
}
assert client.get("/filter?limit=10").json() == {
"filters": {"limit": 10, "offset": None, "query": None}
}
assert client.get("/filter?offset=10").json() == {
"filters": {"limit": 100, "offset": 10, "query": None}
}
assert client.get("/filter?query=10").json() == {
"filters": {"limit": 100, "offset": None, "query": "10"}
}
schema = api.get_openapi_schema("")
params = schema["paths"]["/filter"]["get"]["parameters"]
assert params == [
{
"in": "query",
"name": "limit",
"required": False,
"schema": {"title": "Limit", "default": 100, "type": "integer"},
},
{
"in": "query",
"name": "offset",
"required": False,
"schema": {"title": "Offset", "type": "integer"},
},
{
"in": "query",
"name": "query",
"required": False,
"schema": {"title": "Query", "type": "string"},
},
]
| [
"[email protected]"
] | |
edcc63746e71ca4f277f371dacf3b89403bc4ebd | 3ee1bb0d0acfa5c412b37365a4564f0df1c093fb | /lotte/31_eff_cnn.py | 8635f32148d2aa946e79fef91e3e007516f0af09 | [] | no_license | moileehyeji/Study | 3a20bf0d74e1faec7a2a5981c1c7e7861c08c073 | 188843c6415a4c546fdf6648400d072359d1a22b | refs/heads/main | 2023-04-18T02:30:15.810749 | 2021-05-04T08:43:53 | 2021-05-04T08:43:53 | 324,901,835 | 3 | 0 | null | null | null | null | UTF-8 | Python | false | false | 3,598 | py | import numpy as np
import pandas as pd
import tensorflow as tf
from keras.preprocessing.image import ImageDataGenerator
from numpy import expand_dims
from keras import Sequential
from keras.callbacks import EarlyStopping, ModelCheckpoint, ReduceLROnPlateau
from keras.optimizers import Adam,SGD
from sklearn.model_selection import train_test_split
from tensorflow.keras.applications import EfficientNetB4,EfficientNetB2,EfficientNetB1
from tensorflow.keras.applications.efficientnet import preprocess_input
from tqdm import tqdm
from sklearn.model_selection import train_test_split
from tensorflow.keras.models import Model
from tensorflow.keras.layers import GlobalAveragePooling2D, Flatten, BatchNormalization, Dense, Activation, Conv2D, Dropout
from tensorflow.keras import regularizers
#data load
x = np.load("C:/data/lotte/npy/128_project_x.npy",allow_pickle=True)
y = np.load("C:/data/lotte/npy/128_project_y.npy",allow_pickle=True)
x_pred = np.load('C:/data/lotte/npy/128_test.npy',allow_pickle=True)
x = preprocess_input(x)
x_pred = preprocess_input(x_pred)
idg = ImageDataGenerator(
width_shift_range=(-1,1),
height_shift_range=(-1,1),
rotation_range=45,
zoom_range=0.2,
horizontal_flip=True,
fill_mode='nearest')
idg2 = ImageDataGenerator()
x_train, x_valid, y_train, y_valid = train_test_split(x,y, train_size = 0.9, shuffle = True, random_state=66)
train_generator = idg.flow(x_train,y_train,batch_size=32, seed = 42)
valid_generator = idg2.flow(x_valid,y_valid)
efficientnet = EfficientNetB2(include_top=False,weights='imagenet',input_shape=x_train.shape[1:])
a = efficientnet.output
a = Conv2D(filters = 32,kernel_size=(12,12), strides=(1,1),padding='same',kernel_regularizer=regularizers.l2(1e-5)) (a)
a = BatchNormalization() (a)
a = Activation('swish') (a)
a = GlobalAveragePooling2D() (a)
a = Dense(512, activation= 'swish') (a)
a = Dropout(0.5) (a)
a = Dense(1000, activation= 'softmax') (a)
model = Model(inputs = efficientnet.input, outputs = a)
# efficientnet.summary()
mc = ModelCheckpoint('C:/data/lotte/h5/[0.01902]31_eff_cnn.h5',save_best_only=True, verbose=1)
early_stopping = EarlyStopping(patience= 10)
lr = ReduceLROnPlateau(patience= 5, factor=0.4)
model.compile(loss='categorical_crossentropy',
optimizer=tf.keras.optimizers.SGD(learning_rate=0.02, momentum=0.9),
metrics=['acc'])
# learning_history = model.fit_generator (train_generator,epochs=100, steps_per_epoch= len(x_train) / 32,
# validation_data=valid_generator, callbacks=[early_stopping,lr,mc])
# predict
model.load_weights('C:/data/lotte/h5/[0.01902]31_eff_cnn.h5')
result = model.predict(x_pred,verbose=True)
sub = pd.read_csv('C:/data/lotte/csv/sample.csv')
sub['prediction'] = np.argmax(result,axis = 1)
sub.to_csv('C:/data/lotte/csv/31_1.csv',index=False)
""" tta_steps = 30
predictions = []
for i in tqdm(range(tta_steps)):
# generator 초기화
test_generator.reset()
preds = model.predict_generator(generator = test_generator, verbose = 1)
predictions.append(preds)
sub = pd.read_csv('C:/data/lotte/sample.csv')
sub['prediction'] = np.argmax(result,axis = 1)
sub.to_csv('C:/data/lotte/csv/31_tta_i.csv',index=False)
pred = np.mean(predictions, axis=0)
sub = pd.read_csv('C:/data/lotte/sample.csv')
sub['prediction'] = np.argmax(result,axis = 1)
sub.to_csv('C:/data/lotte/31_tta.csv',index=False) """
# 최종 31 : 77.919
# [0.01902]31_eff_cnn 31_1: 73.894
# [0.00776]31_eff_cnn 31_2: 77.403 | [
"[email protected]"
] | |
e3960fbac34d0ef3d8fa9bce7b4dbdacb6e98791 | 1b68ecd64590474d212547bf4356544ae1f183c9 | /logic_from_site.py | f1c1a5784830e4603f8b535aa654224bf268066d | [] | no_license | wnd2da/rss2 | 833f7b08c5bdb7a8378d655367ca51d4d6c06cf0 | 2bf4f579e5c53eb200c0eeab886376b772587668 | refs/heads/master | 2022-11-16T03:12:24.609871 | 2020-07-15T08:33:16 | 2020-07-15T08:33:16 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 24,376 | py | # -*- coding: utf-8 -*-
#########################################################
# python
import traceback
import re
import logging
from time import sleep
import urllib
import urllib2
import os
# third-party
import requests
from lxml import html
from xml.sax.saxutils import escape, unescape
# sjva 공용
from framework import app, db, scheduler, path_data#, celery
from framework.job import Job
from framework.util import Util
from system.logic import SystemLogic
# 패키지
from .plugin import logger, package_name
from .model import ModelSetting
#########################################################
#토렌트퐁 Accept 2개 필요함
headers = {
'User-Agent': 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/71.0.3578.98 Safari/537.36',
'Accept' : 'text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8',
'Accept-Language' : 'ko-KR,ko;q=0.9,en-US;q=0.8,en;q=0.7',
'Referer' : '',
# 'Cookie' :'over18=1'
}
class LogicFromSite(object):
proxyes = None
session = requests.Session()
# 스케쥴러에서도 호출할 수 있고, 직접 RSS에서도 호출할수 있다
@staticmethod
def get_list(site_instance, board, query=None, page=1, max_id=0, max_count=999, scheduler_instance=None):
try:
LogicFromSite.set_proxy(scheduler_instance)
max_page = int(page) if page is not None else 1
xpath_list_tag_name = 'XPATH_LIST_TAG'
if 'BOARD_LIST' in site_instance.info:
tmp = board.split('&')[0]
if board.split('&')[0] in site_instance.info['BOARD_LIST']:
xpath_list_tag_name = site_instance.info['BOARD_LIST'][tmp]
xpath_dict = site_instance.info[xpath_list_tag_name]
bbs_list = LogicFromSite.__get_bbs_list(site_instance, board, max_page, max_id, xpath_dict, is_test=(max_count!=999))
count = 0
for item in bbs_list:
try:
cookie = site_instance.info['COOKIE'] if 'COOKIE' in site_instance.info else None
selenium_tag = None
if 'USE_SELENIUM' in site_instance.info['EXTRA']:
selenium_tag = site_instance.info['SELENIUM_WAIT_TAG']
data = LogicFromSite.get_html(item['url'], cookie=cookie, selenium_tag=selenium_tag)
tree = html.fromstring(data)
# Step 2. 마그넷 목록 생성
item['magnet'] = LogicFromSite.__get_magnet_list(data, tree, site_instance)
# Step 3. 다운로드 목록 생성
item['download'] = LogicFromSite.__get_download_list(data, tree, site_instance, item)
# Stem 4. Torrent_info
item['torrent_info'] = LogicFromSite.__get_torrent_info(item['magnet'], scheduler_instance)
#if item['torrent_info']:
# item['title2'] = item['torrent_info'][0]['name']
if 'SLEEP_5' in site_instance.info['EXTRA']:
sleep(5)
if 'DELAY' in site_instance.info:
sleep(site_instance.info['DELAY'])
except Exception as e:
logger.error('Exception:%s', e)
logger.error(traceback.format_exc())
item['magnet'] = None
count += 1
if count >= max_count:
break
return bbs_list
except Exception as e:
logger.error('Exception:%s', e)
logger.error(traceback.format_exc())
return None
@staticmethod
def __get_bbs_list(site_instance, board, max_page, max_id, xpath_dict, is_test=False):
bbs_list = []
index_step = xpath_dict['INDEX_STEP'] if 'INDEX_STEP' in xpath_dict else 1
index_start = xpath_dict['INDEX_START'] if 'INDEX_START' in xpath_dict else 1
stop_by_maxid = False
if 'FORCE_FIRST_PAGE' in site_instance.info['EXTRA']:
max_page = 1
cookie = None
if 'COOKIE' in site_instance.info:
cookie = site_instance.info['COOKIE']
for p in range(max_page):
url = LogicFromSite.get_board_url(site_instance, board, str(p+1))
list_tag = xpath_dict['XPATH'][:xpath_dict['XPATH'].find('[%s]')]
#list_tag = '/html/body/main/div/div/div[3]/div/table/tbody'
logger.debug('list_tag : %s', list_tag)
logger.debug('Url : %s', url)
if 'USE_SELENIUM' in site_instance.info['EXTRA']:
from system import SystemLogicSelenium
tmp = SystemLogicSelenium.get_pagesoruce_by_selenium(url, list_tag)
else:
tmp = LogicFromSite.get_html(url, cookie=cookie)
#logger.debug(tmp)
tree = html.fromstring(tmp)
#tree = html.fromstring(LogicFromSite.get_html(url)))
lists = tree.xpath(list_tag)
logger.debug('Count : %s', len(lists))
for i in range(index_start, len(lists)+1, index_step):
try:
a_tag = tree.xpath(xpath_dict['XPATH'] % i)
a_tag_index = len(a_tag)-1
if a_tag_index == -1:
logger.debug('a_tag_index : %s', a_tag_index)
continue
item = {}
#
if 'TITLE_XPATH' in xpath_dict:
#logger.debug(a_tag[a_tag_index].xpath(xpath_dict['TITLE_XPATH']))
if xpath_dict['TITLE_XPATH'].endswith('text()'):
logger.debug(a_tag[a_tag_index].xpath(xpath_dict['TITLE_XPATH']))
item['title'] = urllib.unquote(a_tag[a_tag_index].xpath(xpath_dict['TITLE_XPATH'])[-1]).strip()
else:
item['title'] = urllib.unquote(a_tag[a_tag_index].xpath(xpath_dict['TITLE_XPATH'])[0].text_content()).strip()
else:
item['title'] = urllib.unquote(a_tag[a_tag_index].text_content()).strip()
if 'TITLE_SUB' in xpath_dict:
item['title'] = re.sub(xpath_dict['TITLE_SUB'][0], xpath_dict['TITLE_SUB'][1], item['title']).strip()
# 일반적이 제목 처리 후 정규식이 있으면 추출
if 'TITLE_REGEX' in xpath_dict:
match = re.compile(xpath_dict['TITLE_REGEX']).search(item['title'])
if match:
item['title'] = match.group('title')
item['url'] = a_tag[a_tag_index].attrib['href']
if 'DETAIL_URL_SUB' in site_instance.info:
#item['url'] = item['url'].replace(site_instance.info['DETAIL_URL_RULE'][0], site_instance.info['DETAIL_URL_RULE'][1].format(URL=site_instance.info['TORRENT_SITE_URL']))
item['url'] = re.sub(site_instance.info['DETAIL_URL_SUB'][0], site_instance.info['DETAIL_URL_SUB'][1].format(URL=site_instance.info['TORRENT_SITE_URL']), item['url'])
if not item['url'].startswith('http'):
form = '%s%s' if item['url'].startswith('/') else '%s/%s'
item['url'] = form % (site_instance.info['TORRENT_SITE_URL'], item['url'])
item['id'] = ''
if 'ID_REGEX' in site_instance.info:
id_regexs = [site_instance.info['ID_REGEX']]
#id_regexs.insert(0, site_instance.info['ID_REGEX'])
else:
id_regexs = [r'wr_id\=(?P<id>\d+)', r'\/(?P<id>\d+)\.html', r'\/(?P<id>\d+)$']
for regex in id_regexs:
match = re.compile(regex).search(item['url'])
if match:
item['id'] = match.group('id')
break
if item['id'] == '':
for regex in id_regexs:
match = re.compile(regex).search(item['url'].split('?')[0])
if match:
item['id'] = match.group('id')
break
logger.debug('ID : %s, TITLE : %s', item['id'], item['title'])
if item['id'].strip() == '':
continue
if is_test:
bbs_list.append(item)
else:
if 'USING_BOARD_CHAR_ID' in site_instance.info['EXTRA']:
# javdb
from .model import ModelBbs2
entity = ModelBbs2.get(site=site_instance.info['NAME'], board=board, board_char_id=item['id'])
if entity is None:
bbs_list.append(item)
logger.debug('> Append..')
else:
logger.debug('> exist..')
else:
# 2019-04-04 토렌트퐁
try:
if 'NO_BREAK_BY_MAX_ID' in site_instance.info['EXTRA']:
if int(item['id']) <= max_id:
continue
else:
bbs_list.append(item)
else:
if int(item['id']) <= max_id:
logger.debug('STOP by MAX_ID(%s)', max_id)
stop_by_maxid = True
break
bbs_list.append(item)
#logger.debug(item)
except Exception as e:
logger.error('Exception:%s', e)
logger.error(traceback.format_exc())
except Exception as e:
logger.error('Exception:%s', e)
logger.error(traceback.format_exc())
logger.error(site_instance.info)
if stop_by_maxid:
break
logger.debug('Last count :%s', len(bbs_list))
return bbs_list
# Step2. 마그넷 목록을 생성한다.
@staticmethod
def __get_magnet_list(html, tree, site_instance):
magnet_list = []
try:
if 'MAGNET_REGAX' not in site_instance.info:
try:
link_element = tree.xpath("//a[starts-with(@href,'magnet')]")
if link_element:
for magnet in link_element:
# text가 None인걸로 판단하면 안된다.
# 텍스트가 child tag 안에 있을 수 있음.
#if magnet.text is None or not magnet.text.startswith('magnet'):
# break
if 'MAGNET_EXIST_ON_LIST' in site_instance.info['EXTRA']:
if magnet.text is None or not magnet.text.startswith('magnet'):
break
tmp = (magnet.attrib['href']).lower()[:60]
if tmp not in magnet_list:
magnet_list.append(tmp)
#logger.debug('MARNET : %s', item['magnet'])
except Exception as e:
logger.debug('Exception:%s', e)
logger.debug(traceback.format_exc())
#마그넷 regex
#elif site['HOW'] == 'USING_MAGNET_REGAX':
else:
try:
match = re.compile(site_instance.info['MAGNET_REGAX'][0]).findall(html)
for m in match:
tmp = (site_instance.info['MAGNET_REGAX'][1] % m).lower()
if tmp not in magnet_list:
magnet_list.append(tmp)
#logger.debug('MARNET : %s', magnet_list)
except Exception as e:
logger.debug('Exception:%s', e)
logger.debug(traceback.format_exc())
except Exception as e:
logger.debug('Exception:%s', e)
logger.debug(traceback.format_exc())
return magnet_list
# Step 3. 다운로드 목록 생성
@staticmethod
def __get_download_list(html, tree, site_instance, item):
download_list = []
try:
if 'DOWNLOAD_REGEX' not in site_instance.info:
return download_list
#logger.debug(html)
#tmp = html.find('a href="https://www.rgtorrent.me/bbs/download.php')
#if tmp != -1:
# logger.debug(html[tmp-300:tmp+300])
#logger.debug(site_instance.info['DOWNLOAD_REGEX'])
tmp = re.compile(site_instance.info['DOWNLOAD_REGEX'], re.MULTILINE).finditer(html)
for t in tmp:
#logger.debug(t.group('url'))
#logger.debug(t.group('filename'))
if t.group('filename').strip() == '':
continue
entity = {}
entity['link'] = urllib.unquote(t.group('url').strip()).strip()
entity['link'] = unescape(entity['link'])
logger.debug(entity['link'])
entity['filename'] = urllib.unquote(t.group('filename').strip())
entity['filename'] = unescape(entity['filename'])
if 'DOWNLOAD_URL_SUB' in site_instance.info:
logger.debug(entity['link'])
entity['link'] = re.sub(site_instance.info['DOWNLOAD_URL_SUB'][0], site_instance.info['DOWNLOAD_URL_SUB'][1].format(URL=site_instance.info['TORRENT_SITE_URL']), entity['link']).strip()
if not entity['link'].startswith('http'):
form = '%s%s' if entity['link'].startswith('/') else '%s/%s'
entity['link'] = form % (site_instance.info['TORRENT_SITE_URL'], entity['link'])
if 'FILENAME_SUB' in site_instance.info:
entity['filename'] = re.sub(site_instance.info['FILENAME_SUB'][0], site_instance.info['FILENAME_SUB'][1], entity['filename']).strip()
exist = False
for tt in download_list:
if tt['link'] == entity['link']:
exist = True
break
if not exist:
if app.config['config']['is_sjva_server'] and len(item['magnet'])>0:# or True:
try:
ext = os.path.splitext(entity['filename'])[1].lower()
#item['magnet']
if ext in ['.smi', '.srt', '.ass']:
#if True:
import io
if 'USE_SELENIUM' in site_instance.info['EXTRA']:
from system import SystemLogicSelenium
driver = SystemLogicSelenium.get_driver()
driver.get(entity['link'])
import time
time.sleep(10)
files = SystemLogicSelenium.get_downloaded_files()
logger.debug(files)
# 파일확인
filename_no_ext = os.path.splitext(entity['filename'].split('/')[-1])
file_index = 0
for idx, value in enumerate(files):
if value.find(filename_no_ext[0]) != -1:
file_index = idx
break
logger.debug('fileindex : %s', file_index)
content = SystemLogicSelenium.get_file_content(files[file_index])
byteio = io.BytesIO()
byteio.write(content)
else:
data = LogicFromSite.get_html(entity['link'], referer=item['url'], stream=True)
byteio = io.BytesIO()
for chunk in data.iter_content(1024):
byteio.write(chunk)
from discord_webhook import DiscordWebhook, DiscordEmbed
webhook_url = app.config['config']['rss_subtitle_webhook']
text = '%s\n<%s>' % (item['title'], item['url'])
webhook = DiscordWebhook(url=webhook_url, content=text)
webhook.add_file(file=byteio.getvalue(), filename=entity['filename'])
response = webhook.execute()
discord = response.json()
logger.debug(discord)
if 'attachments' in discord:
entity['direct_url'] = discord['attachments'][0]['url']
except Exception as e:
logger.debug('Exception:%s', e)
logger.debug(traceback.format_exc())
download_list.append(entity)
return download_list
except Exception as e:
logger.debug('Exception:%s', e)
logger.debug(traceback.format_exc())
return download_list
# Step 4. Torrent Info
@staticmethod
def __get_torrent_info(magnet_list, scheduler_instance):
ret = None
try:
#if not ModelSetting.get_bool('use_torrent_info'):
# return ret
# 스케쥴링
if scheduler_instance is not None:
if not scheduler_instance.use_torrent_info:
return ret
else:
#테스트
if not ModelSetting.get_bool('use_torrent_info'):
return ret
ret = []
from torrent_info import Logic as TorrentInfoLogic
for m in magnet_list:
logger.debug('Get_torrent_info:%s', m)
for i in range(3):
tmp = None
try:
tmp = TorrentInfoLogic.parse_magnet_uri(m, no_cache=True)
except:
logger.debug('Timeout..')
if tmp is not None:
break
if tmp is not None:
ret.append(tmp)
#ret[m] = tmp
except Exception as e:
logger.debug('Exception:%s', e)
logger.debug(traceback.format_exc())
return ret
@staticmethod
def get_data(url):
import ssl
data = None
for i in range(3):
try:
request = urllib2.Request(url, headers=headers)
logger.debug(url)
data = urllib2.urlopen(request).read()
except Exception as e:
logger.debug('Exception:%s', e)
logger.debug(traceback.format_exc())
try:
data = urllib2.urlopen(request, headers=headers, context=ssl.SSLContext(ssl.PROTOCOL_TLSv1)).read()
except:
try:
data = urllib2.urlopen(request, headers=headers, context=ssl.SSLContext(ssl.PROTOCOL_TLSv1_2)).read()
except:
try:
data = urllib2.urlopen(request, headers=headers, context=ssl.SSLContext(ssl.PROTOCOL_TLSv1_3)).read()
except:
pass
if data is not None:
return data
sleep(5)
@staticmethod
def set_proxy(scheduler_instance):
try:
LogicFromSite.session.keep_alive = False
flag = False
proxy_url = ModelSetting.get('proxy_url')
if scheduler_instance:
logger.debug('USE_PROXY : %s', scheduler_instance.use_proxy)
if scheduler_instance.use_proxy:
flag = True
else:
flag = ModelSetting.get_bool('use_proxy')
if flag:
LogicFromSite.proxyes = {
"http" : proxy_url,
"https" : proxy_url,
}
else:
LogicFromSite.proxyes = None
except Exception as e:
logger.error('Exception:%s', e)
logger.error(traceback.format_exc())
@staticmethod
def get_html(url, referer=None, stream=False, cookie=None, selenium_tag=None):
try:
logger.debug('get_html :%s', url)
if selenium_tag:
#if 'USE_SELENIUM' in site_instance.info['EXTRA']:
from system import SystemLogicSelenium
data = SystemLogicSelenium.get_pagesoruce_by_selenium(url, selenium_tag)
else:
headers['Referer'] = '' if referer is None else referer
if cookie is not None:
headers['Cookie'] = cookie
if LogicFromSite.proxyes:
page_content = LogicFromSite.session.get(url, headers=headers, proxies=LogicFromSite.proxyes, stream=stream, verify=False)
else:
page_content = LogicFromSite.session.get(url, headers=headers, stream=stream, verify=False)
if cookie is not None:
del headers['Cookie']
if stream:
return page_content
data = page_content.content
#logger.debug(data)
except Exception as e:
logger.error('Exception:%s', e)
logger.error(traceback.format_exc())
logger.error('Known..')
data = LogicFromSite.get_data(url)
return data
@staticmethod
def get_board_url(site_instance, board, page):
try:
if board == "NONE":
board = ""
if 'BOARD_URL_RULE' in site_instance.info:
if site_instance.info['BOARD_URL_RULE'].find('{BOARD_NAME_1}') != -1:
tmp = board.split(',')
url = site_instance.info['BOARD_URL_RULE'].format(URL=site_instance.info['TORRENT_SITE_URL'], BOARD_NAME_1=tmp[0], BOARD_NAME_2=tmp[1], PAGE=page)
else:
url = site_instance.info['BOARD_URL_RULE'].format(URL=site_instance.info['TORRENT_SITE_URL'], BOARD_NAME=board, PAGE=page)
else:
url = '%s/bbs/board.php?bo_table=%s&page=%s' % (site_instance.info['TORRENT_SITE_URL'], board, page)
return url
except Exception as e:
logger.error('Exception:%s', e)
logger.error(traceback.format_exc())
| [
"[email protected]"
] | |
75f8a59901744e93a6796e12fb712f2638bec6b5 | 90f52d0348aa0f82dc1f9013faeb7041c8f04cf8 | /wxPython3.0 Docs and Demos/samples/ide/activegrid/tool/IDE.py | caf2b4ca67dbd70a3cd483490938890dd0c1e187 | [] | no_license | resource-jason-org/python-wxPythonTool | 93a25ad93c768ca8b69ba783543cddf7deaf396b | fab6ec3155e6c1ae08ea30a23310006a32d08c36 | refs/heads/master | 2021-06-15T10:58:35.924543 | 2017-04-14T03:39:27 | 2017-04-14T03:39:27 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 368,697 | py | #----------------------------------------------------------------------------
# Name: IDE.py
# Purpose: IDE using Python extensions to the wxWindows docview framework
#
# Author: Peter Yared
#
# Created: 5/15/03
# Copyright: (c) 2003-2005 ActiveGrid, Inc.
# CVS-ID: $Id$
# License: wxWindows License
#----------------------------------------------------------------------------
import wx
import wx.lib.docview
import wx.lib.pydocview
import sys
import wx.grid
import os.path
import activegrid.util.sysutils as sysutilslib
import activegrid.util.appdirs as appdirs
import shutil
# Required for Unicode support with python
# site.py sets this, but Windows builds don't have site.py because of py2exe problems
# If site.py has already run, then the setdefaultencoding function will have been deleted.
if hasattr(sys,"setdefaultencoding"):
sys.setdefaultencoding("utf-8")
_ = wx.GetTranslation
ACTIVEGRID_BASE_IDE = False
USE_OLD_PROJECTS = False
#----------------------------------------------------------------------------
# Helper functions for command line args
#----------------------------------------------------------------------------
# Since Windows accept command line options with '/', but this character
# is used to denote absolute path names on other platforms, we need to
# conditionally handle '/' style arguments on Windows only.
def printArg(argname):
output = "'-" + argname + "'"
if wx.Platform == "__WXMSW__":
output = output + " or '/" + argname + "'"
return output
def isInArgs(argname, argv):
result = False
if ("-" + argname) in argv:
result = True
if wx.Platform == "__WXMSW__" and ("/" + argname) in argv:
result = True
return result
# The default log action in wx is to prompt with a big message box
# which is often inappropriate (for example, if the clipboard data
# is not readable on Mac, we'll get one of these messages repeatedly)
# so just log the errors instead.
# NOTE: This does NOT supress fatal system errors. Only non-fatal ones.
class AppLog(wx.PyLog):
def __init__(self):
wx.PyLog.__init__(self)
self.items = []
def DoLogString(self, message, timeStamp):
self.items.append(str(timeStamp) + u" " + message.decode())
#----------------------------------------------------------------------------
# Classes
#----------------------------------------------------------------------------
class IDEApplication(wx.lib.pydocview.DocApp):
def __init__(self, redirect=False):
wx.lib.pydocview.DocApp.__init__(self, redirect=redirect)
def OnInit(self):
global ACTIVEGRID_BASE_IDE
global USE_OLD_PROJECTS
args = sys.argv
# Suppress non-fatal errors that might prompt the user even in cases
# when the error does not impact them.
wx.Log_SetActiveTarget(AppLog())
if "-h" in args or "-help" in args or "--help" in args\
or (wx.Platform == "__WXMSW__" and "/help" in args):
print "Usage: ActiveGridAppBuilder.py [options] [filenames]\n"
# Mac doesn't really support multiple instances for GUI apps
# and since we haven't got time to test this thoroughly I'm
# disabling it for now.
if wx.Platform != "__WXMAC__":
print " option " + printArg("multiple") + " to allow multiple instances of application."
print " option " + printArg("debug") + " for debug mode."
print " option '-h' or " + printArg("help") + " to show usage information for command."
print " option " + printArg("baseide") + " for base IDE mode."
print " [filenames] is an optional list of files you want to open when application starts."
return False
elif isInArgs("dev", args):
self.SetAppName(_("ActiveGrid Application Builder Dev"))
self.SetDebug(False)
elif isInArgs("debug", args):
self.SetAppName(_("ActiveGrid Application Builder Debug"))
self.SetDebug(True)
self.SetSingleInstance(False)
elif isInArgs("baseide", args):
self.SetAppName(_("ActiveGrid IDE"))
ACTIVEGRID_BASE_IDE = True
elif isInArgs("tools", args):
USE_OLD_PROJECTS = True
else:
self.SetAppName(_("ActiveGrid Application Builder"))
self.SetDebug(False)
if isInArgs("multiple", args) and wx.Platform != "__WXMAC__":
self.SetSingleInstance(False)
if not ACTIVEGRID_BASE_IDE:
import CmdlineOptions
if isInArgs(CmdlineOptions.DEPLOY_TO_SERVE_PATH_ARG, args):
CmdlineOptions.enableDeployToServePath()
if not wx.lib.pydocview.DocApp.OnInit(self):
return False
if not ACTIVEGRID_BASE_IDE:
self.ShowSplash(getSplashBitmap())
else:
self.ShowSplash(getIDESplashBitmap())
import STCTextEditor
import FindInDirService
import MarkerService
import project as projectlib
import ProjectEditor
import PythonEditor
import OutlineService
import XmlEditor
import HtmlEditor
import TabbedView
import MessageService
import Service
import ImageEditor
import PerlEditor
import PHPEditor
import wx.lib.ogl as ogl
import DebuggerService
import AboutDialog
import SVNService
import ExtensionService
## import UpdateLogIniService
if not ACTIVEGRID_BASE_IDE:
import activegrid.model.basedocmgr as basedocmgr
import UpdateService
import DataModelEditor
import ProcessModelEditor
import DeploymentService
import WebServerService
import WelcomeService
import XFormEditor
import PropertyService
import WSDLEditor
import WsdlAgEditor
import XPathEditor
import XPathExprEditor
import ImportServiceWizard
import RoleEditor
import HelpService
import WebBrowserService
import SQLEditor
_EDIT_LAYOUTS = True
if not ACTIVEGRID_BASE_IDE:
import BPELEditor
if _EDIT_LAYOUTS:
import LayoutEditor
import SkinEditor
# This creates some pens and brushes that the OGL library uses.
# It should be called after the app object has been created, but
# before OGL is used.
ogl.OGLInitialize()
config = wx.Config(self.GetAppName(), style = wx.CONFIG_USE_LOCAL_FILE)
if not config.Exists("MDIFrameMaximized"): # Make the initial MDI frame maximize as default
config.WriteInt("MDIFrameMaximized", True)
if not config.Exists("MDIEmbedRightVisible"): # Make the properties embedded window hidden as default
config.WriteInt("MDIEmbedRightVisible", False)
docManager = IDEDocManager(flags = self.GetDefaultDocManagerFlags())
self.SetDocumentManager(docManager)
# Note: These templates must be initialized in display order for the "Files of type" dropdown for the "File | Open..." dialog
defaultTemplate = wx.lib.docview.DocTemplate(docManager,
_("Any"),
"*.*",
_("Any"),
_(".txt"),
_("Text Document"),
_("Text View"),
STCTextEditor.TextDocument,
STCTextEditor.TextView,
wx.lib.docview.TEMPLATE_INVISIBLE,
icon = STCTextEditor.getTextIcon())
docManager.AssociateTemplate(defaultTemplate)
if not ACTIVEGRID_BASE_IDE:
dplTemplate = DeploymentService.DeploymentTemplate(docManager,
_("Deployment"),
"*.dpl",
_("Deployment"),
_(".dpl"),
_("Deployment Document"),
_("Deployment View"),
XmlEditor.XmlDocument,
XmlEditor.XmlView,
wx.lib.docview.TEMPLATE_INVISIBLE,
icon = DeploymentService.getDPLIcon())
docManager.AssociateTemplate(dplTemplate)
htmlTemplate = wx.lib.docview.DocTemplate(docManager,
_("HTML"),
"*.html;*.htm",
_("HTML"),
_(".html"),
_("HTML Document"),
_("HTML View"),
HtmlEditor.HtmlDocument,
HtmlEditor.HtmlView,
icon = HtmlEditor.getHTMLIcon())
docManager.AssociateTemplate(htmlTemplate)
if not ACTIVEGRID_BASE_IDE:
identityTemplate = wx.lib.docview.DocTemplate(docManager,
_("Identity"),
"*.xacml",
_("Identity"),
_(".xacml"),
_("Identity Configuration"),
_("Identity View"),
RoleEditor.RoleEditorDocument,
RoleEditor.RoleEditorView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = XmlEditor.getXMLIcon())
docManager.AssociateTemplate(identityTemplate)
imageTemplate = wx.lib.docview.DocTemplate(docManager,
_("Image"),
"*.bmp;*.ico;*.gif;*.jpg;*.jpeg;*.png",
_("Image"),
_(".png"),
_("Image Document"),
_("Image View"),
ImageEditor.ImageDocument,
ImageEditor.ImageView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = ImageEditor.getImageIcon())
docManager.AssociateTemplate(imageTemplate)
if not ACTIVEGRID_BASE_IDE and _EDIT_LAYOUTS:
layoutTemplate = wx.lib.docview.DocTemplate(docManager,
_("Layout"),
"*.lyt",
_("Layout"),
_(".lyt"),
_("Renderer Layouts Document"),
_("Layout View"),
# Fix the fonts for CDATA XmlEditor.XmlDocument,
# XmlEditor.XmlView,
LayoutEditor.LayoutEditorDocument,
LayoutEditor.LayoutEditorView,
icon = LayoutEditor.getLytIcon())
docManager.AssociateTemplate(layoutTemplate)
perlTemplate = wx.lib.docview.DocTemplate(docManager,
_("Perl"),
"*.pl",
_("Perl"),
_(".pl"),
_("Perl Document"),
_("Perl View"),
PerlEditor.PerlDocument,
PerlEditor.PerlView,
icon = PerlEditor.getPerlIcon())
docManager.AssociateTemplate(perlTemplate)
phpTemplate = wx.lib.docview.DocTemplate(docManager,
_("PHP"),
"*.php",
_("PHP"),
_(".php"),
_("PHP Document"),
_("PHP View"),
PHPEditor.PHPDocument,
PHPEditor.PHPView,
icon = PHPEditor.getPHPIcon())
docManager.AssociateTemplate(phpTemplate)
if not ACTIVEGRID_BASE_IDE:
processModelTemplate = ProcessModelEditor.ProcessModelTemplate(docManager,
_("Process"),
"*.bpel",
_("Process"),
_(".bpel"),
_("Process Document"),
_("Process View"),
ProcessModelEditor.ProcessModelDocument,
ProcessModelEditor.ProcessModelView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = ProcessModelEditor.getProcessModelIcon())
docManager.AssociateTemplate(processModelTemplate)
projectTemplate = ProjectEditor.ProjectTemplate(docManager,
_("Project"),
"*.agp",
_("Project"),
_(".agp"),
_("Project Document"),
_("Project View"),
ProjectEditor.ProjectDocument,
ProjectEditor.ProjectView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = ProjectEditor.getProjectIcon())
docManager.AssociateTemplate(projectTemplate)
pythonTemplate = wx.lib.docview.DocTemplate(docManager,
_("Python"),
"*.py",
_("Python"),
_(".py"),
_("Python Document"),
_("Python View"),
PythonEditor.PythonDocument,
PythonEditor.PythonView,
icon = PythonEditor.getPythonIcon())
docManager.AssociateTemplate(pythonTemplate)
if not ACTIVEGRID_BASE_IDE:
dataModelTemplate = DataModelEditor.DataModelTemplate(docManager,
_("Schema"),
"*.xsd",
_("Schema"),
_(".xsd"),
_("Schema Document"),
_("Schema View"),
DataModelEditor.DataModelDocument,
DataModelEditor.DataModelView,
icon = DataModelEditor.getDataModelIcon())
docManager.AssociateTemplate(dataModelTemplate)
if not ACTIVEGRID_BASE_IDE:
wsdlagTemplate = wx.lib.docview.DocTemplate(docManager,
_("Service Reference"),
"*.wsdlag",
_("Project"),
_(".wsdlag"),
_("Service Reference Document"),
_("Service Reference View"),
WsdlAgEditor.WsdlAgDocument,
WsdlAgEditor.WsdlAgView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = WSDLEditor.getWSDLIcon())
docManager.AssociateTemplate(wsdlagTemplate)
if not ACTIVEGRID_BASE_IDE and _EDIT_LAYOUTS:
layoutTemplate = wx.lib.docview.DocTemplate(docManager,
_("Skin"),
"*.skn",
_("Skin"),
_(".skn"),
_("Application Skin"),
_("Skin View"),
SkinEditor.SkinDocument,
SkinEditor.SkinView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = getSkinIcon())
docManager.AssociateTemplate(layoutTemplate)
if not ACTIVEGRID_BASE_IDE:
sqlTemplate = wx.lib.docview.DocTemplate(docManager,
_("SQL"),
"*.sql",
_("SQL"),
_(".sql"),
_("SQL Document"),
_("SQL View"),
SQLEditor.SQLDocument,
SQLEditor.SQLView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = SQLEditor.getSQLIcon())
docManager.AssociateTemplate(sqlTemplate)
textTemplate = wx.lib.docview.DocTemplate(docManager,
_("Text"),
"*.text;*.txt",
_("Text"),
_(".txt"),
_("Text Document"),
_("Text View"),
STCTextEditor.TextDocument,
STCTextEditor.TextView,
icon = STCTextEditor.getTextIcon())
docManager.AssociateTemplate(textTemplate)
if not ACTIVEGRID_BASE_IDE:
wsdlTemplate = WSDLEditor.WSDLTemplate(docManager,
_("WSDL"),
"*.wsdl",
_("WSDL"),
_(".wsdl"),
_("WSDL Document"),
_("WSDL View"),
WSDLEditor.WSDLDocument,
WSDLEditor.WSDLView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = WSDLEditor.getWSDLIcon())
docManager.AssociateTemplate(wsdlTemplate)
if not ACTIVEGRID_BASE_IDE:
xformTemplate = wx.lib.docview.DocTemplate(docManager,
_("XForm"),
"*.xform",
_("XForm"),
_(".xform"),
_("XForm Document"),
_("XForm View"),
XFormEditor.XFormDocument,
XFormEditor.XFormView,
wx.lib.docview.TEMPLATE_NO_CREATE,
icon = XFormEditor.getXFormIcon())
docManager.AssociateTemplate(xformTemplate)
xmlTemplate = wx.lib.docview.DocTemplate(docManager,
_("XML"),
"*.xml",
_("XML"),
_(".xml"),
_("XML Document"),
_("XML View"),
XmlEditor.XmlDocument,
XmlEditor.XmlView,
icon = XmlEditor.getXMLIcon())
docManager.AssociateTemplate(xmlTemplate)
# Note: Child document types aren't displayed in "Files of type" dropdown
if not ACTIVEGRID_BASE_IDE:
viewTemplate = wx.lib.pydocview.ChildDocTemplate(docManager,
_("XForm"),
"*.none",
_("XForm"),
_(".bpel"),
_("XFormEditor Document"),
_("XFormEditor View"),
XFormEditor.XFormDocument,
XFormEditor.XFormView,
icon = XFormEditor.getXFormIcon())
docManager.AssociateTemplate(viewTemplate)
if not ACTIVEGRID_BASE_IDE:
bpelTemplate = wx.lib.pydocview.ChildDocTemplate(docManager,
_("BPEL"),
"*.none",
_("BPEL"),
_(".bpel"),
_("BPELEditor Document"),
_("BPELEditor View"),
BPELEditor.BPELDocument,
BPELEditor.BPELView,
icon = ProcessModelEditor.getProcessModelIcon())
docManager.AssociateTemplate(bpelTemplate)
if not ACTIVEGRID_BASE_IDE:
dataModelChildTemplate = wx.lib.pydocview.ChildDocTemplate(docManager,
_("Schema"),
"*.none",
_("Schema"),
_(".xsd"),
_("Schema Document"),
_("Schema View"),
DataModelEditor.DataModelChildDocument,
DataModelEditor.DataModelView,
icon = DataModelEditor.getDataModelIcon())
docManager.AssociateTemplate(dataModelChildTemplate)
textService = self.InstallService(STCTextEditor.TextService())
pythonService = self.InstallService(PythonEditor.PythonService())
perlService = self.InstallService(PerlEditor.PerlService())
phpService = self.InstallService(PHPEditor.PHPService())
if not ACTIVEGRID_BASE_IDE:
propertyService = self.InstallService(PropertyService.PropertyService("Properties", embeddedWindowLocation = wx.lib.pydocview.EMBEDDED_WINDOW_RIGHT))
projectService = self.InstallService(ProjectEditor.ProjectService("Projects", embeddedWindowLocation = wx.lib.pydocview.EMBEDDED_WINDOW_TOPLEFT))
findService = self.InstallService(FindInDirService.FindInDirService())
if not ACTIVEGRID_BASE_IDE:
webBrowserService = self.InstallService(WebBrowserService.WebBrowserService()) # this must be before webServerService since it sets the proxy environment variable that is needed by the webServerService.
webServerService = self.InstallService(WebServerService.WebServerService()) # this must be after webBrowserService since that service sets the proxy environment variables.
outlineService = self.InstallService(OutlineService.OutlineService("Outline", embeddedWindowLocation = wx.lib.pydocview.EMBEDDED_WINDOW_BOTTOMLEFT))
filePropertiesService = self.InstallService(wx.lib.pydocview.FilePropertiesService())
markerService = self.InstallService(MarkerService.MarkerService())
messageService = self.InstallService(MessageService.MessageService("Messages", embeddedWindowLocation = wx.lib.pydocview.EMBEDDED_WINDOW_BOTTOM))
debuggerService = self.InstallService(DebuggerService.DebuggerService("Debugger", embeddedWindowLocation = wx.lib.pydocview.EMBEDDED_WINDOW_BOTTOM))
if not ACTIVEGRID_BASE_IDE:
processModelService = self.InstallService(ProcessModelEditor.ProcessModelService())
viewEditorService = self.InstallService(XFormEditor.XFormService())
deploymentService = self.InstallService(DeploymentService.DeploymentService())
dataModelService = self.InstallService(DataModelEditor.DataModelService())
dataSourceService = self.InstallService(DataModelEditor.DataSourceService())
wsdlService = self.InstallService(WSDLEditor.WSDLService())
welcomeService = self.InstallService(WelcomeService.WelcomeService())
if not ACTIVEGRID_BASE_IDE and _EDIT_LAYOUTS:
layoutService = self.InstallService(LayoutEditor.LayoutEditorService())
extensionService = self.InstallService(ExtensionService.ExtensionService())
optionsService = self.InstallService(wx.lib.pydocview.DocOptionsService(supportedModes=wx.lib.docview.DOC_MDI))
aboutService = self.InstallService(wx.lib.pydocview.AboutService(AboutDialog.AboutDialog))
svnService = self.InstallService(SVNService.SVNService())
if not ACTIVEGRID_BASE_IDE:
helpPath = os.path.join(sysutilslib.mainModuleDir, "activegrid", "tool", "data", "AGDeveloperGuideWebHelp", "AGDeveloperGuideWebHelp.hhp")
helpService = self.InstallService(HelpService.HelpService(helpPath))
if self.GetUseTabbedMDI():
windowService = self.InstallService(wx.lib.pydocview.WindowMenuService())
if not ACTIVEGRID_BASE_IDE:
projectService.AddRunHandler(processModelService)
# order of these added determines display order of Options Panels
optionsService.AddOptionsPanel(ProjectEditor.ProjectOptionsPanel)
optionsService.AddOptionsPanel(DebuggerService.DebuggerOptionsPanel)
if not ACTIVEGRID_BASE_IDE:
optionsService.AddOptionsPanel(WebServerService.WebServerOptionsPanel)
optionsService.AddOptionsPanel(DataModelEditor.DataSourceOptionsPanel)
optionsService.AddOptionsPanel(DataModelEditor.SchemaOptionsPanel)
optionsService.AddOptionsPanel(WebBrowserService.WebBrowserOptionsPanel)
optionsService.AddOptionsPanel(ImportServiceWizard.ServiceOptionsPanel)
optionsService.AddOptionsPanel(PythonEditor.PythonOptionsPanel)
optionsService.AddOptionsPanel(PHPEditor.PHPOptionsPanel)
optionsService.AddOptionsPanel(PerlEditor.PerlOptionsPanel)
optionsService.AddOptionsPanel(XmlEditor.XmlOptionsPanel)
optionsService.AddOptionsPanel(HtmlEditor.HtmlOptionsPanel)
optionsService.AddOptionsPanel(STCTextEditor.TextOptionsPanel)
optionsService.AddOptionsPanel(SVNService.SVNOptionsPanel)
optionsService.AddOptionsPanel(ExtensionService.ExtensionOptionsPanel)
filePropertiesService.AddCustomEventHandler(projectService)
outlineService.AddViewTypeForBackgroundHandler(PythonEditor.PythonView)
outlineService.AddViewTypeForBackgroundHandler(PHPEditor.PHPView)
outlineService.AddViewTypeForBackgroundHandler(ProjectEditor.ProjectView) # special case, don't clear outline if in project
outlineService.AddViewTypeForBackgroundHandler(MessageService.MessageView) # special case, don't clear outline if in message window
if not ACTIVEGRID_BASE_IDE:
outlineService.AddViewTypeForBackgroundHandler(DataModelEditor.DataModelView)
outlineService.AddViewTypeForBackgroundHandler(ProcessModelEditor.ProcessModelView)
outlineService.AddViewTypeForBackgroundHandler(PropertyService.PropertyView) # special case, don't clear outline if in property window
outlineService.StartBackgroundTimer()
if not ACTIVEGRID_BASE_IDE:
propertyService.AddViewTypeForBackgroundHandler(DataModelEditor.DataModelView)
propertyService.AddViewTypeForBackgroundHandler(ProcessModelEditor.ProcessModelView)
propertyService.AddViewTypeForBackgroundHandler(XFormEditor.XFormView)
propertyService.AddViewTypeForBackgroundHandler(BPELEditor.BPELView)
propertyService.AddViewTypeForBackgroundHandler(WSDLEditor.WSDLView)
propertyService.StartBackgroundTimer()
propertyService.AddCustomCellRenderers(DataModelEditor.GetCustomGridCellRendererDict())
propertyService.AddCustomCellRenderers(BPELEditor.GetCustomGridCellRendererDict())
propertyService.AddCustomCellRenderers(XFormEditor.GetCustomGridCellRendererDict())
propertyService.AddCustomCellRenderers(XPathEditor.GetCustomGridCellRendererDict())
propertyService.AddCustomCellRenderers(XPathExprEditor.GetCustomGridCellRendererDict())
propertyService.AddCustomCellRenderers(WSDLEditor.GetCustomGridCellRendererDict())
propertyService.AddCustomCellRenderers(WsdlAgEditor.GetCustomGridCellRendererDict())
propertyService.AddCustomCellEditors(DataModelEditor.GetCustomGridCellEditorDict())
propertyService.AddCustomCellEditors(BPELEditor.GetCustomGridCellEditorDict())
propertyService.AddCustomCellEditors(XFormEditor.GetCustomGridCellEditorDict())
propertyService.AddCustomCellEditors(XPathEditor.GetCustomGridCellEditorDict())
propertyService.AddCustomCellEditors(XPathExprEditor.GetCustomGridCellEditorDict())
propertyService.AddCustomCellEditors(WSDLEditor.GetCustomGridCellEditorDict())
propertyService.AddCustomCellEditors(WsdlAgEditor.GetCustomGridCellEditorDict())
if not ACTIVEGRID_BASE_IDE:
projectService.AddNameDefault(".bpel", projectService.GetDefaultNameCallback)
projectService.AddNameDefault(".xsd", dataModelService.GetDefaultNameCallback)
projectService.AddNameDefault(".xform", projectService.GetDefaultNameCallback)
projectService.AddNameDefault(".wsdl", projectService.GetDefaultNameCallback)
projectService.AddNameDefault(".wsdlag", projectService.GetDefaultNameCallback)
projectService.AddNameDefault(".skn", projectService.GetDefaultNameCallback)
projectService.AddNameDefault(".xacml", projectService.GetDefaultNameCallback)
projectService.AddFileTypeDefault(".lyt", basedocmgr.FILE_TYPE_LAYOUT)
projectService.AddFileTypeDefault(".bpel", basedocmgr.FILE_TYPE_PROCESS)
projectService.AddFileTypeDefault(".xsd", basedocmgr.FILE_TYPE_SCHEMA)
projectService.AddFileTypeDefault(".wsdlag", basedocmgr.FILE_TYPE_SERVICE)
projectService.AddFileTypeDefault(".skn", basedocmgr.FILE_TYPE_SKIN)
projectService.AddFileTypeDefault(".xacml", basedocmgr.FILE_TYPE_IDENTITY)
projectService.AddFileTypeDefault(".css", basedocmgr.FILE_TYPE_STATIC)
projectService.AddFileTypeDefault(".js", basedocmgr.FILE_TYPE_STATIC)
projectService.AddFileTypeDefault(".gif", basedocmgr.FILE_TYPE_STATIC)
projectService.AddFileTypeDefault(".jpg", basedocmgr.FILE_TYPE_STATIC)
projectService.AddFileTypeDefault(".jpeg", basedocmgr.FILE_TYPE_STATIC)
projectService.AddFileTypeDefault(".xform", basedocmgr.FILE_TYPE_XFORM)
projectService.AddLogicalViewFolderDefault(".agp", _("Projects"))
projectService.AddLogicalViewFolderDefault(".wsdlag", _("Services"))
projectService.AddLogicalViewFolderDefault(".wsdl", _("Services"))
projectService.AddLogicalViewFolderDefault(".xsd", _("Data Models"))
projectService.AddLogicalViewFolderDefault(".bpel", _("Page Flows"))
projectService.AddLogicalViewFolderDefault(".xform", _("Pages"))
projectService.AddLogicalViewFolderDefault(".xacml", _("Security"))
projectService.AddLogicalViewFolderDefault(".lyt", _("Presentation/Layouts"))
projectService.AddLogicalViewFolderDefault(".skn", _("Presentation/Skins"))
projectService.AddLogicalViewFolderDefault(".css", _("Presentation/Stylesheets"))
projectService.AddLogicalViewFolderDefault(".js", _("Presentation/Javascript"))
projectService.AddLogicalViewFolderDefault(".html", _("Presentation/Static"))
projectService.AddLogicalViewFolderDefault(".htm", _("Presentation/Static"))
projectService.AddLogicalViewFolderDefault(".gif", _("Presentation/Images"))
projectService.AddLogicalViewFolderDefault(".jpeg", _("Presentation/Images"))
projectService.AddLogicalViewFolderDefault(".jpg", _("Presentation/Images"))
projectService.AddLogicalViewFolderDefault(".png", _("Presentation/Images"))
projectService.AddLogicalViewFolderDefault(".ico", _("Presentation/Images"))
projectService.AddLogicalViewFolderDefault(".bmp", _("Presentation/Images"))
projectService.AddLogicalViewFolderDefault(".py", _("Code"))
projectService.AddLogicalViewFolderDefault(".php", _("Code"))
projectService.AddLogicalViewFolderDefault(".pl", _("Code"))
projectService.AddLogicalViewFolderDefault(".sql", _("Code"))
projectService.AddLogicalViewFolderDefault(".xml", _("Code"))
projectService.AddLogicalViewFolderDefault(".dpl", _("Code"))
projectService.AddLogicalViewFolderCollapsedDefault(_("Page Flows"), False)
projectService.AddLogicalViewFolderCollapsedDefault(_("Pages"), False)
self.SetDefaultIcon(getActiveGridIcon())
if not ACTIVEGRID_BASE_IDE:
embeddedWindows = wx.lib.pydocview.EMBEDDED_WINDOW_TOPLEFT | wx.lib.pydocview.EMBEDDED_WINDOW_BOTTOMLEFT |wx.lib.pydocview.EMBEDDED_WINDOW_BOTTOM | wx.lib.pydocview.EMBEDDED_WINDOW_RIGHT
else:
embeddedWindows = wx.lib.pydocview.EMBEDDED_WINDOW_TOPLEFT | wx.lib.pydocview.EMBEDDED_WINDOW_BOTTOMLEFT |wx.lib.pydocview.EMBEDDED_WINDOW_BOTTOM
if self.GetUseTabbedMDI():
self.frame = IDEDocTabbedParentFrame(docManager, None, -1, wx.GetApp().GetAppName(), embeddedWindows=embeddedWindows, minSize=150)
else:
self.frame = IDEMDIParentFrame(docManager, None, -1, wx.GetApp().GetAppName(), embeddedWindows=embeddedWindows, minSize=150)
self.frame.Show(True)
wx.lib.pydocview.DocApp.CloseSplash(self)
self.OpenCommandLineArgs()
if not projectService.OpenSavedProjects() and not docManager.GetDocuments() and self.IsSDI(): # Have to open something if it's SDI and there are no projects...
projectTemplate.CreateDocument('', wx.lib.docview.DOC_NEW).OnNewDocument()
tips_path = os.path.join(sysutilslib.mainModuleDir, "activegrid", "tool", "data", "tips.txt")
# wxBug: On Mac, having the updates fire while the tip dialog is at front
# for some reason messes up menu updates. This seems a low-level wxWidgets bug,
# so until I track this down, turn off UI updates while the tip dialog is showing.
if not ACTIVEGRID_BASE_IDE:
wx.UpdateUIEvent.SetUpdateInterval(-1)
UpdateService.UpdateVersionNag()
appUpdater = UpdateService.AppUpdateService(self)
appUpdater.RunUpdateIfNewer()
if not welcomeService.RunWelcomeIfFirstTime():
if os.path.isfile(tips_path):
self.ShowTip(docManager.FindSuitableParent(), wx.CreateFileTipProvider(tips_path, 0))
else:
if os.path.isfile(tips_path):
self.ShowTip(docManager.FindSuitableParent(), wx.CreateFileTipProvider(tips_path, 0))
iconPath = os.path.join(sysutilslib.mainModuleDir, "activegrid", "tool", "bmp_source", "activegrid.ico")
if os.path.isfile(iconPath):
ib = wx.IconBundle()
ib.AddIconFromFile(iconPath, wx.BITMAP_TYPE_ANY)
wx.GetApp().GetTopWindow().SetIcons(ib)
wx.UpdateUIEvent.SetUpdateInterval(1000) # Overhead of updating menus was too much. Change to update every n milliseconds.
return True
class IDEDocManager(wx.lib.docview.DocManager):
# Overriding default document creation.
def OnFileNew(self, event):
import NewDialog
newDialog = NewDialog.NewDialog(wx.GetApp().GetTopWindow())
if newDialog.ShowModal() == wx.ID_OK:
isTemplate, object = newDialog.GetSelection()
if isTemplate:
object.CreateDocument('', wx.lib.docview.DOC_NEW)
else:
import ProcessModelEditor
if object == NewDialog.FROM_DATA_SOURCE:
wiz = ProcessModelEditor.CreateAppWizard(wx.GetApp().GetTopWindow(), title=_("New Database Application"), minimalCreate=False, startingType=object)
wiz.RunWizard()
elif object == NewDialog.FROM_DATABASE_SCHEMA:
wiz = ProcessModelEditor.CreateAppWizard(wx.GetApp().GetTopWindow(), title=_("New Database Application"), minimalCreate=False, startingType=object)
wiz.RunWizard()
elif object == NewDialog.FROM_SERVICE:
wiz = ProcessModelEditor.CreateAppWizard(wx.GetApp().GetTopWindow(), title=_("New Service Application"), minimalCreate=False, startingType=object)
wiz.RunWizard()
elif object == NewDialog.CREATE_SKELETON_APP:
wiz = ProcessModelEditor.CreateAppWizard(wx.GetApp().GetTopWindow(), title=_("New Skeleton Application"), minimalCreate=False, startingType=object)
wiz.RunWizard()
elif object == NewDialog.CREATE_PROJECT:
import ProjectEditor
for temp in self.GetTemplates():
if isinstance(temp,ProjectEditor.ProjectTemplate):
temp.CreateDocument('', wx.lib.docview.DOC_NEW)
break
else:
assert False, "Unknown type returned from NewDialog"
class IDEDocTabbedParentFrame(wx.lib.pydocview.DocTabbedParentFrame):
# wxBug: Need this for linux. The status bar created in pydocview is
# replaced in IDE.py with the status bar for the code editor. On windows
# this works just fine, but on linux the pydocview status bar shows up near
# the top of the screen instead of disappearing.
def CreateDefaultStatusBar(self):
pass
class IDEMDIParentFrame(wx.lib.pydocview.DocMDIParentFrame):
# wxBug: Need this for linux. The status bar created in pydocview is
# replaced in IDE.py with the status bar for the code editor. On windows
# this works just fine, but on linux the pydocview status bar shows up near
# the top of the screen instead of disappearing.
def CreateDefaultStatusBar(self):
pass
#----------------------------------------------------------------------------
# Icon Bitmaps - generated by encode_bitmaps.py
#----------------------------------------------------------------------------
from wx import ImageFromStream, BitmapFromImage
import cStringIO
def getSplashData():
return \
'\x89PNG\r\n\x1a\n\x00\x00\x00\rIHDR\x00\x00\x01\xf4\x00\x00\x01\\\x08\x02\
\x00\x00\x00\xb1\xfb\xdb^\x00\x00\x00\x03sBIT\x08\x08\x08\xdb\xe1O\xe0\x00\
\x00 \x00IDATx\x9c\xec\xbdg{\x1cIv4\x1a\'\xcb\xb4G7\x00Z\x90\x1c\xb3\xb3\xab\
u\x92V\xaf\xfc\xfd\xff_\xde+w\x1f\xadV\xd2:ifg\xe8\t\xd3\xbel\xe6\xb9\x1f\
\xd2TVu7\x087C\x80\xac\x18\x0e\xba\xcbg5\x1a\x91QqN\x9e$fF\x8b\x16?8\x98\xd5\
\xeb\xff\xfdgU$\x00\x18`\x06\x11\x88\x00\x80\xf4\x0e\x00\x01Df\x93 \xbd\x03\
\t\x02\x01B \x0c\x83N\'\x8ez\x03t{\x10\x02y\xaaV\x8b"O\x95Tl\xcf\xc9\x0c\xc5\
\x90\nJ1\xdb3_\x1f\x04*\x14\xa79\x1f>\xfd\xf3\xd1\xf8\xfe\r\x9d\xb5E\x8b\x9b\
D\xf8\xa1\x1b\xd0\xe2\x13E\xb2<\x91E\xa2\xd9\x96\x00\x06\x13H\xbf\xd7\xcb\
\xfa\x8d\x95\x1ed\xa8\x99\xa1\x00AP\x8c\xb2\x94\xe0\x9c\x15G\xb2\xa4N\x17"\
\x10\xddA\x04\x94y&\x95\x04\x83\x08\x0c\x10\x81\x00E\xa4\x14\xd4\xcdI\x19\
\x02\x02\x81\xf9\xc9\xcb\x96\xdc[\xdcN\xb4\xe4\xde\xe2\xc3`q\xf2\x9d\xe5r\
\x80A\x9a\x83a\x165\xc8*z\xbdR\xd3\xba~C\xccL\xc4,%\xab\xb2,\xc3,\r\xa3X\x88\
@\x880\x08\x99\xcbB)\xc9\xcc\xfaX!@\xac\xbb\x04RF\xce3\xae*\xe4\x89\x88\xcd\
\xe1\x94\xae\xce\xf2t\x1dw\xfbW\xfe\x1cZ\xb4\xf8\x9e\xd0\x92{\x8b\x0f\x80,\
\x99\xe7\xc9\\Xr%\xf7\xc6\xee\xc0\xd6\x901\xdb\xb5\xb6g(f"\'\xf7\xa1\x00\x96\
\xacTYJ\x15\x16e\x18\x04$\xc8\x1c@\x02P`\x08\x02\x13X1\xeb\x07\x02\x063\x84a\
\xf9+y5\x0c\xae: ^/\xa7-\xb9\xb7\xb8\x85h\xc9\xbd\xc5\x07\xc0j\xfa\x1a@\x18 \
\x0c\x90\x16\x96(\x19\x10\x865\xc9x3\x15\xef3X\xef\x02M\xc8d\xdf\x00\xcc\xcc\
\xac\x94RR)m\xca\x9bC\xd8\x9e\x83H\x04`fR\xac\x8c\x15\xaf;\x0f\xd2\x0bl\xfb\
\x91\x8b\x10=\x83\xddQ\x00\xb2dqc\x9fK\x8b\x167\x87\x96\xdc[\xfc\xd0P\xaaL\
\x16\xef\x08P\x8c8$\x02\xa7\x85g\xbf\xd8Pj\xe5\x8e[\x0b\x9e\xedV03 \x88\x98\
\x8dS/\x98\x15\x11C\x911\xd9\xf5\x7fL\x04f\x16B\x08\x11\x88\x80\x02\x86b%\
\xa5RJ)f\x023\x81A\x9a\xe5\xf5\x897]y\x9f\xf1u\x0f\xc3\xde\xbf<O\xbf\x9f\xcf\
\xa9E\x8bk\xa1%\xf7\x16?4\xd6\xf3c%\x0bAP\nE\xc9\x9d\x88\x88x\x9dU;\x98$\x19\
#\xdb\xa9F\xf4\x004\xfb3\x14X\xebv\x10\x14\x00\xb0P\xc6\xc0!\xb0\x16\xf76\
\xdfF1#@\x18\x86A("\xa5X\xca\xb2\x94RI\xa54C\x1b\xc3\x9f\x98\xc8\x08r\xd8\
\x87\x05\xef\xe2\x8c\xca\x93Q\x0c\xa57+\xf5}}R-Z\\\x03-\xb9\xb7\xf8\xa1\xb1\
\x9e\xbdr)1\x85D\x1c"\x0e\t\xc4If\xa8\xf3b\xde\x08\x1c\xf5\x92\xfd\xa9\x00\
\xe1\x8c\x1b\xd7=0\x88\xa0X).\x14s\x14\x86a\x14\x86Q\x1c)%eY\x16E\xa9\x95\
\xbc9\x0eV\xf4\xbbv\x98\xf0)[\xd2W\x0c\x9dx\xa3\x14\xb6\xe8\xfc\x16-n\x07Zro\
\xf1\x83"O\x16\xd9\xda\x86R\t\x92Q(\x8e\x03\xd2\xfe\xcc:\x03\x18$\x1c\xb5\
\x92\xd5\xed\xdbI\x94\xeb\xfc\xaeC\xa8l-{\x97l\xc3\x0c"V\nJ\x16R\xcaP\xca(\
\x8a\x830\x8c\xc2^\x14\xc5eY\x96eQ\x96R\xbb\xf6\xda\xc2\xaf\xba\x18\xc7\xecl\
r\xe7\xa5&wE|N\xcbZ\xb4\xf8\xd0h\xc9\xbd\xc5\x0f\x8a\xd5\xec5Y\x07]\x13w^ \n\
@\x8c8$\x06\'\x99\xa5L\xcf\x82\xdf\x0eg\x9ap\xb5B[$\x04\x90\x97CI\x04\xd2\
\x14M\x90\xacJY\x14\x85\x0c\xc2 \n\xa3 \x0cE\x10\x84$\x84\x90\xa5\x94(K\xa5\
\x14\xab*!^\x814\xdbkrW\xca\x182J\xb1^\x13\x84\xd1\xcd\x7fL-Z\\\x1b-\xb9\xb7\
\xf8\xe1\xa0d\xb1\x9e\xbfu\xb1Q"bp\xa9\x90\x15\xdc\x8b\x89\x19\x9d\x90\x989\
\xcd\xf5\xee6\xe9\xf1\x02\xe2\xd8\xd82\\\xd9:~\xf6\x0b\xd9\xfc\x1a\xed\xd6\
\x13XIU\x96\xb2\x08J!\x02!\x88HX\x81\xaf\xf3u\x04\xb32\xf1[\x86M\x8d7\xfa]*\
\xd6\x14\xaf\x17\xbb\xbd\xd1\x8d~H-Z\xdc\x0cZro\xf1\xc3!Y\x9c\xb0*\x9c\x0f\
\xae-v\x02\xb2\x02a\x80(\x00\x03\xdd\x88\x94\xe2\xbc4\x878\x05\xedj\x12\xf8\
\xf0\x17m\x86\xa3If\x07\x81X\x87\\-\xc5\xdbc\xaaG\x02%\x89t\x82\r\x99\x9e\
\x84H)\xe5\xa4:\x00\xc5\xec3\xbb-f`\xae\xae\x18\xbd\xc1\xde\r~D-Z\xdc\x14Zro\
\xf1\xc3a9}\xe5\xdek\xd9\xae\xdf3\x90\xe6\x1ctM\x8az/&\xc5,\x95\xdb\xb8\r\
\x1b\xab\xab\x14\x17\x9b\xceH\x80fw\x9bBSY=\xde#\x81~\x88`7@\xd6\x1d\xee\xfb\
\xec\xfag\x15G\x85\x89\xfd\x8a0\xea\xf6\x86\x97\xfe Z\xb4\xf8\xfe\xd1\x92{\
\x8b\x1f\x08y\xb2(\xd29\xb9\xd4\x16T\x04-\x08\xa5B\x92\xf3\xa0c\xb8\xb8\xdf\
\xa1u\x06\xcb\xef\xdbe{\x13\x0cP\x15bu\x89\x8c\xdeh\'\xed\xbc\xefH\xc6!\xa3\
\xf2\xad`\x07\x0c\xd1\xeb|KR\xccRV\xbd\x86\x023c4<h=\xf7\x16\xb7\x13-\xb9\
\xb7\xf8\x81\xb0\x9a\xbdv\xfcL\x1b\xc9\xeb\x04\x14%\x12B/\x06\x83\x05\xa1\
\x1f\xd3*c\xa5j\xc5\t*\xa9\x7f~\x02\r\xe0hZ[?\xc4\xe7\x1fG\xfe\xa9\x19`[eL\
\x0by]\xf9\x80Y\x17\x961;*\xc6\xe4\xf0\xf1%?\x86\x16-~ \xb4\xe4\xde\xe2\x87\
\x80\x19\x95je;md1\x02 B^B\x08tB\x00\x10\x02\x83.\xadRV\xbcEl7\xcd\xf7j\xf4\
\xaa\xf5Y\xcc\n\xf6^\xb6\xa1\xb1\xdd\x9e\xa12d\xb4\xd5\xae\xfb\x08\xaa\xad\
\xef\r&\xc3\xbd\xfd+}\x1e-Z|\xefh\xc9\xbd\xc5\x0f\x81dq\xa2dnc\x96\x15\x99\
\xfa\x15\xdb5\xeb\xa7\x05\x08\xd4\t\xc1@@\x18t\xb5?S\xed\x7f\xce\xb8!\xf6I\
\xdc\xcb\x91\xb4\xa5\x05v\x1e\xd58\xa8\xa2\xf5\xc69QU)P\x8c\xfb\x8f>\xbf\xc4\
G\xd0\xa2\xc5\x0f\x8b\x96\xdc[\xfc\x10XM_\xdaLD\x93\xc6\xb2u7\xcd\xddI\xce\
\xf0\xf8\xbd\xdf\xc1*\xb5&\xf8\xb6\xa3\xb8\xce\xe8N\xb6\xd7\xd6\xd5\xf9\xbd\
\x91f\xe3\xbfq\x8f\x14\xca&\xccx\x16\x123\x13L\x92\xccx4>x\xff\x9d\xb7h\xf1\
\x81\xd0\x92{\x8b\xef\x1dE\xb6\xca\x93y\x95\xb2\x82\x8a,\x1b\xb2\xdd!\xc9\
\x99A\xdd\x9a~w\xf93\xdb\xc1h\xcav\xde\xb6\xd5e\xc2\xc0\xe3q\xf7(\xe1\xd6{\
\x8b\xcc\xa6\xfa\xb0\xb5z\x98\x15\xf3\x83\xc7_\\\xeaCh\xd1\xe2\x07FK\xee-\
\xbew,\xcf^\x19\xfa\xa4Z\x06d\x03\xfe\x88T\x02e\x05\x98\xd1\x8d\x00\xcd\xef\
\x1dJ\x0b\xce\n4B\xb1\x1e\xa1o\x93\xed\xf5!\xac\xfe1>\x8f3W\x14oK\xf9\xda<|x\
\xdd\x84N\xbda\x0c\x86\x93V\xb6\xb7\xb8\xe5\x10\x1f\xba\x01->r\xb0\x92\xc9\
\xe2mc\x18\x91\x86_\xfa\xd1l\xb16\x88^\x91\x15Xgf\xa8(\x11z1\xf5b\x7f\xee={6\
\xaa\xcbv\xff"\xdc|\x8f\xba\x8aw\xff`\xb3b\xec\xbf\xc6b\xd5@F+\xdb[\xdc\x01\
\xb4\xe4\xde\xe2\xfbE\x91\'\xaa\xac\xea\t4e\xbbG\xf4\xd5\xb27CS!\xb1\xca\xaa\
\x84\x99nD\xc3.E\xc2*nw\xd0fT\xb4vz\xcf\x93\xe1\xc6\xb2\xf3pH\x13\xb7}\x00hd\
\xe8\x90+k\xd0\xca\xf6\x16w\x02-\xb9\xb7\xf8~\x91,\xde\xd9\x02\x8f\x00j\x02\
\x9b\x1b\xf3`T\xc4^\x9bKI*\xacR.\xa5\x99W)\x10\x18t\xa9\x17Ws1y\xb2\x9d|\xd2\
\xde\xc2\xe3u\xba\xf7d\xbb\xd7\x82m\xd0\x8d\xd7\xb3/=8\xfa\xe2\xc2w\xdf\xa2\
\xc5\x07CK\xee-\xbeG0\xab\xd5\xec\x8dY\xa8\x0f\\\xf2\x86\xaa\xda\xb2.fC\xfd\
\x0c\x80\xe6\xf7e\x86\xb4`wl7\xa6a\x97\xe2\xc0X(\xe4\x1f\xb0\xc1\xed\r\xd9\
\xceM\xd2w\xb2\x1df@\xaa.|\xe3\x8d\x87\x82\xcd\xf0\t\x88B\xd1\xfe\xd5\xb4\
\xb8\x03h\xbf\xa6-\xbeG\xa4\xcbSY\xa4.\x17\xc6\xc6)\x81\xcd\xa4F\x06je\xbe6\
\xc0X\xe7Xe,\x95\x89u\x86\x01\x06=\x1at\x10\x08=\xdb\xf5Ud\xbb\xb7\xcf{d\xbb\
\x8e\xb4\x86\x01\x92\xd5\xf4\xfc\xbbn\xd1\xe26\xa0\xcd\x96i\xf1=b5{\xedB\xa9\
\xb5I\xeb\xaa\xc2\x90\xd4\x0c\xb3z\xe0Z\x8e9\x88\x90\x17(%w#\x8a#s\\\'\xa2(D\
V \xc9\xab\xb1Nh\xb2\xba\xf7\xa6N\xfa\xec\xc9vx\xb2}\x83\xeb\x8dl\x17\x84<[_\
\xf2ch\xd1\xe2\x03\xa0%\xf7\x167\x06f\xc5\xb2T\xaa\x94\xb2`Y\x14y\x9a,O\x88@\
\xb4e&T\xf2\xdf\xb82\xec~\x18\xb3>\xe2\x88\xadq\xaf\x18\xeb\x8c\xf3\x12\xbd\
\x98\xc2\xc0\xac\xec\xc5\x14\x87H\x0bd9JU?\xd0\xbe\xbf\xa0l\'\x7f\xab\xf5\
\x8ct\xac5\x08\x08\x80,\x8b\xab}>-Z\xfc\x90h\xc9\xbd\xc5\x15\xc1\xacd\x91\
\x95\xf9\xaa\xc8\xd6e\xbe.\xf3\xa4,2\xa5J%%\xa0*\x0b}S\x98Wy\x91n\xdb\xfbe\
\xbb;\x87^YH\x94\t\xc7!\xba1\x05\x02\x00\x84@\xbfC\xdd\x08YAi\xc1E\xc9\xb5\
\xdeA?;4e;|\xd9\xee7w\xb35\x82\x10\x98\x0e\xa653[\xdc\x01\xb4\xe4\xde\xe2\
\xa2P\xb2(\xd2E\x9e-e\x91\x95ERf\xeb\xb2\xccX\xd5\x86\x8dz\xe1L\x10Y\x02\xb7\
Vz5\xf3\x86M\x94q\x82\x9e\xea#T\xb7\xcav\x1fz\xd0h\x9asVp\x1cR\x1cQd\xca\x8d\
Q\xaf\x83nLy\xc9E\xc9y\t\xc7\xf2~|u\x8b/\xef\xdd\x82\xeb\x16\x8clg\x10!\x0eI\
_4\xee\xf6/\xfe\xa1\xb5h\xf1\xa1\xd0\x92{\x8b\xf7\xa0\xcc\x93lu\x9a\xaeN\xf3\
d.e^\x97\xd9d\xd9\xdc/\xd3\x0e\xd8\x05\xf2\x18\xdb\x99\xed\r\x98\xe9\x92\xb6\
%\xc9\xf8\xd9*z$\x11\xf9\xa5y\x99u\x01\xf7\xb4@Zp\x14\xa2\x1bQ\x14B\x1bA\x9d\
\x88:\x91P\xccE\xc9\xba\x0f(\xa5\xab\xd2nO`\xfd\x16\'\xdb\tP\x9eE\xa3\xefN\
\x08\xc4\x01\x84\x1dr5\x9a<\xb8\xca\xe7\xd8\xa2\xc5\x0f\x8b\x96\xdc[l\x87\
\x92y\xba:K\xe6o\xd3\xd5)\xb3\xf28\xddIpo\xd8)\x19u\xed\xbb\xdcU\xb0\xd4\'e/\
\x03\x12U\xb5\x99\x06\xe7\xd7\xb3[\xcc\xe0!/S\x9e\xc0\xf5\x8b0#/9/9\x14\xd4\
\x8d)\x8eH\xd8pm\x1cR\x1cB*-\xe49/\xb8\x90(\x95.\x11CF\xa5\xb3\x97\xcf\xe3NL\
$\x08a\x88\x80\xaa+v\x07\xfb\x9dv\xd2\xd4\x16w\x01-\xb9\xb7\xa8\x839[\x9f\
\xad\xe7o\xd2\xe5\x89\x94\x85\xc7\xd6>\xffRC\x8f;;\x86\xbc\xa8h%\xdb=\x8a\
\xf7\xce\xe1\x9dq\x1b\xb7\xfb<\xabG\xfd\xd7f\xd4\xf0\x03\xa45/\x9e\xf35\x07\
\x82:\x11u"\n\x03\xe3\xa5\x08\x81NDqD\xdc\x85b\x14\xa5*%\x15\x92KI\xb59Q\x15\
\x88 \x88\x84\x80\x10\x10\x96\xf1\xf5C\x83b:x\xf8\xe5\x85?\xca\x16->$Zroa\
\xa0d\x9e\xcc\xdf\xae\xa6\xaf\x8al\xc5\x9eW\xb13\xf1\xdc\x89i\xa3\xbd\x9b\
\xbb\xf9\xf90~Y\xddJ\xaa;\xcd\\;\xab\x9b\xe6\xba~\xb6\xa6l\xf7=\x9bjQ\xb7G*^\
\xa5\xbc\xce\x10\x05\x14G\x14G\x14\nbb(\x00\x08\x04(\xa48\x04@\xca\xf6\x13\
\x8a\xc1\x8aK\x05\xa5 \x19J\xe9\xc4y\xd3\x1a"(\x85\xa8\xbf\xdf\x1f\x8e\xcf\
\xfb\x10[\xb4\xb85h\xc9\xbd\x05d\x91\xae\xa6/W\xb3W\xb2,\xfcq\x99h*o\xae\xaf\
\xddE\xfa\x8d\xa3ky(u{}\x83\xd9}XO\xc6\t\xe7sd\xbb\xdb\xddKa\x043\xb2\x82\
\xd3\x82\x05!\n)\x0e)\n\x10\x04\x04=Y\x1e\xdb\x07\x02\x00\x80 "\xe6\x80t\
\xe1\x1a\xa5 \x15I\xc9\x92QJ\xe4\x12O\x1e\xb7\xb2\xbd\xc5\x9dAK\xee\x9f4\xca\
<Y\x9d}\xbb\x9e\xbfe%\x01\x04\x02\x9bU\x00\x94\xad\x92\x88\xba\xeb\xf2~p\x95\
*cVp\xa5\xf2\x9b\x95y\xeb\x07mf@\xba7M[\xdf\x9c\xd8\xdb\xd3\xef\x9d\xc8\xdcB\
\x92s\x921\x11\x02\x810\xa00@ \x10\x08\xf2\xa3\xbel\xbb\x04\xf2,\xfe\x92\x91\
\x15P\n\xc3\xbd\x83\xfep\xef\x82\xb7\xde\xa2\xc5\x07GK\xee\x9f(d\x99\xad\xce\
\x9e\'\xf3\xd7,\x0b\x02t\xea6\xd9\x14\x97M\x93\x85A\xac\xfd\n~\x8f\xe0\xd6{;\
\xf8\x9e\x8cY\xb6\xbb\xd0f0u#\x03\x92\xacl\xdfq\xfa\xdab-\x8b\xddu\x02\xce\
\x91\'(\x86,\x91\x15\xcae\xc7\x10\x19c]\x10\x84 \x06\xa4d\x06\xa4\x82R\xac@`\
\x021\x11=z\xf2\xa3s\xef\xb9E\x8b\xdb\x85\x96\xdc?=0\xafg/\x97\xa7\xdf\xaa23\
kh;\xad\xbb\xb8\xa8\xc9\xf7\x0e\x10\x01\xacP*\x96\n[\xe7\xad6Wp>\x8e\x9f\xcf\
\xee\x9fu\xc7\xb1[3 m\xab\xab\xf6\xbb\xe4\xf8\x9a\xf9\xbe-i\xdd\x8eT\xf2@6\
\xbf\x86I)(\x9b-\xe3\xfc"\xcf}"\xb2y2\x83\xf1~o\xd0&\xc9\xb4\xb8Kh\xc9\xfd\
\xd3B\xb6>[\x1e\x7f]\xa4s\xb7F\x9b\x12\xef\xa1u\xbbJk\xfc\x8e \x05H\xc9\x85\
\xb4\x14_wRj!NOWo!\xf4\xdd\xb2\xddm"\xafY\xfep\xa4\x8d\xd3{?\x1b\xbb\xd5\xb6\
i9o\xdaHdGT\xd9J\x90\xd5\xd5\xbc\x1b\x9b\x1c<\xdcl\xfbN0\x17\xab\xd7\\\xcc\
\xa4\xa2\xb0\x7f?\xea\xb5\xc5\xdf[|\x00\xb4\xe4\xfe\xa9@\xc9bq\xf2M2}YM"gi\
\x9d\xacr7\xb0v\x89Mi\xacgA\x02\x00\x04!\x08)\x0cPH.e\xe5\x9c\xf8J\xba\x96\
\xdb\xee\'\xaa\xdb\xa5\xad\x03\x97\x1akL(\x95\xabew\xfa]\xb2}\x17\xf5\xf3\
\xb6E\x1b\x06\xd8\xcc\xcf1maF\xdc\xe9O\xf6/1pi={Q.\xbea\xc5\x00\x17\xcb\xd7y\
w\x12\x8f\x9eE\xbd\xfd\x8bG+Z\xb4\xb8>Zr\xff$\x90\xad\xcf\xe6o\xffP\xe6k4h\
\xdd\xcfF\x07\xe0rZljKC\xcb7\xd8W\x10\xba\x11\x95\x01\xf2\x82\x95\xb2\xfb\
\x93\xe7t{\x1c^\xd5\x80\xe4-y\x93\xb5\x89\xec\xaa\x95[d{\xed\xa0\x8d7n\xc1\
\xb5a\xb3\x9eLM\xde{\xb7\xed\'\ny\xb2\x9d\x1f=\xf9\x92.\\\xc3\x9dY\x15\xab7\
\x90\xb2\x94\xac\x18D\x08\xd6S\x99N\xd3\xce\xb83\xfe"\xeeM.x\x9e\x16-\xae\
\x89\x96\xdc?v0/N\xbf]\x9e|\x03+\xd8\xa9.\xd8\xbdL\x11\x18\x1b\xa6\x1e\xe6\
\xac\'/n\xe9\t\xa2\x00\x81 =\xf2\xd3\x9c\xc7s\xba\xdd\xfeF\x98s\xf5\xb6\xd6\
\xcc\xc6\xb2\x16\xfb>\xb9_@\xb67\xec\xf5\xeb\xcbv\xa5T\xa7?\xee]&\xb7}\xf9\
\xf6w\x9d\xb0`\x11\x05e)\x15K\xc9\xa5d\xa9\x10\xa8\x19g\xff\x9ew\x0f;{O\xa3\
\x96\xe2[|\xff \xde\x94C->\x16\xb0\x92g\xaf\xfe+\xd5uw\xb1!\xd8\x1b\x94M\xf5\
\x19\x91\xea\xb4\xbe\xc9\xe9\xd8X\x93\x17\x9c\x15Mzu3.5\xc6\xab6\xdc\xf6\xaa\
S\xe0\x8a\xd9\xab\xf4v\xa3\xb8k\xe4\xee"\x9f\xcc\x1b?\xed!n%\xdb\x9fv=W\xe4\
\xbeQRF\x07R\x99\x15\x89\xa87\xfeQ\xd4\xe9\x1eNz\x83\xe1\xfb\xeb\x85\x95y2{\
\xfe\xcf\x04\xa5C\x11B\x98\x8a\x95Z\xc5\x03\x08\x04\x05\x02A\xf7 \x1a=\x89\
\xfb\xad\x17\xdf\xe2{D\xab\xdc?Z\xc82\x9b\xbe\xfam\xbe>s\xcc\xae\xb3\xd8\xc9\
\xbc!\xc0\x0f\x1e\xd6\xca2n\xa7\xf5F\xc1\x00\xf6v`\x00\x88#"\xc1i\xeeU\x7f\
\xb4\x9b4\xa5\n\xf2\xc8\xdbC3\xf2\xa9\xdf:\xd9n]\x94+\xbb\xed\x8d\xc5\x8b\
\xc8v\x06\x83h\xb4\xff\x99\xa4\xeebU\xe4y\xb9\x9fe\x93\xf1^\xa0K\xc8\xef\x80\
,R\xa5\x94\xb0\x1f\x94RJ)\x12\x02a@\x0c\x94N\xc5\xafO\xcb\xf44\xefL:{\xcf\
\xa2\x96\xe2[|?h\xc9\xfd\xe3D\x91-O_\xfc\xa7,\x12a\xd3`<+F\xffW\xc5=\xe9R\
\xb4\xee\xb1\xe1f|0\x0eH\xc4\xbc\xce\xab\xa1@\xf6"(%\xb3@\xd0x:\x80u\xe7\xad\
:7\xeb\xb6P\xf7vl\xee\xb0\xe9\xb6{\xda\xbf~v\xd8\x87\x8eM\xb7\x9d\xe5p\xf2\
\xb8;\xdcO\xd32\x8a\x82\xbcT\xefN\xf3uzv0\xee\xf5\x07}\xda|x\xd1\xc7\x8a\x90\
\xcc\xa3\n\x03P\x1c\x00\x0c%\x95\x12BP\x1c\x92bh\xa3\x86\x14\x94\x9a\xcal\
\x1av\'\xd1\xe8i\xd4\xdbo\xcb\xc4\xb7\xb8Y\xb4\xe4\xfe\x11"[\x9d\x9e\xbe\xfc\
oVE\xc5\xec\r\x9f\xddS\xdd\x8e\xd9\xdfK\xeb.\xc4\xb8E{\xdbe\x06\xc2\x90\xfa\
\xc4\xeb\xcc&\xb9\xdb\xbd\x03\x81\xbc\x04\x85h\xc4&]\xbd]\xbf\xd6\xe4y\xb2\
\xddo\xff\x86,?\xdfd\xf4e\xbbkx\xdd\xa97\x86L\x18\xf5\xc6\xfb\x8f( \x82\x08\
\x02\xcar\x95\x17r\xb1,\xb3l5\x1ef\x93\xc9(\x8a\xa3\xcd\xf3\x07a\xcc\x10\x84\
\x92\xc2\xbe\x8c\x1f\xa7\xb2W\x14e\xcc\xd3\x0e\xbfe\xa5\x94\xa2 \xa00\xa4\
\x90\x8d\x8a\'\x05\xb9>+\xd3i\x16\r\xa3\xd1\xd3\xce\xf0~K\xf1-n\n\xad\xe7\
\xfe\xb1!]\x1e\x9f\xbe\xfc/\xb0\xda\xc6\xec\xe4\x91p-\x8d\xdd1\xfb\x16Zw\x99\
\xe0\xd5dx\xee\x1c\xdbc\xadD(\xa4\xe5w\xbb\x06\x003e\x05wc\x08\xaa\xaa\x0f\
\xb8\xd4r\xb33\x113\xfbn;\xacE\xae7kO\xc6\x97\xe0\r\x9f\xbd\xe6\xb6\xfbV\xfb\
\x0e\xb7\xdd;y\xe5\xb6G\xd1~o0\xee\xef\r\xa3NWJ\xces\x95\x15*\xcfU)\x95 t;t\
\xb8?\x18\x0cz\xa2\xdeS1\xab\x93o\xfeo( \xf6~,\xc50\x10"\xcbr\xc9"(O\xc4\xfa\
k\xd8\x9en\x9b\x17\x0f!HD\xc3x\xf44n)\xbe\xc5M\xa0%\xf7\x8f\n\xeb\xd9\xab\
\xb3\xd7\xbf\'\xf0\x0e\xcd\xae\xf9\x9b\x018b\xdf"\xd8\xb7\xd1:\\tT\x837\x8e\
\xaa\xa0{\x0e*%V\x19\xbb\x81\xac\xbak)$\x17\x12\xbd\x98\x04U1\xd2z(\xb5\xfaN\
\xeam\x9a\x8c\x8d\xaagT\xfe\x8a\xef\xb7x$\x8e\x06\xa7\xd7\x03\xaa\xcc\xee\\ \
\xa2\xea\xdc\xb6\x8d\xcc\xdc\x89;q\xe7 \xcbe@\xd4\x1b\r\xfb{#FP\x94\xaa\xc8U\
VpQH\xc5*\x0ch<\x8a\xf6\xc7\xc3\xb8\x13\xfb7\x7f\xf2\xed\xbf\x04A\xcc\xbd\
\xa7:\x0f\xd2\x0cr%!g\xbf\xa7b\xae\xeb<\xe8\xeb\xe9\xe26\xf0(^\x10\x82\x80D4\
\x88\x86\x8f;\xc3G$\xce\xf3\xf7[\xb48\x1f-\xb9\x7f<X\xcf\xdf\x9c\xbd\xfco],\
\xc5gv\xb7\xe8\xe7\xac4j4\xfa\xa2\xdb,s\xcd\x8e\xf6\xfb\x00\x87\xfa\n6\xc73@\
\x0c&".%\xd6\x19\xa4a.C\xe7\xa5B\x92c\xd8E H\xe7\xa8\x903\xcau\rHu\t\xd9\xde\
\xd0\xe9\x97\x96\xed\x1e\xb9k"V\xac&{\x87\x93\xbd\xd1*)\x97\xebRI\x15w\xe2\
\xe1d\x1cu{e\xc9E\xa1\xf2\x82\xf3B\x95\xa5\x02T\xb7#\xf6\xc7\xdd\xd1\xb0\x1f\
\x84\xc6\xe1<{\xf1\x1f\xc9"Y\x15C\x11\x08!\x88D\x00\xb0R\xe8\x88i7X\xfa\x9f\
\xd9{(>\xecE\xa3\'-\xc5\xb7\xb82Z\xcf\xfd#A\xba<>{\xf5\xbbMf\xd7\xc2\xd1\xc0\
cv\xa7\xcd\x81\xea\xfd\x96\xb0*_\x98\xd6m\xcfaL\x16b\x06\xa2\x00\x83\x0e\x96\
\x19T5\x95\x13\x05\x02\xbd\x98\x97)z1G!\x8c\xc2\xb0\x04\x0bW\x00\xc0\xc9vl\
\xb9\x98\x9f\x84S\xad\xe0m\xbb\xda\xfc\xf7\xedn{\xf3\x02\xcc\x8c\xac@Q\x8aa?\
\xec\xc4b\xbe*\xb3\xac\x98\xbd;\x19\x8c\xf7\xba\xc3A\xd0\t\x82@\x05!\xe59\
\x15\x05%\x99*N\x92$\xc9\xf7\xf7\x87\xddn\x17\x00\x828\n\xd7\x91\xe2LJ\xa1\
\x08\x90\x00\x14\xa3\xdbQ\x8d\xbc\x1c}\x9bRA*\xd6\xb5*\x01H]\xb7\xa7d!\xd7\
\xaa\xf8c\xb9x\x11\x8d\x9eD\x83\xfb"\x88\xd1\xa2\xc5e\xd0*\xf7\x8f\x01y2;\
\xfe\xee\xd7`\xb9\xc5\x8d\x81emg\xafocv\xe7\xb7\xd4\xa8|\xc3UGmE\xcdP\xdf\
\xe1\xc3C[1\xeb\x0c\xa5\xaa=\x1fH\x85U\x86n\x84^L\x8a\xf9\x1c\xd9n\xdf\xee\
\x94\xed\xd80a\xb0\xd5\x99a\xe8\xd2\xc5\xe7\xc8v\x80\xf3\x12?\xfd\xe5\xdf\
\xf6\xfa\xfd\xc5\xf1[.V"\xa4U"W+\xa9\xa4\x8c\xbb\x9d\xc1x\x1cu\xbaRqQp^\xa8\
\xbcPE\xa9\x02\xc1\xa3\x9e\xe8\xf7\xe2\xc1h\x90-\xdf\xad\x8f\x7f\x8f\xf0\xfe\
"\x8b\x94\xaeqF"\x12r\x10\xbc%.\xb7|\x9a\xde\xe7\xe6T\xbc\xa6x0\x84\xaeK\x1c\
\xc6\xe1\xe0\xa8\xbbw$\x82-Q\xdc\x16-\xb6\xa2%\xf7;\x8f2O\xde\xfd\xe9\xdf\
\x94*\x04m\xe1t/\xf7\xd1S\xee\xde{xVL\x8dx\xb8FD[\x8du\x9f\xd6\xcf\x01\x01\
\x92\xb1\xce8/k\x01[\xa5\xb0\xca\x10\n\x0c\xbaNG{\x82\xbd\xe6\xb6\xa3F\xee\
\x1e\xa7\xa3\xce\xe6\xfe\xca\xcb\xb8\xed\xa6\xefcFwx\xf8\x93\x9f\xfd\xa5^\
\x99\xae\x96\xab\xe9q\x1c\xca\xbc\xe4\xd9\xa2,\n\x19\x10u\x87\x83\xfe\xde\
\x88DX\x96\x9c\x17\xaa(\x94R\xaa,U\xbfK{\xc3\x18r\x99\x9d\xfeN\x84=\x15\x1ed\
\xaa\x0b!B*\xa2\xf2\x18r}\x81\x8f\xca|\xa8\xbe\x8ag6\xa4/\xa2^\xbc\xf7Y<|\
\xd0\x86[[\\\x04-\xb9\xdfm(U\xbe\xfb\xd3\xffW\xe6+\xd1Lv\xb4\xef\xbd\xb2\x8e\
\x95C\xb3\xc9\xec\xe7j\xf6\x1a\'9\x89\xbe\xa5@\xccNh\xeeNrNsx1Z0#\xc9!\x15\
\x8fz\x14\x06P\xd2\x9c\xdf\x1a\xe5\xdbe\xfb\xf6P\xea6Z\xaf\xc9v\xfb]\xa7\r\
\xd9\xee\x1ek\xa4\xc2\x8f\x7f\xfe\xb7\x83aU\xdd\x97\x95Z\x9e\x1d\xcblA\x02\
\x8b\x95LR\xc9R\x85q8\x18\xefuz}\xc5\xc8\x0b\x96R\x819M%\x88\x86\x9d<H\xfe@`\
\x90\x10A\x07B@fJ\xee\xd4\xec;?1M\xf1\x84\xa2\xe4\xa2\x04\x11\xa2\x00a@\x14\
\xf6\xa3\xd1Qg\xf8\x90D\xeb\xa9\xb68\x0f-\xb9\xdfm\x9c\xbc\xf8\xcft\xf1N\x88\
:\xb3o\xe6>\x9e\xaf\xd9\x1b\xef=f\xf7\x85\xb6\xbf\xe9rD\xe5\x9d\xa0\x90\xbc\
\xca e\xe5\xa7\x13!\xcd9-\xd0\x8f\xa9\x17\x1bE\xefd;\x8cWnskpi\xd9\x0e\x86\
\xaa\xcbv\xbf\xde\x80.9id;\xd0\x1f\xde\xfb\xea\xa7\x7f\xb1\xd9\xf8t\xb5\\O\
\xdfE!\xe7\x85\x9a\xaf\xca"W\x04\xee\xf6\xfb\xfd\xf1\x9e\x08\xa3\xb2\xe4\xb2\
T\xa1@\x92S\x9a\xac\xf6\xe9\x8f\x82lK\xb9\xea9.\x0b\x06\x84U\xf1E\xc9\x85\
\xd4\x8b&\xdc\x1a\x8f\x9e\xc4-\xc5\xb7\xd8\x8d\x96\xdc\xef0\x16\xa7\xdf\xcd\
\xdf\xfe\x8fvc\xe0\xaa\x0b8Z\xf73\x1a\xcdk}q+\xb3{\xf0\xad\xf9ss\x1f/\x01"(\
\x85$\xe7\xb4\xb0i\x90\x00X[\xf0L\x04-\xe1\x99\xa1T\x15"eP%\xb37d;\xea\xe4\
\xee\xa4\xba[\xef\xdcv\xd4e\xbb-&l\xd8W1\xbe\xfa\xd9\xdf\x0cv\xcc\xa5\xa7\
\xa4\x9c\x9f\xbc\xe3b%\x02Z\xae\xcbu*Y\xaa \x08\x06{\xa3\xce`\xc0\x10E\xa9\
\xe2@\x80\xb9\x9c\xfeF \xbf\xde\xe7T\xc1\xa7\xf8\xacd\xe9Q|\x10v\xc3\xe1\x93\
\xce\xe8q\x9bQ\xd3b\x13-\xb9\xdfUd\xc9\xec\xf8\xdb\x7f\'4\x07+\x81 \xaa\x12`\
N72\x00\xf24\xe4\xe5\x98\xbd\xb1r\x07\xce\xdf\xea\xbeg\xba\x91y\xc9I\x06=\
\xdd\x07\xacQ\x93\xe6\x9c\x15\xe8\xc6\xd4\x8b!\xaa$\x9a\xdd\x03\x97,\x83\xd7\
B\xa9\x1b\xb6\x8crs\xc0\xda\xbb\xe5m\xb2}4y\xf4\xc5W??\xf7&\x90\xaeV\xeb\xd9\
I \x8a\xb2\xc4b]\xe6\xb9\x04s\xa7\xdb\x1d\x8c\xf7\x828V\x8a"\xa1\xf2\xe9\xef\
\xe8\xc2\x0e\xfb\x05\xe1(\x9e\x81\xa2\xe4RA\x00\x81@\x18R\x10\x8fz\xf7~\x11D\
\xdd\x1b\xbc\\\x8b\x8f\x00-\xb9\xdfI\x94E\xfa\xee\x9b\x7feU8+\xa6\xc6\xec\
\xd0\xc4\xc2\x1bA\xd4*a\xc6\x81v\xd1\xf7n\x9d\xbe+1\xe6\xb2\xd0<\xb5\xce\x91\
\x97\xc6\x84!"\xa98/\x91\x97\x08\x03\xf4;\x08\x03\xf2\xedr_\xb6\xf3\x8e\xc5\
\x0b&\xc94\x98=\x8a:?\xfe\xc5\xdf\x85\xe1\x05\xd2Q\x98\xd7\xcbe2?\t\x84,J^\
\xae\xcb"W\x82\x10\xf7\xba\xfd\xd1(\x88\xbb\xe5\xec\x0f\xa2\x98\xe2\xc6\xc2\
\x9eLP\x00\x18B\xdf\x80\x10D\x04\xc5(JV\x8a;\x91\xa0\xcedr\xf4\xab\x1b\xba\\\
\x8b\x8f\x04\xadaw\'1}\xfd{\x93\x1e\x03/L\n\xcb\xec^6\xb5\x95\xf5\\%\xc5\xec\
\xe6c;\xe1\\u\xec\x96}`d\xf6f7\xb0\x13\xdb\xf4\x83\xbeT\x1cQ\x14rV`\x9d!+\
\x01\x06\x11u"\x84\x82\xd3\x02gK\xc4\x11\x0fb\x04\x81\xc7\xe0\xee|\xbcqF\xef\
\xa7\xf3t\x9c!\xe3\xf6\xda"ht\x11\xc8\x0b\xf6TD\xfd\xd1\xa87\x1c\xceO\x8e\
\x85\x9c\xef\xef\xc5\xabD\xae\xd32]\'E\x9a\xf5\xf6\xf6B\x847\xa7\xda\x15S\'\
\xc5X\xb1\x88\xb0\x8a\xb0`\x16\xa5d\x02\x82\x80z1\x95\x8a\xd2L\xa1\\\x8c\x8a\
,\x88:7u\xd5\x16\x1f\x01Z\xe5~\xf7\xb0\x9a\xbd\x9e\xbe\xfa\xad.j"\xb4\xfdbG\
\xa2Za\xaa\x19\x9d\xc8\x16m\xdf\x1aAm,\xfa\xcc\xbeK\xad_\x9d\xb3v\xf0\xbb;\
\xabb\xa4\x05\xaf3\xad\xe2\x8d\x85"\x15\xd2\x02\xa5\xd2\xe9\xf0\x08\x84/\xc6\
\xaf)\xdbI\xff\xd4=\x153\xd6\xa9z\xf6\xec\xe9\xd1\xe7?\xbd\xd4m\xe5i\xba<{G\
\x9c\x97\n\xcb\xb5,r\tF7Z\r\xa2\xc5M\xd82J\xc4\xe3\xb2\xf3y\xd0\x19eY\xa1d\
\x11\x15/\x83\xe2\xady.\x03\x08\xe8\xc4A\xa9h\xb9.\xc2(\xeeO\x8e\x86\xfbO\
\xda\xe1N-4Zr\xbfc\x90e\xfe\xf6\xeb\x7f6\x86L\xcd\x8d\xd1\xa1B\xf3\xdb$\xa1\
\xcb\x82\x01u\x8e\xd9e\xc84b\xad>\xea\xfd\x01\xd59\xb9y~\x07g\x86o\xdd\xb0\
\xf1\xd6\x9cGS\xfc2\xe5\xbc\x80\x8b\xb6J\x85\xac`\xa9\x10\x87\xd4\x8d\x10\
\x05&\x97f\xcb\xc0\xa5\x1a\xbf3\x83\xd4\x8e\xdcv"b[_A*\x94\x92\xc1\x90\x8c\
\xbf\xf8\xd5\xdf\xf4\x06\x97\x98wIcqv\x9a-\xa7A\x88u*\xd7\x89\n\xb1\xda\xeb\
\xcc\xaeM\xeeL"\x0c\xc6?\x91\xa2\x1f\x08\x98Zj$\xe4\xf4\xb7(\xe6@\xe5\xf9\
\x88@\x9c-d\x18 \x10\x10A\xdc\x1f?\x1c\xec?\r[\x0b\xfe\x93GK\xeew\x0c\xd37\
\x7f\\M\x9f\xfb\x82]\xcbsAT\x99\xec\xf5Z\x8f[e\xbb\xf5\xe5\xe1\xbdn\xf3\xdf\
\xa9\xf9\x96}\xd2\xda\xcd\xeb\xde[>wk\x13\x8e\xe2W)\xa7\x85\xce\x99!\x10\x94\
\xe2\xb4@)\x11\x08t#\x8aC\xe8\xc2\x8a\xbe\x96\xbf\x94l\xd7w+%\xb2\x82\x15s\
\x14\xa0(qx8\xf9\xc9\xcf\xff\xfa\n\xb9\x8beQ\xcc\x8e\xdfA%RQ\x9a\xae\xfat|\
\xd5\x04H\x07f\xc4ky\x9f\x830\x10\x02\x00\tb\x04\xa2<\xe9\xe0\xb4\xfa\xc5\
\x10\xd2\x02\xb35\x8f\xfbU\xbe\xbf\x10\xe1`\xf2\xb8\xa5\xf8O\x1c-\xb9\xdf%\
\x14\xd9\xfa\xed7\xffBPU\x1c\x15\x96\xd9]\xadGQ\x91J-\xa0\xba\xc3\x90y\x1f\
\xf5S}\xb1\xb6\xcbn4Y\x9d\xb7\x91\xfa9\xdf<"R\x8c\xac\xe0u\xcai\xc1\xa54\xd2\
U*\xce\x0b\xe4\x92\x05Q\x14R\x14\xe8\x19\\\xed\tk\xb4\x8e\x86l\x87\x97x\xae\
\x87}\x02\x98\xafM\xef\xe1\xcaR\xfe\xecg?\xdf\xbfwt\xee\xdd\xed\xc4j6/\xd6ge\
\x99p\xfeF\x9cw\x7f\x17\x013G\x8bt/\x97B\x98tW\x96\x12\xfd(\x19v\x17\xba\x00\
\x8f\x0e\xab\xbe\x9b\xb3 \xdc\xdf#\xc5(%\xa4\x9d0P\x88p0~\xd4\x9f\x1cE\x9d\
\xc1\xf5Z\xd2\xe2N\xa2%\xf7\xbb\x84\xd3\x97\xff\x95.\xde\xfaN\xba\xae\x14\
\xe6H\xbc9[\x9eg\xcb\xbcG\xb6o\x11\xf8N\x1bn\xc8\xf6\x8b\x12\xbbO\xf1\xde\
\xf7\xec\x02\xe4\x0e\xab\xb6\x19\xc8\x0b^\xa5JS\xbcR\xac\x18\xa52\xe36\x15C\
\x08\x84\x82\x82\x00\xa1 !L\x10\x02V\xa4k\xd9\xae?\x16\xa5L\x0f\x11\x08\xc4\
\xa1\xf9\xdc\x96)\xaf3v\xd4\xcf\x8c\xd1\xa0\xf7\xcb_\xfd\xbd\x08\xae\x98k\
\xc0J\xad\xcf\xde\xae\xa7\x7f\x10\x90W;Cu*P\xa6\x0e\xd6EL`"\x1d\xc3\xa6Qt\
\x1aR\xa2\xef\xa9\x948[q\x9a\xf3\xfd\xb1\xe8FUb\xa8O\xf1D\xa2\xbf\xf7p\xb8\
\xff4\xea\x0e\xaf\xd9\x9e\x16w\x0b-\xb9\xdf\x19\xe4\xe9\xe2\xdd\x9f\xfeM\x0f\
}\xacd\xbb0\xe6+\x99\xf8)\x00\x90\xcb\x8d9W\xb6\xfb\xee\x8ag\xe3P}\xa57\xc8\
\xd5K\xb9\xd9\xc2\xef\x15e\xfbt\xbe\x8d\xdf\xdfO\xee\x15\xb3\x9b&1r\xc9Y\xae\
\xd2\x9c\xf3\x92\xa5b\xa5P*\xe4%\x8a\xd2T\xcau\xb7&\xec\x00\xaeM_D\x08\x8aCt\
"\x08\xaal\xfa\xd9\x9a\x0b\xc9\x95x\x07\xbe\xfc\xea\xabGG_\xecl\xdd\x05p\xfc\
\xa7\x7f\xa2r}\x9d3\x00\x00XQ\'\xc3\xbd\x82c\xdd\xf8.\xcdCu\xa2ok\x9d\xf1t\
\xc5\x8aq0\xa4~\x87\x1a\x7f\xc7\x0c\x94\nR\xd6(~t\xf8Y\x18\xbf\x7f\x9a\xef\
\x16\x1f\x07Zr\xbf3\xa8d\xbbcg_\xb6{\xb3,\x19\xad}\xae\xdb\xbe\x8d\xd9\xab\
\xb5N\xac\x13\xd5\xd6o\x9c\xac\x06\xae\x11<7\xde\\\x98\xdc\xfdKV\xa3l]\xf0\
\xb3(U\xa6\'\xcd\x90,%J\xc5E\x89R\x19\x9d\xee?\x1f\x90\x1e\xa7\x0b%\x04\x05\
\x840$\xdf\xc3\xd1\r"\xa0\x90\x98\xadM\x01G\x1d\xc5\x8d\xe3\xf8W\x7f\xfd\x8f\
\x17\xcay\xaf\xce\xa5dv6;}\xcdL"\xea\xe7\x8bW\x11e7\xf1\xb7\xc5\x10\x11\xc2\
\x11D\x0c\x99P9\xd7\x1f\xc2l\xcd\xcb\x94\xbb\x11M\x06\x14\x87\xd8u!\xd6%\x85\
%+\x00\xad\x17\xff\x89\xa1%\xf7\xbb\x81"[\xbd\xfd\xe6_D5\x89\x92\x91\xed\xd6\
vo\xba1\r\xd9\xeeGAk\xb2\xbd)\xcf}Fw\xeb-\xd5\xfb\xc2\xdd\x9d\xae\xe6\xae\
\xd7(\xbd\xb1\xe0o\xf6\x0em\xc0\x1bE\xeb]\xbc\xf1\xa4\xc0\x0c\xc5\\\x96\x9c\
\x97*/\xb9\x94\xacK\xaf\x94\xb2:\xa5\x96\xf0\x0c\x10X\x93\xbb\xae\xc0\xc3\
\xf5\xf30 \x08\xeb\x0c\xcbT\x19\xf1\x0e\x00\xf8\xfc\x8b\xaf\x8e\x9e~\xb1\xa5\
\x81;\xb0>\xfbvu\xf6\xed:-\xf5\xdfS\x1c\xc2\xf9$\xd7\x06W\x1f=Q\x92\xe3l\xa5\
\xa4\xc4\xb8O\xa3\x1e\xd1\xb6\x92\xf7\x9b\xc7\xeb\x8c \xddu\t\x11\xf6\xc7\
\x8f\x86\x07\xcfZ\x8a\xff\xb8\xd1\x0eb\xba\x1bX\x9d\xbd\xd4i\x8e[2U\xaaU&\
\xc9\xafq\xac\xff\xb7_c\xcaMf\xf7\xb8\xdcv\x0f\x1b\xc97\xde\x19\xd8\xef\x12\
\xc0`\xd2\xf2\x97@\xac\xffs\x17\xf7i\x95v\x89v\xaf\xed\xb6)\xae\x8d\xe6^\xb8\
jy\x14"\x0cE\x8f\xc1\x0c\xa9\x94R\\\x94\xc8K\xce\n\xcdb$\x08\xcc\xec\x17]h&_\
\x926\xda\xd1\x8b\x91\x15TH\x10L\n\xe6\xab\x17\xdf=x\xf4\xe4\xe2\xe2}5?I\xd3\
\x82\x8c\x9b\xc4\xccM\x9f\xe4\x1a0\xdd\xb7b\x94\xc1\xbd\x14y@\xd3\xc3\x89\
\xe8\x84U\t\x9d\xf7\x1e\x1f\n\x04\x82\xb4\x17\xafd\xb9<}\xbe\x9e\xbd\xee\x8d\
\x1e\x0c\xf7\x9f\xb4^\xfc\xc7\x8a\x96\xdc\xef\x00d\x99\xaf\x17oQ\xe7s\x1d\
\x01\xb4"\xbb\xa6G\xf5\xffz\xaa;\xd1\xa0\xfaf\x97\xb0\xc9\xec5\x86w\x14kv\
\xa9\x8euLo\x93\x0f\x99\x98@v\\\x7f\xc5\xef\xc4`\xd7\xc2ZSiK\xc7\xe3]\xcf>\
\x8f\xe8\x0e\xa6v\x17Z\x90\xb3\xbbW\x10H\x08t"\x8e#\xea\xc5TH.%J[\xb8\xe6\
\xbd\xdd\n\x11\xba1\x15\x89r\xbb\xe4E\xfe\xee\xcd\xab\xc7O>\xdb\xb6\xfb\xb63\
\x84\x03\x85\x99U\xd97\xa5\xd9\xab\xe6\x95\x92\xc2\xf1\x97\x8f\x1e|\x06 [\
\x9d\xe4\xf3\x17\xf9\xfa\xf4r\'\x81)\x1a\xac\xbd,%\xcb\xd5\xf4\xe5z\xfe\xba7\
z0:x\xd6R\xfc\xc7\x87\x96\xdc\xef\x00\x92\xc51\xabB\x90\x95\x9a\xf0\x148\xd5\
\xf9\xaaf\x91\x9b\xc7y4wq<Zw@\xc8\xad\xa9\x18\x9e<n\xadQ\xba\x7f:v/:{\x9c\
\x19\xae\x9e\xafN\xd1\xdc\x19;\xad\xc5\x02\xa8\xce\xecU/Sw\x9d\xbc#,\xb73\
\x08`3F\x89\x08qHq\x88R\xa2\x90\x1b\x11\xd7\xfa\x87\xe1\\\x8d8\x84 r#\xa7\
\x00\xbcy\xfd\xe2\xe1\xa3\'"\xb8P\xc1\xc5\xbd\x83\xc7\xeb\xd9\xab*\x98\xdc\
\x18\x10pU\xe8\x0f#\xc3`\xf4\xe8\xc7\xc3\xd1\xbe^\xd9\x19\x1cv\x06\x87Er\x96\
L\xbf+.O\xf1\xba\xa2\xa4\xc9\xa8Qj={\x9d,\xde\xf6F\x0f\x86\xfbGq\xef\xd2\x03\
\xb8Z\xdcZ\xb4\x9e\xfb\x1d\xc0\xdbo\xfe\xad\xcc\xe6~\x06\xa4\xd6\xe3\xde\xcc\
\xd7p\xf6\x89\xef\xb6\x03\xd0U\n\xbcR\xe6\xee$uc\xdd\xfa/\xb4\xf5\x1d\xbc\
\xfd\x9a0\xb5[\x98\x9bo\xf4;\x98\xb2_\xb5\xd0\xea\x06\xd9\x93\x95\xecMf\xb7]\
K\xdd{b\xd6\x85\x1e5\x143+Vn\xd9\xa3X\x06\x942*^*\x1d@\xdd\xf2\x85\xd7\x9d\
\xd2|\xcdia\xd3f\x00\x00?\xf9\xe9/\xef\xdd\x7f\xf4\xde_\x90\xc6\xfc\xe4\xbb\
\xb37\x7f\xb4\xf7\x83^\xba\x85\xdf\xb7\x00\x00 \x00IDAT\xbc\xf1\xd8tI\xe8dG\
\xf4\x1e\x1f>\xfe*\xd8\x91\x9aY$\xd3t\xf6"_\xbd\xbb\xc2\xf9k^<\x00Bot\x7ft\
\xf0\xac\xa5\xf8\x8f\x03\xadr\xbf\xed(\xb2U\x91-\x1cM\x10\xc8\xe8\xcb\xba\
\x90\xf7\xb2e\xb6\xa0\x92\xd7\xd5\nG\xa8\x96\xb6-\xe0\xbd\xb7\xc4O\xce\n\xb2\
\x8f\x02\x9a\x0f\xb4BeW\xf6\xc0\xa8vPM5\x10<gf[\xeb\xfc\x1e\xc9U\xc4\xb1W\
\xf7-\xff\xda\r\xe8\xeb1i\xd5\xee\x19\xfc\xa6\x81l\x9b\x19\x06\x08\x02Hi\x86\
\xf9\xa8\x1d\r\xe9D\x94\x165\xfe\x7f\xfb\xfa\xe5\xc5\xc9}\xef\xf0\x99,\xd2\
\xf9\xe9s\xbc\'\x85\xff\xfd\xd0w\x9cso\xf8\xe0\xc7\xc3\xf1\xe19{F\xbdI\xd4\
\x9b\x94\xe9,\x99>\xcf\xd7\xc7\x97\xf2\x83\x9c\x17\xef(>\x99\xbfK\x16\xefz\
\xc3{\xc3\x83g\x9d\xfe\xe4z7\xd1\xe2\x03\xa3%\xf7\xdb\x8edq\xbc\xe1\xaa\xe8W\
\xe3\x7f\xa0\xa6\xd4k\xf0\xe2\x93\xc6\x1e\xa9h\xd2\xc5)\x9b\xccN\x82\x9cd\
\x17\xd0\xffj\xe7\xf2Nm\xa8D\x81\x99\xc8pf\x95.\xbe\x9d\xcf\xb7\xae\xf5\xdcu\
\xd7*O\xb6\xbb\x9e\xcb\xc6\x12\xac%cK\t\xd4\xdd\xa7\xa6#\xa4\x9b)\x04\x04 \
\x04)\xc9RAVI(\xe6c\x8cC\x04\x82\x94\x82\xcby\x9f\xcf\xa7\xeb\xf5\xb2\xdf\
\xbf\xa8\x1f\xbd\xff\xf0\xc7y\xbaL\xd7S\xd8\xc0\xac\x05\xdb\xdf\xd6\xfb\xc5<\
\x11\xa4\x82\x8a\x1f\xde?\xfaqp\xb1\x88n\xd8\x1d\x8f\x1e\x8de\xbeJf\xcf\xb3\
\xc5\x1b\x98\xd4\xc7\x0b\xc1Q\xbcR(\x15+\x85dy\x9c,\x8f;\xfd\xc9\xe8\xe0\xb3\
\xee\xf0\xbc\xae\xa5\xc5mFk\xcb\xdcv\xbc\xf9\xe6_K\xab\xdc\xab\xb1K\xae\xfc\
\x80eg\x00:\xf1\xcf\xcfttN\x8e\x039\xab\xc3\x91z]\xa7W,O\x01 \xaaDzl\xf0\xbb\
\x0ehj\xeed\x06+@1+f\xb0\xf1H\x00k\x93X\xbf\xc6\x1cY\x8b\xaaz\x86\x8c\xbd4\
\x99G\x91J\xbc\x9b6\x18\xa6vn\x0c\xb3bVJ9[F\xd9\x9a\x036\xce\x0bV\xac\xe0\
\xb5\x14&CF1\xa4\xd2v\xbc\x89\xf9\x12h\x9e\xa8$\xd7N\xbci\xe4\xe3\'\xcf\xbe\
\xf8\xd1\x9f]\xfc\xf7U\x16\xd9\x9b\xaf\xff\xb5,\xb2NDQ\xa0\x1bB\x92z\x92\x83\
\x90\x13A\x85_\xf3k\x13D\xc8T\xdc?\xf8j|\xf0\xf0\xe2\x17\xf5\xa1)>_\xbecU^\
\xe5pM\xf1\xf6\x17\xd4\xe9OF\x07\xcf\xba\xc3{WkL\x8b\x0f\x88\x96\xdco5\xca"}\
\xf3\xbf\xff/\x11\x0b\x93\xfcBz$\xba\xc7\xf2\xde\x80\x1f\xe2\xc6\x90\xa3-\
\xe4\xee\xe56R\xc5\x9f\rX\xc1N\xa6\xdad\xe5\x9cT\xf0\x8buYrg\xc5\xbe\xf5\xcd\
\xbc\x83\xdc\xbd\xdc\x19\xfd\xe2\xf9\xfb\x96\xdaE\xf5\xf4\xe0\x05\x08,\xb1\
\x9b\x13+\xa54\xa1+\xbb\xa0\x0c\xebW\xd7ac\xd0\x03\x80b\xeb\xf9\xdbB\xc1\xcc\
\x90\xcaV\x8a\x04\xb2\x82gk\xdf\xb1G\xa7\xd3\xfd\xab\xbf\xfe\xc7\x0b\x86U5\
\xd2\xe5\xe9\xdb\xef~\x13\t\x15\x87\x0c\n\xb9\xf7\x0c\x9d\xfby\xa1T\xb1\x8a\
\xcbW\x81\x9cn\xd5\xefZ\xb0s\xe7\xe1\xe1\xe3\x8b\n\xf6s \x8b4\x9d\xbf\xc8\
\xe6\xaf\xae@\xf1\x0c\xe8\x01\xc0\xb6\x84\x01:\xbd\xf1`\xffi\x7ft\xbf\xf9}jq\
\x8b\xd1\xda2\xb7\x1ay2wO\xf3T\xa5\xfdY\xe8w\xcc\x15K\xc2\xcb\xd2\xa8S\xb1\
\xcf\xa4\x80elr}\x84#v-\xd8=f\xdfB\xee.\xbb\xd1S\x06,\xa0{\x97\xaa\xec\xc0E`\
\xedv\xdb]\xd9\x07\x13\xdd:a\x9a\xea\x9a\xed\x8c\x14\x905e\x8c\x13T\xd92\xb4\
e`\x8f=\xc66\x8c\xdcS\x00\t\x02\x834\xddG!\x05\x01\x97\xd2}\xe4\x9c\xa5\xe9t\
zzpx\xff\xa27\x04t\x07\xfbA\x18+\x99\x12\x10\x8e\x8e\xca\xe80\x10\x1c\x05\
\x90\x9d\x01\xe1+\x9e\xfd\x96\xcbU3\x84@Hs\xccS\x1e\x882\xcf\xd6\xbd\xf0\xba\
!\xcd \xea\x0e\x0e\xbf\xea\xee=I\xe7/\xf2\xe5[Uf\x17?\x96\x80@ \x10\x90L\xa5\
\x84b\xce\xd6\xb3,\x99-\xbb\xa3\xbd{_\xb6F\xcd]AK\xee\xb7\x1aE\xba\xa8\x94\
\xf8\x06Y\x1b\x9b\xb9\xda\xec(\x8d\x08>\xa17\xd2\xf2*\xcf\xc6\xbc\xd4\x98=0\
\x9c.\xea\xca\xddo\x80\xcb(a\x82R\xe6\n&j\xba\x9d[\xd1\xa0\xfb-\xb7d\xedug8\
\xf9\xcf\x17\x86\xf9u\xfe<@pS\'\x111\xb9)\xf3l\xffV%g6?\x19\xb7\x9e\xcd\x15m\
d\x98H\x07\x82\x11\x07\xe4\x8ft\x05pr\xfc\xe6R\xe4\xbe\x9a\xbf+\x8b$\x10\x00\
D\xba*\x12y\x1c\x86\x02 !\x04(\x80\xec\xc6XV\x1f\x01A1f+^\xe7\x00\xb0\x98\
\x1e/g\xc7\x83\xe1\xe4\xe0\xc1\xb3\xe1\xf8\xbaf\x88\xa6\xf8\xde\xe4Y6\x7f\
\x95\xce_^\x8a\xe2\x01\x04\x84 \x84T$\x15$s\x9e,\x8e\x9f\xff\xba7\xbc7\x98\
\x1c\xb5\x14\x7f\xfb\xd1\x92\xfb\xadF\x99\xfb\xc5\xa7\x08`\xf7XLd\x9cb\x0b/\
\x80g\'\x19\x82\xc7c\xb0\x04i\x19\x1d\xf0i\xdd\x18 \x02\xc2\xd1\xfa\x0erwJ\
\x19\x04(\x1bY%K\xeeM\x89\xbc\x1b\xd5\x9d\xd4e{\x8d\xe7\r\xb3\x93+\x8ff\x9e\
\x0b\xec\x05\xd8(\xec\x1d=\xcaNT\x11_w\xa4iv\x1c"\xc9\xed\x1d31x6=+\xcb\xe2\
\xa2\xa3U\x99\x97\xa7\xdf\x81\x89\x99\x15P\xa4i\x9a\x95\xdad\x02\x91R\xe8\
\x04y\xa7g\xc6\xaf\x12!+p\xb6\xe2\xa2\xe4q\x9f\x88\xcct\xb2\xc9j\xfa\xfc\x7f\
\xa7\xfd\xe1dr\xff\xc9h|\xdf\xc5\x93\xaf\x06\x11\xc4\xbd\xfd\xcf;{\x8f\xd3\
\xe9\xf3t\xf1\x8aeq\xa9\xc3\x9d\x8a\x97\x12Rq\xb2p\xe1\xd6\xd6\x8b\xbf\xd5h\
\xc9\xfdVC\xca\x1c0|\xea\xa7\xc4Xe\x0e\xbb\xd5\x8b\xa3R\xb5\x16n/v\xbcnv#k\
\xbf;\xeb\x1dd\xdd\x18\xcd\xecN\xbf7<\x19\xf2=\x19\x9b\x16y.\xb7\xee\xd8R=}X\
:G%\xdbmP\xd5\xae\xab\x92-I\xfbS\xe6\x9a\xe4\xdac\xff\xf7N\xef\xa1\xdaR3\xfe\
u\x1a\xa5\t\xa0\xea\x96\x86\x01\x84\x80R\xf6\x9a\x84"\xcf\xe7\xb3\xe9E\xc5;\
\xd1\xe4\xc1\x8f\xe6\xa7/\xd2\xe51\xb3\x8a"\x15q$\xd9\xf4\xcaA :!\xbb.e\xb6\
\xe6\xf9\x9a\xa3\x00\xbaf/L<\x13JA1T1;y>\x9d\x1f\x8f\xc6\xf7\x9e\x0e\xc7\x0f\
\xe8z3n\x8b \xee\x1f\xfe\xa8;~\x92\xcc\x9eg\x8b\xd7\x97\xa6x\xab\xe2\xb5\x17\
\x9f\xad\xa6\xd9zj(~p\xd8z\xf1\xb7\x10m@\xf5V\xe3\xf5\xff\xfc_U\xa6\x86\xed\
\x84\x13\xc9\xceR\x815.<\x9b\xdd\x13\xd9\xfe_\\\x95\x80"\x8c`\x17V\xb0\x0bA$\
\x02P\x00!\xcc\xbf\x8a\xdf\x05\xfc\xfc\x1bX\xabZ\xffS\xca\xfcT\x96\x90\xb8\
\xd4\x03\x8aT3\xb2ZK\x91q\x8d\xb5\x890\xcd\x88\xae{\x07\x13P\x15\xd5\xd5\xa1\
\xbc`*K\x9d*\xa3\xa3\xa9\xfa\xc5\xa4\xeb\xd8\xdd\x01\xb3\x12\x00C\xd9v\xe8\
\x024lgkb7o\x1f\xf4h&\xf3!+f0\x8e\x9e~\xf6\xf9\x97?\xb9\xd4\xefn\xbd8^\xbd\
\xf9\x8d\x10AN\xf7R\xd5e\x90 \xea\x88\xa4\xa3\xde\x02*+1]r^\xf2\xa8G{}\x12\
\xf5\xce\x91\x01\xa9\xbc\xda\t\x8c0\xee\x0f\x0f\x9e\xf5\xc7\x8f/\xd5\x86]Pe\
\x96\xce_e\x8b\xd7\xaaL\xafp\xb8\xed\x81\xcc\xe3O\xdc\x1d\r\x0f>k\xc3\xad\
\xb7\r\xadr\xbf\xdd\xe0\xda\x84\x0f\xcc\xdc\xfc\xf3!#\xe2}a\xef\xf30\xb1\x93\
\xc5n\x9b\xeb\x1d\x9c/#\x00\xab\xd9k\xca]\x98Q\xb0\xb5+V\xcd\xb9\xb8\x19r\
\xdeN\xce\x93\x81k\x9b1\xdd\xed3\x86h<7\x98\x9c\xf1\xca\x84\xbfL\xf8\xd6=\
\xca\xecnZ\x14"-X\xd73\xd0\xe7O\x92\xe4\xa2\x97\xb0\xe8\xf6\'+\x11\x82\x8b\
\x18\xef\xa2h\xc4\xd4\x11\xc8E9W,\x17\tfk\x0e\x03\xdc\xdb\x13\xbdxK\xfd/\x02\
B\x01fH\xdb\x1b\x95\xf9z\xfa\xfaw\xeb\xd9\xeb\xc1\xfe\x93\xde\xf0\xba4*\xc2N\
\xff\xe0\x8b\xde\xf8I:\x7f\x99\xce_]\x96\xe2\x8dQcU|\x9e.N_\xfe\xe7\xb2\xa5\
\xf8[\x86\x96\xdco7|\xb7\xd57X\x00\x06\x04\\\xdc\xd4\xb3\xd5\x9bg\xd8B\xce.\
\x9c\xe9\xb2\xdd\xb7\xfds\xcc\xee\x9e\nl\x0bt\xbe\xca\xeeA\xa7\x17`[?\xa2\
\xea\x87R\xab /\xfc7\xfe\x81U0\xc1oU\xa3\x01\xdbQq(\x81@&\xf0Z\xc5\xa1\xcd\
\x91Q@\x82L"\xa0v\x8e\xd6\xab\xa5RJ\x88K\x18#$\x04($\x94\xcc\x8a\x8a\xa9\x00\
\xb4\xa5~\xb6BZ\xf0\xa8G{=\n\xc4y\x9d#\x11B\xaaT<3\xf2d\x96\'\xb3ew8\xdc\x7f\
\xd6\x1d\xdd\xbf\xa6QCA\xd4\xdb\xff\xbc\xbbw\x94.^\xa7\xf3\x17\xaa\xb8\x12\
\xc53I\x05\xa9,\xc5wF\xfd\xc9\xe3\xfe\xf8\xa1\x10-\xb7|`\xb4\xbf\x80\xdb\x8d\
\xcdj(\x15\xb3\xc3\xbc\xa3\xfa\xf3\xbc\'\xd2=\xfb}\x83\xf5\xab\xdcq\xcf\xd76\
\xb2\xdd\xcb\x80\xacu\x0e\xb5G\x82m\x14ZO\x82\xdc\x9e\x8e\xd8\xbc\x97\xea}\
\xd3K\xf2\x1a\xe0\xfc&W\x06\xa5\xd9\xb7P\x15\\\xe5\xcd<\xcd\xcd\x8f\xd0~Tz\
\xfa\xba\xba\'\xa2iKI\xb7?ei\x92$\xab\xc1`\xb4q\xcb;A$\xa8s\x80\xf4\xa56\x9e\
\x981]\xf3t\xc5q\x80\x07vV\xbc\x8b\x17\xec\xd5\x14/\x15\x00\x14\xe9r\xfa\xea\
\xbf\xc3\xd3o\xfb\xe3\xc7\xfd\xf1#\xba\x1e\x8dR\x10\xf5&\xcf\xba{\x8f\xb3\
\xc5\x9bd\xf6\\\x15\x97{F\t\x08A\x00)HJH\xe6<[\xe4o\x16\xcb\xb3\xe7\xc3\xfd\
\xa7-\xc5\x7fX\xb4\x1f\xfd-\xc7\x0e=\x0e\x1dX\xac\x15T\xe7\x06m\xd5\xc0\xfe3\
\x00\xacKO\xf0H\x9c<N\'\x8f\xf7\xab\x16\\\xc4\xfd\xb0u\xc2\xcc\x08\xa7\xad1\
\x9d\r\x93\xc8k\x98\xdd\xb0!\xd8\xb7\\i+\xb66\xd5\xeb\x08\xc8{\xb2\xb0\xab\
\xc9+\x9a\xa0[\x11\x85(\xcaZ\x9f8\x9f\x9e]\x8a\xdc\x01L\x1e|q\xf2J\xc9t\n\
\x96\xcb$\x7f7S\x00T\x84\xac\x0c\x06\xc3A\x99\xce/~*M\xf1\x01A\xb1\xf9Wd\xab\
\xd9\xdb?\xae\xce\x9e\xf7\xf6\x1eu\xfa\x93\xf8z\xa5`H\x84\xdd\xf1\x93\xce\
\xe8a\xbe:\xc9\xd7\'\xf9\xfa\xa4\xea\xdc.\x00\x1dnUl\x92&\xcb|=}\xf3\xfb\xe5\
\xd9\xf3\xfe\xde\x83\xee\xe0\xa0\xadD\xf6A\xd0\x92\xfb\xad\x86\x08c\x99\xe7\
\x9e\xaf\x0e8\xd9^\x8d]\x82\xb3\x87y\xab\xdfI[\xde\xd5W\xd5\xb9\xd43H\xeaG\
\xf9Z\x99+q\xec\x86{\x9a\x91\xa8\xf5\xad\xd5\xc8\xd4mlL[\x17\\\x8fry\xf7v\
\xe3"\x95\xd4\xdf\xb1\xc3\xe6S\x00\x808\xa05yF\x18a6\x9b^\xbc\xbc\xbbF\x18\
\xc6\x0f\x9f\xfdL)\xa5d\xa1\xbe\xfe\xd7\x03\x95\xadR\x95\x97(\x82\x83\xf1\
\x93_\x16\xeb\x93d\xfa]\x91L/~B"\x04\x84\x00\xbav\x02\x14P\x96\xe9\xe2\xf4\
\x9b\xc5):\xfd\x83\xe1\xc1\xb3N\x7f\xffR-l\x9e_\x84\x9d\xd1\xc3\xce\xe8\xa1\
\xcc\xd7\xe9\xfcE\xb6|{\xa9\xa4\x1aA\x10\x01B\x90\xaeaP\xe6\xeb\xf9\xf17\xf3\
\xe3o\xba\x83\xc3\xd1\xe1u\xdb\xd6\xe2\xb2h\xc9\xfdV#\x08\xa2\x92\xad\x8c\
\xb6\x04\xd5\x94\xe7\xce_\x004\x93\x92\x13\xeadR\xc2}T\x07n\xf1j6=\xee\xc6\
\xa10\xac\xed\xd8\xdb/\x0f\xc9\xd5\xf2\x85c\x9c\x97a\xf0\x9bK\xec\xaa\x02\
\x08\xbe\xa0wc\xb3\x18A`ji\xb9\xad\xeb\xf5\xa5mw\r!\x84\x10\x9d\xe1\xe4\x11\
\xe4\x9f\x02\x12\'\x0b\xf5\xf0\xd1\x11\x80\xa8\x7f\x18\xf5\x0f\x8bd\x9a\xce\
\x9e\xe7\xab\xe3\xcb\x9d\x93 \x02C\xf1\xba\xc1\xd9\xfa4[\x9f\xc6\xdd\xf1\xf0\
&\xd2\xcf\x83\xb8?\xb8\xf7\x93\xde\xe4\xb3t\xf6\xe2\xb2\xa9\xf1T\xabD\x06\
\xc5\x9c\xaeN\xd2\xd5Iwx8\x9c<iG?\xfd`h\xc9\xfdV#\x8c\xfb\xd9\xfa\x8c\x99\
\xab\xc8\xaa\x1f?\xd5/\x96\xc7m\x08\xb2\x12\xf2\x9a\xb2\xf4\xd1\xbc\xa9\xea7\
\xed\x9b\x1aYou\xd8\xb9\xdam\xf3\x9f\xad\xe0^y2\x1b\xa7\xd7\xd8\x12\x01\xd8\
\x0e\x17>\xae\xb9\xfc\xee\xa5v\tv\xafv\xe7\xc6\r\xfa\xbe:W+\\\x9e&\x01\xae\
\x9ab@\x08\x03d\xaa\xcaB\xca\xb34K\x93^\x7f\xb0\xa3\xa9\xef\xc1`\xfch=\x7fKE\
\xfa\xe8\xe8\xe9xRi\xd8\xaaf\xaf.\xcb~\x99\xd4dG\xf1\xfa\x1f3\xf2tv\xfar\x16\
w\xf7\x06\xfbO\xbb\xc3{\xd7M\x8d\x0f;:5>\x9d\xbf\xcc\x16o.\x95TC\x1bI5\xe9\
\xf2$]\x9e\xf4\x86\xf7F\x87\x9f\xc7\xbd\xbd\xeb4\xac\xc5E\xd0\xe6\xb9\xdfj\
\xac\xa6/\xe7o~o\x87\xda\xd8\xf0\xa2K$\xb1\xe6\xb9\x13\xeen\xab\xd9\x81H\xb3\
{=\x99\x1cB\x08\xe1R\xdc\x85 \n \x02\x04\xa2\xcasw\xa3\x99*e\xed\x98\xd0f\
\xb8\xfb\xe9\xedJ\x82%\x9b\\s\xf6jCZ\xe2\xf4+\xce\xe8\xc6\xb8\x16\xd9D}/\xbd\
]\xd4\x93\xdc\xa9\xde\xd3\x80\x95\xf4\x8a\x85\x99\xffu\xda\xbb~\x0fg\xf7\x13\
\x18`\x05\xdb\x14K\xeb\xa6I\xf5<ww\x7f\x00\x11V)\xaf23\xf4\x16 \x06\xff\xec\
\x17\xbf\xda?\xb8\xba(V\xb2\xc8\xf3\xbc\xdb\xdb\xd9=\x94\xd9"\x9d\xbf\xbcZAG\
\x9f\xe2\xf5W"\xec\xdcLR\x8d\x06\xcb"]\xbcJ\xa6\xcfY\x0f\xac\xbb$\xa4W\x89\
\x8c\x88z\xc3\xfb\xc3\x83g-\xc5\x7f\xafh\xc9\xfdV#O\xe6\'\xdf\xfe\x1b\t\xf3k\
\xaa\x15\xfe%\x08;\xbc\xc8\x8fBVDo3\x1dm\xcdC\xc3\x9a \x08\xd2\xff\x11\t\xcd\
\xf3\x02"\x80\x08Lz\xbb\xe3\xf7\xcd\xb8&\x9fG\xeej\xc7\xf0%\xcfv\xb7pc\x97\
\xe0r\xed}r\xa7\xf3\xc8\x9d\xcd\x90%6l^\r_R\x96\xef\xe1\xc5r5\xa17\xc9\x1d\
\xa6\xd3c\xa6zK-\xb9\x03Y\x89\xd9Zy\x1f\x01?\xfb\xfc\xab\'\xcf\xbe\xb8\xa1\
\xdf\xedN\xc8"Ig\xcf/\xebwk\xb8\xd4x\xf7\xd4\x12\xc6\xfd\xfe\xf8q\x7f\xfc\
\xf8\x9aI5\xb6mi:{\x9e-\xde\xb0\xbat\xdb\xb0A\xf1\x9d\xc1\xc1\xe8\xdaq\x82\
\x16\xbb\xd0\x92\xfb\xad\x86R\xe5\xbb\xaf\xff\x89U\xc1\xcc\xce{1\xcc.62K\x1a\
\xe4n(\xd4&\x86T\x1cj\xb5\xb1\xe6u!\x9a\xc3S]y\x19\x12\xd5\x19\x9d\xe25\xcc\
\xce\xe0\xfa\xc0T\xbf\xaa:;\xf1n\x08\xb3n\x97WU\x07*\xe1\xae\x1bUq}\xd5\xdc\
\xba/oN\xed\x98\x9dmIw\xa5*\xd2\x07\xf4\x8f\xcaXW\x1e\xd7\x1b\xadn\xe7/Q\xae\
\x860\x00\xae\xe6iR\n\xd3\x95\x92\xde\xb8\xb1\xfb\x0f\x1f}\xf5\x93_\xdc\xd4/\
\xf7|\xa82\xd3#\x8c\xae\xa0\x94\x19P\n\xd2\xf3\xa5\x82\xa8\xd7\x1f?\x1eL\x8e\
n\x84\xe2M\xdbf/\xaf@\xf1ls:]=\xe1\xee\xe0`t\xf8YK\xf17\x8e\x96\xdco;N_\xfcG\
\xb6:\xb5!RS\x9a\xcb\x94\x10\xa8S9\x9cc\x83\x9a\xe6&\xc7\xa3u\xe6t\xca]\x10A\
\x84\xa6\xb6\x8c?6\xd5\x19@\x1a\x95l\xd7\xccn\xf5;K\xd6\x15\x00\xd8\x91\xaee\
K\xcf\x92\xa9\xc1\x85\t\x8c`G\x9d\xd6\xad-cwqmp\xfd\x86~q\xee\x8fRJZg\xc6\
\xcd\x14r\x11r\xaf\xb4\xbc\x9d\xd3\xc3\x91;\x01\xf3\x84\xd3\xbc\xca"\x9dL&?\
\xfb\xf3\xbf\xbe\x81_\xea\x85\xa1d\x9e-\xde\\a\x84\x11\xea\x14\x0f\x1d\xe7\
\x8c\x07\x83\x83g\xbd\xd1u\xcb\xd4\x98\xb6\x95y\xbax\x95]~\x80\xab\x86\xac\
\x97\x8c\xef\xf6\xf7\x07\xfbOz\xa3KT\xdflq>Zr\xbf\xedXO_N\xdf\xfe\xde\xd0\
\x1b\xd9\xc22v`)\x9aR\xbd\xb6\x06\x1e\xe9\xeb\x03\x84\xa7\x92\x89\x8c;c\x9c\
\x19\n\xea\xb2\xdd\xa5\xbd[\xf8\xb1S\xe5\n\xcbhC\xc6\xce\x81dY\x17N\xb6{f\
\xbb\x03\xf9\xff\xe9\x969\xa9\xee\x9ag\xb7\xf9\xb6Le\xa1x\xd3\x82X\xcf\xbd\
\xf2j4\x93\xbb\xafv\xcd\x96\x81%w"\x17\x18\xb6g6w\xe6P\x94\xc8K(\xe6\xb4\x00\
\x01\xddn\xe7/\xff\xfa\x1f\x85\xb8\xc4\xc4\x1d7\x02Ve:\x7fu\x83\x14\xdf\x1f?\
\xea\xed=\x12\xc1u\xa7\x04\x81\xf1\xe2_\xa7\xb3\x177B\xf1qoot\xf0\xec\xfa\
\xf5\x15Z\xa0%\xf7\xdb\x0fY\xa4o\xbf\xfe\'-1-\xb3\x1br\x87\xf5\xdf=\x93\x1d\
\xa8\x93;,\xe9;\x97\xdbIx\xad\xdc\xad=C&\xacJ^\xb1_`\x83\xdc\xf5O;\x1c\xde\
\xca\xf6\x06\xb9[v\xdd\xce\xec\xa6\xe1\x9e\xe9\x0e\x9f\xd6\xbdG\x0c\xbb\x1bl\
\x16\x90\xa3`\xff\xf1\xc0*w\xd9\xbc>{\rW6\x84\xea\x8cuK\xee\\\xd9Gur\xd7\x7f\
\x19B /1[1\x800\x0c\xff\xeao\xff\x9f\x8b\xd6\xfe\xbdi\xb0,\x92\xd9\x8bl\xf1\
\xea\xb2e\xd9\xb1\xc3\xa8\x19L\x8ez{\x0fE\x10\xdfH\xdb\xb2\xe5\xdbt\xf6B\x16\
\xeb\xdaz\x00\xbbs\xa1\x1c\xa4\x99\xb8\xdc|\xf4\x9d\xde\xde`\xffYot\xddl\x9f\
O\x1c-\xb9\xdf\x01\x9c|\xf7\xefyr\x06\x8f\xa6\x9dB\xaf\xf90\x04pSm\xfb\xe6L\
\xc5\x9c\r\xf1n5\xbc\x11\xef\xd4(\xe3n\x8d\xfbF\x06\xa4R\x80\xb4n\x8csIL\x92\
LM\xb7\xeb\x83\x19~|\xc0\xf7e\xfc\x8e\x07\x9e\r\xef\xf7\x01\xd5\xf5\xfdN\x04\
\xe0\x86\xe1\xeeZ`u:A\xf7D\x0c\x866^\xec\x0frV\xbbs\x906\xc9]\x7f\xb8\xf3\
\xb5*J\x10\xd1_\xfe\x9f\xbf\xeb]x\xbe\xec\xef\x03F)_C\xc5+\xaf\xdb\x13A\xdc\
\x9f\x1c\xf5\xc7GAx\x13\x14\xafd\xb6|\x93N\x9fk\x8a\xf7\x99\xe5":\\2t\r\x03\
\xbd\x7f\xd8\x19\x8e\x0e\x9e\xf5\xf6\x8c\x89T\x142/\xca \x10\xdd\xce\x87\xe9\
\\\xef\x1cZr\xbf\x03X\xcf^O\xdf\xfc\xd6\x86R\x89\x88\x1d\xe3\xe9\xb1\xab\xae\
N\x0cW\x1d@\xa5\x9a\xdc\xdf\x95\x10\xb0\x13\xd7y\xe2\xbdF\xefdgb\x12\x80\xdf\
u\x00h\x90{5cjC\xb1\xa3\xa1\xdb\xd1\xf0\xdc\xab\xee\xc8y.[\x94;\xaa\\\x1a\
\xb7\xab\x8e\x93\x9akX)\xee\xe6\xc5\x96\xce\xf3\xb7\xa9\x8d\xb0\xa3x\x9d6W.\
\x0fR+w+\xf0m\x8bm@\xa1\xfe7ADI\xce\xcb\x94\t\xf8\xe5_\xfe\xcdh\xef\xc3\x0f\
\xa6gUf\xcb\xb7\xe9\xec\xb9\xacM\xe7r\xb1c\x9b\x14O"\x88z{\x0f\xfa\x93\'a\
\xd4\xbb\x89\xb6\xc9|}\x92N\x9f\x17Y\xad\xbe\xc2\x05}\x16\xa9\x07\xdf*\x9d\
\xd2\x890\xee\x0f\x0f\xbf\xc8y\xb8L\x14+\xc5J\xc6\x11\xdd?\x1c\x85Q;F\xe7=h\
\xc9\xfd\x0e\x80U\xf9\xf6\xeb\x7fV2\xd3jW\x18\xd5\xab\xf3\xc9,G\xc2\x8a\xf7\
\xda_Qm\xcal\'\xdeA\xa8\xe6\x9f\xf6\xf2\x0f\x85\xf5\xe4\xbd\x1cDw>\x13\x9b\
\xf4\x98\x9dk\x16\xb7\xe7\x93l2{\x9d\xdd+\xc3\xc7S\xe6V\xc4W\xb2\x1dMr\xd79\
\xe9\xca\xbb\x06`\x9f\x1c\xe0R\xdd\xad\x18\xd7m\xb05\x04\x1c\xb9;g\xc6\xb6\
\xee"\xe4\x9e\x97<O\x18\x8c\x9f\xff\xf9\xff\xf1\x87 }X0\xabl\xf1&[\xbc\xbaT\
\x99\x1as\xacI\x8d\'\xf68\xbe\xb7\xf7p0y\x12\xc6\xfd\x1bi\\\xb6:N\xa7\xdf\
\xf9\x14\x7fq\x1f]\xb1)\x19\xaf\x7fY\x14tF\x87O\xa3\xc1}P$\xcb2K\xb3\xc9d\
\x18\\f\xd6\xf2O\x10-\xb9\xdf\r,\x8e\xbf^\x9e\xfe\t\xb0\xe9\xedl\xea\x99{\
\xe4\xce\x1e\xcd\xd7\xf9\xdd\x19\xd7>\xbf\x03\x86\xd6=\x8b\xc6\x87\x8b\xc5\
\xc2y"\x00\xa0P\x89\xf3&\xaa\x04\x99\xc6\xd8\xa5\x1a\xa8z\xf1=\x17g\x17\x99\
\xb7\xd4\xa0\x7f\xd4\xc8\xdd\x9d\xdd\xb8A\x9a\xe5\x95\xb4Dm)\x1b\xbaJ\xa4\
\xe7*\xc1EP\xf5\xa7\xe3\x91\xbb\xffdRo21c\xb6VR\xe2\xab\x9f\xfc\xfc\xfe\xc3\
\x9b\x991\xe3\xc6\xc0\x9c\xaf\x8e\x93\xd9\xf32\x9d]\xfa\xd0M\x8a\'\xd1\x1d=\
\x18\xee?\r;W\x1c\x8b\xdbl[r\x9aL\x9f\x17\xd6W\xbc\x14t}\x05i\x92U\x95\x88\
\xfaa\xff~\x7f\xf4\x10JH.\xc7\xfb\xd7\xaa\x95\xf6\xd1\xa3%\xf7\xbb\x01Yf\xef\
\xbe\xf9gV\xa5\xe5]\xb6:\xd7%>j\x1by\x0b\xbf\xdb\x1d\xcc\x82cO"\x08\x9b\x88h\
\xf8\xbd\x9e\x99\xe8\xf30\\q-\x97j\xa8\x89\xb6b\xd3\x8b0\xbb\x83G\xeb5\x8f\
\xa6\x96!c\x1d\x1b\xb3\x8f\xbb\x96\x17\x02\xad\x16\x15\xb3\x92\xd6]\xb7\t0pA\
T?\x9a\xea~VV\x939\x8a\xbd\xdd\xea\xed\xa5U\xcaI\xce_\xfe\xe8\'\x8f\x8e\x9e]\
\xee\x97\xf7C\xa1X\x9f&\xb3\xe7\xc5\xfa\xf4\n\xc7\xca\x1a\xc53\x91\xe8\x8e\
\xee\xf7\xc7\x8f\xe3\xde\xcd\x10\xe8u\xdaf)\x1e\xcc\n`\x11\xf6E0V\xd4?\xfa\
\xf2\x8b\x1bi\xdb\xc7\x8a\xd6\xb7\xba\x1b\x08\xc2No\xf4`={\xc9\xd5dL\x046Ed\
\xf4\xf4D\x9a\xfft\xf5+\x18G\xc6f\xcepm\xaa&\xd6\xc1D\x90\x02\x0bek\xc3+\xe8\
y\x9b\x14H\xcfvd\xd5\xb5\xfb\x8bg;\x80\xb3\xe6\xad;\xa9\xdc\xfc\xef}`3\x8f\
\xb7\xd1\xd7\xd6jb\xd3b\xb8Wr\xe6\x8e\xe1ne"\xa3\x15\xb9\xa3\xf2\x8d\xdc\xd9\
\x9b\x97\x03v7\x8b|:\xa7\rn\x07#\np\x95\\\xbf\x1f\x10Q\xff \xea\x1f\x94\xe9,\
\xd1\x95\xc8.\xa3\xdb\x02B@\xac\x18\x92u\x9cY%\xf37\xc9\xfcMgpox\xf0\xf4\xfa\
\x14o\xdb6_\x9f~\xadU\xfc\xc5\xa1K\xe8\x04\x02R\t\xa9X\x95\x89*\x13Pg5\xed\
\xf4\xc7\x0f\xdb\x8c\x9a]h\x95\xfb\x9d\x81\'\xde\x1by2:H\xea\x16k\x192\xf0\
\xb2]*\x17\xdd\nb?M\xa5\xf2hP\xe5W\xd6\x9e\xa3\t\x96\xb7\x9dlvD_\xadm2\xbb\
\xedi\xdc{\xdb0\xcf\xd0\xf7\x86\xacz\x1b\xc9\x97\xee5r\xb7j\xdc\rW2aU\xa9\
\x1c\x83\xfb\xb2\xbd\xf2a\x9c\x9b\xa3?\x8b*[\xa6\xe6\xcc\xb8\x9d\xfd\x9bPL\
\xf3\xb5\xfa\xec\x8b\xdb\xab\xdc}\x94\xe9<\x9d\xbf\xc8\x96\xef\xc0\xea\xfd{\
\xd7\xa1\x18\x92\xad\x85E\x00\xa3\xd3\xdf\x1f\x1c<\xed\x0en\xa6\xa0c\xbe|w\
\x05\x13\x89Y\xea\xd1\x18E)K\xa9\xf4\xb7>\xec\x0c\x87\xfbOz\xa3\xfb7\x92\xb3\
\xff\x91\xa1%\xf7\xbb\x84\xc5\xf1\xd7\xcb\x93?y\xd1G\xb6\x1cmvh\x90;\xaaM^d\
\xd5f\xd5l\xe7wTvI\x83\xde\x9d\xae\x86\x15\xec\x8e\x1c\xb1\x95\xd9\xf9\x9c\
\x99\xf8\xec)+Z\xf7\x9a\xef\xb1\xbbn\x90\xf3U\xfc\x0cK\x06\xac-\x04\xd6\xb3`\
+U\xb1\xf3\x06\xb9\xc3#n\x9dnW\xeb\x03<g\x06\xdb\xc8\x1d\xa0E\xc2G\x9f\xfd\
\xf8\xf1] w\r\x99\xaf\x92\xe9w\xd9\xea\xdd\xa5f\xde\xd0p\x14\xef>\xbdN\x7f2<\
\xf8\xac38\xb8\x91\xb6\x15\xeb\xd3d\xfa\xdd\x05U\xbc\x02\xba\xa3G\xbd\xbd\
\x87"\x10E\xb6Lf\xaf\x93\xe5\\\xb1\x99>7\x8c\xba\x83\xc9\x93\xc1\xe4qK\xf1>Z\
r\xbfK`U\xbe\xfb\xfa\x9f\xa5\xccl\xda \xaa\x81K\x8e!\x05Q\xfdwj\xd2%\xc9T\n\
\xf6\xd9\xba\x96u\xe8D{\xc5\xad\xb5\xab[\xcf\xdd\x93\xbf\x95`G\xc5\xef\x9a:w\
\xd3:\xb3k\x95\xf7\xf4Q\xb5\xc9_\xe5=kTWu\xee\x8aM\xa9\xd7\xec\xacT\xbd:X\
\xb5\xa7\xa3l\xd4\xb8\xdb\xc5Z\x89M \xc1\xeb\x06P=\xee\x80\x89\x99A\xb4\xce\
\xf8\xe1\xd3\xbbD\xee\x1a\xb2H\xd3\xf9\x8bl\xf1\xfa\n\x95\xc84\xc5+O\xfdw\
\x87\x87\xc3\xfdg\xd7\x9c\xf8\xc9\xa1X\x9f&\xf3\x97\xc5\xfad\xbb\x89DP\nE)G\
\x87?\x1a\xdd\xffR*\xccf\xcb\xac\x90\x83\xb8\xe0\xb3\xdf\xe52\xd3F\x8d>2\x0c\
\xbb\x83\xfd\'\x83\xf1#q\x139\xfb\x1f\x01Zr\xbfcX\xcf^\xcf^\xff\xb6\xe2b\xdf\
\x8da\xebj\x10|~o\x88w\xb3\xd2n\x13\x1e\xc9\xba>\x03\\u\x17\xd4\xe0\xe9z\xbc\
\xb4\x12\xd2z\xdb\x86\xe6\xb5\x87l\xc0\xebd\xaa\xcb\xbb\xc5\xaaU\rr\xafN\xe6\
\xbb\xed\x0c]o\xd8\xa9vj\x92\xbb\xcf\xda\x00\xeb\x88\x85U\xfd6\x03g\xbb\'\
\x03"V\x0cBV\xe0\xde\xd1\xdd#w\rUf\xc9\xf4\xbbt\xfe\xf2\xcaF\x8d\xae7\xa1\
\x7f!\x9d\xfedp\xf0\xec\xa6\x8c\x9a2\x9d\'\xb3\xef\x1aq\x02\xc5($\n\xa9b\x11\
?z\xf2\xf3%\r\xe7\x8b\xb4(\xa4b\x16D]\x9e\x85\xe5w\x04\xa9\xec\x0c\xddZR\x04\
ag0y<\x98\x1c\x05a\xe7F\xdavw\xd1\x92\xfb\xdd\xc3\xe9\xf3_\xe7\xeb3\xe8\x02\
\x01\x8e\xd3\x01\xa0\x96\x19\xe9\xf1\xb3\x0e\x8b\xb2\xaf\xdf\xcd\xfe\x80fw\
\xbbX92\xfe9\r<\xbb\xc5\xbdx\xdf\x9f\x8d\xaf\xd2E\x82\xaa\xf0x\xbc\xa6\xe1\
\xdd\x13\x05`\'8\xad\xf5#\xd6KAM\xb9W{xNN\xdd\x991\'\xf4\x1d\xfc\xf7\x18\xee\
\xae\x01\x85\xc4\xe1\xd1O\x1e=~z\x91\xdb\xba\x9d\x90\xf9*\x9d\xbf\xbcZ=a3\
\xb7\x1f\xd7)~\xf2\xa4;\xbc\xd7|\xca\xbb\x12\\\x9c@JUH\xc3\xd7\xccj\xaf?\xe9\
\xed\x7f>+\x82^76U\x84\x18\xa0\x10\xd91\xad\xbf\xf6\xdbVQ|\x10\x0f&\x8f\x07\
\xfbO>e\x8ao\xc9\xfd\xee\xa1\xcc\x93w\x7f\xfa\x17\xb0\x146\xd6\xe82\xd9\x8d\
\x87n\xd2e\xe02%I/[\xf8t.\xfc?K\xaa4\xbc\x17\x95\xf5\xd8\xdd\xe3M\x8fgk_\xa2\
\xf7~\xa1*\xb7\xa3\xd6\xcb\xb8W\xf26{AWk\xb4\xfb\x9d\x89\xf3\x7f4\xb3;\xb3\
\xbd\xde\x01\xd4\x9a\xe4\xc8\xdd9\xf8\r\xc3\x9d\xc8R?\xd7I\x9eQ*\x1c}\xf9\
\x97\x93\xfd;?Q\x9c5j\xde\\\xa1\x9e\xf0&\xc5G\xdd\xd1`\xffi\xef\x86f\x05)\
\xf3\xd5\xec\xddw\xab\xd9\x1bS-B\xa9\xbd\xf1C1z\xaa\x14;\x0f\x91\x01AB1\xe4\
\xec\x0fT\xcel\xbe\x17\x14 m\xaf\x00P\x10F\xfd\xf1\xa3\xc1\xe4\xf1\xcd\x0c\
\xcb\xbakh\xc9\xfdNb5}1\x7f\xfb\x87Z\xce;\x00\xcf\x88\x07l\xd4\x14\x86\xab\
\xd9)\xf7:\xb9[\x17\xa6Z\xe1\x9b7\x1b\x82\xac\xd2\xec\xd8\xd0\xea\xe7|\x95.\
\xf6%\xabE\x82\xfdHk\xdd\xeb\xf7\xce\xc9l\x98\xda\xf8\xed6\xc0k\xf6!\xa7\xcd\
\xeb\xcd\xf0&`\xf2<\x19\xd7\x9dT\x06\xbdw6\x06\xa4\xc2\xd3\xaf\xfejo|[F\xa8^\
\x13J\xe6\xe9\xfcU:\x7f\xc9\x17\xa8D\xe6~\x83\xfa\x97\xb4I\xf1ag0\x98<\xe9\
\xef=\xa4\x9b\xa8\x9aYd\xab\xe5\xd9\xcb\xe5\xec\x8d*\x0b\x11L\xa4\x18\xe9&T\
\xcf\xa2\x82\x98)\x90\xa7\xfdx\xc1\\\xfb\x9aZ\x8a7\xb1\x1f!D\x7f\xef\xd1\xf0\
\xe0\xe9\xa7F\xf1-\xb9\xdfU\x9c\xbe\xf8M\xbe:\xb6\xa69\x9c6\'\xda\xe2\xa8\
\x10\xd9\xd96\xfc\x00,\xc3\xe3q\x0f\x1e\xaf:\xa9\xd4\xa4q\xcbwt)N?\xff\xbbF\
\xb5\x17\xd7\x14\xaf/\xa9\x9f\xc9(wB\x95&C\rr\xaf\x95q\xaf\x8e\xddi\xb8\x93O\
\xeeN\xdd{\xe4\xfe\xf9\x9f\xfd\xed`8:\xf76\xee\x18tA\xc7d\xf6\\\x15\xc9\xce}\
6\xd6lR\xbc\xfe]\x85q_\xab\xf8\x1bI\\)\xf3dq\xfa\xe2\xf4\xdd\xb2T\xa1\x105\
\xe1\xa13_\xa3\xa8$\xcc\x86\x1d\x16\xdbdH\xa9 e\x8d\xe2\x07\xfbO\xa2\x1b\x19\
y{\x17\xd0\x92\xfb]\x85\x92\xf9\xf1\xb7\xff\xa65\x17\xf9\x1c\xadk\xbe\x83@U\
\x04\xd5\'w\xb3\x97\xfb\xe9\xc9|\xd4W\xfa\xb6wS\xa6o\xf3\xd3\xb7}\x934/n7dw\
\x7f\xf3\x9aM\xa9\xf2p\xbc\xc3|W\xc8Z4U-0\xb7\x8f\x8d\xb1V\'tV\x8c\xdd\xc1K\
\x82\xf4\xe2\xb7\xee\xd5\xc6i\xc1\x14|\xf5\x8b\x7f\x88\xa2\x8f\xd0\xc6e%\xb3\
\xc5\xebt\xfeR\xe6\xab\xe6\xa6\xddG9\x8a\xd7,\xef(>\x08;\xfd\xc9\xd1`\xf2\
\xf8F\xea\t\xbf\xfc\xfa\xeb\xe5*!\xff\xa9\x93\xc1\xccD\xe8\xf7;\xb3\xd9\xabA\
G\rbY\x97\x05U\xe3+\x8a\x07HPo\xf4`|\xffG\xc1\xc7\xf8Kl\xa0%\xf7;\x8c|=={\
\xf1k\xb6u\xde\xe1(\x9b\xec\x03\xac\x9f\xea\xe8\xc8\xbd.\xd8\x8d\x1f\xcf\xd5\
{\xb3\xde\xbe8\x0b|\x97N\xdf\xfe\x05\xda\xf6\xbd\xaau/[\x0f\xda\xb2\x8e\xaaM\
\xd6\x9d1w\xc8:A\x91\x98m\x9e\x0cUU|5\\\xde;3\xb1wB\xab\xc8\t6\t\x12\xbe\xe1\
n\x9b\xe2\xdc\'M\xfdA\x18\x7f\xf5\xf3\x7f\x10\xc1G;\xae\x9bY\xe5\xcb\xb7\xc9\
\xec\x85\xcc\x16f\xcd\x05\x8e\xf2)^\xd7\x9b\xb4\x14\x1f\x87\x83G{\x07GQ\xdc\
\xbdN\xab\x92\xf9\xf4\xe5\xcb\xb7\\\x99/\xe6\xbb\xd0\xebtU\xb9\x8az\xe3<\x9b\
\xc6\xeaM\x14\x06\xbb\x9a\xab\x9f\xbaJK\xf1"\x0c\x07\x93\xc7\xc3\xc9\xd3\x8f\
\x9b\xe2[r\xbf\xdbX\x9d}\xb7x\xf7?\xb05\xb7*\xcb\xc5\x19\x94\xb4\xe9\x9b;#\
\xde\xecl\x02\x89n\x93}qA\xcd\xca\x95o\x9a\xd7\x1e\xf8}[\xb6\xb5\xe2\xfc\xbd\
\xad\x07\xee\xbe\xa5\xe4=?\xd8\x95\x96\xdc\xf5{UK\xbc\xaf\xd2!]yH=0\xd5U\x1b\
ts\xf2\xd9+\x18\x7f\xab\xf6\x94b;\x8cno\xef\x8b\x9f\xfe\xcd\xf6\xbb\xf9\xb8\
\x90\xafN\x92\xe9we\xb6`\xbe\xe8\xe8\'\xf7\x04(\xf5\xdc\x8b\xfa<%\xe72\x9c\
\x1c\x1e\x8d\x0f\x1fw\xbaW\xb6\xbcyv\xfcv:_)[k_\x10\x05\x04Vi\x7f\xef\xc1:)e\
\xf2no2B\xf2-\xab\xed\xfa\x1d^\xdb\xb4\x8f\x04\x86\x08\x82\xfe\xde\xc3\x8f\
\xd8\xa8i\xc9\xfd\xcecy\xfa\xed\xf2\xf8\x7f\x9d\xd5\xee\x13\xb71Dj#N\xfdW\
\x9bNc\xb9\xccO\x93lH{\x07\xdf\x18\xd9\x00\xef\\\xa8o\xf0y\xf6=\xa7pw\xe2\
\xbb1d\x9e!\\\x87\xc2JOS\x02\xe5\xfb-\xb6\xb9Z\xd5W\xbd\x82\x17w\xad\x0fL\
\xb5\x16\xbfa~\xe7\x08\x99\xdd\xf6\x0e\x1e\x1f}\xfe\xb3]\xb7\xf5\xf1A\x16i\
\xbe|\x93\xcc^*y\x89\xb9\x9f\xc8<\x18\x19\xa3\xa6T\x9c\xe6(\x15\xf5\xfa\xa3\
\xfd\xfbO\xf6\xf6\x1fn\x91\x1b\x17@\x99gi\xb2\xce\xf2<\x0c\x82@\x04E\x91\xa5\
i^\x14E\x1cQ\xd09\\\xcd^\x8fza(\x96\xc5\xea\xddy\x93\x80\x13X\x9bH\x12R\x01`\
"\x11\xf5F\xc3\xc9\x93\xde\xde\xcdd\xfb\xdc\x1e\xb4\xe4\xfe1`\xfe\xf6\x0f\
\xeb\xe9\x0b\xcb\xef\xda\x9f\xa8\x99\xc7^\x02{\xd3\xd0n8-\x9b\xa3R}\x15o\xcf\
W\x03o]\xbb\x89J\x0e\x9fk\xc1\xeft\xee\xed{\xff\xe9\x81\xcd\x9f\xab!w\xe7\
\xb7\xf8\xe9\x8f\xc6t!\xdbST\xb3\xeb\x01U\xc5pe\x03\xc9z\xef\xc6u\xb5u\xf3\
\xe0\xc9\x8f\x0f\x1f\xdc\xc9\x11L\xd7\x81\x8d\xb86\xa7\xd0;\x1f\r;>-8\xcb\
\x99\x81\xfep|\xf8\xf0\xf3\xd1\xf8\xdeu\x9a\x94\'\xc9rv\x16u\xfb\x80LR\x99\
\xad\xe7\xdd^?-\xe3 {>\x1a\xc6\xf9\xfa-+nt!\xfeWHg\x13T\x13?1@\x14u\x06\xc3\
\xfd\x1b\xcb\xf6\xb9\rh\xc9\xfd\xa3\x00\xf3\xd9\xab\xff\xca\x96\xef`\xf2\xd6\
\xeb\x82}\xab~\xd7\xfa\xd7\xbd\xdf8\xa37\x9c\xc9\xad\xd3?.\xf9\x859W\xa7\xd7\
.\xce;\xd6\xeb\xc5MG\xc8\xfcUn\x92\xbbs\xc9\xab~\x87\x01\xe3\xd9\x92\xf6\xdf\
u\xba\x0c\x9c\'cRell\xa2q\x9f\x9a\xdc\x9f}\xf5\xab\xe1\xde\xcdTV\xb9s\xd0S\
\xe8%\xd3\xef\xe4\xee\xa4\x1a\x1f>\xb32\xa0\x14\xb2\x92\x93\x1c\xa5d\x02\xfa\
\xa3\xc9\xfe\xbd\'\xa3\xc9\xd5\xc52+5}\xf7\x06"\x8c;]\x86JRY$g"\x18J\x95\r\
\xf0\x86\xb9\x90EV%\x03lm!\x01\x0c\xc5(%$\x9b\xbf\x88(\xee\x0f\x0f\x9e~\x1c\
\x14\xdf\x92\xfbG\x02V\xe5\xe9\x8b\xdf\x14\xc9\xd4\x1b\xa4\n\xff\xbb]\xcb\
\x1b7+\xedLG\x96\x05k\x89\x91\xce\x94\xb7\x8b5\xb2<\xaf)[w\xaa\xba\x88m\xde\
\rm!\xf9\xday\xa8\xb1\xdeJlg\x9eT\xc9@\xcc\xba$0\xea\xf4N\xb5,\x1a\xaf\x0f\
\x80\x9d[\xd5/?\xe9\xdf\x02\x03\xac\x98D\xf0\xa3\x9f\xff\xfd5c\x83w\x1d,\x8b\
t\xfe2\x9d\xbf\x92\xe5y\xf5\x8fw\xd9.\xa5\xc2:\xe3\xb4\xd0\xb1l\xf4\x07\xa3\
\xc9\xfd\xa7{\xfbW,\xdb\xcb\xcc\x8b\x93\x13\x11\x8a4\x93\xa3\xbd\xbd\xa2(\
\x16\x8bD\xa5gao?,_\x085W\xd2M\x9a\xfb\x9e\xa6*3C\xb71\xfd\xa2\xb8?\x98<\xee\
\x8fof\xf6\xf0\x0f\x85\x96\xdc?\x1e(\x99\x9f>\xffu\x99/\x9dN\xaf\xf3\xbb^\rl\
\xf0\xbb\x07\xdb\rh\xf8I5\xf6\x8f\xe4:_\x98]"\xbd\xb9zS\xa4\x9b\x82\x01\xec\
\xe5\xed\xd85\xa6N\x9ao\xac\xb3\t\xe8y)\xefl\xbe\xead\xcfQ\xe5\xc08\x0f\xa7^\
[\xd8\xb6\xc1\x9e<\xee\x0e\xbf\xfc\xd9\xdf^\xcd/\xfe\xc8`U\xfc\xf3\xadF\xcd{\
?\xa0\\"\xc9\xb9\x94\x08\x03(\x850\x1e\x8c\xef\x1d\x8d\x0f\x1e\x8b\xcb\x8beV\
j\xbd\x9cC\x81\x85(\xf2r0\x1c,\xd7\xc5z>\x13r\xd5\x1fu\xd5\xf2\x7f\xbc,\xa9\
\xf3\xe0(\xde\xce\n\x02\x10\x820\x1eL\x8e\x86\xfbGw\x94\xe2[r\xff\xa8\xe0\
\xf1{\x15_\xad?\x9b\xfa\xec\xc4\xd4\xfcKtB\xd9\x0e\xfc\xa7\xfa\xb6\xe6\x97\
\xc5-\xef\xf4wj\xfb\xed\xfe\xaem\xa5\xf5\x1d\xdfM;\xb3G\xc5\xf6\xaeT\x80U\
\xee\xd67g0\xd8U\x0cf\'\xe1\xe1\x0e\xf2J\xca\x90\x8d\xa06{\x1d&u\x00\x00 \
\x00IDAT,~\xbd\xe7\xf8\xf0\xe8\xe8\xb3\x9f\xee\xbc\x81O\x0f\xacd\xbez\x97L\
\x9f\x97\xf9\xd2\xad\xbcP\xd7G`F)\xcd\'\x9f\x97\\\x94\x88:\xbd\xc9\xbd\xa7\
\xa3\xc9\x83\xe0\xf25\x1dW\xb3\xb3"/\x06\xa3\xf1z\x9d\x80\xd1\xe9v\xcef\xa9J\
\xcf\x06=@\x9e\x14\xe9\x8c\xe8B\xd9\xab\xfa\xdb\xee\xc2\xad\xfak\xa0)~0~|\
\xe7\xf2&[r\xff\xd8\xa0d~\xfa\xe2?\xcat\xe1\xe2\xab\xe41/9\xf9N6A\xa4&E}\xad\
\xbc!Rk\xecN\xe7Qu\xe3\\\x17\xe6t\xb7\xe4X{\xdbv\x82O\xeez\x07\x9b\xe7\x0ec\
\xcb\xb8\xb6Z]o\xbf\xea\xcc^\x97\xe0\xc9vT\x87\xa3:?L\xff\xc0\x8c\xa3\xcf\
\x7f>>xt\xfe-\x7f\x8a`\xceV\xef\xd2\xd9\xcb"\x9d\xe2\x82\xe4\xee\x0e\x85\x91\
\xc9\x8a\x91\x15\\HDQ\xbcw\xf0dr\xef\xe8\xb2\x14\x9f.\x17\xc9j\x8e\xa0;\x18\
\x0e\x17\xcb\xa4\x13\x87e\xa9\xd6I\xd1\xc34\xa0e\xb6>&=\xe7\xfb\x05\xb0\x95\
\xe2Ep\xf7R\xe3[r\xff\x08a\xf8=[T\xa6y-K\xd2F\\\xe16\xd7\xe0L\x19c\x84zTX\
\x11\xe1FV\xe56\'}\'v\xf1\xbe!\xd3MZ\xb7>\xbbY\xd2{\x109\xff\xc4\xe5\xb9\xb3\
V\xe8\xca\x8atX\xeb\xdd\xaba`\x95{M\xb6\xeb\xc3aW\xda\x0b\xd9\x15\x14|\xf5\
\xc9\x1b\xee\xe7#_\x9f\xa4v"\xecK\x81a\x86>IF\x96s\xa9\x10\x86\xf1h\xff\xd1\
\xe4\xdeQ\x14\xf7.~\x9e\xb2(Vg\xc7%D\x7f0\x12A0\x9d.{\xb1HR\x0e\x03\xd9\xe1\
\xe3,9VeN\xe2\xda\x14?~<\xdc\xbf\x1b\x14\xdf\x92\xfb\xc7\t%\xf3\xb3\x17\xbf)\
\xd29\xdcL\xaa\xb0\xccN\x86\x1d\x9b\x04]\tb\xb3Tsp\xb0\xd3%\xb98\xce\xe3t\
\xfb\xc2\x9b\xeba\x08w\xe3a\x81<\x16f(\x93\x15\xc4\xd0\xca\xddcv\xc090\xf0\
\x8c\x17\x9f\xe8\xcd#\r\xbbKU\xcc\xce\x8cn\x7f\xef\xcbOc\xf8\xd25Q$\xd3d\xf6\
\xbcX\x1d_\xf6\xc0\x8a\xe2\x15\xd2\x82\xa5\x84\x08\x82\xbd\x83\xa3\xc9\xbd\
\xa3\xb8s\xd1\xd1O\xac\xd4\xe2\xec\x84\x82 M\xcb\xf1x\x9c\xe6e\xba^G\x81P\
\x14t\xc3\x9c\x90\xad\xa7\xdfA&\xb8\xb8\x8a\x07\xf4\xe0\tY+S\x13\x0c\x0f\x9e\
\x0e\xf7\x9f\xdcr/\xbe%\xf7\x8f\x16\xac\xca\xb3W\xff\x95\xafN+~\xf7\xc8\xdd\
\xdf\x936d\xb8^\xbba\xd8\\\xe5\xabr\xbe\xa2w\xb4\xce[\xd7\xa3\xc9\xf8\x1b\'\
\xd0cV\tZ\xbc\x1br\x07+V\x9eZ\x07{\x84\xeeX\xdb\x8er\xb2O\x05.\x0f\x92\xf5\
\xc4\xdd>\xb9\x8f?\xb1\xe1K\xd7\xc4\x95gpe\x98\x1a\x06v\xe8\x13\x04\xd1h\xff\
\xe1\xc1\xfd\xcf:\xbd\x0b\x8d#\x95e\x99.\xe7\xa0\xa0\x94\xac\x94\x1a\x8eF\
\xd3\xd9ZfI\xb7\xdb\t;A@\x94\xad\xdf\x15\xcb\xe7\xc4\xc5%(\xde>\xb9V5\x0c\
\xeeB\xb8\xb5%\xf7\x8f\x19\xac\xca\xd3\xe7\xbf\xb6\xfa]\xd7M1_T\xe3(\xfb\xdf\
\xed\xe6\xe4\xab6\xa1\xd2Y\x13\xb5}\xcf\xbd\xee{\x96\x9b\x92|\xfb\xd6\xf7\
\xd0\xban\xbf\xc9\x81\x81\x91\xe1\xd6\xab\xd1\x15c\xea\xe7w\xb91\x9b\x12\x1e\
5r\x87\xc9\xab\xb1\x871\xf0\xe8\xd9O\xf7\xef\x1d\x9d{\xd3-\x9a(\xb3e:\x7f\
\x99-\xdf\\m\x06\xd7RAJN\x0b\x94\x92\x85\x10\xe3\x83\x87\xe3\xc3\'\xdd\xfe\
\xde\xfb\x0ff^\x9c\x9d\x96R\x0e\xf7\xc6\xcbU\x12\x10\x11\x89\xe9"\x1dD\xe8\
\x0f{E\xa9\x888\x9d\xbf\xa0\xf2\x94U\x0e\xef\xc9v\x17\x1a"\xa7I\xf1\xe3G\xfd\
\xc9Q\x18\xdd:\xcb\xae%\xf7\x8f\x1c\xac\xca\xe9\xeb\xdff\xabc\xf2R!\x1d\xbd\
\xb9Y<\x1a\x16<\xd5\x85;or\xb0\'\xf6\xb7\x06E\xb77\xc6{\xc7\xb5\x83w\xec\xd0\
X\xcf\x1b\xbb\x01\x8e\x85\xd9\xd6\xf0\xf5\x88\x9b\x1b\xaez\x95\xfb\xe8_\xc2H\
w\x17v\xae\xe6(d#\xe3\x83\xaf~\xd1\x1a\xeeW\x84,\x92t\xf6\xfc\xcas?\x95\n\
\xa5\xd4*\x9eCA\xe3\x83\x07\xfb\x0f\xbe\xb8H5\x98\xf5|\x9a\xacW\xdd\xfe^\xdc\
\xe9Lg\x8bn\x1c\xa6IY\xcar2\xea*\x11\x02Tf\xebb\xfd\x1a\xe5\x14\\\xe8\x18\
\xce\xaeSmn`\xa0\xf4\xbdx\x11\x0c&G\x83\xfd\'\xb7\x8a\xe2[r\xff$0\x7f\xfb\
\x87\xf5\xece-\xbb\x91k_\xe6\xc6\xd7\xd7\x1f\t\xc5\xa8\xe5\xb6_6\xcd{\x8b\
\xc1\xb2-\xd1\xe6\xfd>\xccN\x8do\xfb+\xd693\xec\xbe\xd5\xbeN\xaf\xd8\xdc\x0e\
YB\xc3j\xf2*\xc9\xd8}M\xa6\xcdp|\xff\xd9\x8f\xfe\xfc\x12\xf7\xdcb\x03\xaa\
\xcc\xd3\xf9\xcbt\xfe\xf2\ns?1PH\x14%\xa7\x05\xa4\xe48\n&\x87\x0f\xf7\x0e\
\x9f\xbd\x97\xe2\xf3$I\x97\xb3L\xd2x2)\xa5Z\xceWQ\x804W{\xc3N\xdc\xed.\x96ID\
H\xb2T\xc8\x19\x8acp\xb6U\xc5\x9f\xf3\x85oR|\x10\x0c\xc6G\x83\xc9Qx\x998\xf0\
\xf7\x87\x96\xdc?\x15\xacg/\x17\xef\xfe\x87Y\x91\xb5f\x1c7:\x1b\xde\xd3\xefU\
\x9e;\x9b\xca\xba\xde\xb9\xf82\x1c\xbfC\xa4\xfb\'\xf3^6h\x9d\x9b\x8b[\x14\
\xbd\xbe\r\xc0N\xa2\xea\x1e5\xc8\xaf\xf8\xe8\xf8\xbd\xb1\x08T\x0f5.\x0f\xd2\
\x7f\x1ax\xf6\xd5_\\\xb3\x16J\x0b\rU\xe6\xe9\xecy2\x7fq\x05\xa3\x86\x81\xa2D\
^rVBJ\xee\xc4\xc1\xf8\xe0\xc1h\xffI\xdc;\xcf\xa8Q\xb2\\\x9e\x9d\xb2\x08d\xc9\
\xc3\xbd\xd1*)\x8a4!F\x18\xd1ho\x94d\xb2\xccs(N\xb2\xb4\x1f\xaeT\xfe\x8e\xcb\
5\xa3\x1aKu\x91\xafye\xd4\xe8C\x88\xfa{\x0f\x87\x07\xef\xef{\xbeo\xb4\xe4\
\xfe\t!Of\xb3\xd7\xbf\x95e\xeaR\na\x93\xde\xadT\xb5T\xbfi\xb6oe\xe7\xf7\'\
\xbb\xef\x04o\xbc\xdb\xe5\xc3\xd4\xd6o]c:\x1fr\x93v4]\xf5\xba\x0f\xd3\xb4e\
\xea\xe4^?9\x87q\xef\xc7\xbf\xf8\xfb\x8f\xac^\xe0\x87\x85,\x92t\xfe\xf2j3\
\xb82\x90\x15\xc8J.J(\xe6N(\xc6\x07\xf7G\x87\xcf\xe2\xeeN\x8aWe\xb1\x9aO\xc3\
\xb0\x93\xe6e\x10\x88(\xea\xcc\x16I\x84"\x8c\xe3(\x14A\xdc[\xae\xd6\xa2\xcc3\
\x15\x0e\xfa\x08E\x91\xcd\xfeT\xe6\xab\xads\x94\x9d\xdf0\xa9P\xaaj@\xdc\x07\
\xa7\xf8\x96\xdc?-\xa82\x9f\xbd\xfd}\xb6:\x01`=\x12\xb2\xf3u\xb0U\xeb\x8e\
\xdd\xb9\x12\xb6\xd7F\xf3{\xc6\xdb7\x9dc\xaf\xbb,\x97\xdai\xaa\x1a\x03f\x04\
\x93\xef\xc6`\x83\xca\xb9\xee\xc2;\x10\x91\xdfs\x98C\x98\xef\x1f\xfd\xe8\xfe\
\xa3\xcf/v\x8b-.\x01m\xd4d\x8b\xd7\xea\xdc25[\xc1\x8c\xb4\xe0\xacDQ23:\x11\
\xedM\x0e\x86\x07O\xbb\x83\xeds\x97+%\xb3\xc5\xb4\x90\xe8\xf6\x07\xb3\xe9|0\
\x1c$\xa9LV\xabq?\x16q(\x82\xb0\x90\xc8\xd6+R\xccQ|\xef\xfe$_\xbdK\xa7\xdf\
\x94\xd9%\xaa`\x9a\x86A\xa7\xfa\xc0\x8e\xbb\xa0\xde\xf0\xde\xf0\xe0\xd9\xf9\
\x8f\x17\xdf\x13Zr\xff\x14\xb1:{\xbe<\xf9\xda\xcd\xc3P\x99\xf0\x9a\xd5M]Ir9\
\xdf:1\xd0\xff\xa2\xec\xa2\xfbsT~\xb5y\xfb\xd2nZ\xf7\xb2\x18\xfdE\xb3\xe4u@&\
<\xe0\'>Z\xbev\x14\x8fMy^\xdd\x91\x9f8\x0f\x06\x0b\x11}\xf5\x8b\xbf\xfb(\xe7\
\xd5\xbb%`Y\xa4\x8b\xd7\xe9\xfc\x85*.I\xf1\x04f$9g\x05J\t\x00\x9d\x08\xa3\
\xf1\xfep\xffIwp\xafY\xba\x1a\x00\xb0<=^\xa7\xd9hoRHUdy\x18\x04\xcb\xa4\x1c\
\xc4\xe8\xf6\xbbEQ\n\x11\xac\xd3\x82d\x810\x9e\xec\x0f\xc3(\xca\x16o\xd2\xd9\
we\xb6\xdc<\xd5{n\xeavP|K\xee\x9f(\x8at>{\xf3\xbb2[\xd5\xadv7v\xa9\nK6J\xfe\
\xeeD\xe3\xaf\xe9|\x87}s\xcdV!\xefQs\xfd\x10vcl\xb5\xcb\xee\xa2\xc3&e\xc6\
\xa7r\xd4\x83\xa8.\xbe\xda\xb8^5\x94\xab\x92\xed\x87\x0f?\x7f\xf8\xe4G\xdb\
\xef\xa4\xc5\xcd\x81U\x99\xaf\x8e\x93\xe9w\x9b3\xb8\xee<\xc4~3\x15#\xcd9- \
\x15\x08\xdc\ti0\x1a\x0f\x0f\x9e\xf5\x86[(>[\xce\xd7\xeb\xb5\x08\xbb\xddnw\
\xb1J\x88\x15+\x94\xb2\xdc\x9f\x0c\x0b\xc9,\xa5R\xbcN\xb2N(\xa2^w4\x1e\x01\
\xc8\x96o\xd2\xf9\xab2\x99^\xfa\xa6\x1a\x14\x0ftG\xf7\x06\x93\xa3\xee\xe0\
\x07\xaa\x1a\xdd\x92\xfb\xa7\x0bV\xe5\xe2\xe4O\xab\xd3\xef\xfc\xe2\x04\xa8\
\xf2\xdd\x99\x01\xe1\x12\x04\xebj\xf72\xf1\xd4\xf7\xad?\x97\xd6\xb1\xe1\xb3\
\x93\xf5^\xf4\x92%w\xf3\xe7\xceF\xbdo\t\xa2\xd6\\\x9a\xad-\xd3c\xa0L\x1f\xc0\
"\x88~\xfc\xcb\xbf\x0f/_\xc7\xaa\xc5\xd5\xa0gpM\xe7/\xcbt\xfe\x9e=\xbd\xf7\
\x8e\xe2\x93\x8c\xd3\xc2d\x81\xc5\x11\xfa\x83\xd1`r\xb4Y\x99]\x95\xc5j6M\x0b\
5\x1c\x0e\x19b\xb1L\x02.AA\xb7\x17\x86a\x9c\xa4\x99`\x95\xe4*$\xd5\x1b\x0e\
\x06#\xe3\x98\x17\xeb\xd3d\xf6\xbcX\x9f^\xe1\xbe\xa4G\xf1\x00\xba\xfd\xc9\
\xf0\xf0\xb3\x1f\x80\xe2[r\xff\xd4\x91\xad\xcf\xe6o\xffX\xe6\xabZ\xaa\xbb\
\x15\xb3v\xfeTb\xbf\x1c\xcdU\xb1\x95\xd0\x9bK\xf5\xaa\xeb\xb5\xa8\xaei\x95))\
c\xb7\xda22\xd6\x9f\xf1mw\xd4=\x19\xae\x9f\xb6\xd1\x003;\xb6\xe9\x0c\xf8^+\
\xdb?\x08\x98\xf3\xd5q2{^\xa6\xb3\xed\xdb\xb7\xadt\x14\xbfJ9+\xc0\x80 tB\xf4\
\xfa\x83\xe1\xfe\xd3\xee\xde\x03\xe1\xcd\xbd\'\x8b,\x99\xcf9\x88\xf3\xa2\x1c\
\x0c\xfai&\x93\xf5\xba\x13\x90\x08\x83^\xaf\x9bK\x94\xe9ZJ\x95\x15j\x7f\x7f\
\xd8\xe9\xf7\x82\xc0t\x0f\xc5\xfa4\x99\xbf\xbcBq\x05lP|\x7f\xef\xc1\xf0\xe0Y\
\xdc\x1d]\xe1T\x17DK\xee-\xb4\x84\xffv=}\xce\xde`q\x976SS\xd1\r\\0S\xec"[6\
\x82\x99\xde\x16\x9f\xe0\xe1\xc6\xa3\xda\x1f\xb5C\xd8\x06\x82\x1b\x9a\xdd\
\xaf!\xc3\xb5\x93\xbb\x8b\x91\xe7\xc9\xb0\x08\xa2\x9f\xfc\xf2\x1f\x820\xba\
\xc0\x1d\xb6\xf8^\xb0K,\x9fCX\x9a\xe2\xa5\xc2"am\xc4\x0bB\x1c\xa1\xd7\xed\
\xf5\xf7\x9f\xf4\xc7\x8f\x1d\xc5\xcb<]/\x17qw\x98fy\x99\x17\xdd^w\xbe*\x84L\
\xfb\xfd\x1e\x05$\x82x\x9d\xa4!\xcbu\xa6F{\xbd\xc1p \x82*]\xaaHg\xeb\x93\xff\
\xdd\xd5\xf7\x9c\x0f]/^Z/\xbe;<\x1c\x1d|\xf6=y\xf1-\xb9\xb70(\xd2\xc5\xfc\
\xf8\xeblu\n\x98\x19\xe7h\x8b\xc6\xbdb\xe6\xcc\xf6/Y\xbd\xd7h\xb8%\xd5k\xb5\
\x9b\xa1u3\xb5\x9eo\x16m)\xe5\x08g\xbe\xfb\x16\xbc=7\xd5/A\xce\x96b\x86b>\
\xfa\xec\xcf\x0e\xee?\xb9\xd2\xbd\xb6\xb8I\x14\xe9,\x9d>\xcfW\xef\xdc\x9a\
\xf7\x12\x96\xfez\xe4%\xd6\x19k2\x8d\x02t"t\xbb\xbd\xde\xde\xc3\xfe\xf8q\x10\
u\x01\xa82_M\xcf\x14\x85\x9dno\xb9L\x82\x80\x00\xb1J\xb2q?B\x10\x84a\x94\x17\
*KV\xa4\x98\xc3\xf0\xfe\x83\x03\x12^:,s\xbe>I\xe7/\xafo\xd4h/\xfe\xfb\xa0\
\xf8\x96\xdc[\xd4\xb0\x9e\xbfY\x1c\x7f#\x8b\x84\xdcH\'G\xab\x0e\xd71h6\x1e\
\x03\xb6\x05Tk;m\xb1\xd7M#\xaa\xd96\xcc\x9eu\xa7\xde/\x10f\xadvWN\xd8\xcf\
\xe37i\xee\x0cS\x15\xb27\x98|\xf9g\x7f\xd5N\xbat{P\xa6\xf3t\xfe2[\xbe\xe5\
\x8bU"#2\x95\xe2\xf3\x92\xf3\x02\x85\x02\x01a\x808D\x1c\xc7\xc3\xc3/z{\x0f\
\xb5\x8aO\xce\xde\xad\xb2r\xb87f\x88\xe5b\x1d\n\xce\x0b\x0eH\xf5z]\t\x16$\
\xd6IN\xb2\x90L\xf7\x1f\x1d\x06as\xd2\x8fKy\xf1\xb5\xb8\xd1F\xb8\xb538\x18\
\xee?\xe9\x0e\xb7gs^\x01\xff?{o\x1ef\xd9q\xdd\x87\x9d\xaa\xbb\xbf\xfb\xb6~\
\xfdz\xefY1 0\x04@\x82 )\x1a\xdc\xc5\x9d\xb6d9\x92A\xc6r\xe4\xc4r\x12\xcbq$9\
\xf9$\'\x7f\xc4\x96\x15\xd9\xf9\x92O\x12\x15k\xb1\x95O\x8a%[\xfa\x12}\x11-Z2\
-j\xa1(\x12\x04@\x10\xfb>\x0bf03=\xbdoo_\xee\xad\xe5\xe4\x8fz\xb7^\xdd\xfb^\
\xf7\xf4\x0c\x00\x02\r\xf6\xf9\x807\xb7\xefR\xb7\xaan\xd5\xafN\xfd\xce\xa9SG\
\xe0~$Y\x91\x92wj+\xed\xdau\x14|\xa8\xf0\xee\xb1\xa8c\xccb\xed\x91\x065\xda\
\xc2\xc6\x9a4q\xcc\x0f$*\xb6\x01\xf8YW\xc8\xe1/@Jm\x87\x11dO\xe5rH\xe3\xa8s\
\x03*\x9f\x10z\xdb\xd9\xf7x\xfeA\xc3\xcc\x1e\xc9wLD\xdc\xed5\xaeG\xad\x8d\
\x83@\xbc\xd2\xdf\x19\x07\x00\x88\x05r1\xf0\x98tlpm\xe2\xb8^X^\xc8\x95\xe7)\
\xb5\xe3v\xa3\x1f1&0\x0c\xf31\x97\xbdN\xc7\x02dH\n\xa1\x87\xc4B)\xb8\xc0\xa8\
\xd7\x0b|\xcf\xf1\xdd\xb0\x90\x1f}\x17\xeb\xd5\xfb\x8d\x15sz\x91\x91\xbdHM\r\
\xf1\x98D\x9a\xf6\xc2\x89\xfc\xc4\xe2k\x02\xf1G\xe0~$\xe3E\xb0~k\xf7z\xa7\
\xbe:f\xc1\x8f\x12\x92\xf9wO\xc11G\xe6\x89\xac2\x9f\x86u\x93Z7\x90}$\xdc\xa3\
y2C\xb8\x0f\xce\x0f\x95\xfe$\xb6o:\x0e\xa6r\xa3\\8yvb\xf2h\xc7\xa57\xaf\xf0\
\xa8\xd5\xab/\xc5\x9d\xed\x83`\x17!\x10sP{\xear\x81\x12\x81s \x04\x1c\x1b\
\x1c\x8bX\x8e\xe7\xe4g\xcb\x93\x8b\x923\xd6\xef\xf7\x99\xb4l\xdbu\xfdV\xbb\
\x87,\xb2m\xcbvm\xc7\xf5\xe38"Btct\x08\xf7\xc2P\xb9H\x8e\xc9X\xbf\xd9\xab_\
\x8f;\xdb\xfb6\xf9\x91\x1c&\x10/\x10d2fy\xb9r8\xb10\xd6\x9b\xf3\xe0r\x04\xee\
G\xb2\x9f\xc4\xfdVc\xe3R\xd4\xad\xebF\xf6Z\xf8\xcc\x8c\xd1\xd8!\xd5\r\x06kMS\
\xe7\xf7@p0\xa0<sr\xa8\xbcgg\nc6MV\xf7Wg\x8e\xcf.\xdevK\xc5:\x92\xef\xa8\x88\
\xb8\xd3k\xacD\xed\r\xbcQ\x98\x1aE\xd1D\x0c\x15\xd1\xa804\xe2`Spl\xb0)\xe1h\
\xe7\'\x16raY0f\xb9a\xb7\xd7s\x1d\x07\xc1j\xb5{>\xe1\xc4q\xbc\xc0\xe7\x02d\
\x1c1.\x85\x90\xc5R.,\xee\xe9\xe5"\xe2N\xaf\xb1|\xc0\xe9\xc50\x93\xea\xd9\
\x04\xe2\x95\x16\xef\x04\x85\xc2\xc4\xb1\xa00uk\x10\x7f\x04\xeeGrc\xe9\xb5\
\xb7\xbb\xf5\xf5\xa8\xd7\x94<\x1a\x9c\x1a\xc7\xc1\x8f\x8d\x8c\x9a\x1c%Z\xf2x\
`\x1f>\xad\xd5tS\xf9\xd9\x0f\xd6\x93\xf3\xc3\x93\x19\xe6}\x98\xe8\x98\x1e\
\x82\x03\xd5\x89\x00@u\xf6\xc4\xcc\xfc\xa9\xd1{\x8e\xe4M+"\xee\xf6[k\xacW;\
\xc8:\xd2\x98\x83\x90\x00\xc927\x81\xc0\x05\xd8\x14,\x8b \xa2$\x8e\xe7\x15\
\x1c\'\x17\x96\xa6\x89\xedD\xfd\xd8\xa24\x8a\xb9`\xb1\xebX\xd4\xb6l\xc7\x8b\
\xe3\x18\x19\x8b8\x96J9?\xcci\x17\xc9\xf1\x19k\xae\xb2^\x8d\x1fxY\x16$Z<"\
\x08\t2QJ\x9c\xa0\x10\x96\xe6\xdc\xa0t\xb3aj\x8e\xc0\xfdH\x0e*R\xb0N}\xbdS_c\
q\x07\xc6\xab\xf0\xc6\x1a~\x1c\x9e\x19\x17\xacw\xf8tf}\xd4>\x98\x0e#\xda:\
\x18 \xaeOj\x9d\x1d\x0c\xf4\x072\x86^J<\xe3\t\x10\xb2p\xe2\xcerefL\x99\x8e\
\xe4\xcd/\x89\xefJ<\xce\xb0i6T&!fH\xc8\xd0\x8c\x89\x001\x03\x8b\x02\xa5 $\nI\
<7?1u\xc2\xcd\x15\xda\xed\xaem\xdb\x04H\xa7\x17\x05\x94S/p=\xbf\xd7\xeb\x83`\
\x11\'a\xce\xf6|\xcf\x0b\xf6\x8d\xee\x8b\x18wwz\xb5%\x16\xdd`Y\xd6h\x861\xf1\
\x9bTY\xa5\x84\xfa\x85\xeaM\xb9\xc6\x1f\x81\xfb\x91\xdc\x9c \xca^k\xbb][\x89\
\xba\xe6\x82\xec\xfd\xe3C\xa6\x06\x82\xd1\xad?0{y\xcc\xf1\x01a}p&\x1b9a\xc8\
\xcc\xe8\xe8\xc5\x9a\xa9w\\\x7f\xf1\xe4\xd9\xb0P\xde;\xffGr8\x84\xf5j\xbd\
\xc6\n\xeb\xee\xec\xb5\x03\x01\x02H\x84\x88\r\xa6\x92\xba\r\x10\x80\x98\x03\
\xa5\xca\x06+\x03\xbf\x90+\xce\xfa\xb9\x02\xa1N?\x8a\x1d\x9bF\xb1\x04\x11{\
\xae\x05\x96C,\x87\xf5\xbaB \xb1\xad\xcadi\xd4\x85fT\xe2\xce\xf6^c\xcf^\xa2!\
>\x1b\xa6\xa60u@\x88?\x02\xf7#\xb9E\x89{\xcdv}\xbd\xd7\xda\x12|\xff\x1dv\xc6\
4\xb0\xec\xa9\xacI\xf5\x96\xb4u\xe3\xee\xa1J\xaeC)`r6\xf1\xf1T{\xe9\x15\xca\
\xd5\xf9c\xb7\x1f\xed\xb2\xf4V\x12\xdeo\xf6\x1a\xd7\x95\xc5u,U(%0\x01\\\xa2\
\xa9\x92\x90\xc4\xfaJ\x00"&\x02?\x1f\x16g\xd0\xf2\x1c\xdb\xa2N>\x8e\xfa\x16\
\xcaX\x82o#\xb5]b\xd9\xfd~\x0c,b`U\xabE\xd7?P\xfba\xbdZ\xaf\xbe\x1cwwn\xaa8c\
\xfc&\t\xf1\xc3Ji\xfa6\xdb\xdd\xcf\xa7\xeb\x08\xdc\x8f\xe4U\x89\xe0q\xaf\xb5\
\xd3inD\x9d\xfa8\xfae\x0f\x19cD\xcd\xd27\x98\xb9m\x04\xd6\xc1\xd0\xbe\x8d3\t\
\xc7n\xec\x138D\xf6\x01\xb6\x83D\xb4lwz\xfe\xd4\xe4\xd1J\xa5\xb7\xa8\xec\xbf\
\x83+\x13C\xff\x19S,B\x00\xd4~ R\xa05=}\x02\xed\xa0\xdfk\x97\xca\xd3\x11C\
\xe4\x11"X\x16q\x1c\x9bZv\xccd\xdc\xeb\x10j\xe5\x8b\xe1X\x17\xc9\xb1\xc2z\
\xb5~c5\xda\xdbor\xac\x8cB<\xa54W\x9a\xcbO,\xec\x05\xf1G\xe0~$\xaf\x8d\xb0\
\xa8\xd3mmw\x1b[q\xbf5\xf6\x86\xbd\x14x\x1c=7\xca\x98\xef\x03\xeb`\xb2\xf3\
\xc9d;\xed]\x90\x01|\x04R\x9e\x9c\x9d\x9e;y\xa4\xb0\xbf\xe5E\x196\xa3\xd6:J\
\x9e\xba@@{\xbe\xf34\xc0\x13\x00\x8b\x12\x04\xe8E2bX\x9d:\x1e\xe4K\x9dn\x9f\
\x12\x0c\x8b\xd3\xedv\xc7E\x06\xb6\xed\xb8\x0e\x00\x91\x12{}f!\xb7=\xaf2u\
\x13\xb1\xc0\xe2\xceN\xaf\xbe\xc4n2\x86A\n\xe2%\x00\x01J\xa9\x9f\x9f\xcaW\
\x16G\x89\x9a#p?\x92\xd7T\x10\xa3~\xab\xd7\xde\xed\xb5v\xa2^k\x14\xbf\xc7\
\xb66\xdc\xeb\x9e\x91\xd5\xa7`\xa0\xf9P\x9dO\xa1\xffp\x9e\x9dlB2H\x89\x00!\
\x94\x16\xca\xd5\xea\xcc\xf1 \xf7:\x06l:\x927\x9bH\x1e\xf5\xd4&\xdd\xda\xdd\
\x0b\x00\x00\x10\xa0\xcf\x80\x00HD\x85\x95\x8a\x9c\x91\x08\x94\x80m\x11\xc6\
\xb1\xd9\x95An\xb2:=\x17s\xc9\x18\xcb\x87\x85\x88S\x8c\xda\x96m[\x9e\xa7\x9c\
v#\x0e"\xeay\xbe[\x9e\xac\x98Qhn(qw\xa7\xdfX\xbd5\xa2\xc64\xb7\x8e\xe5\xe2\
\x8f\xc0\xfdH^/aQ\xb7\xd7\xde\xed\xb5w\xfb\x9d\x864\xf4&L\xfd\x03c\xcf\x8f\
\x12\xee0\x1e\xd6\xd5\xe1 &\x8c\xb9q\x1eIv\x86U\'\x1d\xd7/Wf\xca\x95Y/x\x83w\
\xb6<\x927J\xa4\x88\xa3\xd6z\xbf\xb1\x9a\xd9\xfb)\xe6\xc0\x05\x12\x92\xc4\
\xf32bL\xda\x94\x10\x82\x8d\x0eJ\x08\xe7\x16\x8f\x03r\x81>\xa0\xb0l?\x8a\x99\
\x0f1\xf89\xdb\xb6y\x1c\xa3\xc4\x1e\x93\xc5\xd0\xf5r9\xd7\xbb\xb90\xd1\xaf\
\x86\x8b\x1f\x85\xf8\xb0<\xef\xe5\xcap\x04\xeeG\xf2\x1d\x10\xc1\xa2~\xaf\xd9\
k\xd7\xa2n\x93\xc5=)\x06@oj\xe8\x993\xa3\xba\xbci>\x05\x03\xe8\x93\xe3aHwss\
\x11Ji\x10\x16\xcb\x95\x99\xe2\xc4\xb4e\xdd\xd8\xab\xe1H\xde<2\\\xc5\x86\xf8\
\xe8\xb7\x1f\x7f\xf9\xd2eP\x01\xde\x08 b\xa1P\xf8\xbe\xbf\xfa\x19\xd7\xbd\
\xe9h\xfb(X\xaf~\xbd\xdf\\C9p\x04PDG\xc4\x07Vx\xbd\r\xaf\n\x9e\x07\x08\x96\
\x05\xed\x9e\x10P\xa8T\xe7m\x87\x02X\x02m\x87\x92XR\xca\xbb\x8ec[~\xc8\xb8 <\
\x8a\xa4m\x13\x91/\xe5\xfd\xfd]$\xc7\t\xeb7\xfa\x8d\x95\xb8\xbdu\x13\xb6\xab\
q\x10\x0f\x00A~2_9v\xd4\xdc\x8f\xe4u\x17\xcb\xf1Bg*,N\x01\x80`Q\xd4oG\xddV\
\xd4o\xc7\xfd6c\x11&k\xae3\x80\x0ec\x10\\\x1f\xa0\xd6\xd6\x07\xb7\x0c\xc2\
\xc2\x0cv\x92r\xbd\xc0\xcf\x15\xc2\xe2D\x98/\xbb\xdeMw\xb3#y\xc3%1\x8c\xa3\
\x94\x12\x11;\x9dN\xab\x95\xb2\xe5\xa0D)\xa5\x94\xb2\xdeht\xda\x1dJSd\x88\
\x90\xb2\x90\x0f\'&&\xa2(\xde\xd9\xd9\x91(\x03?\xa8T&\x08!\xc4rr\x93\xa7\xfd\
\xd2\xc2\xee\xc6\x95\xad\xf5\xeb\x04\xf9\xd4D@\tx6\xd1.4\x00\x00d\xa0RX\x04\
\x84\x84\xd0\xb7\xfbqkw\xfbz\xb92o;\x94\x12F\x9c\x02\xed\xf7\xa8\xed\xf5\x85\
t;5;(\xa0\x97\xb3\xfb}\x94\xb8\xbb\xd3\x9c\xac\x12\xef`.4Z\x1c\xbf\xe4\xf8%^\
n\xa9\x18\x06\x07\\\xe0\xaaz\x87M\xc1\xa2C.\xbe\xd7\xda\xe9\xb5w\x8e\xc0\xfd\
H\x0c\x15i\xe3Q\xdcx\x1c\xbbk 9x\x13t\xe2,=\xf9Y\xb0^K\xab\xa3\xe5x9\xc7\xcb\
\x15&\x01\x00Q\n\x1e\xc7Q\x8f\xf5\xbb,\xee\xc5Q\x8f\xb3H\xf0X\x08\xae\xba4\
\x8c\xf8\xc9$XO4\xdfB\x08\xb5,\xc7v<\xcf\x0b<?\x17\x84\x05?\xc8;\xaeG\xc8MP\
\x9fG\xb2\x9fH\x8e\x9d\x15 \x94\xe4\x17_\x8b\xf0\x13\x07~\xad\x94RJ!\x84\x94\
\xa30\x87\x96e!"c\xec\xd1G\x1f{\xe5\xcaU\x00 \x84X\x96%\x84P-\xe7\xf4\xe9S\
\x9f\xf8\xd8G\xb7\xb6\xb6\xbe\xfc\xc7\x7f"\x84(\x16\n\x9f\xf9\xf4\'\xabU\xd5\
\xf0\x10\xa8\xf3\xf2\xf5\xc6SO_\xb1,\xfa\xb9O\xdf\r\xbco)\xaa\x9d\x12\xc6S*\
\x86@\xb0\x08 \x80\xe7\xda\x94\xf7\xb67\xafLM\x9f\xb4\xdc\xa0Y\xdf\xacL\xcet\
{\xb1\rB\xd2\\\xd4\xa9\x11"m7\xc7\xad\xc0\x8ez;\xdb\xadj\x958\xaeC\xe8\xcd\
\xb5C\xdb+\x14f\xde.\xe2n\xbf\xb9\xd2o\xae\xeb\x8d\x8e\xf7\x17\x95c\xb5\x14+\
\xf1\xa8\xc1#p\xff\xae\x16\xad\x1f\xa1\x88\xe5\x0b\xff\x1a/\xfe\x0e\xf4\x86\
\x1eZ\x92\xd8\xf4\xea\x97\xe9\xbb\xffgZ\xbe\xfd\xf5x;!\xd4v|\xdb\xf1!?1|\xa9\
\xe0R\n!\xb8`\xb1\x94\x02\x11\x19\x8b\xa4\xe0F|\x02t<\x9fR\x8b\x10j\xd9\x8e\
\xe3\xb8\x94ZG\xbbj\xbc\x862\x1c\xec\xa3\x86|\xf9\xf7p\xf5\x1b\xd0\xdb\x02 \
\x10\xce\xd1\xc5\x8fY\xa7\x7f\x00\xbc\x89\xfdSx\xf5\x19P:;7D\x91n\xc9-\x04Q2\
\xcem\xcb\x9a\x99\x99\x06\x00\xcb\xb6\xb66\xb7\xeb\x8dF\xb9\\\x9a\x9e\x9a\
\x12B\xcc\xcc\xccH)c\xc68\xe7\x00\xd0h6\xae--MNVT\xe2\x9dN\xe7\xea\xd5%D\xe4\
\\\x94\x17\xdf\x13w6\xfb\xf5e\x80\xae\x90\x80\x16AL\xb9\xd0\x08\x04\x82H)qm\
\xab\x10\xc8\xad\x8dW\xa6gO\x87a\xbeV\xdb\xce\x05\xa1\x9d\xcbw;\x1d\x8f\x06\
\x82`\xaf\xb1Dm\xcf\xf2\xa7)\x13\x8d\xdd\x96\xed\xd2\x89\xea\xadl\xa7g\xb9\
\xb9\xb0z\xbb_Z\xec7\x96\xfb\xad\x8d\xac\xab\xcf^\xf5\xa6\x9e\x1d@<9\x02\xf7\
\xef^\xd1]H\n\x86O\xfd\xef\xe4\xe2o\x0f<\x82\xb5\x97\t2y\xfd\xcf\xb0\xbb\n\
\x1f\xfa\xe5\xd7\t\xdfG\x85Z6\xb5l\xdb\xf1\xc0?\xb2|~\xa7e8\xd8#b\xfd\x92|\
\xec\x9f\xc0\xe6\xb7A\xf3\x03\xf5\xf3b\xed\x9b\xf2\xfaW\xad\xbf\xf2/h\xf1\
\xc4\xeb\x9d\x13\x05\xeeQ\x14\xc5q\xcc\xb9\x1e\xddQ\x87\x0b\xe5\x8cQB\xce\
\xdcv\xfa\xd4\xc9\x93@\xe0\xb9\xe7^h4\x9b\xc7\x8f\x1d\xbb\xf7\x9d\xf7\x00\
\x00\xa5T\x08\xc19\x03\x80JeBJ\xb9\xbc\xb2z\xf6\xce;\x1d\xc7\x96R.]_\xde\xd9\
\xdd\xadNN\xb6Z- \xd4+\xccy\xf9\x99\xb8\xb3\xddo,\xd3\xa8\x151\xb0)\x11\x121\
a\xde\x11AH\xa4\x00\x9eM\xad\x107\xd6\xaeLL\xce\xe7\xf2e.x\xdc\xae\xe7\x0b\
\xa5n\x9f\x93\xb8\xed\x17N\xf7\xdb\xd7Y\xfd\x82\xe5\x14\x84;%{\xee\xeen\xd3\
\xb6\x9d8\x8a\xbc\xc0\xcb\x05\xee>\xe1hF\xc5r\x82\xb0z\xbb_:\xd6o\xaeF\xcd5)\
\xf7_-\x98T\x9dz\x96\xc2\xd1\xd4\xf5\xbbTT\xe7\x11Bp\xce\xc5\xe5/\x91\x97\
\x7f\x17P\x82\xe9<80\'\x01\xee\xbc _\xfc\xcd\x8c\x0f\xd9\x91\xbc\xf5D!\xfb\
\xa0U\xc4=\xf1\xf8\xcf\xc2\xc6\xb7\x86\xc8\xae\xa2mI\x8e\xab\xdf\x90O\xff<\
\xb2\x9b\x88\x87uk\x99Q9a\x8c\xf5\xfb}.\xb4\xea:\x0c0\xc7\x18c\x8cq\xce\x85\
\xe0\x9c15\xcfS\xea\n"r\xce\x93Q\x01r\xb9`nvvee\xb5V\xab\xa9\x01\xe3\xfa\xf2\
r\xb9\\:~\xfc\x18\xc2\xc0\x80J\xa8\xe5\x15fJ\x0b\xf7\x15f\xee*\x14\xcb\x94\
\x00!`Yj\xc9\xdb\xd0\xf0\x13\x0b\xa4\x94L\x14\xa0Q[\xdb\xd9Zw,\xb0,\xd2\xeb\
\xf5l",?\xdfg\x10\x04\xd3n\xfe\x18\x8f\xea\xbc}I\xc4\xab\xdd\xfaF\xa7\xd9B\
\xea\xb0\x987\x1a\xedN\xeb\xc6\x01\xce2b9~8y\xba|\xec=A\xf98\xb5\xbc\x83V \
\x1c\x81\xfbw\xa5\x98\xd3\xde8\xea\xe3\xd5\xff\x082\x1e^N\xc2\x9dk\xdfr\xf9\
\xca\x17q\xe7\xb97"\xa7G\xf2\x1d\x15=\xde\xf3\xeb_#\xeb\x0f\xa5\xae\x19\xeb\
\xc2\xe4\xd2Wp\xfb\x99\xd75\'&\xb8\xc7q,\x85I=\x0f\x90\x96s\xae\xf0=\x8e\xe3\
(\x8a8\x17\x00\xc0\x85P\xe7\xd5I\x163\x00 @fg\xa6\t\xc0\x95\xab\xd7\xe28n\
\xb7;++k\xb33\xd3\xe5R\x91s\xa1\r<\xaa\x98^~\xaa8\x7f\xef\xe4\xe2=\xf9b\x05%\
\x9a\xeb\xe1\x94\x1d_H$@+\x05\xe0\xd1\xce\xe6\xc6\x8aE\tg\x1dB\xa9\x94\xc2sI\
D\xf3 \xdd\xa0x\x1a\x89#\xa2\x1aD\xd7E\xf7\n\x89w\x11\xb9m[\x82\xc5,6\xfa\
\xda\x81\x85\xda^8yz\xe2\xd8{\xc2\xc9\xd3\x96}c3\x189\x02\xf7\xefB\xd1\xc8\
\xaez\x0ek\\#\x8d\x97S\x1bYd~\x11A\xc4r\xeb\x99#\xaf\xd9\xb7\xb0\x983\xb9(\
\x8ap\xe9\xcfSK\xc82nL"\x96\x9bO\xddT\xbc\xf2\x9b\xcdL&K2\xb5\x88\x94$9"\xfa\
\x1e!\xc4 ?\xe9\xe6\xad4w\xc6\xf9\xe4de\xb2:\xb9\xb4\xb4\x14E\xd1\xca\xcaJ\
\x14E\xa5RI&\xde8\xa3yp\xc3\xc9\x89\x85w\xce\x9c\xbaOyy\r]h\x12\x07-!\xa0\
\x9c\xa7\x84\xd7\xb66\x96-b\xc5Q\x07\x90S\xc7\'\xc8,/d\xa4\x18\xe4f,\xaf\x84\
(A\xb4\xfb\xf5\x97\xfb;\xe7\xfb\xad\x8dN\xb3\xd1\xdc\xad\x8f\xbe\xee\x80B,\'\
(\x1f//\xbe;_\xbd\xdd\xb2]:n\x7f4\x15P)\x16G\xe0~\x18\x05%\x88\x08D\x04"\x1e\
\xf7_\x1fnd~AD\xad\x13\xb1\xe6\xca@m\x1fj\xeb\xe9\xb6N\x08 bT\x7f\xfd:\xf3\
\x91\xbc\xe1\xa2\x86|!\x84Rxe\x7fw\xd0\x12\x06{\x9d\x18A\x1d\x14\xf2\xc6\xad\
\xd7u\xb0GC\xc6\xe2/\x12$\x04(\xa5\x84\xe8(B\x86F\x92\xccB\x84\x14\x00\xc8\
\x19C\xc4\x99\xe9\xa9Z\xbd\xb1[\xab]\xb9\xb6\x14\x04\xc1Tu\x92\xb1\x1b\xb0\
\xd8nP\xaa,\xdc=w\xea\xdd\xf9\xf2\xec\x00H\x13\x17IB@H\x12\x06\xb6\x03\x8d\
\xad\xcd%\x82H\x00;\xcd\x9d\\\x18\n \x16p\xe2\xcfZv\xd9\xf1J\x00\x04\x81\xa0\
\xe8\xb1\xd65\xde[f\xbd\x1dy0\x03\xe9^B,\xc7\xf2\x8a\xf5.\xddn"\x97@I\xa2\
\x8c\x01\x10\x00.\xa1\x1b!\x17pdP=4\xa2\xdb\xb7\\\x7fT>\xf3K\x00\x83m?\x07\
\xcb\x18\x06\xbf\x04P\xd2\xc5\x8fY\xf7\xfc\x83\xfd\x93\xd2\xd6*\x8e\x01\x825\
\xec\xb7\xc34\xd1<\x89V\xa0\x14\xa5\xa3m\xa3\xdfzb\xd2t\x8a\xe3\x86\xdc\xdb|\
xp\xb0\x92\'#\xca\x12S8\xfd\x9dl\x0f\xa3\xebz\x08\x00M\x84\x10B)M\x00n\x80\
\xf5\x84\x10U.\x95O\xceyeb\xc2\xb6\xed\x17_<W\xaf\xd5\xe7\xe6f\x1d\xc7Qz=\
\x18\x9dk\xac\xb8A\xb1\x12\x14\x0b\x95c\xed\xfaZ\xbb\xbe\x0e\x92\xabuC\x84 !\
\xc4smB\xa2\x8d\xb5KS3\'=?\xd7\xa8o\xe7\xc2\x02u\x0b\xddn\xc7sK\xcc\xce\xfbt\
\x89\xf3\xbe\x10R"\x10\xe02^\xdf\xba\xda(VO\xdf\xda\x16K\xc8\xdb\xdd\xfa\xf2\
\xd5\xa5\xf5Z[\x00B\xbd\x0b\xa5\x1c-\xe5\x88c\x81\x90\x10qD \x9eK\x1d\xeb\
\x08\xdc\x0f\x83\xa4|\x18\x10\xb1\xbd\x86\x1b\x8f\x0e\xcd\x9e\x00Y\xad*7\xbd\
O\xaf3g\xb2\x8c\xb1\x1e\xadF\xee\x8c\x1do\r\xdd\x02HJ\x03\x1ah\xee\xe5;\x8f\
\x90\xfd\xad-C\xa6\x8e\xb1n\xf1\x83\x05\xe7\x8b6\xaf\x03$\xad\xcbh\x1b\xb2p\
\x1bT\xdf\xfdF\xb7\x87\x01\xb2[\x96\xa5\x1c\xe15\xa6SJ\x8d\xbc\r\x16\xbb\t!J\
\xa5b\xa1\x90_\xdf\xd8\xa4\x94NNVn6\xf3\x8e\x9f\x9f\x98\xbd\xbd0y\xac\xb5s\
\xbdU[\x05\x90\x08 %RJ|\x97ZTn\xae\xbfR\x9a\x98/\x95\'\x19\x8b\xa4\x8c\xf2a\
\xbe\xd3\x8b\xa9d$w\x9b\xd5]\xb2i\x93\x0b\x14\x12\xa4\x04\x8c\xfb\xbb\xab/\
\xb9A!,\xcf\x07\xc5\x99\x83\xae\xc9\x10\x91\xe8,w\x1a\x1b\xed\x1e\xcb\xb9\
\x88!\xe9\xf41\xe6\xb0\xd9\x90\xb56T\x8b\xd4s\x88cS\xd7\x02P\x19\xbb\xa9\xe2\
\x1d\xc9\x1b%\xa6b\xc5%\x05\x80a\x7f\x030\x91\x1d\x08Azc{\x8b\x9a\x83\x0b!\
\x98\xc0Z\xfe}H\x12\x0f\xadq-\x9e\xcf\x7fRV\xdey\xc4\xb9\xbf\x85e\xe0e"\xa5j\
f=:\xb1:\xf9\x00*\xe5/\xdd\xcc\x90\xb8\xec\xf6\xbf\x8b\xe1\xe2\x1b\xde\x1e\
\x14\xb2k\x88O\x86\x1e\xa4\x86\xa8;\x11P\x08\x01\x003\xd3S\x00\xe0y\xee\xcc\
\xf4\x94R\xedo\x16\xe2m\xc7\x9f\x98\xbd}\xee\xf4{\xf2\xa5Y\x05\xcaR\xa2\x90\
\xe8\xd8\xb4R\xa0\xed\xc6\xda\xd6\xc6\x8aM\xc0\xa2\xa4\xd7\xefz6\xd8A\xbe\
\x1fK\xdb\x9f\x95\xee\xbcc\xa1k\xa1E%\x80\x04\x80\xb8\xd7\xaa\xad]\xd8\xba\
\xfad\xb7\xb1v\x03\xa2Fr\xd9^j\xaf?\xb3\xb9\xb1Rk\xc61\x93\x16\x85R\x8eL\x15\
i)G\xf2>Y\x98\xb4\'\x8bv\xce\xa3\xae5\xd0\x02\t\x1ci\xee\x87AL\xcb\x12c\x8c\
\xb08H.\x0c\xb1\xd8P\xde1Q\xf6\xf7Q\xdeM\xd9.\x7f\xdc\xef\\\xa8\xb6\x1f\x1e\
\xa4\x03\xa9\t\x81\xf0\xa6\xd9\x99\xbf\xeb\xd8G^\xe7\xdf\x15\xa2[\xc5f\xe9\
\x13}\xf4\x16k_\xf2\xd9&\x05\x0e\x00\x92\xb8<X\xe8\xdd\xfe\xf7\xedc\x9f}\x83\
\x80\xc3d!A\xb1\xed\n\xc4\x11q~~\xce\x0f\xfc\xd9\x99iJ\xa9\x94R\x9d/\xe4\xf3\
gn;\x9d\xcb\x05\xaah\xf3s\xb3\x00\x90\x0f\xc3 \x08\x08!S\xd5\xea\xbb\xee}\
\xc7-\xe4\xc3\xf1\xc2\xc9\x85\xb3\xc5\xea\x89vm\xa5\xd3X\x97\x823\x816%\x95\
\x02\xd4;\xbb\xeb\xebbjz\x0e\x80\x80\xe5I.B\xdf\x89\xa4G\x90\xd1\xdc\x990O\
\x08\xb2^s\xab\xdf\xedJ$\x88\xc0\xa2Nm\xed\x82\xbds-,/x\xb9\xd2\xa0\xe7\t\
\x86(Q\xc4(\xb9\x05\x8cG\xf5f\xab\xd7\x8f\x85Bm5\xdaJ\t\xaeC\xcay\xcbu("2&3\
\xec\xd2\x11\xb8\xbf\xd9E{\x1f+\xbf\xdd(\x8ah\x14\xa7\xa2\xa5\xe8(GJ\x08Q=\
\xf4 *\x89\xea\x1eH\xbdk\xd5\xffR\x80=\xd5y\x84bl\xce\x03\xa2\xf0m\xbd;~\xdc\
\xa9\xdcsD\xc8\xbc\xe5\xc5\xc4J\xa5\x11\xd7\n\xefo\xfag\'\xbaO\xbb\xd8\xb6\
\xa8\x85\xb991\xf3\xc1\\y\xceI\x08\x90\xef|\x1e\x8du\xaa\x98\xc9\xf6\xec\xcc\
\xf4\xe2\xc2\xbc6\xb1\xaah\x04\x85B\xfe\xedg\xefP&YBH.\x97;s\xdbi\xdb\xb6U\
\x19\'\'+\xb3\xb33\xb7\\\x16\xc7\xcbM\xcc\xde^\xa8\x1ck\xd7W:\xf5u\xc1cB`"O[\
\xdd\xfa\xe6\xba\xa8N\xcd\xc7\xbd\xa6\xed\xe6\xd0r,\x11\x13\xaf\xc8\t\xa1\
\xb6\xdd\xe7\xd2+\xe51\xbe\xc0%\x97H\x84\x04D\xe0q\xbf\xb1y\x99\x10\xb0(P\
\x02\x16\x05B\xc0\xb1)!\xb4\x15c\xaf/d\x02\xeb\x90(r\xa1O\x03\xcfB\xc48\x1e\
\xd0\xf9\x992\x1c\x81\xfb!\x10\xd3\xb5+\x8a"+\xd6\xeb\x89\x0c\x83j\xea\xfe\
\x1b\x18\x88Tg\xb0\x0c\x11n\xe9\x95\xa9\xff\xa6\xe9\x9f-\xf5_td\x8b\x00\xa0\
\x9d\xe3\xe1\xc9h\xf1?\xf3\'\x8e\xbbIoy\xbdJx$o\xb4h4\xb4m[Y\x1a\xa5\x94\x84\
\x10aUk\xfe\'-\xcbr\x1c\xc7\xf7\xfd \x08T\x83\xa17\x192\xe55\xcci:\xcbD\xd3/\
&\x15\xa3\x9b\xb7\xe2^4\xb8\xab_\xdb\xb6u)^}\xc3\xb6]\xbf<}[\xa1\xb2\xd8\xae\
\xadv\x1b\xeb,\xee\x87\xbe\x1d\xb1\xd6\xe6\xc6Rer\x81\xd2\x88\xb38\xcc\x97\
\xe3\x98\x95\x8bA\xbb\x13G\x11\xb7-\xdb\xa19"\xeb6\xb5,:\x88\xe9\xa8\xfc\x92\
\xb8\x00!\x11\x00J\xa1\xcd\x04\xe9\xf4\x05\xe72YP8\x98W\xfb\x0e\xcd\xf9\x94\
\x12\x88\x99PN\xa2cKp\x04\xee\x87@\xb4\x9b\x9aR\xde\x1d\xc6\x12\x1bWrG\x86s\
\xdf\xc3u7\xb9w\xa8\x9d9\x8e\xe38\x8e\x8e\xb5T+\x7f\xa4\x06\x1f\xb1\xb1oY\
\xd4\xf1\x0b^\x90\xa0R0\xe6\x00\x00 \x00IDAT\x0f\x82\xc0q\x1c\xdd\r^\xf7\xa2\
\x1e\xc9\x1b$\n\xd9U\x93\xf0<O\x81\xa0\xe27\x00@\x9f\xf7<\xcfl\x0f\xdf\xd9&a\
\xc6\x96Qj\xec\xc0v\xaa@\\5i\x95%u\xd2q\x1c\x05\xeb&\xb8\x9bS\x93\xd7\xb0\
\x14\x96\xed\x95\xa6N\x15*\x8b\x9d\xc6z\xa7\xb6\xe2`\xdf\x97\xfd\xcd\x8d+\
\xd5\xe9\xe3a\xbe(XT.\x17".\xdb]&\x04 \xa0o\xcd: \x90\xb7\t\xa1:\xa6\xa3\n\
\xdbkQ\xd2g\xb8\xba\xcb-\x02\x8e\rj\xf3\x0f\xe5\xe8\xef\xda$\xf4-\xdb&\x8c\
\xcb\x98I\xd87\x90\xdb\x11\xb8\x1f\x0e1\xf1\x9d\x081pX\x84\x11\x87\x99\x01\
\xbe\x0f\x1e\xd9\xab\xd5\xaa\x9e\xac`\x9ds\xae\x90]\xf5dD\xa4\xd4\xb7m\xdbu]\
\xdd\x99\xd54\x16\xde\x98\x99\xf8\x91\xbc\xee\xa2>+\xa5\xd4\xb6m\x8d\x83\xfa\
OH\xc0]5\t\xd7u\xdf\xa0\xc1>\x15[F\xe5{h2M\xf2\xacs5\xa0\x1c\r\xd1\xe75\xac\
\xbf\xe6\xa3\x14\xb5\x9cB\xe5XX\x9e\xeb6\xb6\xda\xb5e\xdbjm\xae_\xa9V\x8f\
\xcd\xcc-\xf4\xa3\xa8\xd3g\xf9\xbc3\x88\x82G|\nyl^\x94\xac\xad\xba\xb0\x8e\
\xe9(\x10|\x97H\x891G.\xc1\xa2\xc4\xb6\xc0wH\x18X\x8eM8\xc7~_ \xe2\r\xb3|\
\x04\xee\x87F\xc6,\xe8\xc8XS\x93_\xbc\xd1\x1e,\xba\xeb\xba\xae\xabf\xdf\x96e\
1\xc6\x94\n\xaf/\x99\x9a\xda\x11-\xf3\x96\x17=\xe4k\x8aF\x87\xdbUMB\xcd\xf3\
\x14\xa7\xf1\x866\x86!\xbekh\xd6\xe0\xaeo\xd2\x86V\xb3/\xa8\xdbL>\xe7\xf5h\
\xd8\x94\xda\xf9\x89\xb9\xb0<\xd3mn\xf9\xbb\xcb\xbd\xd6V\xbb\xee\x83\x9f\'(e\
\xcc\x06\xce\x0e\x94Hb\x83]!\xac=\xdc\xb1 \t\xf8%\x11\xf2>i\xf5 \xe6H)\x84\
\xbeU\xc8Q!\xb1\x1f\tT\xf4\xfa\x01\xb2\xfc\xdd\x02\xee\x18\xb7\x90\xb5\x81\
\xb5\xa1\xb7\x85\xac\x032\x06\xea\x10; ^\x19\xbc\t\xe2\xe4\xc1-\x00\xb9\x89\
\x80m7\xf7v\xc1 n kC\x7f\x1b\xe2&\xf2\x1eP\x9b\xb8E\xe2W\xc1+\x11\xb7\x047\
\x8a\x07\xa4]\xdd\x01@\x82\x03\x90\x99\x8f\xa5y\xf7}\xddfM5M\xeb\xec\xb6ms\
\xce\x95\xbb\x98fl\\\xd7\xd5j\xfbaFv\xc4\xa8\x81q\x1b\xa2\x1aD\xbb*\xe2\x15q\
B\x92\x9b\x06o\x82\xb8%\xb0\x8fv\xf3H\xb5\n\x05|&_\xa7I\x9b\xd7\x90\xaa\xbe\
\xe5\x9c\x9ay\x1e\xd5\xd6\xf5\xd5\xb13W}R\xff\xbe~\x05!\x84\x86\xa5\x99\xb04\
\xd3\xdc]__\xde\xb6\xec\xde`XR\xe4:!\x88`\x01\xcf\xfb\x16\x1d\xee\xa14\x18\
\xb8,\x02\xd4\x86\xc0\x85\x9co\x95\xf36\xa0\x8c\xa2\xc4jz\xe0\xcc\xbee\xc1}\
\x80\x83\xb5\xf3\xd0\xb8\x84\x8d\xcb\xb8\xfb\x12\xd6/@g\x15D?}#\x85\xa0J\xca\
gH\xe5\x1e2q\x96N\xdeE&\xee|\xad\xde\x0e"\x92;\xcfc\xfde\xac\x9d\x87\x9dg\
\xb1\xf1\nD\xb5\xd4\xc7\xb1|R<I\xaa\xf7\x92\xc9\xbbi\xf9\x0e2y\x0f8a*\x85\
\xfe\xb6X\xfa*\x8a\x98\n\xb4Y\x9c\x8bb\xc2\xc0i=\x9dr\x82\x04cy*\x00\x10B\
\x9a\x97\xf0\xea\x1fJ\x19#M\xa2p\xa8{\xa5 \xb6O\x8f\x7f\n\x9c\xa2\xd2qTO\xb6\
\xba\xcb\xfe\xe6\xb7Q\xf2d\'F\xa0J\xad\xb1(\xa5\x16\x05N\xaa\xef S\xf7\x19\
\xb9\xda\x91\xab\x0f\x02k\x03\xb1G\xe7\xca\x00@\xa4 \x95\xb3d\xfa=7U]\xd8^\
\xc6\x95\xaf\x0f\x86X\x92N\x13\x81\x80$\xe5;\xc8\xcc{\x0f\x9e\xa0\xdc=\x07\
\xf5\x0b\xb2~\x11v\x9e\xc5\xfa\xcb\xd0\xdb\x02s\xeb\x03b\x93\xc2q2u/\xa9\xbe\
\x8bV\xdfA*w\x83u\xd3{\xb6\x1d$\'\x9dN\xa7\xdd\xeet\xbb\xdd\x9815|\xda\xb6\
\xedy^>\x0c\x8b\xc5\xc2-l\x14\xf7j2#\x84\xa8\xd5\xea\xadV+\x8ac)\xa5m\xdb\
\xb9 \x98\x99\x99v]W\xe3\xbb\xe6\xaf\xb5\xda;\xaa\xea\xde2 "b?\x8a\xda\xadv\
\xb7\xd7\x8b\xfa}\x9eL\x16]\xd7\xcd\x05A\xb1X\x08\xc3\x83:\xdd\x12 \x99a&\
\x03\xee7Na\xdc\x83\xaf\xb9\xb8A\t\xc8\x8e\x94r\xe8\xd0\xa2&\xd8\x08\x12p\
\xb7-\'B\xb0\xa8\xd1M\x11b\x8e\x12\x89\xe3P\xdf%1KB\xeb$\xbd\x19`?\xaa]\xcb[\
\r\xdc\x070\xc1:r\xe5A\\{\x18W\xfe\x02:+\xea\x82I\\\x00\xe8\xb5\xfb\x12z\x9b\
\xd8\xdb\xc4\xb5G\x00Q\xe6\x17\xc8\xc9\xef\xb3N\xff\r2y\xcf\xad\xbf\x1d\x11\
\xe2\xa6X\xfe\x1a.\xff\x05\xac|\x15\xe2$8*\xd1\x1f\'\xc9\x86\xe8\xe3\xee9\
\xac\x9d\x87\x8b l\x87.|\x82\x9c\xf84=\xfe\x19\xb0s\x03\x9a\xb0\xfe\x8a\xfc\
\xd6?\x06\x00\x0b @\x0c\x08)\x99~\xe8\xaa\\ZmO.\xd1\xed\xa7`\xfb)\xa9oH\x17\
\xdc\xfe\x81\xaf\x92\x89b\x92#B)\x85\xda\xb3\xd63?\x93\xbd9I\x10\x81\xe0\x9d\
\x7f\x07\xa6\xde\xa5\x96q+\xee_>\xf7\xab\xd0x9\xf5\x08\xa4V\xbb\x90\xa9\xfb\
\xec\x8f\xff\x16\xf1o\xb0S\x81\x86\x0f\x94L>\xff\xaf\xf1\xe2\xef\x18\xd7\xb2\
Q\x10\xac\x0f~\xc1\xda\x17\xdcu\xfd\xcb\xe5\xaf\xe1\xea\x83\xb8\xf4\'\xd0]3k\
&\x95a\xe4\xd8\xbc\x8c\xcdW\xe0\xf2\x1f\x08;\xa4\xc7?E\xcf<@\xe7?\xb4\x7f\
\x86\x0f"*\x1b\x9dNgum}}}cssk\xb7\xb6\x1b\xc7\xd90&\xb9\\0==\xbd8??3;37;\xa3\
\x1f\x14R\xbe\xf4\xd2K\x9dN7Y\xb8\x88R\xe2\xdc\xdc\xcc\xc9\x13\'\xc6\xaa\xa2\
\xea`ee\xf5\xfa\xca\x8af\xa3\x11\xa5\xeb\xbaw\xbd\xfd\xac\xe7y\xea\xb6~\xbf\
\x7f\xe5\xea\xb5\xeb\xcb+\xab\xabk\xddn\xd7L\xe3\x07\xbe\xff\xfb\x8e\x1d[\
\x04\x03\xe3\x14\xf1R\xaf7\xce_\xb8h\xa8\xc6H)=y\xf2\xc4\xcc\xf4\xf4-T\x08\
\xe7|yeukk{}cc{{\'\x9d\x07\x00\x00\xdb\xb6\xab\xd5\xc9\xf9\xb9\xb9\x99\xe9\
\xa9\xb9\xb9\xd9\xd1d2N\x90\x83\xa2\x1aurS\x18\xfd\x1d\x9by8\x8e\xe3\xf8\x9e\
\x14\xc2\xd8I\x92\x00\x02!\x04y\xb7\x17\x8b\xd0\xa39\x8f\x00\x82\x04`\x0c\
\xb8D\xc7\xa6\xbe\r\x04\x04\xd7\xad&=\x1d\x1f;p\xbd5]!u\xafFD\xb9\xf2\r<\xff\
o`\xfd[\xc30\xb6\x19\xcc\x1a\xba\x84\x1bW\x01\x80\x10\xec\xac\xe2\x0b\xff\
\x17^\xfbc\xfa\x8e\x9f\xb4\xde\xf6\x9f\xdfj\x06\xbe\x8e/\xfe\x06\xac?\x94}]\
\x16g\xd3\x83\x8d`r\xe9+\xb0\xf4\x15\xb9\xf8\tr\xcf\x8fc\xe5\x1e)%\n\xa4\xd4\
\x01\x11\x83v\x86R\xa3\x7f\xa6D\x99\xb8N\xe6\x81\xce\x83\xfa\xd3\x0eQ{\xc2\'\
$>\x10\x1b\x88\r\xc8\x07\xe3\x84\xe9{\xa3\x8e,\xcf\xbc_\xda%\x98\xfb^\xaa\
\xc0=\xe5_?\xfc\x13k\xe7q\xf7%\x98\xfb\xc0>]h\x98\xa0\x94\xb2\xb5L\x97\xfe8U\
Q\xc4H\x16\x80L\xdeM\x8e\x7ff/+\xf1\xd0jV\xbf(_\xfaM\xb8\xf6\x9f@\xd9\xa9F\
\xc7\xc2\xd4\xe8\x05\x83\xf2\xf2\x8e|\xe5Kr\xe5/\xe9\x99\xcf\xdb\xf7\xfe$8\
\x85}\xbe\xf5>\xc5\x81D;>\x7f\xe1\xe2\xb9s\x17\xb6\xb6\xb7\xf7\xd1\x1f\xbb\
\xdd\xde\xd5\xab\xd7\xae^\xbd\x16\x86\xe1m\xa7O\xdds\xcf]\xa5b\x11\x11\xe3(~\
\xf2\xc9g:i\xec\xbb\xa3s\xfb\xf1c\xc7\xcc\xad\x1e\xcc&\x87\x88W\xaf]{\xe6\
\xd9\xe7\xcd\xecPj\x9d<q\xdcu]D\xbc\xb6t\xfd\xa9\xa7\x9fY_\xdf\x80A\xb1\xcd\
\t\x17\xd1F\xd4L\xe2;\xbb\xbb\xcf<\x9b\r\xf5\xecy\xde\xf4\xd4\xd4A\x90\xd1\
\xcc\xe1\xb5kK/\x9d;\xbf\xb2\xba\xc6\x18\x1b\x81\xe9AR\x9c\xf3\xf5\xf5\x8d\
\xf5\xf5\r\xcb\xb2\xe6fg\xce\xdey\xc7\xc4D\xd9H\x8f\x8c\x1c\x00\xec\x8d\xd1o\
\x1e"\xd1\xb2\xed\xca\xe4d\xbdQ\x97B\xa2Ta\xc7\xc0"\xd4\xc2^\xb3\xdb\x82\xa4\
\x16b\x01\x8c\xa3e\xd1\xd0\xa7\x04\xa4\x04K83\x1cr\x00\xe8@\x9b\xc6\xdb7\xdc\
8;s\xf9\xad\x00\xeeC\xdc\xe9l\xc8g\xbf@\xae\xff)\xc4u}m\x00p\xa3\xd8g\xde`\
\x1e\x10\x82\xad\xeb\xe2\xb1\x7f\n\xddu\xeb\xde\x7fts\x19`}\xf9\xcc/\x90W\
\xbe8\xa4_R8B\xc6\x832\xa4|\x19q\xf9\xab\xb8\xf3\xbc\xb8\xe7\x7f\xe4\xc7\xbe\
\x1f\x19\xf7\x81\xa6\x1f\x19t\xc8TAF5nBRWA\xab\xd5TgX-\x8c\x12B\x80\x10\x16Q\
\xbc\x1fQ\xfb\xcb\x0f\x91=\xc9\xbc\x94\x12\x11\xf4#\xb8\xf0\xfd\xde\xd5?\xa2\
\xfd\xf5a\xfa\x19\xe1]\xb1\xf6\xb0=\xf7\x81\xfd+M\xaf\xbc\xc5\xdd\x0bno;]\
\xd2\xf4\xc7:\xfeW\xd1\x0eG\xfb+&\x8b\xbc\xa4\x94\xf2\xe5\xdf\x83\x17\x7f\
\x8dtV\xb2_9S\'\xe6\xe8\x8e\xba\xf6\x00\xa2\xba|\xe1\xd7Y\xfd\xa2\xfd\xc1_$\
\xc1\xd4^9\x1f[\x16]\xa2\xad\xad\xedo=\xfa\xed\xf5\x8dM\x91\rAN\xc6\x1d\x03\
\x02v:\xed\xe7\x9e\x7f\xe1\xda\xd2\xd2{\xde}\xdf\xe9S\'9\xe7\xb6\x93\xed\x98\
\xb6=\xa6\xab\xa2\x113`Do#\x8e\xe3HD\xce\xf9K/\x9d{\xfc\xc9\xa7\xa3\xc8X\x1e\
\x91:@\x9a\x8c\x19\xa9\xe1VJ\x1c\xd9\xbc\x94\x10bY\x07\xf2p\xd7\x9d\xa2\xd7\
\xeb=\xf6\xf8\x93\x97_\xb9\x12E\xfd\xd1L\x8ey\x10P\x08\xb1\xbc\xb2\xb2\xb5\
\xbdslq\xe1\xf4\xa9\x93\x07y\xdd\x9b\\J\x95\t\xdb\xb1\xbb\xdd6c\x1cQ\xda\x94\
\x96\x8b!u\xe7\xbd\xdd|}{\x9d@\xaf\x1b\x81\x90\x98\xf3\xa9MAJ\x81\xd4\xa5\
\xf9\xdbl\xaf\xe4H\x81\x00\x965-;\x9eh/\xedoN\xcb\xc8\xe1\x06\xf7T\xc7^\xff6\
<\xf5s\xa4\xf6R\x86UH\xc0pD\xab\x1d]\xd1e\xf2\x00\xbc\'\x9e\xff\x15\x08\xe7\
\xad\xdb?w\xc3\x0c\x0c@\xaa\xb9\x84O\xfc\xaft\xf5/\x00\xd4\xeb\xd4+\xd282\
\x8a\xe9Z\xbb\x04#\x93\xbd\r\xfa\xfc\xbf\x8c*\x1f\xc2\x98y\x80\x04 ]\xa2\x04\
\x8c\xb4\x8ca\x9c\x8c1#\xad\x89K)\x89\x94hD\xfd\xb5\xe2\xd8\x85\xe1\xa6\xef\
\xa9Z\x1aX~$J\x89\x08\xca\xd1\x9e1\xc6\xadiR\xbc\xcb\xef\xad\x01!\xe3j\x12\
\x81\x10\xbc\xf2ey\xe6\xf3V\xe9\xe4^\xb5g\xee\xc6\xe0,\xfdI\xb6\x80`\xa0\xb0\
\x1d\x88\x99\x0f*V(\xa3`b\xb2S\xa0|\xe6\x0b\xf4\xc2\xbf\x01\x11\xa5\xad\x11#\
\xca\xbb\x91\xc3a\xce\xcd\xa1}\xf9k\xfc\xc1\xff\xde\xfe\xd0/\x93\xdc\xcc^9O\
\xa74\x9c\xd3\x9c?\x7f\xf1\x89\xa7\x9e\xeetFw)2\xdfN\x0ct\x1f\x8c\xa5\x00\
\xd0h4\xbf\xfe\x8do\xb6Z\xcd\xdb\xcf\x9c\xa1\xa9>\x8c\x00\x04\x93\xf7h?nsh\
\x14B\x88\xc1^E\xc3\xb4\t\x01)\xe4s\xcf\xbf\xf0\xf8\xe3O\x8a1{L\xc3\xb0o\x90\
!\xbd\xa3G}\xce9\xe3l\xe4f\xd5(\xf6[\xff\xac{%"nmo\x7f\xf3\x9b\x0fonm\xefQ\
\x1bi[\xcd\xe0\xda\xa0\x8fDQt\xe9\xf2+\x9dN\xfb\xb6\xd3\xa7\xe8\xe1\xdf\xee<\
,\x14r\xf9<JN\xc8@q\x07\x80\x99\xb9\x93\xd5\xe9\xc5nc\xa3\xb6y\xcdsbJPH\x00\
\x80N\x14 \xefR\xd2Q\xf5,\x11@\xf0\xd0\xb2UP\x9a\x03\xca!\x06w\xdd\xa9T\x00,\
\xb8\xfc\xef\xad\xdd\x97\xc6\xc7\xae7\x91\x14\xf4\x9f08\x999\x93\xa4\x0e"\
\x16\xcf\xfc"\x99~/-\x9d\xda+\x03\x90\x0c-\xbc\xb9L\xbe\xf5St\xfb\xf1\xf4\
\x8b\xc7\xe5\x84\x18\xd4\xc7\xb8\xc6\r\x84\xa0\x9d\xef\xde\xf9\x13=\x06\xd0\
\xeb\x14\xd3\x97\x8c\xdc\x8e\x9b\x88\x0c\x8fI\xb68\x89H\x94\xd4\x08C\xa6\x96\
\xbc\x86{Mh\x12(\x01D)Qo\xe6\x10\xc7\xb1(\x7f\xc8\xdb\xfe&\x19\xcb}\xa9g\xdb\
Wq\xe79,\x8eg\x8a5\x88\xc4q\x1c\xd7\xaf\xe6\xd6\xffrO \x06\xe0\xf3\x9f\x85\
\xfc\xc9\x0c\xc51\xfc\xfa<\xc6\'\xff\xb9u\xe9w\xb3\xcf\x8e\x9d\xae\x8d}\x051\
\xe1\x06p\xed\x11\xfe\xed\x7ff\x7f\xf8\x97\x89u\x83}\xb7M\x90=w\xee\xc2\xa3\
\x8f=\xa6\xf6\x03\xca\xdc\xa5_\x93\xcc\xe02\xba\xf3\xe0\xbc\x10\xe2\xc9\xa7\
\x9e\x8d\xfaQ\xba\xa4D\xbf)\xf3\xeaa\x05\xc61c\xd9\xc8S\xb6m__^~\xe6\xd9\xe7\
\xf6@v\xfdv\xa0d\x10F\x11\xd3\r#N\xed\x19\x94\x10n\x89B\xb3??&\x84\xd8\xdc\
\xdc\xfa\xcbo<\xd8h43)\x8c\xa6\xb9\x8f\xac\xado\x12B\x95\xc3\xee>\x1c\xd7\
\xa1\x10B\xc8h\x8b\xb2,\xbbPY\xe0H\xa2\x9d\x8b\x80@\x00$\x12\xc6\xa9d\xfd\
\x04$P"\xb8\x96$\xf6\x8dx\x99\xb4\x1c\xee\xf1\x10q\x087\xdd\xe3\x9fg\xe5\xbb\
\x01\xf6@=u?Pf\x15c\xa7\xca\xac\x92\xee3\x83kd\xe4OD\xe8\xac\xca\x0b\xbf3\
\xb6I\x99\xbd:\xee\xd6\xe1\xf1\xff\x85n?\x0eh\xd0b\x88\xc3\xff\xf4\x9f\x9amO\
^c\xdc\x9c\xa4\xeb\x14\xbag\x7f\xba3\xf9\x91(\x8a\x06\x9b\t\x98iB\x06\x98\
\x8c\xbd\x03t>\x11\x87\xcf`\xda\xba>p\xc4J\xc53`\x8c\xa7j#C\xa3\'\xdd\xd5\
\xac\xf08\x8ews\xf7u\xfd3f\xda\xc6\xb3\xaa\xe0\x80\xab\xdfL9\xa8\xa4+Pc\x13]\
\xfd:e\x8d\xc1\xe3\xa3\x90\x81\xc8f?\x8a\xd4\x1b}\\\x08\xc1Y,_\xf8\xf5\x01\
\xb2\xa7\xaaed\xb0I\xe5p\xa4V\xf5\x83*\xf5k_\x96\x17\x0c\xeb\xee\x1eE\xd0\
\xa5\xb8zm\xe9\xf1\'\x9f2\x90]\x7f\x82\x81v\xec8n>\x1fNLLT\'\'\xab\xd5J\xa52\
Q\xc8\xe7\x1dGwu\xa2^-\x84x\xe1\xa5\xf3\xadvv\xa7M\xb9\x07\xb8\xab\xed5\xfa\
\xfd~\xb2\xef\xc4\xb0\xa4\x8c\xc5\xcf<\xfb|\xbf\x9f\xd9\xfc\x16G\x8e\x87)\
\x9biFQ\x14Ec6\x84C\x99\xcd\xc9\xd8\n\xa9\xd7\xeb\xdfx\xf0\xa1\x04\xd9\xc7\
\xdcoYV\x98\xcb\x95K\xa5\xead\xa5Z\x9d\x9c\x9c\xac\x94JE\xdf\x1b\xf5\t\xc6\
\xf5\x8d\xcd\xfap\x84xkJ\xb1<\x1dCn\xd0W\tz\x1e\xb5|\x9f:\x0e\xb5m\xe28\x8e\
\xeb\x86>\x03\x18\xdf\x95\xf6\x92C\xaf\xb9k\x80\xe8\xdb\xf3\xcd\xd3?]y\xf9\
\xff\x08Z/fyvB:\xee\xa9\x8ew\xa2\xed\x9f\xe9\xdb\xd3\x92zTD>_/\xf6\xce\x97\
\xfb\xcf\xd9\xa2\xad\x92\x1b\xb0(\x1a\x8e\x01\x00@^\xf9\x8f\xf4\xcc\x03\xa4r\
6\xf3jH\x90\x8e\xc5\x11\xbe\xf4\x1b\xd6\xfa\x83)\xec6\xe9\x11E\xa1\x8cQ!a\
\xa0\xc2\x0f\x9eB\x00\x82V\xd0:\xf3\xe3\xbd\xe9O\xaa\xdd!i\x1c\x81\xe4\xa90\
\x03YU\xdd\xf8\xc7\x04\xe5\xcc(E\x06\xd8\x01"\x86\xc1>\xc2\xc3I=I\xb6,\x18C\
\xec\x00\x80Z!b\x14\x7f00p\xb1]\xfcH\xd8}iX.\xb3\xcf+\x95\xff\xea\x97\xe5]\
\xff--\x9f\xc9hy\xe6\xdb\x19c\xf9\xdd\'R\xa3\xd10\xcf\x08\x08\xbcp\x9b,\xbeM\
\xa7`N\x98\x18cb\xf9\x1b\xdeK\xbfb\x98\xe8\xf4$\xcc`o\x88\xddqN\xc4v\x89[E\
\x00pD\xddg[A\xbc\x9c|\x97\x11\xa5\x1e\x11\x00\xc4K\xbfA\x8e}\x92\x16\x8e\
\xc18\xd1\xfa)\xe7|\xb7V{\xe4[\x8f\x1a\xa4\xf6p\xfcF a.(\x16\x0b\xe5b1\x97\
\x0b\x94ET\xaf\xbb\xe9t{\xf5z\xa3Vo\x98\xae#i\xb2~\x98\xe4(\xa4\xea:\xd4;A\
\x9b\x12E\x0c 6\xeb\x81R\xe2\xfb\x81c\xdb\xb6\xe3\xb8\x8eC\x08\x11Rr\xcel{\
\xc8\xb9\x9bi\xa6\x8d\x9f`\x12D{U\x88z\xbc\xdb\xed>\xfa\xd8\x13\xb5z]\x8fm\
\xe6\x9d\x9e\xeb\x16\na\xa9T*\xe4C\xe5\x8c\x9b\xb83\x92~\xbf\xdfh6k\xf5\x86\
\xa1\xef\xabo-4\xb39\xa6r\x0e\xbfX\x96]\x9e>\xbd\xb3\xf2B\xce\x05\x8b@\xcej\
\xfa\x9e\xcf0\x90\x12)p\x0f[ Z\xe9^xc9\xac\xe0\x9eQ$\x15o\xdb\xa3S\xad\xf9\
\x9f<\xbe\xf4\xf3\xb9\xfe%\r4={n}\xe2\xaf5\xc3wFvU?\x8b\x88\r|\xfbz\xfe\xa3\
\xc5\xfe\xc5\xe3\xb5\xdf/\xf6\xcfg\xd5UHt\xed\xde\xba\\\x7f\x94L\xdc\x99\x81\
\xa7\xe1&\x8d\x1bO\xfb\x97\xff]\xa2\x9e\xa7in}`RC:q\xfdg\x82\xd7\x08v\xfd\
\xc4\x8f\xf6f>K\xb4\x95L\x02R\x87\x88\x08\xa9erG\x04\xc5\xbe\x14\rI\xee\'\
\x00\x084\x19\x01\x10\xd1rQ9\xd9\x1a]\xd1\x96r\xa8\xfe\x8f&\x9b\x88^0\xa2|\
\xe4\x11\xb1\x16\xbcc\xce*\xbb\xbc\x96-\xb5\xce\x0co\xe3\xdaCP>3\xfa\xed\x86\
\xa6\xd4\xe65\xaf}.\xf5\xd4\xf0V\x02\x04\xa2\xd9OC8o\xbaW\xab\x9c3\xc6Xk\xcd\
}\xee\x17@\n \xc9\xd4\'\xab\xf8\x93\xa6\x7f\xe7z\xe9\xb3m\xef\x14\xb7\x8aj\
\xeb1"#\x9foU:O.4\xfe\xc8\xc2(!E\xd2\x1c\x0e"\xb4\xae\xcb\xe7\xff\x15\xb9\
\xff\x7f\xdb\x87V\x12B\xf4z\xbdg\x9f{\xbe\xd31\x9d[\x06\xf7[\x94\xcc\xccLOV&\
<\xcf\xcb\xf8\x86\xabJ(\xe4\xc3r\xa98;;\xbd\xbc\xb2\xba\xb9\xb9\xb5\x0f\xeb0\
J\x86\x98\xa3\x0b\xe7\\Js\xd2`\x92~\x83?\'\xca\xa5Je\xc2\xf7\\\xdbq<\xd7\xf5\
</\x08\x02\xcf\xf3,\xdb\xce\xe7\xf3\xa3\xca;cLp\x9e\x06S\xa2s\xb2W&\xd5\x83/\
_\xbat\xfd\xfar\xf2H\n\x91\'\xca\xc5\xd9\xd9\x990\x973\x17\x13\x812\x05\x11\
\xe2\xfb^\x18\xceNOU\xb7\xb6w\x97WV\x86s\xca\xd4\xef[Sr\xbe\xddu\t\x13\xc8\
\x81 2\x1fWC7@BQDR0\xbc\xf9\xb2\x1fVpW\x92\xd1@9\xe7\xb15yi\xe6\x1f\x9e^\xff\
\xb5|t\t\x00v\xf2\x1fX\x9d\xfa<\xf3\xe6(\xa5\x9e\xd1\x8c\xb4\xb4\x82;/8?~\
\xe7\xe6\xbf,\xf4/\x02\x8c\xa7b\xb1vn\xecK9\xe7q\xaf\xe9\xbe\xf8K\x84w@{(\
\x8e\xe57\x00\x80\x90\x86wG-\xbc\xafk\xcf\x0b\x12P\x8c\xf2\xf1\xb5\xa9\xce#9\
\xb6<H\x16\xe8\xf6\xf1\x1f\xed-\xfcM\xc7@\x81(8~\xf1\xd8\xcf\x08\x16\xc9\x01\
\xb5\x83\x928\x13\xbd\xe7N\xd4~?\x93I\xc3Z\x0b\xbb\xb9{\xaf\x97\x7f\x88"\x03\
\x00\x15\x1d\xcfu]\xdf\xf7r\x81\xef\xe5\xf2N\xb88\xd4\xc4TY\x103\xaan*\xf3\
\x880P6\xa9Z\xc1\xa8\x97)FNe\xb3\xf0\xbd\x8b\xf5/\x8d\'\xb5\x15\x88_\xfb\n\
\xbd\xf3\xef\x90\xf4\xea_U\xf9\xea\xabyk_\xb1\xe3\x9d\xe1K\xd3D\n\xf7g\xf9\
\xcc\x87<#\x98\x89\xc9\x0b\xe3\x95?\xb2\xda/\x03\x8c\x0c\x9c\xc9\xf1F\xf9\
\x93\xeb\xd5\x07\xb8]\x06\x00\x0b\xc0\x1a\xbc\x9a\xf6\xadc\xcb\xceB\xcf\x99;\
\xbd\xfbo\x1d\xd1\xc8"{\x92\x9a\xdc|\x8cv7H8\xeas\r:\x0f\x1b\x1b\x9bW\xaf^\
\x1b\xd5p\x1d\xdb>q\xe2Xe\xa2<\xba\xcc\xdd\x8cf\xc59wl\xfb\xe4\xf1c\xb9 \xb8\
r\xf5\xda>\xf85\x8a\xaa&\xc1ml!\x9d!\xfd\x88e\xd1c\x0b\x0b\x95JYGL\xd4\x1f\
\xd1u]\x15\xe813\xf0\xe8\x0f4\x9a\x0b\x93\xc6\xc9<\xa2\x90\xbdV\xab\x9f?\xff\
\xb2q\xcf0\xe5\xf9\xb9\x99\xb9\xd9\x19\x1d\xc0\xc0\x1c\xa8Tm\xa8\xb2PJgg\xa6\
\x82\xc0\x7f\xe5\xca\xd5~?\xc2\x81\xd9\xf9-.\xa2u\xb5\x10\x00\x00a\x1c\xb6\
\x9b\xd8\x8d\xa4kwr.XVv\xeas@9\xdc\xe0NF\x04\x00"w\xee\xca\xcc\x8f\x9dY\xfb\
\xa5npfe\xfe\xc7\xa8\x9b\x0b\x92\x08p`\xb4B=\x1e\x082\xb14\xf1Cg7\xbe@1\x1e2\
\xd4d\x08\x16X;\x8f\x9du\x08gI\x12\x87HsAb\xebyg\xf7\t3Ccu\xdeFp\xd7J\xe5\
\x81\xae{L\xd0\xc1\xa6\x01\x88\xd8\x0c\xdf\xb9Y\xfa\xd8t\xfb\x9b\x8b\xb5?\
\xb0Dwk\xfeG\xba\x8b\x9f\xf3\x1cW9\xbd!\xa2m\xdb\xdc\t\xa3\xfc\x9d\x03\xef\
\xc3\xe4\xd5\xae\xa8e\x8d\xa5$\xa5\x1fq\xa7\x12\xe5n\xd3\x0b\x0em\xdb\x06\
\xcf\xb3s9\x11\x86\x90\xcb\x11{\xef%\x91\x19\x8c6\x8a\xa3D\x87\x84Ua\t\x18c\
\x8d\xf0\xbe\xc5\xfa\x7fH\xf9\xd8df-\x9bO\xca\xf5G\xc9\xdc\xfb3*\xa7\x06\xf7\
|\xe3\x99\x01:\x9b\xea\xf3 \x05\xe0\xf9\xdbI\xf9\x0e+\r\xee\x83\xb9Z{+\\\xfa\
\xfd\xe1\xad&\x03\x86\x08\x00\xf5\xc2\xfb6g\x7f\x84\xbaE?yVc\x96\x92\xdd\xfc\
\xf7xb\xebD\xed\xff#\xb8\xc7>8\xf5\xcbr\xf9k\xe4m\x7fk,\xf6q\xce\xbb\xdd\xee\
\xa5\xcb\xafH\x99\xa1\x0b\x88eY\'\x8e/NOUm\xdbV\xf1\x1b2\x83\x93\xce\xc3\xc0\
\xe9\x10\xb1:Y\x89\xa2hum\xe3f\xc9\x07\x1c\xd0\xf1\x19\xc0\x1d$B\x089q|qzjJ\
\x0f0\x07\t\x14\x83I\xa2#2&cf\xa7`\x8c]\xbbv\xad\xd9j\x99yP2=]=~lQ\xbf\xd4\
\xac\x10L\xdc"\xcc:\ts\xc1\xb1\xc5\x85W\xae\\\x13B\xbc\x85\t\x19%\xa2\xb7-\
\xa2F\xc2,b\xde\'L@\xc4\xa0\xd6\x05\xd7\x86\xc0\x05\xc7V$\xe5M\xc8a\x05wb\
\x84\n\x1a\x13\x84\xda9u\xf5\xd4?\xa5N\xe0\xf9%\xb3\x05\xab\xa7\x86j~\x1c\
\x13B8\xe7\xad\xdc=m\xef\xf4\x80\x9cA\x1c\xf8\xaai\xb4j^\x95\x9d5+Q\xdf\xd00\
*\xba\xd7\xff0\xc9Q\xd2\xf82\xd43\xc0v\xf1\xc3\xcb3\x7f\x0f\xed\xd0&\xc46\
\xb4-)%@yk\xf2\xafS7\x1f\x88\xdd\xf6\xf1\x1f\xf6]\xcfu]\x15\xf2\x85\x10\xa2Z\
\xb9*\xa3n\xf1B\x08;eW\x19\xf1\x8a!\xc4"\xa0x\x00H\xc0]%\xbb_T\x90\xd1\x8e<\
\xc2\xbf\xeb\xf0\xaa\xb6!\x91\xbfX\x0b\xee\x9d\xe8==\xd6\x10\n\x84\x00\xc6\
\xf8\xca\x97`\xee\xfd\xba\xf6Ld\'\x8d\x8bv\xb4n\xf0\xfb\xe9\x04\xa8\xcbf?f;\
\xae96\xeb\xdd_\xc9\xd2\x7f\xb2{+\xa9\x9c\x0f\xc7f"h\xb0;\xfb\x80\x9b\xafjlU\
\xaf\x1e8\xf91\xc6\x18\xe3\x9co\x14?9\xd9y\xac\x10]\x1ef@\x8d1\x03\xe1\xb8\
\xf6\x10\x9cy\x00\x0c\'\x07\x13\xc8vwk\xcb++\xd9\x82\x03LU+\xf3\xf3s:8\x8f\
\x0e\xabi>nfC5\xdd\xc9\xcaD\xab\xd5N[So\x19\xd4\x06O\xcdLO-\xcc\xcf\xeb\xb00\
\x99.s\xb0x\xce\xd9\xa1k\xf4\x0e\xad\xb6w\xbb\xdd\xd5\xc1R\xa9\x94\x14\n\xf9\
\xd3\'O\xe4r9\xd5\x14u\xc0"\xd3E\'S\'R\xcaB>\xacNV66\xb7n\xa9\x06\x0e\x91 k^\
U\xb5\xac6Yu,p,\xe2\xd9\x10\x0b\x88\x186\xba\xe8X\x10x\xc4\xbd\x19\x88?\xac\
\xe0\x0e\x896\xa9\x9a\xa9\x8an\xa80QY\x96,\xebDF=15w\xc5\xd1\xd3\xc1\x8e\xe9\
\x88(\x9b\xfe\xd9b\xff\xbcJ8\xfb\xa6\xb8\x86\xbdMH\x03\x13c\x8c\xb77\n\xdb\
\x0f\xe9\xdc\x0c\xa1\xd0\x98\xe07\xc3w\xac-\xfcw\x8e\x9b3\xe1)\x99G\xab\xf8\
\xba\xb4\x1d~?\xf3<\xdf\xf7}\xdfW\xf1T\xd5yU\x1cU@\xa5\xbcs\xce\t!\x84\x9a\
\xf3\x83\xf4\x9c\x95\x10\x00\xb0,+\x08\x02s\xd7\x02\x15\x05L\xc3\xdc\xd8\xda\
\x84AthL\xad\xb7\x82\x14\xee\x9b\xb8\xa0j\x95\xd9\xe1V\xf1\xa3\xe5\xde\xb3)3\
\x80\xa9\xc2#\xe2\xd6S\xc8\xfb\xc4\xd1\x9b\x03\x0e\xc1\xdd\xddz\xd0\x896\xc6\
\x18\x8a\x01\x00@\xf8\xf3r\xee\xa3n\x82J\x90v\x8d\xcfm=\x02(\xb3/Mr\xdb)\xbe\
\x9bT\xee\n\xfdPA\x89z\\[h\xa2(R\xe0\xc2\x00\xda\xdem\x85\xfee\x83\xdbI\x19\
\x87\xb1~Q\xb6\x96h\xe9t\xc6\xc1\\\x8d\xee\xeb\x1b\x1bB\x0c\x1d\r\x11\x90\
\x00\x04Ap\xf2\xc4\x89\\.\xa7\x03&\x9b\x00jRRq"\x90\xcc\xd5\xaa\xd5\xc9N\xb7\
\'\xa5L\x9b"oJc\x1b\n\xa5\xe4\xf8\xf1E\x15\x94_\xab84\x11U3\x07\x08\xf1\xb8\
\xdf\xd5\x8c\xda^\xaf7vvv\x8c\xcc\xa3\xea\xa9\xf3s\xb3\xc5bQE\x0c\xd6\x15\
\x92\x99Lk\xe3\x99\xaa+u~\xa2\\j4\x9a\xfd(\x1a}\xf3\xad\xd5\xc9\x9bPxgC\xb2\
\xc1\xda\x08.\x86\xe5\xb2(\x04\x14<\x9b0\x0e}\x8e\xe8VI\x10\x8a\xce\x1a\xc5\
\x18\xb2:\xe4\x189\xc4\xe0\x0e\x89\x89\xcfq\x1cLxa\x15\xa7T+\x98\x03p\x8f\
\xb7\xad\xfe.\x15]\xe0]\x88\x1a\x18\xd5e\xd4\x90QS\xb0\xbe\xe0\x91\xe0\\\x08\
\xe9\xf7\xaf\x00(\x8c\x18\xd8\xf1L\xb7\x16\xecm\xe3\x88#0\xd4^\xa2\xbc=\xb4[\
\x8e\xf0\xf5\x82\xe6v\xe6~\xd8\x0bKfHt\x9d\x82\x1e\x8dT\x18)\xdf\xf7\x15\x16\
(XW\xed\xdb\xb6\xed\xc1@\x92\xb4{\x00\xa04Y\xb3:\xde\t\x07m\xdb\xce\xe7\xf3\
\xe64\\\xe3\xbb\xde\x9bf\\m\x82Q\x16Hu\xe9\xc4\xf6\xa5\x07\x1b\x13\xdf\xbb\
\xc1\x99\xae\xb3\x18\xb2\xa5TNL\x88o]\x93\xd7\xfe\x98\xdc\xf6\x83\x9a\xd7\
\x1a,\xbd\x89\xda\xf9\xe6\xf3)dOA<a\x13\xef\xb4\x82\x8a\xb9\xef\xcf\x10\x05z\
MK\xab\xed$\x9bU\x00\xc0p1\xb4c\x17b\x87\xd8Dj\xcd]r\x10\x0cb\x97\xc4}\x8cl\
\x19\xc5(\x90\xb8\x03>\x07\x0c\xd3\x85f\xba\xfa\xbb\xd8\xafAI\xd7n\xca\x9f\
\xa4V\xab\'\x8f\xe9w\x93\xca\xc4D\xa52\xa1?hf\xc2d\xd6\x80\xa9\xd4\xab\x94\
\xf3a.\x08\xfcN\xa7;\xa2,\xdf\n\x96U*\x95\x89r\xd9\x04w3\xf2\x17M\xefY\xb1\
\x7fRj2;6\'\x9a\xa4b\x8c\xad\xad\xaf\x0ba.\x97%\x00X,\x14\x8f-.\x98\xa3]\x86\
\xa72u&\xad\xd4\xab\xf3\xbe\xef\x95\xcb\xc5\x8d\xcdmD9R\'o\tA\xc9ZK`\xa8\xed\
\x19\xa1\x04<\x07\\\xc7*\xcf\x9f\xb6\xdd\x9c\xe0\x0b\xad\xdaz\xdc^\xb7\xb0;T\
\xc6\xc6\xc9!\x06wM;\x00\x80\nB\xad\x94\x11\x1d\x94\xdc\xed]q7\x9e\xb4\x1b/\
\x92\xce5\xd2\xdf\x01\xde\x05\xde\x1d\xae`\x1c\xa7*&g\x8c\n#\x04\x08"\xeb\
\xe0\x88\x7f\x0em_\x07\x99\xa8\xab\xa3M\r\xb1]\xbe\x1f&\xef\r\xfd\x9c\x198\
\xd7\xa4\x17\xa5\x94\x9a\x00u]W)5$\xd9/F\rTB\x08\xd7u\xe38V^tB\x08\x92\xd6\
\x8bM\xf3\xa3:o\xdbv.\x97\xd3L\x94\xee\xc6\xda\x10*G[P\xc6wsL\x9d\x0c\xea\
\x9c\x1a[89\x8e\xc3\x18\xeb\xbb\x93\xbb\xf9\xf7\x84\xb5\xa5l\xaet\x9a2\xc6K_\
\x84\xd3\x7f\x1d\xc1F\xc3XGZW\xdc\xce\x15\x03\xd9S\x8fK\xbb\x10\x9f\xfc\xbcg\
Pj\xfaA\xc6\x18i\x9c\xb7X-y\x0b\x8e\xe6<\xbf\xf5\x17a\xfby\n|X\x00B\x94U\x12\
\x11\xa5\x14(Q"J\x04\x9b\xd7\x8d\x0f\xa8\x94o\xc3y\x9451n&\x954l\x03\x8c\xb1\
~\xbf_\xaf7\xd2_\x9fX\x965;;\x13\x04\x81\x9e\x87\x99\x1f\x02\x12,\xd3Z\xb3\
\x89\xecJ\xf2a\xd8\xedt\xb5\xf7\x95N9\xfb\xc9\x0e \xf3\xb33a\x18\x9a\x90\xaa\
\xb3\x91\xb6U\xed\x95\xb8\xf6\x10\x00cI4I\xdf1\x1c\xab\xe28\xde\xde\xd9\xd5W\
\xf4\xa3\x93\x93\x95B\xa1\xa0*d\x94\x1eD\xc3\xb7\xd5\x1a\xb1\x9cK)\xf3\xf9p{\
g\x87s2\x92\xf2[AX{\x15yOU.\xe3{\x0e\xe1\xb9\xf2\x82\xed\xe6\x00\xc0\xb2\xdd\
\xf2\xd4q9\xb9\xd0\xdcYa\xed5\x8a\xbd=&wx\x88\xc1\x1d\x0c|\xd7\xde\xb2\x94R\
\xc1\xfa\xf6\xb5\x7f\xef\xac}\x95v\x96Io=A\xea\xb4\xbf9\x8cp\xca\x19\xed/\
\xadK\xa2\x88\xcd&\xa8\xc0=\xd7]"(\x8c\x94\xb3\x99\x13\xc5\xb7\x05a!\xb3\x99\
\x91VRTR\xc4\xb0R\x9a\x03\x80Rm\x14E\xc39W\xcfr\xce\x87\x93h\r\xeb\xa6c\xb8\
\xe2\xdc-\xea\xfb\xbe\xe9\x90@n\xb85\x81*\xc2@{\x1d\xeb^9\xacsM\xce$\x08e\
\xd7\xf2\xf7O\xb5\x1f\xf1\xd9\xfa0\xb5\xb4`\xe3\x92\xac_"\xe5;L\x9b\x87S{\
\xc2\xe6\xbbCd7)&\xc4\xb8\xfc\x0e2qV\xf7v\xd3\x8c\xc9\x18\xa3\xad+D\xf6\x8dR\
g\x0bd\xc5[\x10m\xa6\xbe&"$\xb0ae\xec\xc6\xfa@\xeb\xa6zr#"\xec\xef`\xe2\x83(\
\r\xd7\xacv\xa7\xd3\x8f2\x11\xa4\xc1u\xdd\xf9\xb9Y\xc5?\x98\xfb\x9c\x98\xd5\
\xae\x001\x83\xf8z\xc8/\x16\xf2;;\xbb<\xf1T\xb9%_\x91As,O\x94\xf7\xd9qE\x1f\
\x9b \x9b\x96\xe1\xa8\xbb\xbf)Uk<\xfd~?\xc3\xc9PJ\xcb\xa5\xe2\xe8\x16}f\x06\
\xb4\xfd,C^)6\xd2\xf7|\x8b\xda\x1c\xe2\xa4h\x90>8\xc4\x82\x92\xf3\xf6u\x00 \
\x00\\\x80\xdc\xc3\xe1\x91X\x8e_N\xad\xb7\xa0\xd4R\x10\xdf\xaeo\xc6\xadU\xe0\
-\x9aL\xe6!\x99\x84\x1fnp\x87\xa4}$-\x838k\x7f\xe6]\xfcw\xb4\xf6\x02(\xff\
\x87\x0c\xffk\xd6\x9c\t[\xc3\xfe\x0f\x00i\xd0T"\x18\x18\xb8\xac\x9a\xb2\x15\
\xef\x0c\xe9\x8bq)\xd3\xfc\x82r%\xceXt\xb5\x83\x04&\x86Js\x82\x0c\x89\xb9X\
\xdb\x00\xd5\x9fC\x95G\xf3m\xa6\xdan\xfc\x12B\xd5Pav\xa1Lw\xca\xca\xb0Q\xc00\
\xb5\x11"\xdbdfL{F\xe4\x1fk\xbb\xa7|\xb6\x9e\x1a\x18\x0c\xe6\x1a\xfa\x9br\
\xe5AZz\x9b\xd6\xbeew\xb3\xb0\xf3\x90a\xa80*\x91\x10\x00\xe03\x1f1\xe7\xefZC\
T\x95\xef\xf7\xb7\xa8d\xa9\xcf4\x8a\xd7F+I\xdd\x90\xfa\xb8\xe3\xac\x0bf\xce\
\x11\xb1_\xd3\x1f\xcb\x1cc:\x9d\x8e\x1cF\xec\x1a\x0c\x0b\xf90\x17\x86\xa1F\
\xf6\xb1\x8c\x87:cn\xf8\xa9\x07\x0c\xce\xb9\xe7y\x94R\x10j\xd9\x0e\xdc\x92\
\x17\xe0 \xfd\xc0\x0f\xd4\x8cPO\x11nH\xbf\xa4E7\x0b]@\xc8\xa0\xaa\xd9)\xe28\
\x16\\dn\xb3,R.\x97M;\xeah6t\xd7 \x86C\x9a&$=\xcfu\\\'\x1a\xc4BxUS\x997\x9b\
\xf0\xd6u\x141\x00 \x00\x17{.R\n\xca\xc7\xe8\xb8\xcd\x06(\xb5\x8a\x959\x9c\
\x98\xed\xb6v:\xb5e\xc2\x1a\x94\x0c\xaa]"=\xf4\xe0\x8e\x89H\xd6%\xcf\xfc\xa2\
u\xe9wA\xb2=1}\xb4\xdbg\xac\xa0$\xddt\x87\x1ct\xaao\xab\xa6LD\'\x95\xc2P\x08\
\x00 \xf5\xac\xdc\xa4\x93X\x90L\xd46\x05\x92\x96\x9dQ\xabMeJ\x99\x10\x86z\r\
\xd9\x83?\x01Pz\x1eI\xf6\xcd\x19\xab\xa6\xe1\xd8\xa8 \xc4\x98\x82g\xa8\x95q\
\xfdP\xb3I\xaa\xc7r\xcew\xf3\xdf3\xd1}\xca\xc2\xfe\xf8\xbc\xa1\xc4\xeb_\xc5\
\xdb\xfe\xa6\xa4\xa1\x022\xe8\xac\xf8\xed\x0b#U7\x10\x1e\x1c\x13s\x1fw\x8cR\
\x98|\x8e\x10\x02D\x0f \xb5\x96x\xa4&n\x14OF\xd7X\x06\xfa3\xf7# \xef\xe9\xaa\
KaY\x14\x8fB\xcc(\xc1=6wz\xd2i\x8e\x94\x8e\xe3\xc4ql\xdb\x19\x0b\xe7x\xa6\
\xfb\x86B)u=\xd7N\x13\xdc7)Dc\xbaQ\x9dYZF\x8fv\x9cs\x89\xd2xVe\xc3*\x14\n\
\xda\xac\xbdO6\xf4\x98\'\xa5\xd4\x15\xa2<n\x8d8\rp\xcb\x15\xf2f\x13\x141\xeb\
\xac\xaa\xe3}\xd4v\xea\xf8~qa\x9ft\x08!a\xb1\x1a\x16\xab\xad\xdd\xe5\xf6\xd6\
%\x8b\xaa\xedX\xf1\xd0\xc7\x96\x19\xd8\'\xfb-|\xe2\xe7\xe8\xc5\xdf\x02\xc9\
\xf4\xb5\xe4\xc0\x98e\x13\x9394\xd6\xcb`\x1a&R\xeb/\x10\x06\x11b\x86\xb4\x8c\
"U@&4\xb1\xa9\xf7\r)\x02b\xba\xc1\x11cy\xa7f\xc05\xf1::eN\xf2\xb8\xb7\xd2M\
\x92\xf6\x9d\xca|J\xcf;\x00\xa9\xaa\x8b\x9c\x19\xd5\xcc\xe3,R\x9b\xf9\xd7@\
\xd6\xc8\xbf\xa7\xeb\x1e\x1f\xa32c\x12`\xa7~N\xec\xbc\x94L\xe1\x99S\x7f\x8eh\
\x9fN}O"\xd1\xec\xc7\xad\xdcd\x06\x1fM`\x1dD\xa3%\t]\x80FUh\x95\xdc\xac\x1cb\
Lw\x00\xb2\x9fl4\x05\x93\x90\x10\x91\x1eeS\xb37az\xc7\x0fpp\xff\x0f:*#\x1c\
\x97eYv\xfaA\xa387#z\x8c\xbfUd\x07\x93\xdd\x1e\x9b\x82\xd6Q4\xa7\x848\x1a%\
\x98z\x9e{\xc0\n\xd1S\xc3L\x9dPJ\x8c6z\x8b\x15\xf2f\x13\xd6Z\x02\xc9\x01\x00\
\x11\xc4\xdej{n\xe2\xa4\n!yC\x89:\xdb\x02\x95\xf7$0~\x98\xc1\xdd\x98\xbb\xc5\
\xf2\xe5\xff\x87^\xfe\xbdTO\x1e\xf6^\x04b\xf2\xaaC\x10Aj#\xb1\x91XHl\x04\x9a\
\xed\xd8\x00@4\x10\xa4\xfa\xf6\x00\xe2\xa9\xa3\t\xe2\xe4\xb6a\xe6\x082*\xfbc\
]\xcb3\xaa\xfa~T\xf8\xbe\xe5\x1f\x84\xe9%i\xe4\xdaG\x99\xdd7\xb9\xc1\xe3&w\
\x01\x06z\x8ed>C\xceP\xdbk\x04w\x03\x8c\xe4D\xa7\x13\xd5q\xe3\xf1\x81%\xb9\
\xb7\x9b\xdf\xfc\xb3\xc1y]\xe7I)\x90\xd8b\xfa\xfd\xa3\xc8\x9e\xaa\x7f\xe2$cv\
\xfa-\x90\x8c\xe5D\xd3V\xe3h"H\x06\xe6\x8c\x98__\x8f\xd3\xc6mf\x1eFjz0\xc388\
\xb2\xeb\xa1\xd7\xb4x\x9b\x1a\x88!\x07\xf9\xac\xa9{\x08\x01J^\xddf\xa7\xd9w\
\xe2\xd8l\x98ub\xc4"\x1c\x18p\xd4\xe5\x837\xf2L\x85\x0c\xb8J\x04\xd8\x83\xf7\
?\xa4\x82\xbc\xc7;k\xeaX\xa9\xedc\xc5\xf6\x8b^\xfe@\xa1\xa7Yg\xc3\xc3z)\x80r\
\x0e\\\x07Z\xfdC\xa9\x1f\xbd\xcf\x00\x00 \x00IDAT\xcb\xb9\xeb\xc6\xc4\x18\
\xe3\xb5\x97\xdd\xf3\xbf\t0\xc2\'\x98g\x00\x81\x90\xd8\x99\xeaz\'\xfb\xeellW\
\x19\xcd\x0b\xe2!\x10\xb5\xfc\xbe\xd2}b\xa6\xfd`r\xb3\x16m\xdf\x1b\xbc\x14\
\xcc\xe9\x02-&\xf7\xa7\xb4\xe5A\x06$\xa7\xfd\xcd\xfd\x89\xce[\xefu\xfaE@\x86\
\x8e\x9b\xfb\x91\x0f\x07H-C\xe5+A\xcd\xd8ds>\xa2oZ[\xa5\xef\x9dj}\xc3\x13\
\xbb\xa9[\xcd\xf9\xfc\xb5?\x14\xf3\x9faP&\xedk^\xef\x95\xd4\xcc\xc9\x80\xd4\
\xa8z?T\xde\x911T\xe8jW\x07\xcc*!\xb5\x87+K\xb3$\x92\x19\xac\xcd\xa0\xe62\
\xdcz\x16\xdf1uF\'\xc8\xba&\x93&\x93\xe0\x01\xb6e\xa5)\x02\x02\x00\xfd(:\xe8\
l\xc9\xa8Lj\x08$-\xed\xe6%\xf3\xc6\x9b\xcb\xc6\x1e\t\x9a\xcd{\x0c\xbc\x9au\
\x02@(!\xe9gAJ\xa9\xeb\xe4@\xafL\x0fxjT`\xd9\xb0h\x87\x9e\x93\x89\x9b\xd7\
\x00%\x00H\xdc\x8fm\xcfM\x9c<P\x8fF\xc1[W\xf56*\x94@\xc1\'\x87\x12\xdc\x87\
\xf0\xaaV\x99^\xf9#\x1am\xa7\xd0-\xc3$\x10R\x0f\xee\xdd,\x7f\xb2\xef\xccr\
\xa7,hh\xa6\xa3\xc4\xe3\xdb\x00\x0f\xea\xfbS`\x91`:\xa4{]\xdf[@b\r\xb8\x85\
\xcc\x88\x82\x08\x84\xd0\xf6U@I^\x8fJ\xd6\x86_0\xbb^\x9a\x88\xb8e\xd9\x07\
\xef\x06\xd7\x87}\xcf\xf4\x89\x8c\xbc\x99\x9d\xf0}\xf3\xcd\xaf\x0c\xb2\x91\
\xe1\xb2\t!\xadW`\xfb\x19^\xfe\xa0\xbb\xfb\xf8\xe0R\x06\xdf\t\x01\x80x\xe1\
\xfb,7\xb7\x97\xae\xa7\xbeW\xe4\xce\t\xea\xdb\xbc5\xac\x84t\xa1k\xb9{\xeb\
\xe1\xbb,dc\xf5\xcf\xd1/\xabqLm\xbb<\xf0O\xf5<\xcf\xa6\xd6\xfc\xfb\xf5\xacX\
\xb3s\x88\xe8z.\xa54\x13{\xa0\xddn3\xc6nj\xdbkM\xbb\xa9"G1\x1b\xf1U\xc5QT=x\
\xca\xb7.\x04\xd2\xef\x1d\x9f\r\xdd5\x08\x01\x9aZ"G\x00@H\xd9h4\x17\xe6\xe7o\
\xe2\xb5\x86PJ\x95\xa96\xc9\xc1@\x979\xd4\xf8\x8e\x92\x8b\xfe@\x07\xe2b\xcf\
\xaf\xeb\xe4*N\xee\x06\xbb\x10+a\xade\xc9z\x00@\x08p\x01\x88\xe0\xda\x87Vs\
\xd7\xc6\xf4(\x8a\xc2\xc1\x16\x19\x98a\x9c\x13\xa8\x85\x95\xca\x03\x9b\x95\
\xef\x93VN\xd9\x95\x94\x1b\x9c9\x97\x14BP\x10)Nf\xf4wDbg\x1a\x91\x12\xf5\xa0\
\x16\x93~Y\xfeS\xb8\xe3o\xc3\xe4\xd91\x0f\xbfZ1|\xc33^\xde\x84\x10\xd1\xbb\
\xf9\xf4F\xbaJ\x86\xa1J\x8b9q\xd6\xfa;c\xac^x\xdf|\xe3+C&d\xf4\xc1\xed\'Epo\
\xb8\xfdu\x9dP\xe6\x06\x1e,@\xf9\x0e\xd3\x07|\xac\xf4\x83\x93\x9c\xe4m\x92,"\
#\x06\x12!\x02!\xdc)o\x95?u\xe3\x82\x0f\x8b;\xa8\x01\x9a\x04l\xf0}?\x0cC\x12\
\x86\xbe\xef\x8f\xbd\xd3u\\\xd7q\xfb\xe9\xdd\xe3z\xbd\xfe\xfa\xfa\xc6m\xb7\
\x9d>\xe0{5\xb2\xeb\x83f\xb3)D&\xc4\xe3\xadc\xf4\xab\xc5\xf7tb\x99\xbf\xb5S\
\x80~\x97\xe3:\xd0K5?!Dk\x10j\xe6\x16%\x8a"]!o\x8d\x08b\xbc\xb3\xaa\xac\x83r\
\x1f\xb6\x9d\x90\\\xe5@\xad\x08E\xc4Z\x03\x7fJD\xd0{\n\x1c>p\xcf\xa8\xedQ\
\x14\xe5{\xca\xbd:\xbb\n_I#\xbco{\xe6\x01\xdb\xf6\xf4\xdak\x92\x80\xbb\xf6\
\xcf%\x848\xb2=\x86\xd5\x81,\xfa\x98]\xa5\xef- \xb1\x01\xb3\xbb\xda\xeb\x14H\
o\x03/\xfe.\xbc\xefg\xe1F\x1b\xfa\xdc\xb4\x0c\xd5\xe1\xc1\xff\xa9yF\xb4\xbd\
\xf7\x93{\'\x88\x90\x19$\x00\xc6\x81\xfe\xe0\xf6\x81V\x95\xf1\x89\xec\xf8g\
\x1a\xc1]\xa5\xfe\x8b\x00i=/\xc9\x9b\xbb\xf5P@+n\xb42\xccm\x9ac\x8e\xa6>BK\
\xa7\xc6\xda*\xccWs\xab\x18;U\x9f\xaf\x0f\x07\xb9\xf4\xd7/u_,\xc8\x8d\xc8\
\x1f\x1f\x8d}T\xa8\x8c$\xf5T\xfa\xf6H\xdc\x95\x8c\xc9D\x1dX\x16\r\xc3\\\xc6\
\xd5\x9ds~}e\xe5\xe0\xe0nr}\x00 \xa5\xac\xd7\x9b\xa3\xb4\xcc\x81\x03\x8a\x0c\
+\x02\xf7\xa0\xc8_\x85dU\xcc\xd1\x0f\x94\x0fC#\x14\xfb\xe0\xfe\x8d\x8dM\xb5@\
\xe9\xd6\xde\xdah\xb6F\xf6\xb7\xba\xc5\xa9\xcc\x9bAP2\xde\x1e\xc4#\xe2|\xcf\
\x92x\xf9i\xdb\xcb\x1f$A\xd6\xbc\x8a\x92\x03\x00\x10\xe0|\xe8us(\r\xaa\x86)\
\x95\xc5ql\xb1\xdd\xf1\xf7\x11\x02\x844\xa7>\xe3\xe7\n\xb9\\.\x97\xcb\xe5\
\xd3\x92\xcb\xe5\x82 p]\xd7\xb6\xadR\xff\\V\x01\x1f\xd0\x05\xa0z\x88\xa9[)\
\x89\xbd\x85Vpg\xf6\x8d\xe61"\\\xf8\x1dq\xee\xb7\xf6\xda\x8dH\x89\\{H^\xff\
\xf3[\xae\x8b\xec8D\x80t\xd7\xa1\xb7y\xd3\xe9\x8c\x15\x93\x8b\xcf^I\x99U\x07\
~A\xb6\xbbY\xfaxr\xff\x98\t\x8d\xd5[-/\xfd6An\x189\x93;\x11$\r\xc4\xf4\x07\
\xc6:x\x90\x11i\x07\xb7gk\xc0(\x8b\xcb6\xa7;\x0f\x05A\x10\x04A.-\xc1\x88L\
\xb2\x0b\xa7\xd6\x7f\xad\x0c\x9b\xeaf\x1d\xe7G\xe3\xbb\x99\r\x00\xd0\x88\x9f\
\xcb\x05\xd9\x92\x02\xac\xae\xae\x8d\xdbFuO1\xf1}w\xb7\xd6\xed\x99\xcf\x92$\
\xd6\xcf\x01\xb1\xcc\x18\x84^{\x0b\xe4~\xa6#U!\xa5b\x81\x90\x94\x11\x02\x00\
\xb6\xb6w\xae^[:\xf8kL\xbe4\x8a\xe2\xcd\xad\xed\xf4hw\x88\x91\x1d\x00X\xe2\
\xdb.\x10\x84\x1c\xaf\xb6\x13j\x07\x13\xa7\x0e\x92\x9a\x8c[\xbc\xb3\x0e\x00\
\x84(\xfa~X5\x87\x12\xdc\xcd\x95\x8a\x8c1\x82\xa3\xee\x8f\xc3\x0eo\x853a\x18\
\x86ah\xc2z\x18\x86\xaa\x93\xabUs\xe5\xeesa\xff\xf2\xe0A2\x82e\x98\xd2\xda\
\x88\xb1\x94nK\x03\xd9xe\x9f\x00\x01\xf9\xc4?\xe7\x8f\xfd\x1c6\xaf\x0c\xd3\
\xd3\xa69\xc1\xc5+\x7f$\x1e\xfcI\xfe\xf5\x7f \xae}\xe5\xa6+"\xe5\xb4\x97\xd8\
B\x81\x90h\x1b\x96or\xb4H\xd9c\r\x9dOy\x8c\xecK\xce\x8c\x84\x9a\xb9=\xb6+\
\xa94u\xf6\x08\x01D*\xfb\xc3\x93)\x8f\x14\xe4\xc5;I\xe5\xae\xbd\\\t3\x86\xc7\
\x9d\xd2\xc7\x98U2\x86a\xa3\xfe\x11\x81\x90\xc9\x8d?\x98j?\x9c\xdfCT\xab\xc8\
\xe5re\xb92w\xfdW\x0b\xf5\x87\x17_\xf9\xd9\xe9\xd6\xd7\xc30\x17\x86\xa1\x8e\
\x1f`\xae\xda7\x91]\xfd\x16\x0b\x05\xdb\xb23XS\xaf7\x1e{\xe2\xa911\x1e\xf6\
\x10M\x0f\xf6\xa3\xe8\xca\xb5k\xc6n\xa8\xf8j\x80\xec\xb5\xd0\xdco\xfcxF\xe3\
\xf1}/\x1f\xe62yf\x8c\x9d;\x7f!\xbd#\xeb\xde\xafL\x86:U\'\xcb\xcb+\xedvf\xa4\
$\x07\xcc\xdb\x9bPPDC\'\x19\xbe\xa7q\xcc/-X\x8e\xbf\xc7\xc5\x94\xc4\x8dW\xf4\
\xc8\xa7\xe6\x01Z\x0e1-\xa3I\x15\x03\x86\x0c\x98#\x833\x85\xde\x8b,\xf7\x01\
\xa5\x82\x99\xde\x17jM\xbf\x94\xd2g\x1bS\xeb\xbfC \x1d\xd4ph\xb1LQ\x8a\x19|i\
\x87w\xf7\xdc\xf9\x80\xad\xa9\xcb\x19\xaf\x0f\x9d\xa0<\xf7\x7f\xe3\xda\xc3d\
\xfa=d\xe6{\xa0t\x1b8\x05d]\xac\x9d\xc3\x95\xaf\xc1\xf5?\x03\x11\x01\x80x\
\xe4\x1f\x13\xcb\xa3\x8b\x1f;@\x1dX\x03\x83R\n\xfb\x8cc\xd6\x83\x17~UR\x9b\
\xbe\xeds`\x19\x9bR\xb2\x8e\\\xfd&T\xdf\t\xde\xd4\x98TM\x0f\x19\xc0\xa1\xc9j\
O\x9d~\xe8\xb3o\xba\xcdD\xee\xd4z\xf1\x13\xc7\xd5v"\x19|\x1f%\xf1\r\xfd\x1d-\
7\x9e\xf9^\x1aT\xf6B\xf6L\xfd\xf7\xdc\x99\xed\xfc\x07\xe7\xea_\x1e&\x95r\x91\
\x02 r\xe2\xf2\xaf\x04V\x14\x9f\xfa\xe1L\xe6\xb5\xd7\x8d\xb3\xf6\xe7\xe1\xc5\
_\xb5\xfak\x00h\xf7\xd7\'.\xfe|\xd8\xbb\x14\xbf\xfd\'\x88_P\xe5\xcaL#\xcc\
\xc5\n\x94\xd2 \xf0\'\xb31i\x11\x80\\|\xf9\xe5\xa9\xea\xe4;\xee\xb9{|\xdd\
\xe9[\r\x0f\x1c\xce\xf9\xb9s\x17j\xf5\x06I\xf9\xa8\xdc\x02e>|\xf6Uk\xb8\x07z\
\xdc\xec\x11\xb6m\x17\x8b\x85V\xbb\x93\x19\x96\x96\x97W\x9e~\xe6\xd9\xf7}\
\xcf{\x0fb\x03\xd0\xbd{kk{iy99\x8d\x06\xac\xbf\xe6\x93\x92\xef\x90\xc4\x8d+\
\xca\xb7\x9dK\x10r\x8fUK\xb6\x1f\x94\x16\x0f\x92\x1a\xefn\x8a~\r\x00\x08\x01\
1\x92\xe0\xe1\x03w%z!\x89\x94\x92[%G\xd4\x86\xd7R|4\xe4\x97\xbf\x18\xcf\xdfO\
\xe7\xdeo\xce\xaf\xd5X\'\x84\x08v\x1e\xae\\\xfcuW\x87\x84\x844\x1eA\xaas\x91\
\xf4\x12$\xcb\xb2b+\xb7T\xf9[wl\xfc\xd2 \xf6\xac\x89\x8f\x86\xfa\x0e\x88X?\
\x8f\xb5sp\xf9\x8b\xe0U\xc0\xf6\x81G\xd0\xdf\x02i\xe82\xfd\x1a\x7f\xf8\xa7\
\xec\x0f\xfe\x12]\xf8\xc8hy\xcd.!,_P\xcf\xd2VS\xd3gF\x1f\xf76\xe5\xe3?\xc3\
\xae|\t\xc2yby\x88\x12X\x17:\xd7\xb1\xbdl}\xea\xffE\xb7:\xbeZM\xdf\x15\x1d?k\
_\xdf\x1b\xdd\xa55\xf3\xce\xb9\xdd\x08\xefc\xcd?ux\xb2\xe7u&}\xf3\xd80\x87\n\
wZ,|\xca\x1fgJ\xd5\xb0\xaek^\xbdw\xb3\xf4\xf1\xc9\xf6#\xae\xa8\xa529H\x13\
\x01\x81\xb0Fp\xee\xff\xf4v\x1f\x93\x8b\x9f\x96s\x1f\x05\xaf\x92\xcc\xf6\xeb\
\xb0\xfe\xb0\xbd\xfag\xf6\xc6\xc3D\xf6\x00\x92\xf9\x19A\xf7\xfa\x1f8\x9dW\
\xe4;\xfe\x072\xfb~\x8dY\xa6~\x9a\xc9\xc6\xc4Di\xb7V3\xd4m\x02\x00\x82\x8bG\
\xbf\xfd\x18c\xec\xdd\xf7\xbdk\xaf\xaa\xd3$\xbb\x10\xa2\xd7\xeb=\xf5\xf4\xb3\
K\xd7\x973\xc8>\xbc\xf9&\x14U\x92\xfa\xe7\xf5\x14s\xc4\xd5\x1f\xa5\\.\xed\
\xee\xd6{\xfd\x94)\x02\x11\x9fy\xf6y\xd7\xf5\xee{\xd7;\xf7I\xd0\xd4\xdb666\
\x9f~\xe6\xb9\xd1M\xba\xc7\xae\xcc>\x14"\xfa\xbb\xa2\xbb\x01\x00\x08\xc0\xf7\
\x8e\x11\x16Vo\'\x07\xb0\xd2\xa1\x8c\xe3\xfa%H\xf4X6\xb2\xdf\xcc\xa1\x04ws\
\xe2\x86\x88\xb1;\xe5\xf4j{\x81\x08\x89k\xde\x13?\rw\xfcWt\xfeC\xa4t\x06,\
\x0fYW\xb6\xae\xd3\x9d\x97\xfc\x95\xaf\xdbk\x7f9\xe8\xdb0\xc2\x98\x03\x98\
\x9a`\xa6ck\xe7\xeef\xfe\xde\xad\xf6\xfdS\xed\x87G\x00=\xfd\xa7\x12\xd1\x87\
\xee\xea\xf8R\x11\x02\xbd-\xfe\xc8\xffd\x7f\xf8W\xe8\xcc{\xf7)>\xb7+\xb1=\
\x19\xc81{D\xa4\xca.b\xdc|\x0c\x90\x0c\xf8l\x85wV\x00t\\\xbbA\x84\xd1\xa9\
\x8f6\xd5\xee!\xaaNT=\x98>\x91\xb17\xdf\xf4\xef\x9c\xec<6L\\\x97qlV\x01\x00\
\x91\x17\xef\xa4\xe1\xac5.\xd2\x96~\x9d9Q\xb0,+\xf2\xe6W\xca?pj\xe7\xb7\xc7\
\xa4?\x8cA\xc6\xe9\xfa\x83t\xf3Q\x08\xfe\x15\xe6\x8f\x83\x9d\x07\xd6\x82\xf6\
2D;\x03\xb7\xa2\xcc\xfa\x00D\xb2\xfb\x8c\xf5\xc8O\x92w\xfe#z\xfb\x0f\x13\x9a\
\r\xd1\xa3\xf3\xa0\n\x9e\x0b\x82\xa9\xea\xe4\xeaZv\x87\x8a8f\xdf~\xec\x89\
\xddZ\xfd\xae\xb3w\xce\xcd\xcdf\x8a\xa3\x91\x9d1v\xe5\xea\xd5\x17^8\xb7\xb9\
\xa5\xd4\xffQ\x1eFY\xba\xdfp@\x1bO\x10\x8d\x8ev\xbe\xe7U*\xe5\x95\xd5\xf5\
\xcc#\x9c\xf3G\xbf\xfd\xedN\xa7\xfd\xae{\xdf\x99\xcf\x8f1\x15\xeaIL\x1c\xc7\
\x17.\xbe\xfc\xdc\xf3/\xf6R\x8e7\xdf\xb9A\xebu\x12\xd6\xbc\xa6\x0e\xa4\xdc3\
\xd8\x80\x13L\xb8\xe1\xe4\xc1R[R\xdc}\xc6\x8e\xaa\xe5P\x82;\x18\xeeh\x88\xd8\
\xf6\xef\x08\xbb\x17\xc6`\x90\xc6\x8e\xfe\x0e<\xfb\x05\xf9\xc2\xaf\x80?\x05v\
\x08\xbc\x03\xbdm\x1b\x19\x98K\xa5M\xa0\xd9\x17\xce\xac\xf4VD\x9c{\xcb\x13?\
\x14\xb0\xd5||5\x95T\x863\xc1\x11\x85#\x0b\xa6\x04\x10\xa1\xbd,\x1e\xf9i\xf8\
\xc0\x17\xe8\xf4}c\xdfN\x08\x89\xbd\x99\xc8\x99\r\xe2\x95\xf1\xa9\x99\x13\
\x17L\xb8\x15\xcdTPg\xbc&\xae]V\xc6[\x1d\xf6\xd42L|\x1f\xd6\x89\x93\xdb\xc9\
\xdf_\xe9>E\x90\x8fB\xe7\xd8/%\xad0>\xfe\x83\xce\xde\xdb\x89\xe8\xc15\x13\
\xd3f\xbb\xf0\xa10\xba<\xddzp$\xe54\x18\x89\x08:+\xa4\x93T\x9a9\xde\x8cU\x0b\
\xa2\x1a>\xfe\xcf\xb0\xb3B\xdf\xfbOL\\\xa6\xe3BGLV*\x9dN\xb7\xd1le^*\xa5\xb8\
p\xe1\xe2\xa5K\x97\x8f\x1f[<u\xead\xa1P\xf0=\xcfq\x1d\x94\x18\xc7q\xb7\xd7\
\xdb\xdd\xdd\xbd\xfc\xca\x95\xad\x94\xc1P\r!\x06\x9b\xf5f\x81326/d\xc4\xae\
\xce\x18\x9b\xacL\xb4\xda\xedf\xb3\x9d\xb9YJ|\xf6\xb9\x17\xae\\\xb9v\xcf=w-.\
,\x14\ny\x1dvI"\xb28\xeet\xbb\x9b\x1b\x9b\xe7.\\\\_\xdf\xb8\xd5\x95\\oR\xe1\
\xddM\x197\x01\x00\x01\x98\xd8\xa3h\x84\x04\x95\x93\x07I\r%\x17\xddM\x18gG\
\xd5rX\xc1\xdd\x94\x9d\xd2\x87\'\x1b_\xb3E\xc6\x97\xd1 \xc1\x11\x80 \x88\x18\
\xda\xcb)f6\x03\xe8\x19\x18\xd2\xc7I#\xd3\xb4\x8c\x9dD`W{\x0b\xc4\xfe\xfc\
\xd5\xca\x7fq\xfb\xf6\xaf{|{\xc0\t@B\x0e\x80\x81\xb9C\xcep\xe4E\xc6\xeb\xb0~\
I<\xfcS\xf0\xe1_\xa6\x93w\xa7/\x0e\x04\x89\xdb\xf1N\x95;O%N&\xc9"{Hc\x96\xf6\
BI\xbf(YL8"\xe3\xac\x05\x07\x99\x01\xd3\x91P\x04\x96euroo;\'\n\xf1\xe5\xe1}&\
\xe73$\x7f\x069\x14\xe1q\x9c\xb9\x7f\x1f\x0fHH\x03\xab\xaa|\xce\xb9p\xc2\xeb\
\x95\xcf;\xbc1\xd1\x7fn\xfcz\xda\x14\x11?2\x87\x18{F\x1d\x17N\x90\x85\xac\t\
\x84\x18\xab\xb7t\x1e\x1c\xc7^X\x98\x13R\x1a\xa6\xbf!/,\x84\xb8r\xf5\xea\x95\
\xab\xd7\xd4\xe3\xb6c\x01\x12\xc6\xc6\x04\x1dSR*\x15\xfa\xfd~\x14)7\x81=\xd7\
.\xbe\x11\xa2)\xef\xe4oc:kj<R\xca\xb9\x99\x998f\xfd\xfe\xe8\x0eJ\xd0l5\x1f~\
\xe4[\x00d\xb2R\xa9LV\xc2\\\x8e\x10\x88\xe2\xb8Qolnm3\x96\xf5-&\x04\t\xb1\
\xa4\x14F\x8d\x1d6\xdcG\xc9Z\x03\xb5]\xed\xc81\xf6\xb3\xba\xe1\x94\xe3\x97\
\xc6]\xc9\n\xef\xac\xa1\x88U"{\xf9S\x1eJo\x190Z\x15\xa54\xf2\x8e\xad\x97>=\
\xb8\xa0\x9dFR\xe6\xa8\x94Z4T\xd6\x92\xfa\x104h\x04w\x0f\x11G\'e\x92\x15\xc9\
{5\xb8\xa8\xee\xadL\xb5\xed\xdc\xd9\x97\xab?\xd6\xb3\xe7R\x13h\x92\x01\x914\
\x8e`\xc2\x97@\x16\x7f\xb1\xf1\xb2\xf8\xc6?\xc4d\r\x9b\xc9l\xaa\xdf\x9d\xf2\
\xc7\xba\xce|\xd6~h\xe4rx\xa0\xdf\x95\xa8\xe4*\xd8\xc7\xf8j\xddk\xd4\xd9[\
\xc6vo\xcb\xb2\x84Sn\x05g\x87\xa5\xd3\xa3lf\xc0H\xea<\x9e\xfe\xf0\xa8\xf5r\
\xec\x8b\xf4(\xa2w(\x15\xee\xe4\xe5\xa9\xffz7w_\xda\xf002Hg*$95v8\xc7\xe2i\
\xbc\xff\x0b0{\xff^y\xb0\x8dP\x8e\x96ey\xae{lq>\xcc\xe5\x86\xc9\xa6?\t\x0c\
\xd2E\x16s\xc6\xd8(P\x02 \x00\x86anvf\xda\x98\xbb\x10\xcc\xde\xf6FI\xba\x13\
\xe9?\xd2\xdfEo\xc7\x91\xcb\x05\xc7\x16\xe6]g,w<\x18\xf6vvw_~\xf9\xd23\xcf>\
\xf7\xf43\xcf\xbe\xf4\xd2\xf9\x95\xd5\xb5\x11dG\x00\x98(O\x14\x0b\xf9t\xabx3\
\ry\x07\x10\xdeYG\xd6\x85\xfd\xd9vBs\x95S\x07I\re\xcc\x9a\x03\xd7R\xb9\x8fa\
\xf6\x96\xb2\xfa\x06K\xc6e\x85X\xcef\xe9S\xbb\xe1{\xd5\xb5\xe1\xaf\xa1\x18\
\x0e\xbd\xee\xcc\xe9n\xe2\xc1}\xbd\xf2\xb9\xed\xdc{\x07\x8fd\x94\xd64Ga*nj\
\xff\x01\r1\xed\xdc\xd9\x0b\xd3?\xb1\x1b\xbc+;<$O\x0e\x95\xeb\x94\x0e\x0b\
\xd9\x9b\xd5\xf9\x85\x8f\x9a\xe4\xb8i\xcb\xa5\x94rwj\xb9\xf2\x80\xa0\xfe\xf0\
YS#\xceHz\x82"\xf7\x8aQ\x04\x06\x08\x1a\x83\xc1\xfe\x06U\x9d\xbdQ\xe5}\xab\
\xf4\xf1\xbe3\x95\x86\xdaq\x0b\xc4\x10\x857\xc9\x8f\xff\r\xcb\x88h\xbf\xff\
\x8b\xf4\xc6UzON\xe1V/O\xfe\xe8Z\xe1\x93\x98i\xd2\x9ak\xd2\xa3\xfe\xe0\xed&y\
\x95\xcdU<\xfd\xe1\xe8=\xbf \'\xee\xc9\xac\xc0\x1c\xcd\x83\xb9)\x87\xefy\'N,\
NV&\xf4\x88\xad_\x9f\xfc\x8e\xed\x83C\xd0\x0cs\xa1\x02D\xc3\x8b\x12o\xd9]\
\xfd\xb5]\xc4dTC6M=\xb4k\x8dG5\x800\xcc\x9d8q\xcc\xf7=\xd8O\xd2\x9f#\x9b8)\
\x14\xc2\x99\xe9\xaam\xdb\x88\xa3W\x0f\x87\xa0\xe4\xac=\xf0\xf9\xd9\'\xb4\
\xaf_Z\xb0\x92}\x86\xf7\x17\xd6\xb8\xa6\xc3\xdf2\xb1g\xa5\x1c>ZF\xab\xb1\xa6\
Q\x8b\xbb\x13\x97\xab\x7f\x8f\xef\xf8\xd3\x9d\x87\xb2\xe8lB^\xca\r\x06\x00@R\
o\xa5\xf2C\xeb\xc5O\xce\xd4\x137s\xd5\x86L\xd2F\xdbf\x13\x93\x9an\xca\xdacG\
\xdd\xd0\xf7\x8f_\x9a\xfa\xfb\xd5\xf6\xc3\x0b\xcd\xafxlk\x08\x19Y"\xc8\xa0SF\
\xb8~Y8\x8dw\xff\xa4}\xea\xaf\xa1\xed@\xb2_\x8f\x1e\xc9\xb4\xd9\xaa^x\xdfe\
\x11\x9f\xde\xf9\xb7\xb6\xec$/J\x05\xc31\x12\x1f\x8eR\x03\xb5},^g\xb4l\xb3\
\x0e\xf7\xd5\xe5\xf7R\xde#o\xae\xed\xbf\xcdo\xa7\xb7\xae7K\x9d\xe43\x9a\xfe\
\x18\xcd\xcf\xef\xcf\xc9@2\xc2!\xa2\xae|s\xdb\x13\x0e\x95k\xd5\x1f\xa9\x07\
\xf7,4\xbe\\\x8c.\x0e\xbfrfn4\x96aO\n.\xecR\xe3\xd8\xdf\x16\'\x7f0(L[\t\x7f\
\x85F\x04|\x9d\x07\xcb\xb2\xcc\x06\xa0\xee\xf4=\xef\xd8\xe2|\xa1\x90\xdf\xd8\
\xd8J\xdcE\x12vn|\x8f\x1e*\xf8\xd3S\xd5\x99\x99)\x8bR\xce3\x91\x84!I\xe7\xe6\
\xe4\xb5X\xc4\x84:\xe7\xfb|\x14Hb6(\x8d\xc7\xac\x930\x17\x9c>y|s{g{{\x8f\x95\
\x86\xd9\x1c\xa6\xfe\x9c\xaaNNOU)%I\x17;\x94\xb4\x0co\xaf\xa8-\x01\x10@\xec\
\xc1\xb6\x13\xcb\t\xca\x07ZM-Y\x87w\xd6\x01\x08\x10\xe4bO\xb5\x9dX\xee\xe1\
\x03w0\xd4g\xd5\xc9\xd5^\\\xb1[\xbe2\xf5\xa3m\xef\xe4|\xf3\xcf}\xbe\x010\xd6\
\xb0\x99\x08"\x10\xd2\xf1\xcf\xacU\x1f\xa8\x05\xef \x12-\xbd\x12\x8a\xc0\x10\
\ru"\xc9\x12S\xb3)\xeb\xd8\xbff\xc68)n\x94>\xdd\x08\xee\x99j?Tm\x7f\xcb\x17\
\xc6No\xc3\x03b\x8c\x1f\xc3\x87\xb9[\xed\xcf~\x1aO\x7f\xce\x9d\xbc\x9d"\xd0\
\x11L\xd1l\x00cL\x08\xb1[\xfc@lW\x16\xeb\xff\xa1\xdc\x7f1\xd5\xdc\xb3\xd0l\\\
\xe1}\xe5f\x9b\xaaO\x14\xa0\xf6\x0bTw\x8fN\x02P\x8c\x1f\x0f\xc6}\x11\xc3\'\
\x92\xef\x84\xef\xabt\x1e\xa72\xcabk\x1a\xdf\xf9\xcc\x87\x9c\x1b\x05\x93\xd1\
\xa2gN\x1a\xd6\x15\xb0\x12B8\'\xf5\xf0\xbe\xb6w\xdbd\xe7\xdbS\x9d\x87\xf2\
\xd1U\x0223\xf7\x1a\xd4\x0c\x18s)B\x00\x91\xd9\x13\xf5\xf2\x87\xda\xd3\x9f\
\xa2\x95\xbbrN\x0e\x0c8\x1b\xc55\xf5-p\x18\xfbw\x90\x01\xc5*T&\xca\xf90\xac7\
\x1a\xb5Z\xa3\xd3\xed\xde\xb08\xc5bqz\xaaZ*\x15\t\x80\x82\xc5\xd1\xc9\xd7\ra\
:=!C\x00\xa26\x13\xde\xff\xa9\xfdE\x15\xcbL\x13\x11\xc7\xce\xfc\xf4G\xc9\x8c\
v\x00\xe0y\xde\xc2\xfc\\1\x9f\xdf\xdc\xde\xe9t\xba\x07\xccR\xb1\x90\x9f\x9a\
\xaa\x96KED\x14B\x8cz\x82\n)\x0e\x05\xc4\xa3d\\\xed\xc8\xb1\x87O\x8b\x92\xbd\
\xf6Z\x1a\x15\xd6\xb8\x02 \x01\x00\x8d02\xa3\x92\xab\x9c<\x94\xe0\x9eAv\x05\
\xee\x88\xc8\x006J\x9f\xd9\t\xef\x9fn}\xad\xda}\xdc\xe5\xbb\x96\x8c\tp\x02R\
\xb5S\xa4\xb6\x04GR?rgw\xca\x9fh\x94\xee\x97\xd4\xb7\xa4$DF\xee|-w/\xc2\xc0i\
\x84\x12B-\xcb\xb2\xa8eY6\xc6P\x1c\x86\nQ@\x06\x00\x8e\xe3\x98\xd3v\xad_s\
\xcec\xbax\xdd}`\xb5\xf4\xd9J\xfb\xf1\xc9\xde\x13\x01[\xb3e\x97\xca\x98\x80$\
\xc0\x07~,\x08\x928\x92\xba\x82\x06\xb13\xd3.\xff\x95\xde\xcc\'\xbd\xd2|.\
\x08\x9d\x91xL\xa3EV\xfd\xa7\x9d;{\xde\xbb\xad\xdc}f\xa6\xfd\x97\xb9\xe8\xba\
\x051EFS\xa1\x10\t\x02A\xea"u\xc1\xf2q\xea\xdd\xe0O\x1a\x03\n!\x840w\xaa\x9e\
\x7f7\x08\x8e\t\x88PB\xa8E)\xb5l\xdb\xb6!\x86\xd2\x1d\xe4F\xb0\x9bQ\xde\xd5\
\x08\xd4,\xbew\xa3\xf7\xbd~\xbc\x86d\x18W\x11\xd4\x00B)\xa5\xc4&\x88\x85\x93\
P}\xd7\r\xd5v\xfd\x160\xb0\xd5Dv\x95\x01\xce\xb9\xa0\x13\x1b\xf6\xa76\x0b\
\x1f-\xf6\xcfM\xb7\x1f\n\xa3\xab\x0e\xb6\t2*cBp\xb0"\x01\x88\x04\x0b\xa9#\
\x88\x1f9\xd3\xf5\xfc{\x9b\xe5\x0fB8\xe7y\xbe{\xa3\xdd62\x03|\xa6\r\xa8q\xd7\
u\x9d\xe9\xa9\xeaTu\xb2\xd3\xe96\x9a\xcdN\xa7\xc79\x17R\xeaq\x85R\xe28N!\x9f\
\xafV+\x85|\x9e&[\t\xaa\xc7\x8d\xb7\r\x0c\xb37\xc4\xc40\x17\x94\x8aE `QjY\
\x94Zv\xe0\xfb\x8e{\x8bA\x8dT\xd9=\xcf-\x16\x0b\x04\x80RbY\xb6\xfa\xb8\xc5Ba\
\x9f\nq]7\xf3]\x18cD\xcaR\xa9X*\x15\xdb\xed\xce\xf6\xeen\xb7\xdb\xd7\xb3.3\
\x11J\xc9\xc0\xb5t\xaa:1Q\xb6(U\xc3\'!$\xcc\xe5\x84\x90T\xb51\xdb\xb6,+\x9f\
\xcf\x1fD\x15x\xc3E\x07\x1b@\t|\x0f\xb5\xfd\x86{-i\x11\xff\x7f{\xef\xfe\x1c\
\xd7q\xe5y\x9e\xbc\xcf\xaa[O<\n|\x01|\x01$EB\x92IJ\xb6,y\xec\xb6\xbb\xed\x96\
z\xed\x91\xdc=\xd33\xbf\xee\xc6\xc6\xc6DL\xcc\x9f\xb3\xb1\x11\x1b\x13\x131\
\xd1\xd1\x11\x1d\xdd\xda\xf1\xb6\xbd\xedi\xc9\xf2\x8c\xd5\x94%\x8az\x90\xd4\
\x03\xa4(\x81 )\x00\x04\x89\x02@\xd4\xad\xd7}d\xe6\xd9\x1f\xb2*\x91\xb8\xf5`\
\x91\x12A\x00\xccO(\x18\xa5B\xde\xbc\x99Y\xf7~\xf3\xdc\x93\xe7\x9e\x0c\xee\
\xb1`\x15\xe0>S\x85\xe9\xe6R\xb9};O\xdc\xe5\x95$\x1d\xdf\xe2\x06\x13\x97\xa3\
\xb8\xb7\x97\x86\xff\xea\xf6\xd0/S\xf1\xb2\x17\xcd\xa7\xe3\xdb\x16o\x10@4\
\xac\xd8,\x06\xa9CQj\x82\xbb#\xa6iZ\xed\xdc\xd9\x94\xd2\xea\xd0\x0f\xd6\xf3\
\xdf\x97UY\x96\xe5\xba\xae\xc8\x0b(^F\xefl\x86h\x00l\xf6K\x98\xa6)"(87\x99QX\
)\xfeY\xb9\xf0\xa7\x06k\xb8l-\x1d\xddN\xd1e\x8b\xd7\x018 p#\x15\xd9\xa3Mw\
\x82\xba{\xc1\x1d\x12i\x08\r\xa3{\x94w\xa7/H\xde<\xcc0\xd6s\xdf\xbb\x97\xfd\
\xae\xc9j)\xba\x9c\x8en\xbb\xb4lb\xfb\x15\x12\xc3A;\xcf\xbd\x03F\xf1Xz\xf8p:\
?\xea\xba.Q0\x0c\xa3\x99\x7f\xf6\x86{BL\x18\xa2NKI\x8b\x98\xcdfS\xa9\x94\xe8\
\xe5\x80?\x8a\x08#\x11\xf7\xf9\xc2\x9e\xff-\x11\x9f#N*~\xbbt:\x9d\xc9d\xbc\
\x94\xd7g)\xb5\xf3\\\x9d\xaf8\x89S\x87a\xd8\n\xa1a\x8cs\xd37OW\xbc\xef\x18\
\x18[t=\x1d/\xa5\xe3%\x9b\xad\x1b\xc0\x00\x81\x1bNd\x8d\x04\xeex\xe4\xee\xe7\
\xce\xb0\\\x0c\x94\xeb(\x96\x92M\xbek3\xe4\x04\x9fh\x83\xb8\x00\xa4\xf5\x9a\
\xcbes\xb9,\xb4\xde\xbaD\xb1Q\x910\x02l\xdb\x96Oc\xa2\xefb\xfc\xe3\x98"J\x7f\
H\xcb\xa5C\x8c~\x8b\xcc\xa6i\x8e\x8d\x95\x86\x87\x87\x08!\x8e\xe3\xa4\xd3i\
\x91:I\xe4\xb3\x1cdT;\xc7\xd30\x8cB>\xff\xd4\xf14"\xda\xb6-~)q/\xf4\x9a\xf3\
\xd4IW\xad\xa7\xfd\x8bp1\x1a\x9c\xf38\xa6A\x10\x84Q$f2B\x88m\xdb\x9e\x97\xf6\
\xd2i\xb1\xe3\xab\xd9\xde^Q\xa4\x90\xda\xb7w\xcf\xde=c\xa6i\xba\xae+\x92Dy\
\x9e\xf7@y\x95\x1f\x0b\x9b\x92\r\xb0M\x0f\xea*\x03\xef\xb5\x84\xb1\x92\xc5\
\x84\xf5No\x91\x199\n\x8f$\xd5\xf8\x96\xa0>\x17\xabWR[X9"\xc6\xe6\xfeJj\x7f\
\x05\x00\x94\xdb@\x1c\x98jg#\x00\x00\xde\xde\xfeQ\x8a\xa6P7\xe9;\xee\xb4(USE\
\xaa\xa4\x8c\xd2\x8b\xa2H\xdc\xde\x1bNa+\x1fa.J\x1f\xaa(5$\x8e\x12+\x84\xad]\
\x8d\xba\xed\xa7\xaa\xfa\x82\xb0\xbd[\xbci\x9a\xf2\xceA\xab\x188\x85\xc0;&\
\x07\x04\x00\xe4\x14\xe8y\x1eq2\tY\x97\x866"\x1a\x86!\xc5]\xbe\x94d\xf5\x0e<\
\xef\x84(\xcb\xaab\x12\x12\xd5&\xfc\x03\xeaD\xe5*{\xcc>\x90\x06\x89J\xe4\xc5\
\xa0\n\xab\xb8\x06\xe4e\xc0\xb9\xc5\xacT-\xb5\xb7\x06g\x12\x83/\x8er\xda\xae\
$\xa9\xec\xf7m\x12i\xef\xe6,\xda\x90\x18O\xf5\x02P\x95\xce\xb2Hga\xb9\xfe,\
\x8c\x8c\xd6\xa3@\xc7+p^:\xdd9\xa5%~D\xf1\x8dz\xdd\x0e>\x9ej\xb5\xf26\xb1\
\xac\x96>$\xee\x85\xaeGA\xfb\x12U\xebQ\x7f\x149\xe1\x89qK\xa7S\xea\xb1\x9dc"\
\xbe\xa7\x94\x8a\x8b\x9cs.\xeaWo\xc9\x07\x9d\xb7\xb6\x98\xd8\xbf%\xbc\xa0bG\
\x8e\xaee\x06\xdfk\x89\xd6\xef\xf0\xa8\n\x00\x04 \xee\xbd0\xebdJvz\x08v\xe2\
\x82*t\\I\xf2*\xb7,K\xbd\x8c\x84T\xe1\xe65\xc9\x84l\x01\x80\xba\xf1\xbcz\xf1\
\t\xf5\x91\x16\\\xaf6\xc8\x06H\x99\x16\x1e\t9a\xa8n\xd9\x84\x0fA\xdeE2\xfc#\
\xb1W}\xe2\x8c\xf2Y\x01\x14CI\xceg\x9d.\x02h\x8b\xbb\x8c\xe80\x95\xf7?\xe5\
\xa9E:VJ\xa9l\x9e\xda\xfdA\xbc%\xb0YkTe\x97N\xb3DG\xd4\xf9\xac\xbf\x1b\xa4\
\xd7\x05 \x0b\xabb$\x8451\xf8\xf2J\x00\xd84\xad\xaa\xcb\x18\xb21\xf6\xe6\xed\
\xad\xfb\xe8;(\xe9!\xe5x&.\x00\xf5\xd7W\x7f\xb8\xc4\xfa\x04!D\xf8\x1f\xc4\
\x16\x05\x8c\xf1\x84\x9f=\xd7\xe1\x0cI\x8c\xa40t\x00@MV\xfc\x10Sf\xe2\xc2\
\x10\x13\x7f\xe2^\xb8\xaf\xbew\x9d\xedT\xfb)\xe1OK\x8c\x9e\x1c\x131\xe1\xa9\
\xe2.\xa3q\x1e\xb4k[\x0f\x8f\xeb\xb4\xd1zo\xb9\xcf\x8e\x1c\xde\xf0\x91\xfe\
\x01\x0b\x02\xe4t#\xfc\x11zN\x15`\x98\xdeH\xcb\x87\xbc#\xc5]\xa0\xca\x9fTm)\
\xee\xea\xaa\x8e*\xa6\x96\x9a\x9f\xb6\xed\xd4S\xb5@\x1a\xc5\xd6\xe6\xb8\xdd>\
\xfa\x9e\xb8\x94E\xbaJ\xf5i\xa0Sv\xd5\xf6\x98\xca\xbb\xfb\xf2\x89\xa1\x8f\
\xf1\x0e\x9b\x95]qD$\x17\x18\xc9fSZ\xf8\x01\x8cv\xb0\xbc\xf8^\x04~\x88\x1a\
\xa0=\x17\xaa\x0e\x96\xc1o$\xb2\xf9\xc1\x9c\x10bY\x96\x18\x01P\xb4UvD\x18\
\xcb\xf2N~P\x19\x12\x93\x07l\x9e\\\x133kbrM\x0c\xbej\'v\x1d\xfc\xfeMR\xe7\
\x98\xae\x17@\xe7\xaf\xaf6U\xb4V\x1a\x19\xe2\x10\xc30\xd6+\x15\xc6\xd4\x17v\
\x80\x10\x92\xcfw\xf1tKe\x07\x00\xd34\x85\xb8K}\xecz\xd1\xdewT\x13\x17\x86\
\xd0by1\xf4\x7f \x9b-\x1eu\x84\x133n\xe7b\x89\x1c\x109\xb9\x8a\t\x8f1&\x86T\
L~\xfdM\xaemE\xec\xdf\x94\x1b\xe9\xf5\xda\x91\xc3\xf6\x86\x85\x95}_hu\x1eY\
\x00\xf73\xdb\xd3\x85\t\x19O\xb9S\xc5=qoK\xa1\x94\xc13\x89%{\xd5L6\xdb1\x94\
\xa4\xed\xd4K\x98x\xa0<\xe9\xf7\x7f\x1a\x15T\xab\xb5\xeb\xd7\xe78\xe2w\x9e}Z\
\xdc\x0f2l@\xd4\xac>\x9e\xc3\xe6\x0b:\xd1$\xd5\xe0J\x9c1a\x19\xc9\x9b\xb0SD:\
u$a\x10\x11\xc5\xc46\x14o\x8f<\x97\xda\xfd\xfe7\x928\xd7\xfc\xc2\xe2\xca\xca\
\x8a\xeb\xba\'\x9f:!g \xc30d\xc0b\xe2(y3w\x9d\xc9z\x9d\xc5\xf7\xfd\xebs7\x00\
\xe0\xec\x99\xd3\xb0yr\x95\x15\x8a\xc1\x17cr\xe5\xea5D\xdc\xb7oO\xd6\xf3T\
\xdbY^\x0c\xb2\r\xea\x0f-\x7f\xeb\x01\xe73Tv\x7fV\xe5L\xfd\xe9\x13c\xab\xea\
\xbb\xd9\xf6\rJ\xcb\xbd\xfd\xd6\xfe\x86\xa9\x97J\xb9)7\x95\x18\xa2\xc4\x8f(\
\xe4\x18\xdaW\xc8 \xd7m\xaf\xbe\xa8\x17\x86\xfa0\xd7\xd5g\xd8Y\t\x00H\x03_Z\
\t\xaa\xb2\'n\x87\xc4o\xa1>\x1f \xa2\x10wy/\xcb9\xe0\x81\x1e\xf5\xb6\x1e\x1e\
\xf9\xad\x95O\x80\x98bw\xb3}\xf0\xbd\x96h@\xeb\x8b\x00@\xfazx\x0c+\x95.n\xa4\
\x93\xdc\xa9\xe2\x0e\xdd\x0cgi\'v\xf5Q\xa8\xb7\xb4\xbc\x87\x85U\x82\xca\xce\
\xcb\xb2\xbcj\xdfu^\xd0\xaa\x9b\xc5\xf7\xfd\xf3\x17>\x00\x803\xa7\x9f\x95\
\xb7\xf7\xf2r\xd9\xb2\xad\x8c\xe7\xa9\x9a\x8b\xed\xe8F\xb5=j\x93\xfa+K\xa7\
\x9c\x89\xeb^vyum\xcdq\x9cl&#\xbb\xa0\n\x9f\xa58\xd0\xd5fX\xca"X\xd7\xeew\
\x9a\xb1\xb2\xb0\xf8P^.\x9f\xbf\xf0\xc1\xc4\xf8\x01!\xee\xd0\x96\x83N\xa7D\
\xa2\xfe\xfe\xde\x83\xe5\xe5\xb2\xeb:\xf9|^\xd4P\xa9\xf8\xef\x9d\xbf\x00\x00\
gN\x7fG\x96\x97\x1dQ\x07G\x9c\xfa\xf3\x99+\x0006V\xcaf\xb3\x9d\x83O\xda\x9e\
\x19\xf5\'V\x07g@\xc4U\x04\x00_\xcd^?p`\xbf\x97N\x8b\xebP\xbd\x08\xbbz!\xd4\
\x8bP\xc4\xb6#\xe2\xca\xcaj\xa3\x95-k\xa3\r{\xf7\xec\x91\x1e\xea\xc4\x95 fk\
\xd1_)\xee\xea\x0f7xG\xe4\xc8\xc0\xe6\x0b\x03\x94\x89\xa4\xcf\x8f\xd5\xd96y\
\x94\x14hi\x82t\xc4\xc9l\xba\x11d\xcb\xc5\xed)\xeePT\xfc\xab\x0f:om=Q\xe5\
\xa6\x88\x8c\xea\xcc\xc4+qs{\x07\xdek\xe9\x06\xf2V\x0cU\xdcgav\xf8\x0816$}\
\x07\x8b\xbb@Z\n\x86a\x08\xdf\xb1\xbcz:\xd5J\xde\xd5\xf2\xca\x90\xe2\x9eP7\
\xf5\x90N\x03\x017#\xafTyY\x7fq\xed\xcbs\xef\xbc\xeb\xba\xce+/\xffltdDV\xae\
\xeaKg{\xfa\xc8z\xa2\xbf\xaa@\xc8^_\xbb\xf6\xd5{\xef_p\x1c\xe7\xcf\x7f\xfa\
\xa7\xa3\xa3#\t!\x93\xb7\xa5\xac_~\xdf\xd9\xf7\xfe\xdd\xef\x1c\x04\xde~}0qc\
\xabS`\xff\xfa\xe5\xcf!+\xbfr\xe5\x8b\xb7\xcf\xbd\xe3\xba\xee\xbf\xfe\xf9_\
\x8c\x8e\x8e$\x14\x017\xbf\x04 \x7fJ1\x1aj\x9b\x85\xf3G\xedBb\xf0\xd5\xeb\
\xe1\x81\xf4"\xd1\xdas\x7f\xfc\xe3\xfe}\xfb\xfe\xf4\'\x7f"\xa2\xf4\x12\x17I\
\x9f\x81\x95\xd6\xbd\xefWo\xde\x9aO$Q!\xc4\x98\x98\x18\xb7m\xbb\xb3m\xb2\xe5\
\x9d\xa6C\xff\xdf\xae\x0f\xea\x05\xd39\'\r^a\xe2B\x95\xb7d\xc2\x8a\x82\x8e\t\
/q\n!\xe5\xdfV\xef\xb6\x06\x16\xac\xf1\xb0\x95\x84\xbc\x8fs<]<4Hm<\xaa\xb0f\
\x19\x00\x88H\xda\xde\xc3\xc3c\xa5\x8bnvl\xd37\x0f\xd0\xe4\xed\x8a\xfc\x81\
\xc5E /\x05Pn\xbf\xc4e\xd1yl/\x01J|\x90\xa0\xf2\x02\x0bk\x8b\x8ex\xb2F\xc4\
\x85\xc5\xdb\x00\x10\x86\xd1\x9d;\xcb\xfb\xf6\xee\xed\xac\xbfk{\x1e\xf4\xb6\
\x11KL\xe2K\xc30\x96\xee\xde\x05\x80(\x8a\x96\xcb+\xfb\xf7\xef\x935\xab\x1f\
\x12g!\x9b%u\xc0\xee\xcb)M\xfdW\xfe!\xd1\xa9\xfbV\xae6C\x95\xc2\xf9\x85\x05\
\x00\x08\xc3\xf0\xeb\xf9\x85b\xb1\x90\x18g\xa3\xdb\x82s\xc2\x1e\x14\x1f,\xcb\
t]7Q\xb2\xff\xb0\x0c\x82\xda\xda\xa5;w.|\xf8\x11\xe7\xb8\xb0x\xfb\x9f\xdf|\
\xeb_\xbd\xf4\xe2\xfe\xfd\xfb\xd4\xee\'\xb4L=\x9d\x1c\xc0f\xb39s\xf5\x8bz\
\xa3\xb1\xf9\t\x9e\x14\x8b\xf9R{\xaa\xee\xec\x05t\xfc\x88]/\xef\x01\xe9Ug\
\xe7\x9f\x06\xaf\x8d\xb4\x9fl\xd4\xc9\xbe\xeb\x80$\xee\x059\xaf|[\xbd\xdb2b\
\xff\xa6\xf8\xd0\xc7lO\x17\xc6\x07\xdbk\t\xe3\xf6C\x00\xde\xc7\xc3\x93\\\x98\
\xdd\r\xe2.P\xef\x99^\x82\x02\xbd/\x88\x07\xbaP\xb0\xbd\x89k\xcb\x87\xd8~_\\\
\xec\xb5\r\x00\xcf>=\xbdR^\xc9\xe7s\xd3\xa7\x9e\xea\xff\xfc8\xf8ye\xa7f\xae\
\\\xbd~}\xaeT*}\xff\x85\x8d\xb4\xef\x9c\xf3g\x9f\x99^YY\x15\'\xb5\xda\x91d}\
\xce\xf2\x10\xb7\xab\xda\x18l\x87\xeem\x84\xa3(\xb1I\xfdO\xdd\xa7Z)v\xcf<=\
\xbd\\^\xc9\xe5\xb2\xc7\x8eM\x8aH\x1e9\xce\xbd~_D\x94K\x1d\x1b\r\x00"\x9dQ\t\
\x1eZ\x1d\xe4\xf4\xc69\xafVk\xe7\xdey\xb7\xd9l\x8aG\x97ry\xe5\xcd\xb7~\xff\
\x9dg\x9f9u\xf2d:\x9d\xeas\nY\tc\xec\xee\xdd\xe5\xcb\x9f|Z.\'v6G\xd3\xb4\xa6\
&\'=\xcf\xebe\xa5~\x93\x1f\xb1\x17\xdfz\x9d\x0fwo\xee\x08\x1d\xef\x845\x96E\
\xc0\xa2\xd0\xe2\xee\x85\x08qs\xfb\x06\xab\xad\xcc\xc3u\x00 \x04\xfa$\x1bps{\
;\xd3I\xee\x1eqWy\xa4\x97\x82zO\x8a5"\xcaZ\xa2\xc3\x18\x13\xa7\x1e\x1a*\xfe\
\xf5\xbf\xfdK\x19Z\xf0\r\xdb\xa3Z\x7f\x88\x18\x06\xe1\xfc\xc2"nn\t"\x0e\x0f\
\r\xfd\xbbo\xef\xa4\xf7ELl\xedU2\xd6j\xe8\xc3\xbe\xef.\xad`\xd9\x9db\xb1\xf0\
o\xfe\xf2Uu\x16\x91\x92\xad>\xa4\'j\x90\xbf\x8bl\x89|s\xfd\xdb\x1a\x10y"Ji\
\xb5Z{\xf7\xbd\xf7\xef\xdd[\x17g\x10\x05\x1a\x8d\xe6\xf9\xf7?\xb8q\xe3\xd6\
\xe1\xc6 3\x08\x00\x00 \x00IDAT\xc3\x87&\x8f\x1e\x19\x1a*\xf6\xa9di\xe9\xce\
\xdc\xcd\x9bs\xd7\xe7\x1a\xcd\xa0#\xcd\x00\xd9\xbbw\xec\xd0\xc1\x89\xae\xfe\
\x8a\x1d\xca.\xe8B?\x90G2\xb5o\xbfP\xf4\xd1\x81\xccvd\xf2!\x00\xb1\xe7TAL\
\xdb\x1b:\xdc\xf9\xfd\xee\x14\xf7- \xa1\xef\xe2K)\xee\x82o\xf1nDe\x15\x81\
\x8b=Fp\xc35\xa4\xc6\xbal\x8d\x04\x08m\x12\xddOX\xee\x9d\xb2\xfb@\xd5\xca\
\xee\xc8\xc9L~\xa3\x8a{\x9f\xc3\x93\xe2\xfe\x90\xd3M\xcf\x16Je\x8f\xe3\xf8\
\x8bk\xd7\x16\x16\x17U\x07\x82\xe4\xce\xdd\xbbw\xee\xde\xfd\xec\xf3\x99=c\
\xa5\xfd\xfb\xf7\r\r\x15E\x8c\x87\x18\xb7 \x08WWW\x17\x17o\xaf\xae\xdd\x0b\
\x02)\xeb\x9bj\xc8\xe7sO\x9f:\xb9\xfd#C4\x92M\xa9}{\xee\xc8axCG\x06\xaa\xadv\
\x1bi\x13\x85\xd9\xde?/\x8d\xd5%\xf5\xe6n\x10wy\x1b\x97\xcb+\xf3\x0b\x0b\x0b\
\x0b\x8b\x00\x90\xcf\xe7\xc7\xc6J\xd3\xa7N\xaae.^\xba\x0c\x00S\x93G]\xd7\x9d\
\xb9r\xb5\\^\t\xc3\xd0u\xddRi\xf4\xe9\xe9S\xd23{\xdf\xc2O\x9d8.V2[2\xd4N\xa5\
$|\xee\x00P\xab\xd5\xe6\x17\x16\r\xc3\x10A{\xaa\x18\x95\xcb+\xb3\xd7\xe7\xca\
\xe5\xb2\xdaHY \x0c\xc3\xd9\xebs\xe5\xf2\x8a\xef\xfb\x000>~`j\xf2h.\x97\x13\
\x9au\xf9\x93O\x11\xe1\xf6\xd2\x12\x00\xf8\xbe\x7f\xf1\xd2\'\x00h\xdb\xf6\
\xe4\xd1#\x9c\xf3>\'\xf5}\x7f\xf6\xfa\\\xd7\x91\xe9\xd5_Yxjjrb<\x99\xf8B\xf5\
Kl\xbc\xa3\x84\xc89\xbf\xbd\xb447wS\xb4\xbfT*ML\x8c\xcb\xc3\xe5\x89\x08!S\
\x93G\xf3\xf9\xbc\xfa\xfd\xcc\x95\xab\xcdf0<T\x1c\x1b+\x89\xee\xdc\xfaz\x1e\
\x11\x9f:q\\\x06Z\xa8gW\xfb8\xbf\xb08??\xbf\xbc\\\xe6\x88C\xc5\xc2\xa1\x83\
\x13\x9eL\xad\xbe\xb9p\x18\x86\xf2\xd7\x14C!\xba,\x0b\xcc/,\x96\xcbe\xd7u\
\xa7O\x9d\x9c_X\\XX,\x97\xcb/\xbe\xf8\xc2X\xa9$\xeb\x13\xe2\x1eEQ!\x9f\xcff3\
\xca\x1e\x1d\xad"R\xa6\xeb\xf5\xda\xdc\x8d\xfa\x8d\x9b\xb7\x0c\xc3P\xc5\x191\
\xb1k\nI\x98\xed\xe9t\xea\x99\xe9S\xb9\\\xcez\x90\x97\x845\x8f\x11\xe44\xae\
\xcd\x8b\xcf}R\xfb\xba\xb9\xbd\xa6\xe3u\xfb\xcb\xe6\xdaX\x14W\xe7\xc55\xc1y\
\xcf\xcd\x9bL\xc7\xeb\x95\x97fg\x8b\xbb\xbc\xc9\x83 \xf8\x97s\x7f\x14A\xd0m\
\x16g\xae\\\xfd|\xe6\xca\xab\xbf\xf8_\\\xd7\x15\xc5\xce\xbf\xff\x01\x00p\xce\
/\x7f\xf2Y\x18n\xec\x113{}\xee\xe2\xa5O^\xfb\xd7?/\x95Fe\x9d\xfd\x0b\xbf\xfc\
\xe7\x7f\x96\xcf\xe5Z\x02\x87\xc98\xeeZ\xbd\xf1\xf1\xc5\xcb\x00p\xf6\xcci\
\xc5\x84\xc4\x7f9\xf7\xc7+W\xbf\xe8l\xe4\x8f\x7f\xf4\xc3\xd1\xd1\x91\xd9\xeb\
s\xe7\xdeyW=\xd7\xfc\xc2\xe2\xf9\xf7?\xf8\xd1\x0f\x7fplj\x921\xf6\xe1G\x17\
\xe5\x9f\xfcj\xf5\x83\x0f?\x02\x80\xfd\xfb\xf6M\x1e=\xd2\xe7\xa4\x17/}r\xe1\
\x83\x0f;O\xfa\xca\x9f\xffTD\x19\xf6\xed\xef\xe2\xcc\x95\xab?\xfe\x93\x1f>=}\
\xaa\xeb\xe0\xb7%\xbe\xa5\x9e\xe7\xdey\xf7\xda\x97_\xa9\xed\xbfx\xe9\xf2\xf4\
\xa9\x93?\xfe\x93\x1f\xca&\x89\x13\x8d\x8e\x8e\x8a\xb7.\xa5\xf2^\xbf>\xb7\
\xb0x\xfb\xf9\xe7\xce\x8e\x8d\x95\x00\xa0Z\xab_\xba\xfc)\x00\x9c8~,\x11b\xd1\
z\x82\xe1\\\xfc\xf4\xef_\xf8P\x1d\xd5\xa5\xa5;W\xae^;\xf3\x9dg\xd5v\x8a\xc23\
W\xae^\xf8\xe0\xa3D\xef>\xbex\xe9\x95?\xff\xd9\xe8\xe8\x88(\xbc\xbc\xbc\xfc\
\xfe\x85\x0f\xc7\x0f\xec_^.\xcbj\xcf\x04\xa1|"\x91\x8f,Q\x14e\xb3\x99g\x9f\
\x9e\xfe\xf2\xab\xd9\xd5\xb55\x191\x94p\xad\xc8C\xd4\xc1S\xd4\\j\xfa\xc6Q\
\xd9lf\xfa\xd4S\xa3\xa3#\xea\x1b=\xa0\xd9\xde\xd0\xda"\xd2\x00@\xe4k|0\x17J\
\'q\xf5\x16\xaaI\xdb{\x86?\x1e\xed\x95\x97f\x07\x8b\xbb*.\x94\xb2J\xc5\xcf\
\xe5\xb2\xcf>\xf3\xf4S\'\x8e\x13B\x96\x96\xee|\xf0\xe1\xc7\xe5\xf2\x8a\x10G\
\xd5qq\xe1\x83\x8f\\\xc7y\xfe\xb9\xb3\xa3#\xc3\x84\x90Z\xad\xfe\xc9\xa7\x9f\
\xf9\xd5\xea\xaf\xff\xbf\xdf\xfe\xdb\xbf\xfa\xa5Hlt\xdf\xc2o\xbc\xf9\xfb\xbf\
x\xf9g\xae\xeb$\\\x04\xad\xb5\xa3n\x8d\xbc\xf0AK\x83\x9e\x7f\xeelit\x04\x08Y\
]]\xfb\xe4\xd3\xcf\x00\x81qF)m6\x9ba\x18\x9e8~\xec\xd9g\x9e\xce\xe7sqL\xbf\
\xb8\xf6\xe5\x07\x1f~t\xee\x9dwGGGR\xae\xfb\xec3\xd3\x88\xb8\xbc\\\xbe\xbb\\\
\xcef\xb3\'\x8e\x1f#\x848\x8eM:\x1e\xda\xe5y/]\xfe\xe4\x83\x0f?\x06\x80\x13\
\xc7\x8f\x1d9|\x88\x18F\xadV\xfb\xe4\xd3\xcf\xca\xe5\x15\xd1_\xc7qT\x13\xf2\
\xc2\x07\x1f\x8d\x8e\x8c\xbc\xf4\xe2\x0b)\xd7\x8d\xa2\xe8\xd3\xcff\xca++o\
\xff\xcb;\x13\xe3\x07\n\x85.\x1b\x80\xa9.\x94\xa5;w\x97\xee\xdc\xdd\xbfo\xef\
\x89\x13\xc7S\xae\x0b\x84\xdc\xbcy\xeb\xea\x17\xd7f\xae\\u\x1c\xe7\x85\xef=\
\xbfi\xac\x14\x83\x1aU\xe5\x86d\xbc\xcdFq\xd8\x10w\xf1\x90\xc49\x7f\xef\xfc\
\x85/\xae}\t\x00\xc7\x8fOM\x1c8\xc0\x18\xf3\xab\xd5k\xd7\xbe\xba\xf4\xc9\xa7\
\xad\x16\xb6=Z\x0b\x8b\x8b\xe7\xdeyW\x8c\xff\xd1#\x87\xf2\xf9|\xad^\xff\xe4\
\x93\xcf\xae~q\xed\x8d\xdf\xbd\xf5o\xfe\xf251\x14\x8cq\x00XX\xbc\r\x8b\xb7GG\
G&\x8f\x1e\x89\xa2x\xfc\xc0~u`\xa5\xf3\'\x8ec\xd34\x8e\x1e9\x94\xcdxw\x97W\
\xda9\xdc\xef\x0b\xc1\x8d\r\xbc\x89j\xb1\x13B\xf6\x8c\x95\xa6&\x8f\x14\n\x05\
\x99\x9ba\xd78\xdcw1\xc8cZk\xed\xd0\xdb\'GX\xaa0nX\xf7\xcfw\xc6\xe3\x9a\xcc8\
\xc6\xfa\xbe\xe0\xeadF{U\xb2S\xc5]\x15M\xc6\x98i\x1a?\xfb\xe9O\x10Q\xbc\xe8L\
\x08\xd9\xb3g\xec\xf9\xe7\xcf\xfe\xf3\x1b\xbf\xbb>7\xf7\xe2\xf7\xbf\xa7\xea\
\xb5\xe38\x7f\xf6\xa7?\x16)\xf4D\xc9C\x87\x0f\xbe\xf1\xe6[++\xab\x17/]\xfe\
\xc1K\xdfW=\x00\x9d\x85\x0f\x1e\x9ax\xf3\xcd\xdf\xaf\xac\xae\xce\\\xb9z\xe6\
\xf4\xb3\xf7m\xa7P\x96\xf5\xf5\xca\'\x9f~\x0e\x00/|\xef\xf9cS\x93\xe2A{\xdf\
\xde=\xfb\xf6\xed\xc9\xe7\xf2\x8ec3\xc6\xa6&\x8f\x96J\xa3\xe2\x15$J\xa9a\x90\
\xe9SO-,.\xde\xbe\xbd47w\xe3\xd8\xd4\xe4\xd1#\x87E(\xc8\xdd\xe5r6\xe3\x9d:yB\
\xbe\xdf\xa8\x9eTFd\xae\xafW\x84\xb2\x8b\x93\x12B\x0c\xc3\xd8\xbbg\xec\xf0\
\xa1C\xff\xfc\xe6\xefVVV\xcf\xbf\xffA\xa2\xbf\xd9l\xf6O\x7f\xf2#\xc7qD\xe1\
\xe1\xe1\xe1\xd7\xff\xdb\xff\x0b\x00\xf3\xf3\x8b\xf9|\xbe\xab\xbep\xce\xb1\
\xfd\xec2y\xf4\xc8\xf7_\xf8\xae\x18+\xd1\xc1\x91\x91\xe1?\xbe{\xfe\xd2\xe5ON\
\x1c\x9fR\xf7\xbc\xe7\xca/\xa8\x1a\xe6\x9bt\xfe~\xa3Z\xa9\xf8B\xd9_\xf8\xde\
\xf3\x93G\x8f\x08\xc1-\x16\x0bc\xa5\xd1\xf7/|\xb4^\xa9\x00\x00\xb6\x9d\xf5\
\xef\xfc\xf1=\x00\xf8\xfe\x0b\xdf\x15C\x11\xc7q:\x95z\xe9\xc5\x17\xc20\x9c\
\xbbq\xf3\xf3\x99\xab\xcf<}\x8as\xce\xda\xcb\xe3OO\x9f\xfa\xdew\x9f\x93q\xd6\
28/1\'\x89\x96\x0c\x0f\x0fy^\xfa\xde\xba\xbf^\xa94\x9b]%^t\xaa\x1d\x88\xa2f\
\x17h\x9b\xf0\x85Ba\xac4z`\xff\xbet:\x9dHN\xd9\x7f@4\x8f\x9d\xd8\xffZ\x18\
\xda\xe2\r\xd2\xae?\x18\xb1\xdcta\xa0\xd4\xbeq\xe5\x86\\,\xea\x1d\xfeh\xf4\
\x7f\xc1ug;\xf2\xa4\xb83\xc6\x84u\x13\xc7\xb1\xc8R\x14E\xd1Xi\x14\x00\xc20\
\x12O\xd0\xf2a\xfc\xe8\x91C\xd9l&R0\x08yf\xfa\x14\x00\\\xfd\xe2\x9a8\xb6\x7f\
\xe1\xe9SO\x01\xc0\xec\xf5\xb9\xce\xf6\xb4n\xf8\xf6\x0f#\x9a\x17\xc7\xf1\xec\
\xf5\xeb\x0004T<tp"nC)\x1d*\x16-\xcb\x94\xc9\xcb\xd2\xa9\x94\xf8\x938W\x1c\
\xc7{\xf7\x8c\x01\x00c\xad\x15\xbc8\x8e\x85i\x89\xed\xb0\xbf\x8d\x15\xd5\xcd\
\'\xa5\x94^\x9f\x9b\x03\x80\xe1\xa1\xa1\xc3\x87\x0en\xea\x82A\x9eyz\x1a\x00\
\xe6\xe6n\xc8s\x89c\x8f\x1c>\x84\x88\xb2d*\xe5\xee\xdf\xb7\x0f\x00\x82\xb0\
\x8b`\xa9\x02\'\xbe9u\xea)9\xfe\x82\xc9\xa3GFF\x86\x01\xe0\xab\xd99\xd1\xfe\
\xd6\xb1\xca2\xa9\xe8\xbb\x14\xcd\xf6JF\xcf\x94\xa6\xbc\x9d\x0eH\x8e\xea\xe1\
C\x07\xd5|\x90\x86aL\x1e=\xac\x16\xbe\xbb\xbc\\\xad\xd6\xb2\xd9\x8c()\x1a)\
\xca\x1f:8\x01\x00\x8b\x8b\x8b\xe2{J\x19\x008\x8e\xf3\xec3\xd32\x97\x9c\xa8J\
\r\xe9\x93oTJ\xcb\xdau\xdd\xbd{JG\x0f\x1f\x9c\x18?04Tp\x93\ti\x93\xeb\xa5\
\x12\xd7u\x87\x87\x87\x8e\x1c>t\xe2\xd8\xe4\x81\xfd\xfbR\xa9T*\x95J\xe4\xcb\
\xd4\xfa\xbe\x9dA\x1a\xd0\x86\x92\xda\xb7G\xb1\xcc\xe67H{\xc1\x825\xd6\xde?\
\xb9O\xa4|*\xbf\xaf\xff\x0b\xae;\xd5r\x87\x8e\x07\xe4f3\xb8\xf5\xf5\xd7w\x97\
\xcb\xeb\xeb\xeb\xf5\xfa\xa6\xedo\xa2(RcZFFFd@:\xb4\xdf\xad8\xd0~\xee\x9e_X\
\x18\x19\x1e\xeeS\x98s._Q\xb9{wY(\x97l\x12\xdf\xfcv\xb5x\xad\x9cRz{\xe9\x0e\
\x00\x1c\xd8\xbf_D\xd4$\x8cS\xd9\x91\x95\x95\xd5\xf9\x85\x85{\xf7*\xcb\xe5\
\xf2\xe6\x02\\\xc9\xcb\xd1\nM\x11\x16\xba\xf0N\xa8\x8f&b\x85\x931V^Y\x05\x80\
\xfd\xfb\xf7\xd1v\x848i\xbf.(\xfc\x0ca\x14\xdd\xbd\xbb\x9c\xcbee\x7f\xf3\xf9\
\x9c\xec/i\xbd\xfa\xc8\xe5hwJ\x8c\xec2\x00\x94FGL\xc3\x90\xcf\x01\xa4\x9d\
\xf8\xe9\xe0\xf8\xf8\xea\xea\xda\xe2\xed\xdb\xc7\x8fM\xca\x1a\xb8\xb2\x1e\
\xdb\xd2P\x8e\x00\xc0X;\x1f\xcbf\x0f\xbb\x8ah-\xe7\\\x8ej+\x10^\xc9\xb1\xb3w\
o+\x8d*\xe7<\x8ec\xb1>\x1c\x85\xd1\xff|\xfb\x9c\xac\x87\x00!\x04\xa28\x06\
\x80\xdbKw\xd4\xeb\xa4X,\x08\x8b\x01\x15\xe4\xb0$\x12\xc8\x88\x0bC\xf4\xc2u\
\xdd\x92\xeb\x8e\x0c\x17\x19\xe7A\x10\xd4\xeb\xcd \x0c)\xa5\x9c3\xe4\xadH\'\
\x83\x18\xc4 \x96i\xa6Rn6\x93\xc9d<\x99\xfdX\xec" \xc4\xfd!\xf2\xc3h\x1e\x0b\
\xb1\x7f\x138\x07\x02\xbc\xf7\x1b\xa4\xa6\x93\x19,\xb5/\xc6\x95\x96\xd5\xd8?\
R>U\xb8\xcf\xb6|;X\xdcA\xb1\x1c\xc30\xfc\xdd\xef\xffg\xbd^\xb7m\xbbX,\x1c>tP\
\xa8\xdeg\x9f_\x81v\xbe=uE\xcbho\xd3!\x14a\xb3\x1c\xb7\x0c\xc9>\x85\x15\x85\
\xe2\xaa\x17\x81\xb7S\xcb\xa2"\xee\xf2(\xf1\r\xe9\xf6\x9a\xb5\xa8\xfc\xca\
\xd5k\x9f~\xf69\x00\x88.d2\x1e!d\xb9\xbc\xb2\xbc\\\x16G\x93V\xea\x8fM\xef\
\x98(A;\xc9\x93\xca\xe7\x0f\xb9\x12\xd8\xd9\xdff\xd0L\xa7S\x9b\x97\xfb6<\x0f\
\x94\xd2v \xcc&\x81K\x94T\xc7J\x0e\x97\x10Y\xc30\x18g\x00\x80\x1c\xd5i2a\xb9\
\xf3\x8d\xd8G\x99l\xabg\xe0\xa3\xecB\xfbO\x9b^\x91\x97\xad\x95\xa3\x11\xb57\
\x85\x88\xe2xy\xb9\x0c=h\'\x8bf\xed*A\xadV*;i\xe7]\x1116DI\xac/sc\x89\t\xc0\
\xb1\xedB;"\xa8+\xf2X5\xa1|*\x95\x92\xdev-\xeb\xdb\x1f\x16\xdc\xa3\xcd2\x00\
\x00\xf6{\x834S:\x0e\x03\xfc\x9a\xb1\x7f\x8b\xc7\xad\xe0+J\xb1\xe7n\xda\xf9\
\x03\xf7\x8d\x94\xdf\xd9\xe2\x0e\xed;\xff\xc3\x8f.\xd6\xeb\xf5\xb1\xb1\xd2w\
\x9f;c\xb6\xf7O0\x0cC\x88;\xdb\x9c!\xb2\xd9l\x8a\xb4\x85mC\x189\xe72\x9a-\
\x9dJ\xa9Z\xdcY\x981\xd6h\x88\xd4N\xe0\xa57\x854Iq\xef4\xa23\x9e\x07\x00\x8d\
FC<hwF.\xaf\xae\xad\te\xff\xdew\x9f\xdb\xb7w\x8f\x90\'!\x94\xcb\xcbeB6t\xd30\
\x88\xec\xa00\xae\xf9\xe6HA)\xee\xc5Bay\xb9\xdch4d\x02U\xf9`Q\xab\x89\xd4\
\x83\x90\xcf\xe5\xd4\xfe\x1a\x84\xa8\x99\xd48\xe7b\x19S\x95K\x15U\xf8\x1a\
\xcd\xa6\xa5d\xc9\x1750\xc6\xaa\xd5\x1a\x00x^Z8LZ?\\{\xbe\x90\x12/\\C\x9c\
\xb7\xa6\x1f\xec\xd8\xabS\x9e_\xfej\xedQm\xcaL\xc8\xb2\xa9\xf27\x12n\x19qU\
\x94FG^z\xf1\x05y\xe5H\xa5\x96\xc3\xb8\xb1zA@\xa6ZK\xfcRD\xd9\'D\xb5\xe2\x13\
\xe9\x97\xf9\xa6H\xc7.\x83&\x1d;B\xd9\xd5\x84\xfe\x83$\x94\xd7l\x0f0\xf6\xe7\
\xc4\xfa)\xa5}\xde \xdd\xd7\xf9\x06i\'\x9c6h\xb5\x15L\xc99P\xd6\xbd6\xc3Jy\
\xc3\x87\xef[\xdbN\xf5\xb9K]\x10\xff~=\xbf\x00\x00\'\x8eMY\xca\xb6\xc5\xabkk\
jay\xec\xe2\xed%K\xd9\x01G\x14\x98_X\x04\x80L\xc6K\xa7S\xea\xfad\xd7\xc2\x0b\
\x8b\x8b\x00\x90\xf1\xbct:\xa5\xd6\xbc\xa1V\xb8!\xee\xe2V/\x16\x0b\x00\xb0\
\xb0x\x9bs.w\\2\x95\xec\xd8w\xee,\x03\xc0\xd8X\xe9\xc0\xfe}\xd2L\xe6\x9c\xcb\
\xb7\x1f\xd5\xb4|\x00@\xda\xf9\xb96\xce\xab\x9cT\x8c\xcc\x90rR\x99\\W\xedo\
\xb1X\x10R.\xbb\xa0\xa6\xe1\x15%\xa1e\xb9\xf7\xfc-\x08!by\xb0^o\xac\xac\xae&\
\xa2\xf7\xc20\x14\x99v\xf2\xf9\x9c:\x03U\xfd\x9a\xda\xcdZ\xad~o]\xf4\xb4\xfd\
\xb3\xb6\xbb\xd39\xaf\xc8\x87\x95ba\xa3\x83\x89}6\x96\xee\xb4\xf6I`\x9c3\xc6\
\x86\x87\x86\x00\xa0\xbc\xb2\xda>\xcbF\xcd\xd5Z-\x0cCuJ\x86\xb6jK\x97\xfa\
\xa6\xce*\xe6\xb60\xb4\xe5\x16t\x12\xcf\xf3\xd2\xe9\xb4X\x17\x95\xbb;\xc9m\
\xfc\xe4Q\x9e\xe7%\x0e\x91\t\xee\xb5\xb2\xef\x08hc\x99Gu }\xc3\x1f\r+]<8Hmq\
\xe5\x86\x8cM\x88Y\xcf{\xce\x1b><\x88\xef~G\x8a;\xb6\xc3\x9c\xa5\xc5\xea86\
\x00\xc8\xfb\x16\x11\xc30\x14\xd1)\xd0\xe1/\xbe{w\xf9\xc3\x8f.\n\xbd\x13Z\
\xf9\xe5W\xb33W\xae\x02\xc0\xe1C\x07\xf9\xe6u\xbc\xce\xc2_\xcd^\x9f\xb9\xf2\
\x05\x00\x1c:4\xd1i\x9a\xb5\xf5*\xf1\xbfx\xe4\xf0\xa1L&\x13E\xd1\xff\xf8\xc3\
\xbf\x88\xa7\x01!\x7f\x1f}|\xe9\xda\x97_I+\xaf^\xaf\x0b\x03V\x1cu\xeb\xeb\
\xf9\xc5\xdbK\x00 ,w\xa15\x84\x18\x00\xb0vo]x9\x14}\xdf8\xa9\xa8\xf0\xc0\x81\
\xfdCC\xc5(\x8a\xfe\xe7\xdb\xe7\x82 \x94\'\xbd\xf6\xe5\xec\xe73W\x01\xe0\xf8\
\xb1)q\x88\x1c\x1cssfyQ\x9f\xecJ\xe7o\xd1\xb2\xdb\xdb;|\xfe\xf1\xdd\xf7\xcb\
\xe5\x15\xa9\xb0\xf5z\xe3\xdd\xf7.\xc4q\xecy\xde\xa1\x83\x13\xa2S{\xc6J\x00\
\xf0\xd9\xe73Q\x14\x89o\xc2(\xba\xf0\xe1G\xed\xc6\xcbq\xebw\x01\xb4F\xf5\xc8\
!\xc7\xb1\x13\x1d4\x0ccn\xee\xa6\x0c\xb7\x17\x17I*\xe5\x8aw\xa9\xce\xbf\xff\
\xa1\x9a\xc2\xe5\xde\xfa\xfa\x87\x1f]\xfc\xe3{\xef\xaf\xafW\xa4p\x03\x00\x01\
\x920\x9f\xe5\x10\xa9\xfan\xb57\x9b\x95J\x9d\xcdf\xb3\xd9\xac\xf8 \xffU\xc9n\
F\xca\xba\xea\x8d\xd1\xca\[email protected]\xac\xb7\x0be\xb0\x1ca,\\g\xcd\xd6\x95\
\xd9g\x1du\xf0m\xf9v\xaa[FZ|\xc2c{\xfc\xd8\xb1\xcfg\xae|>s\xb5V\xab{^:\x8c\
\xa2\xa5\xa5;\xb6m\x17\x0b\x85\xf5J%\xa1\x13\xc3\xc3C\xd7\xbe\xfc\xea\xe6\
\xcd[\xc3#\xc3\xc8y\xb5V\xaf\xd7\xeb\x00p\xf8\xd0\xc1cS\x93r1\xb0\x7f\xe1C\
\x07\'\xa6&\x8fB7\x8fpg;\xc5\xe7\x1f\xbc\xf8\xc2\xdb\xe7\xfe\xb8\xba\xba\xf6\
\xf7\xaf\xffJ\xac\xdf\xfa~\xb5Z\xad\x02@\xcau\x0f\x1f>\xf8\xc5\x17\xd7\xea\
\xf5\xc6\xdb\xe7\xfe(tp\xbd\xe2/-\xdd9r\xf8\xd0\x8d\x9b\xb7\xa4\xbe\x18\x86\
\xb1g\xac4s\xe5j\x14E\xff\xf4\xdf\xdf\xc8f\xb3\xd5j\xf5/^\xfeY\xaf\x06\xbc\
\xf4\xe2\x0b\xffr\xee\xdd\xd5\xd5\xb5\xff\xe7W\xff\xb8o\xdf^\xb5\x0b\xd3\xa7\
N\xee\xdf\xb7\x176\\\xf9\x00\xcaN\xad\x98|\xef\xe6\xfed\xb3\x99(\x8a\xdf\xf8\
\xdd\xefGF\x86\x1d\xdb\xe6\x88w\xef.\x03\x80m\xdb\xcf\x9fm\xbdW\x85\x88G\x8e\
\x1c\xbe\xbb\\\xae\xd6j\xaf\xff\xb7\x7f\x1c\x19\x1e\xe2\x88kk\xf7\x00 \xe3y\
\xf5F\xa3\xff):G\xf5\xa5\xef\xbf\xf0\xde\xfb\x1f\xc8\x0e\n\x8fS\xbd\xde(\xe4\
\xf3\x15\xdf\x97\xe5\x01\xe0\xc4\xf1)\xbfZ\xadT\xfc\xf7\xde\xff\xa0X,\x88\r\
\x0b\x85\xd0\x17\x8b\x85l6#\xbd\xea\x00@\x0c\xa2F\xc2t\xb6A|)&K9\xef\xca%\
\xd6\x8d\x85\x90\x8eiJ\xf5\xc9\xa8\xf16]\'\x12\xcdv\x86\xd6\x97\x906\x81\x00\
"\xf6z\x83\x94X\xae\xba\x81Fo0\xae\xb4\xde\xc1\xec\xb7\x8e\n\x90\x19\x99\x1a\
\xc4w\x0f;Z\xdcU\xcb\xfd\xd8\xd4QD\xfc\xf2\xab\xd9\x9b\xb7Z\x13\xe9\xc1\x83\
\xe3\'O\x1c\xbfx\xf9S\xf5\x10\xf1\xe1;\xcf>\xe3\xfb\xfeg\x9f_YZ\xba#\xbe\xb1\
m\xfb\xf8\xb1\xc9\xe3\xc7\xa6Py\x0b\xb1O\xe1cSG\xa7&\x8f\x0er\x07\xaae\n\x85\
\xfcO~\xfc\xc3O?\x9bYZ\xba\xb3\xb8x[|\x99\xcdfO>u|dd\x98s\xfe\x83\x97\xbe?s\
\xe5\xeary\xe5\xca\xd5k\x00\xe0y\xde\xf3\xcf\x9dI\xa5\xdc\x1b7oI\x13Y\xd4\
\xf3\xd4\x89\xe3_\\\xfb\xb2Z\xad\twv\xd7\x93\x8a.d<\xef\x95?\xff\xb3O?\x9b\
\xf9\xf2\xabY\xd9\x85L\xc6\x9b>u\xf2@;\xe6G\xd5/\xa2\xe8\x0b\xe9\x88\xea\xe9\
\x8a\xd4\xafL&\xf3\xa3\x7fu\xfa\xf2\'\x9f\xden\x9f\x08\x00J\xa5\xd1S\'O\x14\
\x0b\x05in\xef\xdf\xb7\xf7\xf9\xb3g>\xfd|&\x8a"\xe1<)\x95FO>u\xfc\xea\x17_\
\x0e(\xeej\x07K\xa5Q9\xaa\xb2\x83\x07\x0f\x8e\x9f86\xf5\xd6\xffx\x1b\xda\x0f\
=\x00\xe08\xce\xf7\xbf\xf7\xfc\xf5\xb9\x9b\xb7\xbe\x9e__o\xedU\xee\xd8\xf6\
\xf8\xf8\x81\xa7\x9f>\xe5\xd8v\xfb\xf9i\x93\x85\xde\xe7W&\xed\x98Hh\xaf$\xa3\
\xbaV\xa1\x908J\x9d\xaa\x8d\x07L\xe8\xaf\xd9& \xa7q\xdb?Ni\xef7H\x87\x0e\r\
\xe2B\xa1\xf5\xbb<j\xd9"}\x1e\x02\xdc\xdc^+\xd5o\x89^e\xa0\xbbw\xbb\x81\x88"\
\xe8[\x04\xa4\xabY\xa2\xca\xe5\x15D\xcc\xe7s\xc2.\x93\xef\xf8\x08#\xf4\xb7\
\xff\xfc;\x00\xf8\xd1\x0f\x7f0~`?!\xe4\xf6\xed%\xc6\xb9e\x9a\x85B^j\x99X\x7f\
\xe3\x9c\xff\xf77\xde\xeaU8\xd1\x18av\xc9\xff\x15\xb6\xbf\xba\x9b\x0c\xdf\
\xbc\xef6c\xec\xde\xbduD\xccd\xbct:-wR\x16\xe5\xeb\x8dF\xa3\xde0-\xb3\x90\
\xcf\x1b\xed-\xd3H{\xcb1\x11\xc6#\x96\x16\xd6\xd7+@\xc8P\xb1@\x08\x11\x1d\
\x94\xbe\x149\xf9\xa9&\xe1\xd2\xd2\x1d\xc6\xb9\x97N{^Z\xf5\xe7\x88S\xab\xfb\
\x86\x8b\xf0\xc1(\x8a8\xe7\xa6i\xca\xcd\xa3-e\xdbb1\xf8a\x18\n\xef\x8a\xdc\
\x80\xd44\xcd0\x0cWVV\x19c\xc5bA.u\xcaq\x90+\x07\xcb\xe52r\x14\x81\x7f\xe2{\
\xb5UDY\xb7\xec5\xaa\xb2\x83\xa6i\xc6q\xbc\xb2\xb2J\x19\xcde\xb3Rp\x15\x9f\
\xd5FD\x8da\x18\xe5\x95UB\xc0 \xc6\xde\xbd{\x12\x15\x9a\xed\xfdBe\x98\xf9\
\x80\xd7\xa4\xfaoB\xd6\xd5\xbbL*\xb8:yhY\xdfq\xc4\xfe\xcd\xd8\xff\x1a\x08 \
\xc7 \xea\x99\xf8\xa50\xfe\xbc\xf0\xa3\xf6\x019\r\xee~\x84,\x04\x00D\x08b\
\xec:U\x10\xc3*\x8c??X\x16x\x80\x9dk\xb9K\xd4\xfb\x81\x10R*\x8dB\xfb^J\xdc9j\
\x04\x8bx\x8buddX\xdc\x81\xd2/!oHy7v\x16\x06e\x0b\xe0\xc4\xe1\xd0V%\xd8,C\
\xa0\x84\xcd\x08\x15\x13\x99L:\x9f\xdc\t!\x19\xcf\x13A b\xda\x90\xc6\x9d<\
\x97\xf8`Y\xd6\x9e=cR\xf4\xa5\x1a\xaa\x16\xb7()\x971GGG\xa4\xd3I\x15>i\x81\
\x1a\x9b\xcd\xf6\x84D&\x86:a\xe0\xcb\x19TL\x15\xf2\\\xb2N\xd9\x12\xa9\xf2\
\xa3##\xd2}!\xcf([%\x97\x8e\xfb\x8c\xaa\xec\xa0(022,V\xb0\xe5h$\xe22e\xfb\
\xc7J\xa3\xea\xd8\xaa\xd7\x8c\xfa\xe5\x83^\x87jU\xb0Y\xd3\xbb\x96\x07-\xe8;\
\x13\xe41\xad\xb5\x1e\xbec\x96\xcc\xd4,\xf1\x86\x8e\xdcW\xd9A$\xa5a\xad\xa8e\
\xca\xba+;\x00\xa4\x8b\x13\x83+;\xec\\q\'\xcaV\x8af{\xdfw\xe8\xb8g\xa4\x14\
\xaa\xc7\n\xdb\xdch\xef\x0bC\xdaq\x11\xd0V\xdb\xfb\x16N\x98\x84\tq\x17%Ue\
\x91\xb3\x8bT\xa2M\x9e\x90\xf6\x8bE\t\r\x15z\xd7^Dm\xe9\xb5\xd4P!XR\x7f\x13m\
K\x9cT\x1d\x1fB\x88\x0c\xc6\x00\xc5(V\xc5N\x0e/Q6\x1a\xed\xfc\td<\x89Z\x95\
\x94]\xf57\x92M\x923\x8d\xb4m\xe5\x9c\x94pp\xdfwT\xd53\xca1\xc1v\x80\xa3\xda\
69\xaf\xc8\xb9M\xf6QvM\xfc(bH\x1fN\xdf\xd5\x91I|\xd0\xec2b\xffk\xe4\x14\x88\
\x88\xdc\xed\xb9\xef]\x9f\xc4/\x12d!\xad.\x88\xcf\x1c{\x87?\xda\xe9Ta\x10\
\xdf\xbd\xd2\x80\x07*\xbd} J8\x1a\xb4%L\xfeI \xfeW\xdaq\xbd\x0cO\xb9\xa2%\
\xad\xf2\xfb\x16V\xdd\x05\xaa-\x0f\xdddH\xfeU\r\x04T\xeb\x94\xee\xdaD\x17\
\xa0\xbd\xbc)C0\xa1\xc3\xd0\x96\xbai(;>\xcbo\xa0#\xc6_:1TEV]:R\xd4\xe4l\xd7u\
]\x91(\xe1"r\x90\xe5\x9f\x12\x05d\xfb\xc5\x97\xea8\xc8\xf2\x89\xb3\x0f8e\xaa\
\xb3\x05\xb4\x05Z\x9e]F\x07\x89^\xa8C\xa16O}h\x93~\x9e\xc4U\xa4\xd1l\x80\\lj\
\n\x001\xedc\xb6\x1f\x1e\xe8\xad\xa5\xcaMD\xda\xae\xad\xc7;P\x00\x99\xde\xd9\
\x1f{\xb1\xe3\xc5\x1d\xda\xaf\xb9w\x15wi$\xaa\x86\xa7e\x9a\xb6mK\x11\x97J\'m\
j)\xf4\xbd\nw\x8a\x8e\xaa\x02R\x98\xc4!\t\x19\x92\x93\x81:\x8bt\xfa\rd\r\xaa\
\x9c\x89\xa3\x84\x16\x93\x0e\x07\x02\xd9\xbc.\'\xf2\x1c$,VqHb~\x92\xe6\xbf*j\
\xb2\x9e\xce\x13A\xdblGD\xc7q\x84\xc1\x9bxB\x92?Pb\xbe\x91n\x93\xc4\xef\xa5\
\x1a\xd1j%\x89QU\x15_\x8eF\xe7\xd0\x11\xe5\x81\x83l~\xcf\xabs(d\x19YI\x9f \
\x19\x8d\x866\x96\x91E\xc2l\xe7\xbc\xbb\xd9\xeedJv\xba\xcb\x0e\\\txT\xa5\r\
\xf9BF\xcf\xf0G\xdb\x1bv\xb2\xa5\x07m\xe7\x8e\x14wi\xbaB\xfbN\x96\xcf\xf8\
\xa0\x88\xbb\xf4\x81\x88$!\xf2pS\xd1\xeb\x84\xa6\xa8\xce\xdf>\x85Uq\xef\xd3H\
\xa9\x0eRGT\xcb\x91lv1w\xedBb\x92\xc0\xcd\x8b\xb7j\r\x89\xa3\xe4\x04#\x95W=i\
\xaf\xf9I\x15\xf4\xce\xcf\xea7\xe2_\xb1\xbe\xaa\x9eB\x95\xec\xce\xe1\x92\xe3\
\xd0\xb5\xa7\xea)\xb0#\xcf\xc1 \xa3\xda9t\xaaUn\xb4\xa3Y\xd4\xc3\x13S\xac\
\xfc\x93z"\x8df\x03d2H\xa6o\xbe\xc6#\x83T\x16U\xe6d\xa6\x8b\xdeid\x06\xad-\
\xc1\x8e\x14wP\xf4]\x8a\x0bl^G%\x84\x88/\xc5\x83\xb6(66V"\x84x\x9e\xa7n]F\
\xda.\xef\x84\xb2\xf7),o\xfb\xfe\xe2.?c{!4\xa1\xb3\tYI<\x07$\xca\xa8\xf5\xa8\
g!\x9b\xc5]=\xbb\xec\x9a@m\x7f\xa2y\x89\xa3p\xb3#\xab\xab\xd2\x19\xedu\x02\
\xdc\x8c<D\x9eH \xebT\xdb\x03\x1d\x13\xc9 \xbf{\xe7\xa8\x822\x1f\x90\xcd@oq\
\xef\xfa+$\xc6\xbf\x7f{4O\x1aq\xed\xb6\x88mg\x0cy\xaf|\x8d\x83\xed\xb5\xc4\
\x9a+b\xf3k\x00\xa0}\xde\x81\xca\xef\xb3\xdc\xdcC4uG\x86BJTk1qgB{-TMik*y<T\
\x8d#\x84\x88\xe0\xbf\x01\x0b?tk\x13\xba,\xff\x95\xdf\xab\xe2\xde\xf5\\\xb2\
\xb3\xea\x9f:\x8b\x11%`\xa6sp\x1e\xae\x0b\x89\xa3\xd4\xbe$\xda\x9f8Qb\x02\
\xeb,\xf6\xd0Mz\xa0\n\x1ft(\xb4\xb2k\x12 \x8f\x83\xbb\x1f#\x8b\x00 \x88xW\
\xed$\xa6]\x1c\xff\xee\xfdw\xe4@\xde\xbc\xfb1\xd2\x06\xf4\x0f\x7f4\x9d\xe2\
\xc4\xf3\x86y\xff\xfd=:\xd9\xa9\x96\xbb`\x90\xfb\x93\xb4\x1d\x11\x88(\xd7\
\x12\xa5\x7f9Qr\xc0\xc2\xdf\xa4\xb5\x0f\xfa\xa7oX\xf2\xd1)T\xff\xd9e\xcb\xda\
\xf3(\x86N\xa3\xe9\n\xad-\no;e=\xad\xe2\xf4`{-\xd1\xdam\xa1\xec\xd07\xfc\xd1\
\x1b:\xf8p\xca\x0e;]\xdc\xef\x8b\x14k\xf9\nL\x9f\xb5\xb2\x07*\xac\xd1h\x9e(\
\x90\x85\xad\x8d\xf4\x10h\x0f\xff\xb8a\xa5R\x03\xed\xb5\x84q{O\xbe>\xe1\x8f\
\xa6\x93q\xf3\xfb\x1f\xae\xb5\xb0\xeb\xc5]\xae\xb9\xa9\xff\xdbk\xb9\xec\x81\
\nk4\x9a\'\x8a\xb8\xfa5r&\x82dz\x9a\xed\x83%\x1b`\xcdUd\xad\xad\xcd\xfa\x85?\
\x8eL\x0e\xf2\x0eT/v\xb3\xb8\x0bQ6\xdb\xa9\x9d\xb0\x1dJ\xd8\xcbl\x1f\xbc\xb0\
F\xa3y\xa2\xe0\xb4!c\x16{\xc5\xb6\x9bn6\x95\xdb{\xff\xba\x90\xcb\x1ca\x8c\
\xf7\\\x95\xb53\xa3\xb67\xdc\xed/\x83\xb2\x9b\xc5\x1d\x94\x98\r5\x1a\xaf\x97\
%\xfe@\x855\x1a\xcd\x93C\xec\xdf\x12\x1b\xe91\xd63\xb6}\xc0\xb7\x96h\xed6\
\x97\xdev\xda\xa3\x1012}7\xbf\x1e\x84\xdd,\xeer\x05\xaf3\xc4\xf0\x1b\x16\xd6\
h4O\x0e<\xf2[\x99\xd6{\xef\xc8a{\xc3\x03%\x1b\xe0q\\\xbd%>\x8b\xf0\xc7\xae\
\xa4\x0b\xe3\x83\x04S\xf6g7\x8b;t\x0b\xd9\x86\xdez\xfd@\x855\x1a\xcd\x13B\
\xec\x7f-R\xfaR\x86\xbd^"\xf5\x86\x0e\x0fV\xd5M\xe4\x14\x00\x10\x81\xf6\xd8.\
\xc1\xb0\xdc\xf4\xd0@;7\xf5g\x97\x8b;<\xa0:k)\xd7h4*,\xb8\xc7\x825\x10rL\xbb\
;d\xdc\xdc\x9eA\xd2\xac\xf3\xb8N\xeb\xad-\x07\xfa\xbc\xb5\x94\x1e\x1ah\x17\
\xbd\xfb\xb2#\xb7\xd9\xd3h4\x9a\xad\xa1\xe5E!\xad=4:!\x86\x99\x1e\xd0l\xaf\
\xdc\x00\x14oS\xf7\xdbEo\xa0U\xd9\x01\xd0\xe2\xae\xd1h4\xdda\xcd2\x0f}\xb9\
\xffu\x0f\xb3}\x9fi\xa7\xef_Up\x8f\x05\xab\xad\xcf\xbd\x82)\t\xc9\x8cL\x0e\
\xb2*;\x08Z\xdc5\x1a\x8d\xa6+(\xf7\xbf\xee\xb5\xf8ILg0\xff8\xc6~{\x8b\xd4\
\xde\xdev\'S\xb2R\x85\x87ii7\xb4\xb8k4\x1aM\x17h\xfd\x0e\x8f\xebb\xff\xeb^f{\
\xba8>Hz\x00Z\xbf\xc3\xa3j\xebsO\xf7\x8e\x95\x19\x99\xfc&\rN\xa0\xc5]\xa3\
\xd1h\x92 \x8f\xe3j\xcbl\x8f)t\xf5\xa2\x98N&\x95\xbf\x7f\xb2\x01dQ\xec\xdf\
\x14\x9f\xfb$\x1bH\x0f\x1d2,\xf7!\x9b\xdb\r-\xee\x1a\x8dF\x93$\xf6o"\r\xc5:j\
\xf7\x8d\xf4\x08\xc9\x96N\x0c\xb2;RT\xb9.\x12IB;\xd9@\'v\xba\x98.N|\xa3\x16w\
\xa0\xc5]\xa3\xd1h6\xc1i\x83\xd6\xef\x02\xb4\xdeZ\xea*\xc7\x8e7:P\xf8cXa\x8d\
e\x00 \x00\x94\xf5\x08\x92!\xc4\xfbV\x1d2\x02-\xee\x1a\x8dF\xb3\x89\xd8\xbf%\
b\x16i\xaf\xdc/\x83\xee\x8e\x84Q;\x8d\x0c\x87\x9e\xf16\xa9\xdcCn\xc7\xd1\x1f\
-\xee\x1a\x8dF\xb3\xc1F\xb2\x01\xe8\x99\xda7\x95\xdf?\xd0^K\x8d2\x8f* \xccv\
\n\xbd\xd6Q\x07\x0c\x93\x7fP\xb4\xb8k4\x1a\xcd\x06\xb1\x7fK\xac\x9f\xf6\xcc\
\xfdBHj\x904\xeb\xc8\xa2v\xf8#\xef\x1d&\x9f\x1e:4\xc8\xe6\x1e\x0f\x81\x16w\
\x8dF\xa3i\xc1\xc2u\x16\xdc\x03\x00\xec\xedE\xb1\xd3C\x83\x98\xedqm\x11i;i;\
\x83\xae\xd3\x84\xe9x\x83m\xee\xf10hq\xd7h4\x9a\x162\xd3z\x1f\xb3}\x10o;\xb2\
\x90V\xe7\x01\x80\x00p\x0e\xdd\xe3m\x00\xbc\xe1o\xb4\x1dG\x7f\xb4\xb8k4\x1a\
\r\x00\x00m,\x8bW\x8d\xc4[K]\xcb\xb8\xd9=\x83,~\xc6\xfe\xadV\xf6G\x80\xb8W\
\xbcMf\xd4\xc9\x8c|\x93\x06\xf7G\x8b\xbbF\xa3\xd1\x00\x00\n[\x1b\x00(\x83\
\xae;V\x0f\x98#\x8c\xc75\xda\xb8\x03b\x1d\x95\xc37\x8b\xb7yxv\x7f\xca_\x8dF\
\xa3\xb9/\xadd\x03\x00\xbcw\xb2\x017\xbf\xdf\xb4S\xfd*\xa1\x8cR\xc6\xfd\x9b\
\x049\x00\xc1>\xf16\x85\x03\xa6\x93\xf9\x16\xda\xdd\x1b-\xee\x1a\x8d\xe6\x89\
\x07\x99L6@Y\xf7-R\x89\xe9x\xc5\x9e9\xc2\x18\xa5a\x10\x85\x94\x90x\xc5\x89V\
\x11\x08\x01\x88\x19tO\xdaN\xc8 y\x0b\xbe!\xda-\xa3\xd1h\x9et\xe2\xda"\xd2\
\x10\x008\xf6H6\x00\x90.N\x10\xd3\xeez8g|\xbd\\\x0e\xc2\xa6\x97F\x0f\xee\x02\
r\xd27\xfc\xd1\xc9\x94\xfa?\x01|+hq\xd7h4O4\xc8)\xad-\x8a\xcf1\xed\x1e\xb3h\
\xd8\xa9>\xb1\xed\x8dZm\xad\xbc\xcc\x03j\xc6\xf7h\xe0\x031@\x84?\xf6\xd8\xdc\
\xc3\xfb\xc6\x9b_\x0f\x82v\xcbh4\x9a\'\x9a\xb8:\x8f,\x06\x00\xc6\x91\xf1\xee\
\xb6vfx\xb2O\x8e0\x04,\x0c\x8d"\r\xc2\xf5yB\x0c\x02\xc0z\x87?\xa6\n\x13[`\
\xb6\x83\xb6\xdc5\x1a\xcd\x93\x0c\xb2\x90\xd6\x97\xa0\x1d\xb3\xd8\xb5\x8c\
\x95\xca;\xd9R\x9fJ,\xd3J\xe5G\\\xabF0\x14\xeb\xa8\xbd\xc2\x1f\r;\xf5\xadg\
\x7f\xec\xd9\xaa\xad9\x8dF\xa3\xd1lCb\xff\x16p\xda\xda"\xb5\xc7\xbe\xa6\xfdc\
\x16\x9b\xb5z\x18!\xd0\x8a\x83k\x00&\x01\xa0\x0c{m\x91\xda\xff\t\xe0\xdbE\
\x8b\xbbF\xa3yB\xe1\xb4A\x1b\xcb \xb6\xbe\xeb\x11\xb3\xe8dJvz\xa8W\ra\x106\
\x1a!\x82\xe1\xf2\x15\x821\x82\xc9\x11\xe2\x1e\xdbq\xd8\xe9\xa1\xfeO\x00\xdf\
.Z\xdc5\x1a\xcd\x13J\\\xb9\t\xc8\x81\x00\xa3\xd8+f1=t\xa8\xfb\xc1\x08\xf5Z=\
\x8eb\x0e\xa6c4\xcd\xa8\x8c`\x10\x021E\xc68\x11\xeb\xb2\x84ld\x17 \xc4\x1b\
\xd9\x8auT\x89\x16w\x8dF\xf3$\xc2#\x9f\x05\xab\xd0\xda\xb1\xbaG\xb2\x81\xdc>\
\xcb\xcdv\xf9\x03B\xbdV\x0f\x9a!1m\xd3`V\xb4H\x10\x91\x18\xe2\x05(;]\xb0\xd3\
E\x03x\x1cV\xe3\xc0\x17:\xef\xe6\xf6>\x8a\xa4\xed}\xd0\xe2\xae\xd1h\x9eD"\
\xff\xa6H2@{\x98\xed\xc4\xb0\xbc\x1ef{\xb5\xe2\x87alX6g\xd4!\x15\xc2*HL\x02P\
\x0f\xb8\x9b?\x98\xdf3\t@\x00\xc34\xd0\xc6\xca\xd7\xcd\xca\x1db9\xde\xd0\xa3\
M6\xd0\x89\x8e\x96\xd1h4O\x1c,\xb8\xc7\x83u \xfd\xcc\xf6Ta\xbc\xeb\x8e\xd5\
\xcdz\xa3\x19\xc4\xa6e3Fm\xdb\xb0\xe3;@\x08\x01\x88(\xc6\xcc\x05\xf46f\n\x02\
\xae7\x04h{C\x07\x1fQ\xd2\xf6>h\xcb]\xa3\xd1<i`\xec\xdf\x14\x9f(\xc5\xee9\
\xc2,7]\x1c\xef<\xb2\xeeW\x83 \xb2,\x93R\xea\xb8i+\xba\x05\xbcI\xc0\x00\x80z\
\x88\x86\xe1\xd4k\xcdt\x14G\x0c\xc2f\x0c\x18\x130Ccd$\xdf\xa5\xaaG\x8d\xb6\
\xdc5\x1a\xcd\x93\x05m\x94yT\x05\x02\x9c\xf74\xdb\xbd\xe2Ab$m\xdfZ\xa5\xda\
\x0cbbX\x9c\xa3m;\x16\xfa$^A @ \xa0\x10\xc6\x9c#\xb5\\\xbb\xdeh\x86A\xc0\x91\
Sn0p\xd3#\x07\x82f\xf0\xe8\xbb\x95D[\xee\x1a\x8d\xe6\xc9B&\x1b\xa0\x0c\xbb\
\xe6\x083\x9d\x8c\x9b\xdf\x97\xf8\xb2z\xaf\x12\xc6\xdc4\rJ\xb9\xe3\x18H\xc3\
\xb8\xb9\xe8\x1a1\x80\x81\x08\xf5&\xb3,\xdb\xf6F\xc2\x88\x05\xf7\xd6\x00\x11\
\x00\t\x10b\x18\x84\x185\x1a\x8f\x1f=BH\xd7\x08\xc9G\x85\x16w\x8dF\xf3\x04\
\xc1\xa3*\x8fkp\x9f\r\x92\x8e$6H\xf2\xefU\xc2\x88\xdb\x96\xc1\x81\xd86\xf08\
\n\x9b\xf7rF\x15\xc0\x00\x02\x8d\x80s0\x0b\xa3\xc7\x9auZ\xaf\xdd3\x0c\x13\
\x08\x80\xf0\xe8\x03\xb4vd\x8db\xdb\xddR\xb7\xbb\x16w\x8dF\xf3\x04\x11W\xe7\
\x11\x91\x00\xc4\xb4\xbb\xd9n\xa5\nNfT\xfe/r\xee\xaf\xfb1#\xa6\x811\x07\xc7\
\x02\x03Y\xc4\xa9\r\x15b\x00\x00\xa1\x8c\x85\xd4\xcc\x8fLF1A\xd3v\xd2i\xce\
\xb88\xb4]\x05\x98\x96i\xda[-\xb6Z\xdc5\x1a\xcd\x93\x02m\x96is\x85\x00\xd0^9\
\xc2\x0c33zl\xa3|\x1c\xd7\xab\x8d\x98"\x00G\xc3t-B\x83&\x05\xb0\x1d\x84\xa8A\
\x00\x109%y\xaf\xb87\x88\x80q\xe6\xa6\xbc\x94k\xd5\x1au\xc68p\xde\xaa\xd20FJ\
%\xc3\xd8\xea\x05N-\xee\x1a\x8d\xe6\xc9\x00Y\\\xb9\t\x00\xfd6H\xca\xef\x97o-\
EAX\xad\xd4\x88i\x13\x02\x86\xe9\xd8&\x0f\x1b5\xd3v\xf3\xc3\xc5\xb5\xf9\x8f3\
\x16\x02"\xd8#\x86\xb1\xa7\x11r\xc6b\xd7\xcb;\x8e\x15\xd6\xd7\x81\xc5\xc4 N*\
M\x00\x1c\xc7V\xd5#\x86\x00\x00\x1c[IDAT\xcd\xe6s\x8e\xb3\xd5q\x90\xa0\xc5]\
\xa3\xd1<!\xc4\xf5;\x9c6\t@\xccz\xbc\xb5d\xb9r\xaf\xa5\xa0\xd1l6C$\x0495,\
\xc7"4\xac7\xacT*?4\xd4\xac\xad\x19\xacA,\xc0\xd4\xbe\x88\x17\x83\x089\x8b\
\xbd\xdc\x90\x014\xaa\xfb\xeb\xabw\x0c\xf4\x87F\xc6\x8a{\x0e\x13\xc3\xd8\xe2\
ET\x15\x1d\n\xa9\xd1hv?\xc8i\\]\x00\x00\x04`=\xc3\x1f[{-\x05\x8df\xad\x16 \
\x07D0L\xdb1Y\xb3^\xb3\xdcTax\x18\x00\xd6\xee|e[\xc8\xdd\xf1\x08F\x1b!c\x8cz\
\xb9a\xe0\x11\x0b\x1ak\xe5\xafM\xa8f\xd2fa\xec\x88a\x9a\x8fQ\xd9A[\xee\x1a\
\x8d\xe6I\x80\xd6\x16\x90\x85\xc2\xdb\xde\xd5l7\xed\x94\x9b\xdf\x0f\x00\xcdz\
\xb3^k\x1a\xa6\xc1\x18\xb7,\xcb"\xb4Q\xad\xa7</?<\x0c\x00\xeb+\x0b\x166\x8d\
\xf4\xc1\x08\x8a\xf5F\xd30\xedt:\x8b,\xc0\xa8\xb9\xba\xbah\x19\xcd\x8c\x8b\
\xb9\x91q\xd3\xf6\xb6\xbc\x8bI\xb4\xb8k4\x9a]\x0e\xf28\xae\xdd\x86\xbe\xde\
\xf6\xf4\xf0QB\x8cz\xb5\x1e\x04\xb1a\x10DbY\x96cA\xa3\xd6He2\xf9\xa1!\x00`4\
\xf2Wn\xe6\xf2\xfb\x989\xd2\xacU,7g[\x16`D\x83\xba\xbf~\xdb"\xcd\\\x1a,\'\
\x9d\xee\xbd\x8f\xf6V\xa2\xc5]\xa3\xd1\xecrb\xffk\xe4\x14\x00X\x0fo\xbb\x9d\
\xca\xbb\xd9\xb1Z\xa5\x16\x84\x94\x00\xe3\xc42\x08\xd8&\xd6|\xdf\xcb\xe5r\
\xc5\xa2(\xb6v\xf7\xa6\x97\xdbc\xba#\x8dF\xd5J\x0f\x01\xa7&\xc1ze\xad^]6I\
\xb3\xe0\x19\x00\xe0\r\x1d\xe9|\xb5\xf5\xb1\xb0-\x1a\xa1\xd1h4\x8f\x08N\x9bq\
}\t\x00\x01I\xf7d\x03\x04R\xc3S\xb5J\xad\xd1\x8cL\x03\xc1\xb0\x0c\xe4&\x81f\
\xa3\x9e-\x163\xb9V\x9e\xde0\xa8\x1b\xc4\xb2\xd2CQ\xb3j:ydQ\xca\xb5\xabkw\
\x9b\xf5\x15\xcbh\x16<\x13\x11\xacT\xc1\xcd\xed\xd9\xd2\xee\xf5F\x8b\xbbF\
\xa3\xd9\xcd\xc4\xfe-\xe0\x0cH/o;\xb73\xfb\xc3\x00\xc3\x98\x99&\x01b\x19\x84\
\x13\xc0(hd\x8b\xc3\xe9L\xcbu\x8e\x88A\xbda\xa7\x8aA\xc3\'N\x11\x90\xa6\x1c\
\xab\xb2r;l\xae\xd9f\x98K\x9b\x88\x8fa;\x8e\xfehq\xd7h4\xbb\x16\x1e\xd7h\xa3\
\x0c=w\xe4@ \x167\x8a\x9c\x1b\x84Pb\x98\x06p\xe0,\n\xea\x85\xd117\x9dj\x15\
\xe2<\nB\xceH\x10\x05\xb6[\xe4\x8c\xba6\xb9W^\x8c\x82\xd5\x94C=\xd7\x10Y\x06\
\xdc\xec\x98\x9d*le\xef\xfa\xa3\xc5]\xa3\xd1\xecZ\xa2\xca-\x00\x04BX\xd7\xd4\
\xbe\xc8\xd1)q\x92A\xce\x0c\xc34\x0c\xe44\xa6Q0\xbcw\x9fe\xdb\xa2\x08\xe7\
\xbcYk4\x1b\xd5\x98\x12\xcbN!gi\xd7\xaa\xac,\x06\xcdr6\x8d)\xcbhm\xa8gX\xde\
\xf062\xdbA\x8b\xbbF\xa3\xd9\xad\xb0p\xbd\xbd\x91\x1ev5\xdb\xd1p\xad\xf4>\
\x06H\x081M`QH\xe3hx\xef~\xd34[5P\x1a\xd4\x9bA\xb3\xc6\xd02-\xd30M\xcb\xe0\
\xeb+K\xcdF\xb9\xe0\xa1mnL\x16\xe9\xe2D\xd7\x9d=\x1e#\xfa%&\x8dF\xb3;\x89\
\xfd[\x00@\x00(\x83n9\xc2\xd0L\xef\xa1\xe0\x00g\xb6m\xb0\xa8I\xe3\xa8\xb4\
\xff\xc0\x86\xb2\xc74\xa8\x07\x9c\xc7\x8c\xb8\x88\xc4vl\x03i}\xedN\xb3~7\x97\
\xe2\xaa\xb2\x1bv:U\x9c\xd8\xaan\r\x8a\xb6\xdc5\x1a\xcd.\x845WXX\x01\x00\x8e\
]S\xfb"\x92\x147G\x80S\xc7\xb5iP\xa3\x94\x95\x0el\xec\x97\xc4)\x0b\x1aM\x1a\
\xc7\x0cL\xce\xa2t:M\xc3zP]\xa9\xd5\xcby\x0f\x1dsS}\x99\x91\xa9D\x8a\xe0\xed\
\x80\x16w\x8dF\xb3\xfb\xc0\xc8\xffZ|\xea\xba#\x07"\x92\xf4^0L\xd72\xe3\xa6\
\xcf\x91\x94\x0e\x1c\x90\x7f\xa5Q\x1c4\x03\x1aS\x0ef\x14\xc7^:\x1d\x06\xb5\
\xb0\xba\\o\xac\x16<\xb07+\xbb\x9d\x1er2#\x8f\xbcC\x0f\x8e\x16w\x8dF\xb3\xdb\
\xa0\xf5\xbb<\xae\x11\x00\xd6\xcdlG\xe4\xc4\xce\x11g\xc82\x8d\xa8\xb1n\xd8\
\xeeh\xa9$\xff\x1a\x07a\x14EqL9\x1a\x94\xd1\x94\xeb\x84\r?\xa8.G\xf1z\xd1\
\x03k\xb3\xb2\x03!\xde\xc8\xe4Vt\xe9\xc1\xd1\xe2\xae\xd1hv\x17\xc8\xe3\xea<\
\xb4\x93\rt\xf1\xb6\x13B\xdc=\xa6a\xc6\xcd\x8a\xe9\xa4\x8a\xa3\x1b[s\xc4aX\
\xaf\xd5\x90\x98\x0c\t"O\xbbv\xdc\xac\xd5\xfd;\x8c\xfa\xd9\x14\xda&\xc1\xcd\
\xeb\xb2j\x8a\xe0\xed\x86\x16w\x8dF\xb3\xab\x88k\xb7Ej_\xd6}G\x0en\xd8E\xd3.\
\xd0\xa6o{\xad\xa41\x82f\xad\x11\x05\x01C\x93sn\x10\xc34I\xdc\xac\xae\xaf-!\
\xaf\xe5\xd2]\x94\x9d\x98vz\xe8\xd0\xa3\xef\xd0C\xb2\xed\x16\x014\x1a\x8d\
\xe6\xa1A\x1e\xc7\xb5Vj\xdf\x98v)\xc0\x91\x10\xb7\x145\xabn6\xbf\xa1\xec\x08\
Q\x10FA@\xd1\xa0\x94Y\xa6E\x80\xf3\xa0\xbaZ^\x08\xa2Z6\x05\x9d\xca\x0e\x00\
\xde\xd0a\xc3|\x0c\xbbp\x0c\x88\xb6\xdc5\x1a\xcd\xee!\xae\x8a\xd4\xbe\x842\
\xe4\x984\xdb9"\x05\x8fP\x92)\x16\xbdl\xdb\x9d\x82\x184\x82 \x088\x98\x94R\
\xc7\xb1\x91S\x1eT\xab\xfeR#l\x0eg\x89cA\xa7\xb2\x9bn\xd6\xcd\xef\xdb\x82\
\x1e=4Z\xdc5\x1a\xcd.\x01YD\xebK\xd0\xf5\xad%\x02\x9cC3B;\x95\xcd\x0e\x8f\
\xa4\xd2\xe9\xd6!\x08a\xbd\x11\x84!e\x06e\xd4u,\xceb\x0c\xabq\xb0T\x0f\x82\
\xb4C<\xb7\x8b\xb2\x03@f\xf8\xe86\x0c\x7fT\xd1\xe2\xae\xd1hv\tq\xf5kd1\x10\
\xa0\x1c6\xe5\x08#\xc08\x04\x11"Ie\x87\xc77\x94\x9dcPo\x84a\xc8\xd0`\x9c\xbb\
\x8e\x85\x9c\xf1\xb0\xca\x82\xbb\xc8\x03\xdb"\xd9T\x97\xfc\xc0\x00\xe0dJ\xb6\
7\xbc%}zx\xb4\xb8k4\x9a\xdd\x00\xa7\x8d\xb8~\x07HG\x8e0\x02\x8cA\x10#"\x8c\
\x8e\x9f\xcc\xe4[\xb9\xbd8\xe7a\xbd\x1e\x841\xe3\xc09\xb7\x0c@F\tk\x1aP\x05\
\xd2\x889\xb1Mp\xcc\xee\xe7J\x0fm\x8b\xed8\xfa\xb3\xad\x1f+4\x1a\x8df@b\xff\
\x16 \x03\x00\xc6`#G\x18\x01\xca\xa0\x19#"x\xb9\x91L\xbe\xb5\x82\xca\x19kT\
\xfc d\x94\x13\x04\xc34\x81 5 NeR<\xae\xd8\x96\xc188&\x98\xdd\x04\xd2J\x15,g\
\x9b\x86?\xaahq\xd7h4;\x1e\x1eUic\x05\x80 \x02\xe5\x1bf{L!\x88\x11\x10\x88A\
\n\xa5#\xad\xc2\x8c\x07\xb5Z\xccIL9\x01b\x10N8#\xc0\xf2\xc3\xc3Qc9e1D`\x1cRN\
7o\xbbH\xda\xfeXw\xbe\x1e\x10-\xee\x1a\x8df\xc7\x13\xf9\xb7\x00\x10D\x8e\xb0\
\xb6\xd9\x1e1\x08)\x8a\x9ca^n\xccI\xe7\x00\x00\x19k\xd6\xeaA\xc4\xa3\x98Z\
\xa6I\x80\x11\x16\x03\xf0\xc2h\x89\xc6M\x08\xcb\x96I\x9a\x11\xa4\xec\xee\x02\
\xeef\xf7l\xab\xa4\xed}\xd0>w\x8dF\xb3\xb3a\xc1*\x0b\xd6\x00\x00\x11e\xb2\
\x81\x88B$\xf6\xc2&`\x18Vq\xec(\x000J\x9b\xd5Z\xcc fh\x99&\x00\'<\xb6m\x92\
\x1d\x1a\x05B\x82\xb5/\x1d\x8b\x88\xbff\\1Yl\x82\x98\x8e7|dK\xfb\xf6\r\xd0\
\xe2\xae\xd1hv4\x18\xad_\x17\x9f\xc4[K\x08\x10D\xc0d\xb8\x0cBq\xcf\xa4\xe5\
\xa4X\x14\xd5k\x8d\x90\x02g\xccu,\xc6\xe2\xb8Q\x1b*\r9\x99\x02\x00D\xeb\xd7-\
h\x02@#\xc4\x94\xdd=H&[:\xbe\xdd\x92\xb6\xf7A\x8b\xbbF\xa3\xd9\x91\xd0\x98\
\x861B\xb8L\xe2:!&e\xc89r\x84 \x06\xae\x04B\xda\xae\x97\x1b\xda\xcf\x85\xb2\
\xc7\xc89\xb7m\x93\xb1\x98\xc4\x8d\xe1=#v:\x07\x00\x9c6X}\t\x00\x18\x07\x93\
\x80\xd1M\xda\xed\xf4\x90\x93\x19\xed\xf2\x87\xed\x8a\x16w\x8dF\xb3\xc3@D\
\x7f\xbdB\xc1\xb2\rn4\xe6\x81\x18\x00\xc0Z\xca\x8e\x9c\xcbTa\x049\x1b\xdd\
\x7f\x92\x85A\xbd\x1e\x8412\xce\x1c\xcbD\xce n\x14K\xa3\x86\xd3\xda\xff\x9a\
\xfa\xb7\x109!"\x86\xb2\xdb;K\xdbl\xf3\xebA\xd0\x0b\xaa\x1a\x8df\x87\xb1\xbe\
\xb2\xba^^q-#M\xd6\x08o\x12 \x8caL\xa1\x19\xa9\xca\x0e\xc8Y\xb6\xb0\x87\x00\
\xf1\xab\xcd\x90\x02\xe3\xdc\xb5-DNX\xb3X*Ieg\xe1\xba\xdcD\x1b\xb1\xfb:j*\
\xbf\xdfrs[\xd4\xbdo\t-\xee\x1a\x8df\x87\xd1\xa8\xd7\x81r\x0ck\xb4~\x07\xc0@\
\x800F\xf1\x9a\x92\xa2\xechZ\xb6\x97\x1b\xab\x07@\x19 \xe7\xaempNYP-\x8e\x8e\
\x9aN\xba]\x19\xc6\x95\x1b\x00@\x08p\xec\x9aEr\xbbg\x7f\xec\x85\x16w\x8dF\
\xb3\xc3\xf0\xf2y\xb0\xac\xa8\xfa5\xb2\x80\x18$\x8c\xb1\x11%\x94\x9d[\x96946\
\x1517\x8e)\x008\xb6\xc1h\x8cQshl\xcc\xb0S\xb2*\xdaX\xe6Q\x15\x00\x10!\xa6\
\xdd\x1c2\x00\xde\xd0\xa1\xed\x9c\xfd\xb1\x17\xda\xe7\xae\xd1hv\x18\x85B\x9e\
6\xd6\x1d^\x070\x18\x87z\x80\xaa;\x059\xb7m7?:\x19q\x8fRf\x18\xc42\t\x8dBd\
\xe1\xc8\x9eM\xca\x8e\x9c\xc6\xfe-\x00$\x84\xc4\x0c\x19\xef\x12$c:\x197\xbf\
\x7f\x8b:\xf6\xad\xa2\xc5]\xa3\xd1\xec0\x0c\xd3\xcc\xa5C\xd6\x04 \xd0\x0c8\
\xe3\xa8*\xbb\xe3z\x85\xd1\xc9Fl\x03\xa0i\x1a\x84 \x8f#\xe4\xf1\xc8\xde=\x89\
@FZ[@\xda\x04\x91\n\xb8\x87\xd9\x9e\x19\x99\xdc\xe6\xd9\x1f{\xa1\xc5]\xa3\
\xd1\xec0xTe\xcd2\x01B)\x06\xd1&eO\xa5s\xb9\xe1\xa3Alr\xc6m\xdb2\x0c\xa4A`\
\x99\x98/\x8d\x19\xd6&\xd7\n\xb20\xae-\x8a\xcf\x94m\xce"\xd9\xc6\xce\x8cn\
\xff\xec\x8f\xbd\xd0\xe2\xae\xd1hv\x18Q\xe5& \x07\x02\x8d\x109\xe7\x00@\x88\
\x81\xc8S^\xc1+\x1cjD&\xe7\xdc2\r\x00F\x9b\x81iA\xa14F\x8c\xa4\xd6E\x95\x1b\
\xc0)\x00 Bw\xb3\x9d\x18\x99\x9d\xf3>j\'Z\xdc5\x1a\xcdN\x82\x05\xf7X\xb0\x06\
\x04"\x8a\x11\x05\'\x95\x05\x00\x1a7=o$\x9d?\xd8\x08\t"s\x1c\x1b\x90\xd3\xa0\
\xe1\xa6\x9c\xdc\xf0(1\x92~\x15\x1eUYsY|\x8e\x19t\xd9D\x1b ]\x187\x9d\xcc#\
\xef\xcf#C\x8b\xbbF\xa3\xd9I\xd0\xfa\x1d\x00\x00D\x8a\xa9\xb1CO\xb9^\x9e\xc7\
\xcd\xa8Y\x8fb\xa3\x11\x12\x02\xdcqm\xe4\x8c6\x1b\xe9l*S\x1c!\xdd\x02\xd7\
\xa3\xca\x9cH\xf9\xc89\xc8t4*\xc4r\xd3\xc5\x89G\xdd\x97G\xca\x8e\\(\xd0h4O&H\
\x03\x1a\xdc\x03\x021#1+\x9aN\x9e\x10\x03\xc1\xa4<\x15R\x13\x80\x9b\x06"gq\
\xb3\xe6\xe5\xbc\xecPweg\xcd\x15\x1eV\x84\xb1\x1e\xb3\xae\x9b\xe8\x817t\x98\
\x98\xf6#\xee\xcd\xa3E[\xee\x1a\x8df\xc7\x10\xf9_\x03\x8f\x110\x88\xcc\x98\
\x13\xce(7\x9d8F\x86\xc4\xb2\x008"\x10Z\xaff\x87\x8b^\xaegb\xde\xb8:\x0f\xd0\
\xda\xc7\xa3k\xf8\xa3\x95\xca\xa7r{\x1fa7\xb6\x04-\xee\x1a\x8dfg\xc0\xe3\x1a\
m\xdc\x05\x02Q\x04!\xe5\x84\xf08\x8a#F\xa2\x80\x03\x12\x8b@\x14\xc7\x04\xe3\
\xa1=#v\xaa\xe7NI<\xaa\xf2\xb8\x06}\xd6Q\x01\xbc\xe1\x9d\xb1\x1dG\x7f\xb4\
\xb8k4\x9a\x9dA\xe4\x7f\r\xc8\x11\xa0\x11!rpr\xe9\x88R\xa4\x8c!\'\x00\xdc0\r\
\x03\x8a\xc3\xa3\xa6\xeb\xf5\xab\xa4rCl\xe7A)v\r\x7fts{\xect\xf1\xd1\xf5b\
\xcb\xd0\xe2\xae\xd1hv\x00,\xf4Yc\x05\x08\x84\x11R\x86\x1c\x9cz\xad\x19\x861\
\x00\x18\x84\x00\x001L@V\x1c\x1d\xe9WIs\x85G\xeb]6\xd1nC\x0c+=\xb4\x83\xc3\
\x1fU\xb4\xb8k4\x9a\x1d@\xec\xdfB@\x82@\x19\xa4l\x88\xd1\r(\xa1q\x0c@\x00\
\x10\x10\x10\x00\x11iP7\xed\x1ey`\x90E\xfe\r\x00 \x00\x11E\xecf\xb6\xa7\x8a\
\x13\xa6\x92\x9f`G\xa3\xc5]\xa3\xd1lwhs\x95\x06kDl\xa6a\x80\x01\xc4$\x8c\xdb\
.\xa3L(;\x00"\x12\xcb"\x96\x9b\xeeYI}I$\x1b`=\xc2\x1f\r;\x9d.\x1cx\x84\xdd\
\xd8Z\xb4\xb8k4\x9am\x0e\xc6\xfe\xd7\x00\x80\x00\x8c#\x00 \x10\x03\x1b\xb9T\
\x8dz\xc3a\xc89g\x00`\x1adt\xa4`:\xdd\xedndQ+H\x06 \xa6\xd8\xf5\xad%o\xf8H\
\xe7\x8b\xac;\x97\xdd\xd3\x13\x8dF\xb3+\xa1\x8de\x16\xf9\xc2l\x97\x91\x8b\
\x08\x04\x82\x157\x15:n\xc6\xf6\xf6\x98\x96e;)\xd3\xea\x99\x987\xae\xce#\x8f\
\x01\x00\x11x\xb7\xa4\xedV\xba\xe8f\xc7\x1eY\'\x1e\x03Z\xdc5\x1a\xcd\xf6\x05\
\x91Em\xb3]]\x02%\x00\x00$nVM;\xce\xec}\xaa\x9b!.\xab`\x18Wh\xed\xb6(\xd2\
\xddl\'$32\xf9\xed\xb7\xfe\xb1\xa2\xc5]\xa3\xd1l_h\xfd.\x8f\x1b\x04\x80\xf2.\
\x89\x1bIkk\xd3n\xca\xce\x03\xa05\xa4\xd5\xa8Y\xe1Q]\xec\x8c\xca9v\xf5\xb6\
\xbb\xb9};n\x17\xbd\xfb\xa2\xc5]\xa3\xd1lS\x90\xd3\xc8\x9f\x07\xe1m\xef\x16\
\xb9h\xa6\nnv\x8fr\x00\x03\xde\x04Ze\x91\x1f6\xabA3\nCJ\x19\x1f\xca\x12\xc3 \
\x80\xdd\xcdvb\xda\xde\xf0\xe1G\xd9\x8f\xc7\x83\x16w\x8dF\xb3M\x89k\x8b\xc8\
\x02\xd2+\xdf:!\xb9\xd21\x00\x00\x1e\x02\xafcT\x89\xc3Z\xd0\xa8\x87!\x8d"F\
\x19G\x04\x04\xb0Mb\x18\x04\x00(\xef\xbe\xd7R\xbaxp\'\xee\xa2w_\xb4\xb8k4\
\x9a\xed\x08\xb28\xae\xde\x06\x91\'\x80w1\xdb\x9dt\x96E~X\x9d\x07V\x0f\x9aQ\
\x18Q\x1as\x11N\x03\x04\x08\x80a@\xcc\xc0\xb2\x08\x81\xd6[K\xddv\xd1\xf3R\
\xbb(\xfcQE\x8b\xbbF\xa3\xd9\x8eD\x95\x1b\xc8#\x00\x88y\xc7\x0bG\x04(\x83\
\xbbwj\xe1\xfc\x97E\x0fL\x039o\t\xba\xba#\x1eG`\x1c\\\x0b\x01!\x88!\x8c\x80\
\x18`\x12\x00\x00D0\x0c \xc4\xc8\x8c\x1e\xdb\xa1\xbb\xe8\xdd\x17-\xee\x1a\
\x8df\xdb\xc1\xc2J\\\xbf\x03\x00\x9c\x03g\x1d^r\x80\xb5\x1a\xaeT\xe8h\xde0\r\
\x82\xb8I\xd3\xe5[M\x11#\xb6m\xa4=\xc7\xb2L\xb4\x91\x98\xd44\x80p&\xb4=\x8cy\
\x10\x93\xa2\xbd\x83\xb7\xe3\xe8\x8f\x16w\x8dF\xb3\xdd\xc0\xa8r\xb3\x95\xde\
\x8b%\x97@\t\x81 \x86\xf5\x1a\xf7\\#\x93"\x08 C\xdf\x11\x01\x00\x89a\xd8\x96\
\xe9\xba\x96\xe3\x98\xaem\x10da\x10S\xca\x80s\x1a#\x02!\x04L\x93\xbb\x16\xf1\
\x1b4\x8e\xc3>\xd1\xf1;\x1a-\xee\x1a\x8df\xdb\xc0\xaa\xc0\xab\xb4y\x8f\x05\
\xeb@\x80u\x0b\x7f\x04\x80\xb5*g\x1c\x86\xd3\xc4 \xc0\xb1%\xeb\xa6e\xb8\xae\
\xe5:\x96\xe3\x98&A\xce\x19\x8d\xa2F\xc0\x18G@\x04B\x908H\xc0\xc0\x18\x90\
\xc7\x14,\x033)\xc2\xe2\x10\xd2\xbb-\x08R\xa0\xc5]\xa3\xd1l\x03x\x1c\xdf\xfb\
\xa2\xde\xf0\xc3\x08\x1d\x83\xda\x16\x01\xec\x12\xfeH\x084B\xac4\xd0K\x91\
\x94\x03\x8c\x01Gp\x1c\xa3X\xf4\x1c\x8b\x00\xe7\x94\xd2\xa8\x191\xca8\x17\
\x07\x00\x01\xe4\xc4\x06o\xdct\x8b\x8c\xa1\x81M\xac\xdf <bHL\x024\x0e\xb7\
\xbe\xaf[\x83\x16w\x8dF\xf3\xd8\xc1Z\xf9\xca\xfa\xbd{\x94"\x02\xb8Y\xa3\xfb[\
K\x04\x00`\xad\x86\x00\x90u\t!\xc4v\x88m\x12\xdb20\x0e\xeb\ra\xa4\xb7\xdf^\
\xdd8\x92\xd4\x82\x0c\x8fb\xd3\\!\x84p$6\xa6\xd3V$J\xd2\xa8\xb9\x95\xfd\xdcJ\
\xb4\xb8k4\x9a\xc7L\xd4\xac\xac\xdf\xbb\'\xect\xc3 \x96\t\x88\xc0D\x06\x98vp\
\x0b\xe7\xc082N2)c\xb4@\\\xdb0\x0c \x88\x1c\x91QJ\xe3V\xb4L\xa7\x13\x07\x01\
\xbcl\xaa\x1e\x1a\x94R\x00\x04b\xa6\x1dS\xfc\xc9\x00\xa0q\xb0\x85\x1d\xddR\
\xb4\xb8k4\x9a\xc7L\x1cE"\x96\x912\xf0l \x00\x94#"p\x04\xc6\x80q@\x00B\x88e\
\x12\xc7!Y\x03\x10\x91s\xc6)\x08\xaf\r\x81\xfe\x9b\xe2\xa1C|\xbb0\x16\xd2\
\x0c\xe7h\x93\xc8\xa25d\x00\x00\x84\x00\xa7!"v\xddG{\xa7\xa3\xc5]\xa3\xd1<f\
\x9cT\x0e\x08A\x8e\x94\xa1k\x11b\x9aQ\x8cAD\t!\xa6A\x1c\x9b\x98\x06\x10\x82\
\xc8\x019\xa7\x1c\xa0m\xa0\x0f"\xc9\x04\x08\x8b\x1a\x06\x9bO\xdb)\x00\x824\
\xe0\x8c\xcaC\x91E\x88\x9c\x10\xf3Q\xf5\xed\xf1\xb1;\xa3\xf7\x9f\x10|\xdf\
\x9f_X\xf4}\x7f\xf0\x02a\x18v\x1e2\xbf\xb0\xb8\\.?\xc2\x86>8\xcb\xe5\xf2\x83\
\xb6j\xe6\xca\xd5>C\xd1\xff\x90\x8b\x97.?X\xfb\xbe\x8d\xb3o\x1f|\xdf\x9f\xb9\
r\xf516\xc0v\xd3\x8e7B\x08\x19\x19\xc9\x14F\x0bN&\x93NYi\xc7\xf0\\\xe2\xda`\
\x10\x8e\x9c3\x86\x88\xad\xb8\xc7\x075\xb3\t!\x9cs\x1a\xd4iXc\x8cm\xaa\x00\
\x99\x88\xa0\xdc}h\xcb}G\x12\x86\xe1\x1bo\xbe\xe5\xba\xee\xd8Xiv\xf6\xba\xef\
\xfb\xaf\xbc\xfc3\xd7u\xd523W\xae\xfe\xe1\xeds\x13\xe3\x07\x96\xcb+\xcf\x9d=\
}\xf6\xcci\xdf\xf7\xff\xfe\xf5_\x8d\x95F\x97\xcb+?\xf9\xf1\x8f\xa6&\x8f\x02\
\xc0?\xbc\xfe+\x00\x08\xc2pj\xf2\xe8K/\xbe \x8e\x15%_{\xf5\xe7c\xa5R\xe7\xd9\
}\xdf\xff\x9b\xbf\xfd\xbb\xd7^\xfd\xc5\xc4\xf8\xfd\xdf\xdb\x9e\xbd>w\xf1\xe2\
\xe5\x7f\xf7\xd7\x7f5`\xd7\x96\xcb\xe57\xde\xfc}\xcau]\xd7\t\xc3(\x08\xc3_\
\xbe\xfa\xf3|>\xaf\x96\xf9\x87\xd7\x7fu\xf6\xeci\xd1\xfe\x8d\x13\xcd^\xcf\
\xe7\xf3\x89\x92\xfd\x9b-\x0fy\xef\xfc\x85\xb3gN\xab\x85\xff\xcf\xff\xeb\xff\
\x16\x1f\\\xd7\x15\xa3\xd7\xbf#\xf7={/:O\xf4\xa05|s*~uv\xf6\xfa\xf4\xa9\x93[\
\x7fj\xc9\xd0\xf0Hd\xacZ6o\xf8u\x1aSD$\x00\xc8\x01\xdb\x1e\x97o\xe87!\xd0\
\xddwcZf\x7f\x9f\xce\xceE\x8b\xfb\xceC(\xfb\xd9\xb3g\xca\xe5\xf2\xfc\xfc\xc2\
\xc4\xc4\xf8\xf4\xf4\xc97\xde|+\xa1\xef\xf3\xf3\x0b\xaf\xbc\xfc\xb3\xa9\xc9\
\xa3B\xa9\xcf\x9e9\xfd\xf9\xccU!\x1f\xf3\x0b\x8b\xe7\xcf_\x98\x9a<:{}\xceu\
\x9d\xd7^\xfdE\x18\x86\x7f\xf3\xb7\x7f\xf7\xdc\xd9\xd3\xa2\x86\xf7\xce_x\xee\
\xec\xe9\xae\xca\x0e\x00\x1f_\xbc\x9c\xcf\xe7gf\xae\xf4\x11\xf7_\xff\xe6\x9f\
^{\xf5\x17\x000\xc8\x04 \xf1}\xff\xd7\xbf\xf9\xad\x9cx\x00`~a\xb1S1\xcf\x9e=\
\xfd@\xd5\x0e\xdel\x95\xff\xf4\x1f\xff\x83h\xd2?\xfe\xe6\xb7S\x93G\x1f\xe2\
\x8cr\x10\x1e\xe8D\x0f1C\xect\x906\xa3\xca\x8d(\xc60\x0c\x00\x80\x10@\xc3\
\xe5H\x0c\x8c\x08\xf0o,\xec\xbd\xcf\x0b`\x99\xa6\xb1K\xd3\x0f\xec\xce^\xednf\
\xae\\\x9d\x98\x18\x9f\x9f_\xa8T\xfc\xb3g\xcfT*\xfe\xc2\xc2\xe2\xd4\xd4d\xe2\
\xc9Z(\xbb\xfa\xcd\xec\xf59\xf1\xcd\xc4\xf8\x81 \x0c}\xdf\x9f\x9f_\x98\x9a\
\x9a\x04\x00\xd7u\x85\xd6C\xcbK\xb3\xd2\xcb\x8e\x13\x8e\x9d_\xbe\xfa\xf3\xd9\
\xebs\xaa#b~a\xf1\xe2\xa5\xcb3W\xae\x8a\x02\xe2?Q \x9f\xcf\x89/\xd5\xc2a\x18\
\x8a&]\xbctY\xfeI\xb4Pm\xb6\x94\xd4\xe5r\xd9\xf7\xfd\x8b\x97.\xfb\xbe\x9f\
\xcfo\xbcu2s\xe5\xaaZC/z5\xfb\xbe\xe4\xf3\xf9\x94\xebV\xfc\xaa\xe8H\xa2\xb3\
\xbe\xef\xcb\xda\xc20\xbcx\xe9\xf2\xc5K\x97\xc30\xec\x1c\x04\xd1S1\xc2\xf7=Q\
\x18\x86\xa2_\xb2\xf2\xe5rY\x0e\xaf\x1c+\xb5\xe3r|\x84GKV+\x87Z\xd6 \xff$\
\xca\x8b\x06\x0f> \x8f\x82\xda\xbd\xdbA\x10\x01\x02!\x04\x810g\x1f\xc9?%\xfe\
\x03+\x8f\x8f\xcem\x82\x00H\xb9X]\xdduhq\xdfy\xcc\xcf/\x08/\xc1O~\xfc\xa3\
\x89\xf1\x03/\xbd\xf8\xc2\xf8\xf8\x81\xe9S\'\xe7\xe7\x17\xba\x96\xff\xc3\xdb\
\xe7\x9e;{\x1a\x00|\xdf\x97Va!\x9f\xab\xf8\xd5M\xdf\x14\xf2\xe2&\xff\xc3\xdb\
\xe7\x00\xe0?\xff\x97\xff\xfa\x87\xb7\xcfu\xde\xf63W\xaeN\x8c\x1f\xc8\xe7\
\xf3\xd3\xa7N~>\xd3R\x8a\xd9\xebs\xe7\xcf_\x10m\x9b\xb9r\xf5\xe2\xc5K\x00p\
\xf1\xe2%1O\x9c?\x7f\xc1u\xdd?\xbc}N\x88\x8e\xef\xfb\x7fx\xfb\x9c\xeb\xba\
\xef\x9d\xbf0;{]\x94\x14^o\xf1 "\xea\x94\xd2#\x8e:\x7f\xfe\xc2?\xfe\xe6\xb7A\
\x10\x8a\xcf\xcb\xe5\x15\x00Pk\x10\xdf\xf4\xa2k\xb3\xfb#\xce\xfe\xc6\x9bo\
\x01\x80\xf0n\x89>\n\x7f\x17\x00,/\x97\xff\xfe\xf5_I\xbd~\xef\xfc\x05\xf1\
\xe5\x1bo\xbeU\xf1}u\x10\xe6\x17\x16/^\xbc\x0c\x0033W:\xa7\x96\xc4\x89\x00\
\xe0\xd7\xbf\xf9m\xa5\xe2\x03\xc0\x1bo\xfe^\xa8\xf3\x1bo\xfe^\x8c\x8f\x18\
\x8d\xce\xa1\x93\xe3\x93\xea6\xd4\xb3\xd7\xe7\xde~\xfb\x1d\xd9<h?(\x04A\x18\
\x04\xa1h\xf9c$\x8a\xa2\xb6\xf3\x05#\xe6U|\xe2\x97W\x1ak\xab\xd5{5\xbf\xe1\
\x01|K\xab\x9d\xc8\xb1\x05\xdf\xf8\x8e\xc5,\x8e\xbe\x9d\xfa\xb7\x19Z\xdcw0\
\x83\x18\\B\x86\x06\xf7\xe4\nQ\xf8\xe5\xab?\xff?\xfe\xf7\xffU\xd8\x8f\x89\
\x02\x9f\xcf\\\x9d\x9e>\t\x00\xd3\xd3\'\xa5!y\xf1\xe2\xe5W^\xfe\xe9\xd93\xa7\
_y\xf9gg\xcf\x9c\x16\xbe\x88\xd7^\xfd\x85j\xfe?=}R\xe8\xd1\xe73W\x9f\x9e>\
\x19\x86\xe1\xec\xf5\xb9\xe9\xe9S\xa5Riz\xfa\x94\x14\xdc\xc4\xca\xc1\xfc\xfc\
B\xb9\xbd\xac\xfa\xdc\xd9\xd3/\xbd\xf8\x82\x9c\x8dD\r\xaf\xbd\xfa\x0bq\xc6\
\xc4\x81\x834\xfb\xbe\xcc\xce\xce\x01\xc0k\xaf\xfe\\\xfd\xf2\xe3\x8b\x97\x7f\
\xf9\xea\xcf\xcf\x9e9\xad\xba\x8f\x00\xe0\xa5\x17_\x10#0\xbf\xb08V*\xa9\x83P\
.\x97]\xd7\x19\x1f?\xf0\xda\xab\xbf\xe8\xeauQO4{}.\x9f\xcfML\x8c\x97J\xa5\
\xa9\xa9\xa3\xb3\xb3\xd7+\xad\x07\xa0\xbcx\x1a\xeb5tr|\x12C\r\x00\x17/^>{\
\xf6t\xa9T\x9a\x9a\x9a\\.\xaf\xf8\xbe/|t/\xbd\xf8\xc2K/\xbe \xe6\xfe\xc7\x88\
\x9d\xca\xb7r\xfa"\x98\xb6i\xa7\x1c\x0e\x10SF\x19\xb3\x1d\xd30\r\x80ol\xbc\
\x13\x02\xe9\xbdF\xe1)\xcc\x1e7\xd2\x1b{\xa5\x12@\xcev\xa7\xb8k\x9f\xfb\xcec\
bb|\xe6\xca\xd5\xa7\xa7O\xbew\xfe\xc2\xd4\xd4\xe4\xec\xec\xf5B!_.\xafH\x9bW\
\xf2\x87\xb7\xcf\x95\xcb+R\x9b\xf2\xf9\xbc4\xd5+~\xb5\x90\xcf\x89o\x00\x0e\
\x00@\xa5\xe2\x8f\x8d\x95\xca\xe5\xf2\xd3\xd3\'E\x99\xe9\xe9S\x17/^R\'\x06\
\xe1\x88\x10k\xb0\x82\xd9\xebs\xd3\xa7N.\x97\xcb\xf7\xf5\x14O\x9f:\xf9\x9f\
\xff\xcb\x7f}\xe9\xc5\x17f\xae\\\xfd\xf7\x7f\xfdW\xcb\xe5\x950\x0c\x85y\x0b\
\x00\x85|Ntmv\xf6\xba\xb0^\xf3\xf9|bNJ\x9cb\xb9\xbcRP\xfc3\xea\xe7\x04\xbd\
\x9a\xdd\xbf\xc1g\xcf\x9c\x9e\x9a<\xfa\xf7\xaf\xff*\x0cCu\xe6H<\xee\xc8\xef\
\xfb\xcc.\xe2\\\xc2\xfa\xee\\\x1fN\x9c\xc8\xf7\xfd\xe5\xf2J\xd8\x1e\x99R\xa9\
4V*=w\xf6\xf4\xc5\x8b\x97\xff\xf0\xf6\xb9\x9f\xfc\xf8G\xae\xebv\x0e\x1d(\xe3\
\x93\x18j\x00X.\x97gf\xae\xc8\xf2A\x18\x96\xcbey\xc1<v/\xbf\x97\x1f\xad\xaf\
\xcd\x99\x06\x03$\x16\xd6\n\x99\xb4\x93\xceS\x06H)\x89\xd6h\x18\x7fc\xb7;\
\xd6\xc3,\xe7\x9e\x15S\xc30BV0Y\xdd1\x1b\xe2\xc5\'\x1a5]\xaf\xf8\xed\xf4d;\
\xa1\xc5}\xe71}\xea\xe4\x1bo\xbe\xf5\xe2\x8b/\x00\xc0\xcc\xcc\x95\xb1\xb1\
\xd2\xf8\xf8\x81\xb7\xdf~\'a`\n\x9b]\x8d\xee\x10^u\xb1\xa0\x9ar\xdd|>?11>3se\
\xfaT\xcb\x8e~\xe9\xc5\x17\xe6\x17\x16gf\xae\x08U-\x97\xcb\xa5\xcdk\xaa33W\
\x7f\xf2\xe3\x1fIY\x9c\xb9r\xf5\xe3\x8b\x97\xa7O\x9d\x9c\x9a<:\xbf\xb081~@X\
\xc4]e\xceu]\xd1r\xe1\x1e\xc9\xe7\xf3\xae\xeb\x8aE\xe00\x0c\x85q*4\xaePH\xca\
zW&\xc6\x0f\x08\xc7\x91\xa8A\xbaef\xaf\xcfM\x8c\x1fP\xdb\xd0\xab\xd9\xf7=E>\
\x9f\x7f\xee\xec\xe9\xf7\xce_x\xe5\xe5\x9f\xa9\xc3x\xf1\xd2e\x11}$M\xe3\xfb2\
}\xea\xe4\xd93\xa7\xdf;\x7fA\xfc\x04}N4>~`~~A\x18\xfe\xcb\xe5r!\x9f\x17\x9d\
\x9d>ur\xf6\xfa\xdc\xcc\xcc\x15\xf1\x98\x92\x18:\x95\xc4P\x8b6OO\x9f\x12\xb3\
\xa6x\xb0\x98\x98\x18/\x97\xcb\xe2\x1b\xf9l$bO{-\xa4?:,\xdbM\x17\x0fE\x959S\
\xbctZ\xbf\x1bG\xeb\x86ir\x1a3\xfa\xcd\x95\x1d\x00\x88\x9b\xceT\x1ba\x1cr\
\x02\x88hf\xdd\x14!\r\x14)\xc5\x8c]\x18\xe4\x0eZ\xdcw"\xe2\xc6~\xe3\xcd\xb7\
\xf2\xf9\xfc\xd8X\xa9R\xf1\xe7\xe7\x17^y\xf9\xa7\x9d\xa1\x90\xf2_\x00\xf8O\
\xff\xf1?<=}\xf2\xef_\xff\xd5\xfc\xfc\x82\x08\x85\x04\xa1S\x17/\xff\xc3\xeb\
\xbf\n\xc2p\xfa\xd4\xc9\xd6\xb2\xea\xec\xf5\x7fx\xfdW\xae\xebT\xfc\xea/\x95\
\tc~a\xb1\xe2\xfb\xaa#bj\xf2\xe8{\xe7/\xcc/,\x9e={\xfa\xd7\xbf\xf9\xedXi\xb4\
\xe2W\x9f\x9e>y\xf6\xcc\xe9\xb1R\xe9\x1f^\xff\xd5t\xfb!\xa0U~j\xf2\xd7\xbf\
\xf9\')\x94\xcf\x9d=\xfd7\x7f\xfbw\xe2(\x11\x9c\x93\xcf\xe7_{\xf5\xe7o\xbc\
\xf9\xfb\xd9\xd99\xd7u\xc4IES\xbb\xa2\xd6 \xbb/\xbc\xdbj\xbcM\xaff\x0f2\xda\
\xc2G\xaf\x16\xfe\xc9\x8f\x7f\xf4\xc6\x9bo\xbdw\xfeB>\x9f\x1f+\x8d\xf69V\x0e\
B\x18\x86\x9f\xcf\\\x15\xeb\x1c\xbf\xdc<\x07w\x9eH(\xf2\xdf\xfc\xed\xdf\x89\
\xf2\xaf\xbc\xfc\xd30\x8c\xdex\xf3-\xd1M\x11\xae\xda9t\x89\xda\x12C-\x7f\xa0\
0\x8cJ\xa5Q1U\xfc\xfa7\xbf\x15\xee \x00\x10\xa3-\xfew\xeb\xc5\x1d\x00\n\xa3\
\x13k4\x8ckK\x96\xc1\t\x10\x16\x87,\x06\x00\x11:\x03@\xbe\x91c\x06\x11\x1d\
\xabQ\x18\x1a\x0b"@D\x9b\xc4.6\xc52*\x07{W\x9a\xed\x00@\x1e\xe1J\xb4\xe6\x11\
\xe3\xfb\xbe\xf4\xae\x0cx\x88\xb0p\x13\x87\xcc/,\xba\xae\xa3\xde\xd2\xcb\xe5\
r\x18F\x0f\x14\xfc\x97\xa8\xb9\xeb\x89\x06l\x8fl@\xa2U]\x11\x830V\x1a\xed\
\xefs\x7fD\xbcw\xfeB\xa1\x90\xef\x13Y${\'z4x;\x13\xfd\xea\xfc\xad\x07\x1ca\
\x95\xce\x1f\xba\xf3\x9b\xc7K\x14\xd4\x83\xc6:\x8b\x1a\x80\x94\xc5!"\x03N\
\x018g\x8c\x00\x07\x10q\xefHHWc\x9e\xb4\xfe\xe9&i\x88h:)\xc3\xcer\x8e\x18W\
\x91E\x00\x84q\xf0FOd\x87\xf6=\xda^=&\xb4\xb8k4\x0f\xc6\x1bo\xbe56V*\x95J\
\xbe\xef\x7f|\xf1\xf2\xbf\xff\xeb\xbfz,\xf3\xca\x93\x02""g,\xa6\x8d2k\xdc\
\xae\x86\xf98\x8a)\xe7\x06A\x038\x10$\xc0\tp\xd3@\x03\xa8a\x00G\x93\x10\xf1\
\xde)kW\xd0zK\xc9 \xc2\x0b\x03\x00\x84#A\xc3\xf5\x86\x8fd\x8b{\x1fc\xe7\x1e)\
Z\xdc5\x9a\x07c\xb9\\\x9e\x99\xb9*\x96U\x9f;{\xfa\xb1\xafF>!D\xfe-\x08\x97\
\xc1\x1a[\xb9\x17\x07\x14L\x83\xb0v@#\x01\xdc3d\x86\xe1\xbd\x8cMy\xe6h\xdc\
\xac\xc4\xcd5\x1a\xd5\x11\xc1 \xe0\xb9\x04\x01\xb85D!E\x90\x11\x02\x1c\x0c\'\
]\xf0r#\x86i?\xd6>=Z\xb4\xb8k4\x9a\x1d\x80\xbf\xfc\xa5C\xef\xb8\xe9\x92\xdft\
\x10\xa0\x1e`\x10#!\x04\x11-\x83\xec\x1f6W\xd7\xcb\x9e\xd5\xe0h\xd0\xf6\x16\
\x1f\x08\x90u!\x9d&\x80\x00V\x01\x8a\xdfy\xbc]\xd8bt\x9c\xbbF\xa3\xd9\x01DQ\
\x18\xc6\x9c\xc7k\x9eC\x0b\x19\xcb\xb6-\xcb$\xa6\x01i\xc7(d\xcc(\x8a9\x0b\
\xaaMT\x95\xdd$\x90r\x08p\x00\x04\x88+\xd0\xb8\xf1x\xbb\xb0\xc5\xe8h\x19\x8d\
F\xb3\x03`4\xae5\xc02b\x84\x95ZP,d\xf2i\x1b9r\xcb$,nV\xeb\xf78g\x88dc7m\x84\
\x94\x0bD}\xff\xa9\xbe\x00\xf6\x08\xd8O\x8a\x1bM\xbbe4\x1a\xcd6\x05y\x8cq\
\x03i\xd5\xa0\x95;\xcb\xabA\xc4-\x03<\x17"\x8a\x00\x161, \x049\xe5\x8c\x02 "\
\xe1\x08\x9eK\xa0m\xb6\x0fe;6\xe10=\x18:\x03\xbb1{{\'\xdar\xd7h4\xdb\x08\xe4\
1\xd2\x06\x0f+<\xf2[1\x8b\x04\x10\x811\x14B\xdd\x8c\xc02\x08\x00\x05N\x01\
\x80\x00X&\x01 \x11\xdd\xc8\xdd\x8b\x08\xe9\x84\xd9.`\r\xa8\xdf\x84\xec\xe4\
\x96v\xe91\xa1\xc5]\xa3\xd1<V\x90!\xa7H\x1b<\xaa\xf0\xa8\x8aq\ry\xdcR\xe5\
\xb64s\xbe\x11\xd1(6J5\t\x91\xd1\xee\xbcU\x00\r\x83\x10\x02\x9c\x83e@\xca!\
\xdd\xdf{j\xde\x86\xf4>0\xbd-\xe8\xd9\xe3E\x8b\xbbF\xa3\xd9rx\x04\xb4\x8e\
\xb1O\x83\n\xa7M\xe0\xb1\x9a\xa91\x01\x01\xe0\x08\x1c\x95\xffW@\x00@\x10\x89\
\x04\x8c\xf6\x1bL\x99T7\xb3]\x1eQ\xfd\x12\n\xcf\xc2.M\xe3.\xf9\xff\x01\x9e\
\xe6W\xce\xb2\x99\x1b\xa3\x00\x00\x00\x00IEND\xaeB`\x82'
def getSplashBitmap():
return BitmapFromImage(getSplashImage())
def getSplashImage():
stream = cStringIO.StringIO(getSplashData())
return ImageFromStream(stream)
#----------------------------------------------------------------------
def getIDESplashData():
return \
'\x89PNG\r\n\x1a\n\x00\x00\x00\rIHDR\x00\x00\x01\xf4\x00\x00\x01\\\x08\x02\
\x00\x00\x00\xb1\xfb\xdb^\x00\x00\x00\x03sBIT\x08\x08\x08\xdb\xe1O\xe0\x00\
\x00 \x00IDATx\x9c\xec\xbdg{\x1cIv4\x1a\'\xcb\xb4G7\x00Z\x90\x1c\xb3\xb3\xab\
u\x92V\xaf\xfc\xfd\xff_\xde+w\x1f\xadV\xd2:ifg\xe8\t\xd3\xbel\xe6\xb9\x1f\
\xd2TVu7\x087C\x80\xac\x18\x0e\xba\xcbg5\x1a\x91QqN\x9e$fF\x8b\x16?8\x98\xd5\
\xeb\xff\xfdgU$\x00\x18`\x06\x11\x88\x00\x80\xf4\x0e\x00\x01Df\x93 \xbd\x03\
\t\x02\x01B \x0c\x83N\'\x8ez\x03t{\x10\x02y\xaaV\x8b"O\x95Tl\xcf\xc9\x0c\xc5\
\x90\nJ1\xdb3_\x1f\x04*\x14\xa79\x1f>\xfd\xf3\xd1\xf8\xfe\r\x9d\xb5E\x8b\x9b\
D\xf8\xa1\x1b\xd0\xe2\x13E\xb2<\x91E\xa2\xd9\x96\x00\x06\x13H\xbf\xd7\xcb\
\xfa\x8d\x95\x1ed\xa8\x99\xa1\x00AP\x8c\xb2\x94\xe0\x9c\x15G\xb2\xa4N\x17"\
\x10\xddA\x04\x94y&\x95\x04\x83\x08\x0c\x10\x81\x00E\xa4\x14\xd4\xcdI\x19\
\x02\x02\x81\xf9\xc9\xcb\x96\xdc[\xdcN\xb4\xe4\xde\xe2\xc3`q\xf2\x9d\xe5r\
\x80A\x9a\x83a\x165\xc8*z\xbdR\xd3\xba~C\xccL\xc4,%\xab\xb2,\xc3,\r\xa3X\x88\
@\x880\x08\x99\xcbB)\xc9\xcc\xfaX!@\xac\xbb\x04RF\xce3\xae*\xe4\x89\x88\xcd\
\xe1\x94\xae\xce\xf2t\x1dw\xfbW\xfe\x1cZ\xb4\xf8\x9e\xd0\x92{\x8b\x0f\x80,\
\x99\xe7\xc9\\Xr%\xf7\xc6\xee\xc0\xd6\x901\xdb\xb5\xb6g(f"\'\xf7\xa1\x00\x96\
\xacTYJ\x15\x16e\x18\x04$\xc8\x1c@\x02P`\x08\x02\x13X1\xeb\x07\x02\x063\x84a\
\xf9+y5\x0c\xae: ^/\xa7-\xb9\xb7\xb8\x85h\xc9\xbd\xc5\x07\xc0j\xfa\x1a@\x18 \
\x0c\x90\x16\x96(\x19\x10\x865\xc9x3\x15\xef3X\xef\x02M\xc8d\xdf\x00\xcc\xcc\
\xac\x94RR)m\xca\x9bC\xd8\x9e\x83H\x04`fR\xac\x8c\x15\xaf;\x0f\xd2\x0bl\xfb\
\x91\x8b\x10=\x83\xddQ\x00\xb2dqc\x9fK\x8b\x167\x87\x96\xdc[\xfc\xd0P\xaaL\
\x16\xef\x08P\x8c8$\x02\xa7\x85g\xbf\xd8Pj\xe5\x8e[\x0b\x9e\xedV03 \x88\x98\
\x8dS/\x98\x15\x11C\x911\xd9\xf5\x7fL\x04f\x16B\x08\x11\x88\x80\x02\x86b%\
\xa5RJ)f\x023\x81A\x9a\xe5\xf5\x897]y\x9f\xf1u\x0f\xc3\xde\xbf<O\xbf\x9f\xcf\
\xa9E\x8bk\xa1%\xf7\x16?4\xd6\xf3c%\x0bAP\nE\xc9\x9d\x88\x88x\x9dU;\x98$\x19\
#\xdb\xa9F\xf4\x004\xfb3\x14X\xebv\x10\x14\x00\xb0P\xc6\xc0!\xb0\x16\xf76\
\xdfF1#@\x18\x86A("\xa5X\xca\xb2\x94RI\xa54C\x1b\xc3\x9f\x98\xc8\x08r\xd8\
\x87\x05\xef\xe2\x8c\xca\x93Q\x0c\xa57+\xf5}}R-Z\\\x03-\xb9\xb7\xf8\xa1\xb1\
\x9e\xbdr)1\x85D\x1c"\x0e\t\xc4If\xa8\xf3b\xde\x08\x1c\xf5\x92\xfd\xa9\x00\
\xe1\x8c\x1b\xd7=0\x88\xa0X).\x14s\x14\x86a\x14\x86Q\x1c)%eY\x16E\xa9\x95\
\xbc9\x0eV\xf4\xbbv\x98\xf0)[\xd2W\x0c\x9dx\xa3\x14\xb6\xe8\xfc\x16-n\x07Zro\
\xf1\x83"O\x16\xd9\xda\x86R\t\x92Q(\x8e\x03\xd2\xfe\xcc:\x03\x18$\x1c\xb5\
\x92\xd5\xed\xdbI\x94\xeb\xfc\xaeC\xa8l-{\x97l\xc3\x0c"V\nJ\x16R\xcaP\xca(\
\x8a\x830\x8c\xc2^\x14\xc5eY\x96eQ\x96R\xbb\xf6\xda\xc2\xaf\xba\x18\xc7\xecl\
r\xe7\xa5&wE|N\xcbZ\xb4\xf8\xd0h\xc9\xbd\xc5\x0f\x8a\xd5\xec5Y\x07]\x13w^ \n\
@\x8c8$\x06\'\x99\xa5L\xcf\x82\xdf\x0eg\x9ap\xb5B[$\x04\x90\x97CI\x04\xd2\
\x14M\x90\xacJY\x14\x85\x0c\xc2 \n\xa3 \x0cE\x10\x84$\x84\x90\xa5\x94(K\xa5\
\x14\xab*!^\x814\xdbkrW\xca\x182J\xb1^\x13\x84\xd1\xcd\x7fL-Z\\\x1b-\xb9\xb7\
\xf8\xe1\xa0d\xb1\x9e\xbfu\xb1Q"bp\xa9\x90\x15\xdc\x8b\x89\x19\x9d\x90\x989\
\xcd\xf5\xee6\xe9\xf1\x02\xe2\xd8\xd82\\\xd9:~\xf6\x0b\xd9\xfc\x1a\xed\xd6\
\x13XIU\x96\xb2\x08J!\x02!\x88HX\x81\xaf\xf3u\x04\xb32\xf1[\x86M\x8d7\xfa]*\
\xd6\x14\xaf\x17\xbb\xbd\xd1\x8d~H-Z\xdc\x0cZro\xf1\xc3!Y\x9c\xb0*\x9c\x0f\
\xae-v\x02\xb2\x02a\x80(\x00\x03\xdd\x88\x94\xe2\xbc4\x878\x05\xedj\x12\xf8\
\xf0\x17m\x86\xa3If\x07\x81X\x87\\-\xc5\xdbc\xaaG\x02%\x89t\x82\r\x99\x9e\
\x84H)\xe5\xa4:\x00\xc5\xec3\xbb-f`\xae\xae\x18\xbd\xc1\xde\r~D-Z\xdc\x14Zro\
\xf1\xc3a9}\xe5\xdek\xd9\xae\xdf3\x90\xe6\x1ctM\x8az/&\xc5,\x95\xdb\xb8\r\
\x1b\xab\xab\x14\x17\x9b\xceH\x80fw\x9bBSY=\xde#\x81~\x88`7@\xd6\x1d\xee\xfb\
\xec\xfag\x15G\x85\x89\xfd\x8a0\xea\xf6\x86\x97\xfe Z\xb4\xf8\xfe\xd1\x92{\
\x8b\x1f\x08y\xb2(\xd29\xb9\xd4\x16T\x04-\x08\xa5B\x92\xf3\xa0c\xb8\xb8\xdf\
\xa1u\x06\xcb\xef\xdbe{\x13\x0cP\x15bu\x89\x8c\xdeh\'\xed\xbc\xefH\xc6!\xa3\
\xf2\xad`\x07\x0c\xd1\xeb|KR\xccRV\xbd\x86\x023c4<h=\xf7\x16\xb7\x13-\xb9\
\xb7\xf8\x81\xb0\x9a\xbdv\xfcL\x1b\xc9\xeb\x04\x14%\x12B/\x06\x83\x05\xa1\
\x1f\xd3*c\xa5j\xc5\t*\xa9\x7f~\x02\r\xe0hZ[?\xc4\xe7\x1fG\xfe\xa9\x19`[eL\
\x0by]\xf9\x80Y\x17\x961;*\xc6\xe4\xf0\xf1%?\x86\x16-~ \xb4\xe4\xde\xe2\x87\
\x80\x19\x95je;md1\x02 B^B\x08tB\x00\x10\x02\x83.\xadRV\xbcEl7\xcd\xf7j\xf4\
\xaa\xf5Y\xcc\n\xf6^\xb6\xa1\xb1\xdd\x9e\xa12d\xb4\xd5\xae\xfb\x08\xaa\xad\
\xef\r&\xc3\xbd\xfd+}\x1e-Z|\xefh\xc9\xbd\xc5\x0f\x81dq\xa2dnc\x96\x15\x99\
\xfa\x15\xdb5\xeb\xa7\x05\x08\xd4\t\xc1@@\x18t\xb5?S\xed\x7f\xce\xb8!\xf6I\
\xdc\xcb\x91\xb4\xa5\x05v\x1e\xd58\xa8\xa2\xf5\xc69QU)P\x8c\xfb\x8f>\xbf\xc4\
G\xd0\xa2\xc5\x0f\x8b\x96\xdc[\xfc\x10XM_\xdaLD\x93\xc6\xb2u7\xcd\xddI\xce\
\xf0\xf8\xbd\xdf\xc1*\xb5&\xf8\xb6\xa3\xb8\xce\xe8N\xb6\xd7\xd6\xd5\xf9\xbd\
\x91f\xe3\xbfq\x8f\x14\xca&\xccx\x16\x123\x13L\x92\xccx4>x\xff\x9d\xb7h\xf1\
\x81\xd0\x92{\x8b\xef\x1dE\xb6\xca\x93y\x95\xb2\x82\x8a,\x1b\xb2\xdd!\xc9\
\x99A\xdd\x9a~w\xf93\xdb\xc1h\xcav\xde\xb6\xd5e\xc2\xc0\xe3q\xf7(\xe1\xd6{\
\x8b\xcc\xa6\xfa\xb0\xb5z\x98\x15\xf3\x83\xc7_\\\xeaCh\xd1\xe2\x07FK\xee-\
\xbew,\xcf^\x19\xfa\xa4Z\x06d\x03\xfe\x88T\x02e\x05\x98\xd1\x8d\x00\xcd\xef\
\x1dJ\x0b\xce\n4B\xb1\x1e\xa1o\x93\xed\xf5!\xac\xfe1>\x8f3W\x14oK\xf9\xda<|x\
\xdd\x84N\xbda\x0c\x86\x93V\xb6\xb7\xb8\xe5\x10\x1f\xba\x01->r\xb0\x92\xc9\
\xe2mc\x18\x91\x86_\xfa\xd1l\xb16\x88^\x91\x15Xgf\xa8(\x11z1\xf5b\x7f\xee={6\
\xaa\xcbv\xff"\xdc|\x8f\xba\x8aw\xff`\xb3b\xec\xbf\xc6b\xd5@F+\xdb[\xdc\x01\
\xb4\xe4\xde\xe2\xfbE\x91\'\xaa\xac\xea\t4e\xbbG\xf4\xd5\xb27CS!\xb1\xca\xaa\
\x84\x99nD\xc3.E\xc2*nw\xd0fT\xb4vz\xcf\x93\xe1\xc6\xb2\xf3pH\x13\xb7}\x00hd\
\xe8\x90+k\xd0\xca\xf6\x16w\x02-\xb9\xb7\xf8~\x91,\xde\xd9\x02\x8f\x00j\x02\
\x9b\x1b\xf3`T\xc4^\x9bKI*\xacR.\xa5\x99W)\x10\x18t\xa9\x17Ws1y\xb2\x9d|\xd2\
\xde\xc2\xe3u\xba\xf7d\xbb\xd7\x82m\xd0\x8d\xd7\xb3/=8\xfa\xe2\xc2w\xdf\xa2\
\xc5\x07CK\xee-\xbeG0\xab\xd5\xec\x8dY\xa8\x0f\\\xf2\x86\xaa\xda\xb2.fC\xfd\
\x0c\x80\xe6\xf7e\x86\xb4`wl7\xa6a\x97\xe2\xc0X(\xe4\x1f\xb0\xc1\xed\r\xd9\
\xceM\xd2w\xb2\x1df@\xaa.|\xe3\x8d\x87\x82\xcd\xf0\t\x88B\xd1\xfe\xd5\xb4\
\xb8\x03h\xbf\xa6-\xbeG\xa4\xcbSY\xa4.\x17\xc6\xc6)\x81\xcd\xa4F\x06je\xbe6\
\xc0X\xe7Xe,\x95\x89u\x86\x01\x06=\x1at\x10\x08=\xdb\xf5Ud\xbb\xb7\xcf{d\xbb\
\x8e\xb4\x86\x01\x92\xd5\xf4\xfc\xbbn\xd1\xe26\xa0\xcd\x96i\xf1=b5{\xedB\xa9\
\xb5I\xeb\xaa\xc2\x90\xd4\x0c\xb3z\xe0Z\x8e9\x88\x90\x17(%w#\x8a#s\\\'\xa2(D\
V \xc9\xab\xb1Nh\xb2\xba\xf7\xa6N\xfa\xec\xc9vx\xb2}\x83\xeb\x8dl\x17\x84<[_\
\xf2ch\xd1\xe2\x03\xa0%\xf7\x167\x06f\xc5\xb2T\xaa\x94\xb2`Y\x14y\x9a,O\x88@\
\xb4e&T\xf2\xdf\xb82\xec~\x18\xb3>\xe2\x88\xadq\xaf\x18\xeb\x8c\xf3\x12\xbd\
\x98\xc2\xc0\xac\xec\xc5\x14\x87H\x0bd9JU?\xd0\xbe\xbf\xa0l\'\x7f\xab\xf5\
\x8ct\xac5\x08\x08\x80,\x8b\xab}>-Z\xfc\x90h\xc9\xbd\xc5\x15\xc1\xacd\x91\
\x95\xf9\xaa\xc8\xd6e\xbe.\xf3\xa4,2\xa5J%%\xa0*\x0b}S\x98Wy\x91n\xdb\xfbe\
\xbb;\x87^YH\x94\t\xc7!\xba1\x05\x02\x00\x84@\xbfC\xdd\x08YAi\xc1E\xc9\xb5\
\xdeA?;4e;|\xd9\xee7w\xb35\x82\x10\x98\x0e\xa653[\xdc\x01\xb4\xe4\xde\xe2\
\xa2P\xb2(\xd2E\x9e-e\x91\x95ERf\xeb\xb2\xccX\xd5\x86\x8dz\xe1L\x10Y\x02\xb7\
Vz5\xf3\x86M\x94q\x82\x9e\xea#T\xb7\xcav\x1fz\xd0h\x9asVp\x1cR\x1cQd\xca\x8d\
Q\xaf\x83nLy\xc9E\xc9y\t\xc7\xf2~|u\x8b/\xef\xdd\x82\xeb\x16\x8clg\x10!\x0eI\
_4\xee\xf6/\xfe\xa1\xb5h\xf1\xa1\xd0\x92{\x8b\xf7\xa0\xcc\x93lu\x9a\xaeN\xf3\
d.e^\x97\xd9d\xd9\xdc/\xd3\x0e\xd8\x05\xf2\x18\xdb\x99\xed\r\x98\xe9\x92\xb6\
%\xc9\xf8\xd9*z$\x11\xf9\xa5y\x99u\x01\xf7\xb4@Zp\x14\xa2\x1bQ\x14B\x1bA\x9d\
\x88:\x91P\xccE\xc9\xba\x0f(\xa5\xab\xd2nO`\xfd\x16\'\xdb\tP\x9eE\xa3\xefN\
\x08\xc4\x01\x84\x1dr5\x9a<\xb8\xca\xe7\xd8\xa2\xc5\x0f\x8b\x96\xdc[l\x87\
\x92y\xba:K\xe6o\xd3\xd5)\xb3\xf28\xddIpo\xd8)\x19u\xed\xbb\xdcU\xb0\xd4\'e/\
\x03\x12U\xb5\x99\x06\xe7\xd7\xb3[\xcc\xe0!/S\x9e\xc0\xf5\x8b0#/9/9\x14\xd4\
\x8d)\x8eH\xd8pm\x1cR\x1cB*-\xe49/\xb8\x90(\x95.\x11CF\xa5\xb3\x97\xcf\xe3NL\
$\x08a\x88\x80\xaa+v\x07\xfb\x9dv\xd2\xd4\x16w\x01-\xb9\xb7\xa8\x839[\x9f\
\xad\xe7o\xd2\xe5\x89\x94\x85\xc7\xd6>\xffRC\x8f;;\x86\xbc\xa8h%\xdb=\x8a\
\xf7\xce\xe1\x9dq\x1b\xb7\xfb<\xabG\xfd\xd7f\xd4\xf0\x03\xa45/\x9e\xf35\x07\
\x82:\x11u"\n\x03\xe3\xa5\x08\x81NDqD\xdc\x85b\x14\xa5*%\x15\x92KI\xb59Q\x15\
\x88 \x88\x84\x80\x10\x10\x96\xf1\xf5C\x83b:x\xf8\xe5\x85?\xca\x16->$Zroa\
\xa0d\x9e\xcc\xdf\xae\xa6\xaf\x8al\xc5\x9eW\xb13\xf1\xdc\x89i\xa3\xbd\x9b\
\xbb\xf9\xf90~Y\xddJ\xaa;\xcd\\;\xab\x9b\xe6\xba~\xb6\xa6l\xf7=\x9bjQ\xb7G*^\
\xa5\xbc\xce\x10\x05\x14G\x14G\x14\nbb(\x00\x08\x04(\xa48\x04@\xca\xf6\x13\
\x8a\xc1\x8aK\x05\xa5 \x19J\xe9\xc4y\xd3\x1a"(\x85\xa8\xbf\xdf\x1f\x8e\xcf\
\xfb\x10[\xb4\xb85h\xc9\xbd\x05d\x91\xae\xa6/W\xb3W\xb2,\xfcq\x99h*o\xae\xaf\
\xddE\xfa\x8d\xa3ky(u{}\x83\xd9}XO\xc6\t\xe7sd\xbb\xdb\xddKa\x043\xb2\x82\
\xd3\x82\x05!\n)\x0e)\n\x10\x04\x04=Y\x1e\xdb\x07\x02\x00\x80 "\xe6\x80t\
\xe1\x1a\xa5 \x15I\xc9\x92QJ\xe4\x12O\x1e\xb7\xb2\xbd\xc5\x9dAK\xee\x9f4\xca\
<Y\x9d}\xbb\x9e\xbfe%\x01\x04\x02\x9bU\x00\x94\xad\x92\x88\xba\xeb\xf2~p\x95\
*cVp\xa5\xf2\x9b\x95y\xeb\x07mf@\xba7M[\xdf\x9c\xd8\xdb\xd3\xef\x9d\xc8\xdcB\
\x92s\x921\x11\x02\x810\xa00@ \x10\x08\xf2\xa3\xbel\xbb\x04\xf2,\xfe\x92\x91\
\x15P\n\xc3\xbd\x83\xfep\xef\x82\xb7\xde\xa2\xc5\x07GK\xee\x9f(d\x99\xad\xce\
\x9e\'\xf3\xd7,\x0b\x02t\xea6\xd9\x14\x97M\x93\x85A\xac\xfd\n~\x8f\xe0\xd6{;\
\xf8\x9e\x8cY\xb6\xbb\xd0f0u#\x03\x92\xacl\xdfq\xfa\xdab-\x8b\xddu\x02\xce\
\x91\'(\x86,\x91\x15\xcae\xc7\x10\x19c]\x10\x84 \x06\xa4d\x06\xa4\x82R\xac@`\
\x021\x11=z\xf2\xa3s\xef\xb9E\x8b\xdb\x85\x96\xdc?=0\xafg/\x97\xa7\xdf\xaa23\
kh;\xad\xbb\xb8\xa8\xc9\xf7\x0e\x10\x01\xacP*\x96\n[\xe7\xad6Wp>\x8e\x9f\xcf\
\xee\x9fu\xc7\xb1[3 m\xab\xab\xf6\xbb\xe4\xf8\x9a\xf9\xbe-i\xdd\x8eT\xf2@6\
\xbf\x86I)(\x9b-\xe3\xfc"\xcf}"\xb2y2\x83\xf1~o\xd0&\xc9\xb4\xb8Kh\xc9\xfd\
\xd3B\xb6>[\x1e\x7f]\xa4s\xb7F\x9b\x12\xef\xa1u\xbbJk\xfc\x8e \x05H\xc9\x85\
\xb4\x14_wRj!NOWo!\xf4\xdd\xb2\xddm"\xafY\xfep\xa4\x8d\xd3{?\x1b\xbb\xd5\xb6\
i9o\xdaHdGT\xd9J\x90\xd5\xd5\xbc\x1b\x9b\x1c<\xdcl\xfbN0\x17\xab\xd7\\\xcc\
\xa4\xa2\xb0\x7f?\xea\xb5\xc5\xdf[|\x00\xb4\xe4\xfe\xa9@\xc9bq\xf2M2}YM"gi\
\x9d\xacr7\xb0v\x89Mi\xacgA\x02\x00\x04!\x08)\x0cPH.e\xe5\x9c\xf8J\xba\x96\
\xdb\xee\'\xaa\xdb\xa5\xad\x03\x97\x1akL(\x95\xabew\xfa]\xb2}\x17\xf5\xf3\
\xb6E\x1b\x06\xd8\xcc\xcf1maF\xdc\xe9O\xf6/1pi={Q.\xbea\xc5\x00\x17\xcb\xd7y\
w\x12\x8f\x9eE\xbd\xfd\x8bG+Z\xb4\xb8>Zr\xff$\x90\xad\xcf\xe6o\xffP\xe6k4h\
\xdd\xcfF\x07\xe0rZljKC\xcb7\xd8W\x10\xba\x11\x95\x01\xf2\x82\x95\xb2\xfb\
\x93\xe7t{\x1c^\xd5\x80\xe4-y\x93\xb5\x89\xec\xaa\x95[d{\xed\xa0\x8d7n\xc1\
\xb5a\xb3\x9eLM\xde{\xb7\xed\'\ny\xb2\x9d\x1f=\xf9\x92.\\\xc3\x9dY\x15\xab7\
\x90\xb2\x94\xac\x18D\x08\xd6S\x99N\xd3\xce\xb83\xfe"\xeeM.x\x9e\x16-\xae\
\x89\x96\xdc?v0/N\xbf]\x9e|\x03+\xd8\xa9.\xd8\xbdL\x11\x18\x1b\xa6\x1e\xe6\
\xac\'/n\xe9\t\xa2\x00\x81 =\xf2\xd3\x9c\xc7s\xba\xdd\xfeF\x98s\xf5\xb6\xd6\
\xcc\xc6\xb2\x16\xfb>\xb9_@\xb67\xec\xf5\xeb\xcbv\xa5T\xa7?\xee]&\xb7}\xf9\
\xf6w\x9d\xb0`\x11\x05e)\x15K\xc9\xa5d\xa9\x10\xa8\x19g\xff\x9ew\x0f;{O\xa3\
\x96\xe2[|\xff \xde\x94C->\x16\xb0\x92g\xaf\xfe+\xd5uw\xb1!\xd8\x1b\x94M\xf5\
\x19\x91\xea\xb4\xbe\xc9\xe9\xd8X\x93\x17\x9c\x15Mzu3.5\xc6\xab6\xdc\xf6\xaa\
S\xe0\x8a\xd9\xab\xf4v\xa3\xb8k\xe4\xee"\x9f\xcc\x1b?\xed!n%\xdb\x9fv=W\xe4\
\xbeQRF\x07R\x99\x15\x89\xa87\xfeQ\xd4\xe9\x1eNz\x83\xe1\xfb\xeb\x85\x95y2{\
\xfe\xcf\x04\xa5C\x11B\x98\x8a\x95Z\xc5\x03\x08\x04\x05\x02A\xf7 \x1a=\x89\
\xfb\xad\x17\xdf\xe2{D\xab\xdc?Z\xc82\x9b\xbe\xfam\xbe>s\xcc\xae\xb3\xd8\xc9\
\xbc!\xc0\x0f\x1e\xd6\xca2n\xa7\xf5F\xc1\x00\xf6v`\x00\x88#"\xc1i\xeeU\x7f\
\xb4\x9b4\xa5\n\xf2\xc8\xdbC3\xf2\xa9\xdf:\xd9n]\x94+\xbb\xed\x8d\xc5\x8b\
\xc8v\x06\x83h\xb4\xff\x99\xa4\xeebU\xe4y\xb9\x9fe\x93\xf1^\xa0K\xc8\xef\x80\
,R\xa5\x94\xb0\x1f\x94RJ)\x12\x02a@\x0c\x94N\xc5\xafO\xcb\xf44\xefL:{\xcf\
\xa2\x96\xe2[|?h\xc9\xfd\xe3D\x91-O_\xfc\xa7,\x12a\xd3`<+F\xffW\xc5=\xe9R\
\xb4\xee\xb1\xe1f|0\x0eH\xc4\xbc\xce\xab\xa1@\xf6"(%\xb3@\xd0x:\x80u\xe7\xad\
:7\xeb\xb6P\xf7vl\xee\xb0\xe9\xb6{\xda\xbf~v\xd8\x87\x8eM\xb7\x9d\xe5p\xf2\
\xb8;\xdcO\xd32\x8a\x82\xbcT\xefN\xf3uzv0\xee\xf5\x07}\xda|x\xd1\xc7\x8a\x90\
\xcc\xa3\n\x03P\x1c\x00\x0c%\x95\x12BP\x1c\x92bh\xa3\x86\x14\x94\x9a\xcal\
\x1av\'\xd1\xe8i\xd4\xdbo\xcb\xc4\xb7\xb8Y\xb4\xe4\xfe\x11"[\x9d\x9e\xbe\xfc\
oVE\xc5\xec\r\x9f\xddS\xdd\x8e\xd9\xdfK\xeb.\xc4\xb8E{\xdbe\x06\xc2\x90\xfa\
\xc4\xeb\xcc&\xb9\xdb\xbd\x03\x81\xbc\x04\x85h\xc4&]\xbd]\xbf\xd6\xe4y\xb2\
\xddo\xff\x86,?\xdfd\xf4e\xbbkx\xdd\xa97\x86L\x18\xf5\xc6\xfb\x8f( \x82\x08\
\x02\xcar\x95\x17r\xb1,\xb3l5\x1ef\x93\xc9(\x8a\xa3\xcd\xf3\x07a\xcc\x10\x84\
\x92\xc2\xbe\x8c\x1f\xa7\xb2W\x14e\xcc\xd3\x0e\xbfe\xa5\x94\xa2 \xa00\xa4\
\x90\x8d\x8a\'\x05\xb9>+\xd3i\x16\r\xa3\xd1\xd3\xce\xf0~K\xf1-n\n\xad\xe7\
\xfe\xb1!]\x1e\x9f\xbe\xfc/\xb0\xda\xc6\xec\xe4\x91p-\x8d\xdd1\xfb\x16Zw\x99\
\xe0\xd5dx\xee\x1c\xdbc\xadD(\xa4\xe5w\xbb\x06\x003e\x05wc\x08\xaa\xaa\x0f\
\xb8\xd4r\xb33\x113\xfbn;\xacE\xae7kO\xc6\x97\xe0\r\x9f\xbd\xe6\xb6\xfbV\xfb\
\x0e\xb7\xdd;y\xe5\xb6G\xd1~o0\xee\xef\r\xa3NWJ\xces\x95\x15*\xcfU)\x95 t;t\
\xb8?\x18\x0cz\xa2\xdeS1\xab\x93o\xfeo( \xf6~,\xc50\x10"\xcbr\xc9"(O\xc4\xfa\
k\xd8\x9en\x9b\x17\x0f!HD\xc3x\xf44n)\xbe\xc5M\xa0%\xf7\x8f\n\xeb\xd9\xab\
\xb3\xd7\xbf\'\xf0\x0e\xcd\xae\xf9\x9b\x018b\xdf"\xd8\xb7\xd1:\\tT\x837\x8e\
\xaa\xa0{\x0e*%V\x19\xbb\x81\xac\xbak)$\x17\x12\xbd\x98\x04U1\xd2z(\xb5\xfaN\
\xeam\x9a\x8c\x8d\xaagT\xfe\x8a\xef\xb7x$\x8e\x06\xa7\xd7\x03\xaa\xcc\xee\\ \
\xa2\xea\xdc\xb6\x8d\xcc\xdc\x89;q\xe7 \xcbe@\xd4\x1b\r\xfb{#FP\x94\xaa\xc8U\
VpQH\xc5*\x0ch<\x8a\xf6\xc7\xc3\xb8\x13\xfb7\x7f\xf2\xed\xbf\x04A\xcc\xbd\
\xa7:\x0f\xd2\x0cr%!g\xbf\xa7b\xae\xeb<\xe8\xeb\xe9\xe26\xf0(^\x10\x82\x80D4\
\x88\x86\x8f;\xc3G$\xce\xf3\xf7[\xb48\x1f-\xb9\x7f<X\xcf\xdf\x9c\xbd\xfco],\
\xc5gv\xb7\xe8\xe7\xac4j4\xfa\xa2\xdb,s\xcd\x8e\xf6\xfb\x00\x87\xfa\n6\xc73@\
\x0c&".%\xd6\x19\xa4a.C\xe7\xa5B\x92c\xd8E H\xe7\xa8\x903\xcau\rHu\t\xd9\xde\
\xd0\xe9\x97\x96\xed\x1e\xb9k"V\xac&{\x87\x93\xbd\xd1*)\x97\xebRI\x15w\xe2\
\xe1d\x1cu{e\xc9E\xa1\xf2\x82\xf3B\x95\xa5\x02T\xb7#\xf6\xc7\xdd\xd1\xb0\x1f\
\x84\xc6\xe1<{\xf1\x1f\xc9"Y\x15C\x11\x08!\x88D\x00\xb0R\xe8\x88i7X\xfa\x9f\
\xd9{(>\xecE\xa3\'-\xc5\xb7\xb82Z\xcf\xfd#A\xba<>{\xf5\xbbMf\xd7\xc2\xd1\xc0\
cv\xa7\xcd\x81\xea\xfd\x96\xb0*_\x98\xd6m\xcfaL\x16b\x06\xa2\x00\x83\x0e\x96\
\x19T5\x95\x13\x05\x02\xbd\x98\x97)z1G!\x8c\xc2\xb0\x04\x0bW\x00\xc0\xc9vl\
\xb9\x98\x9f\x84S\xad\xe0m\xbb\xda\xfc\xf7\xedn{\xf3\x02\xcc\x8c\xac@Q\x8aa?\
\xec\xc4b\xbe*\xb3\xac\x98\xbd;\x19\x8c\xf7\xba\xc3A\xd0\t\x82@\x05!\xe59\
\x15\x05%\x99*N\x92$\xc9\xf7\xf7\x87\xddn\x17\x00\x828\n\xd7\x91\xe2LJ\xa1\
\x08\x90\x00\x14\xa3\xdbQ\x8d\xbc\x1c}\x9bRA*\xd6\xb5*\x01H]\xb7\xa7d!\xd7\
\xaa\xf8c\xb9x\x11\x8d\x9eD\x83\xfb"\x88\xd1\xa2\xc5e\xd0*\xf7\x8f\x01y2;\
\xfe\xee\xd7`\xb9\xc5\x8d\x81emg\xafocv\xe7\xb7\xd4\xa8|\xc3UGmE\xcdP\xdf\
\xe1\xc3C[1\xeb\x0c\xa5\xaa=\x1fH\x85U\x86n\x84^L\x8a\xf9\x1c\xd9n\xdf\xee\
\x94\xed\xd80a\xb0\xd5\x99a\xe8\xd2\xc5\xe7\xc8v\x80\xf3\x12?\xfd\xe5\xdf\
\xf6\xfa\xfd\xc5\xf1[.V"\xa4U"W+\xa9\xa4\x8c\xbb\x9d\xc1x\x1cu\xbaRqQp^\xa8\
\xbcPE\xa9\x02\xc1\xa3\x9e\xe8\xf7\xe2\xc1h\x90-\xdf\xad\x8f\x7f\x8f\xf0\xfe\
"\x8b\x94\xaeqF"\x12r\x10\xbc%.\xb7|\x9a\xde\xe7\xe6T\xbc\xa6x0\x84\xaeK\x1c\
\xc6\xe1\xe0\xa8\xbbw$\x82-Q\xdc\x16-\xb6\xa2%\xf7;\x8f2O\xde\xfd\xe9\xdf\
\x94*\x04m\xe1t/\xf7\xd1S\xee\xde{xVL\x8dx\xb8FD[\x8du\x9f\xd6\xcf\x01\x01\
\x92\xb1\xce8/k\x01[\xa5\xb0\xca\x10\n\x0c\xbaNG{\x82\xbd\xe6\xb6\xa3F\xee\
\x1e\xa7\xa3\xce\xe6\xfe\xca\xcb\xb8\xed\xa6\xefcFwx\xf8\x93\x9f\xfd\xa5^\
\x99\xae\x96\xab\xe9q\x1c\xca\xbc\xe4\xd9\xa2,\n\x19\x10u\x87\x83\xfe\xde\
\x88DX\x96\x9c\x17\xaa(\x94R\xaa,U\xbfK{\xc3\x18r\x99\x9d\xfeN\x84=\x15\x1ed\
\xaa\x0b!B*\xa2\xf2\x18r}\x81\x8f\xca|\xa8\xbe\x8ag6\xa4/\xa2^\xbc\xf7Y<|\
\xd0\x86[[\\\x04-\xb9\xdfm(U\xbe\xfb\xd3\xffW\xe6+\xd1Lv\xb4\xef\xbd\xb2\x8e\
\x95C\xb3\xc9\xec\xe7j\xf6\x1a\'9\x89\xbe\xa5@\xccNh\xeeNrNsx1Z0#\xc9!\x15\
\x8fz\x14\x06P\xd2\x9c\xdf\x1a\xe5\xdbe\xfb\xf6P\xea6Z\xaf\xc9v\xfb]\xa7\r\
\xd9\xee\x1ek\xa4\xc2\x8f\x7f\xfe\xb7\x83aU\xdd\x97\x95Z\x9e\x1d\xcblA\x02\
\x8b\x95LR\xc9R\x85q8\x18\xefuz}\xc5\xc8\x0b\x96R\x819M%\x88\x86\x9d<H\xfe@`\
\x90\x10A\x07B@fJ\xee\xd4\xec;?1M\xf1\x84\xa2\xe4\xa2\x04\x11\xa2\x00a@\x14\
\xf6\xa3\xd1Qg\xf8\x90D\xeb\xa9\xb68\x0f-\xb9\xdfm\x9c\xbc\xf8\xcft\xf1N\x88\
:\xb3o\xe6>\x9e\xaf\xd9\x1b\xef=f\xf7\x85\xb6\xbf\xe9rD\xe5\x9d\xa0\x90\xbc\
\xca e\xe5\xa7\x13!\xcd9-\xd0\x8f\xa9\x17\x1bE\xefd;\x8cWnskpi\xd9\x0e\x86\
\xaa\xcbv\xbf\xde\x80.9id;\xd0\x1f\xde\xfb\xea\xa7\x7f\xb1\xd9\xf8t\xb5\\O\
\xdfE!\xe7\x85\x9a\xaf\xca"W\x04\xee\xf6\xfb\xfd\xf1\x9e\x08\xa3\xb2\xe4\xb2\
T\xa1@\x92S\x9a\xac\xf6\xe9\x8f\x82lK\xb9\xea9.\x0b\x06\x84U\xf1E\xc9\x85\
\xd4\x8b&\xdc\x1a\x8f\x9e\xc4-\xc5\xb7\xd8\x8d\x96\xdc\xef0\x16\xa7\xdf\xcd\
\xdf\xfe\x8fvc\xe0\xaa\x0b8Z\xf73\x1a\xcdk}q+\xb3{\xf0\xad\xf9ss\x1f/\x01"(\
\x85$\xe7\xb4\xb0i\x90\x00X[\xf0L\x04-\xe1\x99\xa1T\x15"eP%\xb37d;\xea\xe4\
\xee\xa4\xba[\xef\xdcv\xd4e\xbb-&l\xd8W1\xbe\xfa\xd9\xdf\x0cv\xcc\xa5\xa7\
\xa4\x9c\x9f\xbc\xe3b%\x02Z\xae\xcbu*Y\xaa \x08\x06{\xa3\xce`\xc0\x10E\xa9\
\xe2@\x80\xb9\x9c\xfeF \xbf\xde\xe7T\xc1\xa7\xf8\xacd\xe9Q|\x10v\xc3\xe1\x93\
\xce\xe8q\x9bQ\xd3b\x13-\xb9\xdfUd\xc9\xec\xf8\xdb\x7f\'4\x07+\x81 \xaa\x12`\
N72\x00\xf24\xe4\xe5\x98\xbd\xb1r\x07\xce\xdf\xea\xbeg\xba\x91y\xc9I\x06=\
\xdd\x07\xacQ\x93\xe6\x9c\x15\xe8\xc6\xd4\x8b!\xaa$\x9a\xdd\x03\x97,\x83\xd7\
B\xa9\x1b\xb6\x8crs\xc0\xda\xbb\xe5m\xb2}4y\xf4\xc5W??\xf7&\x90\xaeV\xeb\xd9\
I \x8a\xb2\xc4b]\xe6\xb9\x04s\xa7\xdb\x1d\x8c\xf7\x828V\x8a"\xa1\xf2\xe9\xef\
\xe8\xc2\x0e\xfb\x05\xe1(\x9e\x81\xa2\xe4RA\x00\x81@\x18R\x10\x8fz\xf7~\x11D\
\xdd\x1b\xbc\\\x8b\x8f\x00-\xb9\xdfI\x94E\xfa\xee\x9b\x7feU8+\xa6\xc6\xec\
\xd0\xc4\xc2\x1bA\xd4*a\xc6\x81v\xd1\xf7n\x9d\xbe+1\xe6\xb2\xd0<\xb5\xce\x91\
\x97\xc6\x84!"\xa98/\x91\x97\x08\x03\xf4;\x08\x03\xf2\xedr_\xb6\xf3\x8e\xc5\
\x0b&\xc94\x98=\x8a:?\xfe\xc5\xdf\x85\xe1\x05\xd2Q\x98\xd7\xcbe2?\t\x84,J^\
\xae\xcb"W\x82\x10\xf7\xba\xfd\xd1(\x88\xbb\xe5\xec\x0f\xa2\x98\xe2\xc6\xc2\
\x9eLP\x00\x18B\xdf\x80\x10D\x04\xc5(JV\x8a;\x91\xa0\xcedr\xf4\xab\x1b\xba\\\
\x8b\x8f\x04\xadaw\'1}\xfd{\x93\x1e\x03/L\n\xcb\xec^6\xb5\x95\xf5\\%\xc5\xec\
\xe6c;\xe1\\u\xec\x96}`d\xf6f7\xb0\x13\xdb\xf4\x83\xbeT\x1cQ\x14rV`\x9d!+\
\x01\x06\x11u"\x84\x82\xd3\x02gK\xc4\x11\x0fb\x04\x81\xc7\xe0\xee|\xbcqF\xef\
\xa7\xf3t\x9c!\xe3\xf6\xda"ht\x11\xc8\x0b\xf6TD\xfd\xd1\xa87\x1c\xceO\x8e\
\x85\x9c\xef\xef\xc5\xabD\xae\xd32]\'E\x9a\xf5\xf6\xf6B\x847\xa7\xda\x15S\'\
\xc5X\xb1\x88\xb0\x8a\xb0`\x16\xa5d\x02\x82\x80z1\x95\x8a\xd2L\xa1\\\x8c\x8a\
,\x88:7u\xd5\x16\x1f\x01Z\xe5~\xf7\xb0\x9a\xbd\x9e\xbe\xfa\xad.j"\xb4\xfdbG\
\xa2Za\xaa\x19\x9d\xc8\x16m\xdf\x1aAm,\xfa\xcc\xbeK\xad_\x9d\xb3v\xf0\xbb;\
\xabb\xa4\x05\xaf3\xad\xe2\x8d\x85"\x15\xd2\x02\xa5\xd2\xe9\xf0\x08\x84/\xc6\
\xaf)\xdbI\xff\xd4=\x153\xd6\xa9z\xf6\xec\xe9\xd1\xe7?\xbd\xd4m\xe5i\xba<{G\
\x9c\x97\n\xcb\xb5,r\tF7Z\r\xa2\xc5M\xd82J\xc4\xe3\xb2\xf3y\xd0\x19eY\xa1d\
\x11\x15/\x83\xe2\xady.\x03\x08\xe8\xc4A\xa9h\xb9.\xc2(\xeeO\x8e\x86\xfbO\
\xda\xe1N-4Zr\xbfc\x90e\xfe\xf6\xeb\x7f6\x86L\xcd\x8d\xd1\xa1B\xf3\xdb$\xa1\
\xcb\x82\x01u\x8e\xd9e\xc84b\xad>\xea\xfd\x01\xd59\xb9y~\x07g\x86o\xdd\xb0\
\xf1\xd6\x9cGS\xfc2\xe5\xbc\x80\x8b\xb6J\x85\xac`\xa9\x10\x87\xd4\x8d\x10\
\x05&\x97f\xcb\xc0\xa5\x1a\xbf3\x83\xd4\x8e\xdcv"b[_A*\x94\x92\xc1\x90\x8c\
\xbf\xf8\xd5\xdf\xf4\x06\x97\x98wIcqv\x9a-\xa7A\x88u*\xd7\x89\n\xb1\xda\xeb\
\xcc\xaeM\xeeL"\x0c\xc6?\x91\xa2\x1f\x08\x98Zj$\xe4\xf4\xb7(\xe6@\xe5\xf9\
\x88@\x9c-d\x18 \x10\x10A\xdc\x1f?\x1c\xec?\r[\x0b\xfe\x93GK\xeew\x0c\xd37\
\x7f\\M\x9f\xfb\x82]\xcbsAT\x99\xec\xf5Z\x8f[e\xbb\xf5\xe5\xe1\xbdn\xf3\xdf\
\xa9\xf9\x96}\xd2\xda\xcd\xeb\xde[>wk\x13\x8e\xe2W)\xa7\x85\xce\x99!\x10\x94\
\xe2\xb4@)\x11\x08t#\x8aC\xe8\xc2\x8a\xbe\x96\xbf\x94l\xd7w+%\xb2\x82\x15s\
\x14\xa0(qx8\xf9\xc9\xcf\xff\xfa\n\xb9\x8beQ\xcc\x8e\xdfA%RQ\x9a\xae\xfat|\
\xd5\x04H\x07f\xc4ky\x9f\x830\x10\x02\x00\tb\x04\xa2<\xe9\xe0\xb4\xfa\xc5\
\x10\xd2\x02\xb35\x8f\xfbU\xbe\xbf\x10\xe1`\xf2\xb8\xa5\xf8O\x1c-\xb9\xdf%\
\x14\xd9\xfa\xed7\xffBPU\x1c\x15\x96\xd9]\xadGQ\x91J-\xa0\xba\xc3\x90y\x1f\
\xf5S}\xb1\xb6\xcbn4Y\x9d\xb7\x91\xfa9\xdf<"R\x8c\xac\xe0u\xcai\xc1\xa54\xd2\
U*\xce\x0b\xe4\x92\x05Q\x14R\x14\xe8\x19\\\xed\tk\xb4\x8e\x86l\x87\x97x\xae\
\x87}\x02\x98\xafM\xef\xe1\xcaR\xfe\xecg?\xdf\xbfwt\xee\xdd\xed\xc4j6/\xd6ge\
\x99p\xfeF\x9cw\x7f\x17\x013G\x8bt/\x97B\x98tW\x96\x12\xfd(\x19v\x17\xba\x00\
\x8f\x0e\xab\xbe\x9b\xb3 \xdc\xdf#\xc5(%\xa4\x9d0P\x88p0~\xd4\x9f\x1cE\x9d\
\xc1\xf5Z\xd2\xe2N\xa2%\xf7\xbb\x84\xd3\x97\xff\x95.\xde\xfaN\xba\xae\x14\
\xe6H\xbc9[\x9eg\xcb\xbcG\xb6o\x11\xf8N\x1bn\xc8\xf6\x8b\x12\xbbO\xf1\xde\
\xf7\xec\x02\xe4\x0e\xab\xb6\x19\xc8\x0b^\xa5JS\xbcR\xac\x18\xa52\xe36\x15C\
\x08\x84\x82\x82\x00\xa1 !L\x10\x02V\xa4k\xd9\xae?\x16\xa5L\x0f\x11\x08\xc4\
\xa1\xf9\xdc\x96)\xaf3v\xd4\xcf\x8c\xd1\xa0\xf7\xcb_\xfd\xbd\x08\xae\x98k\
\xc0J\xad\xcf\xde\xae\xa7\x7f\x10\x90W;Cu*P\xa6\x0e\xd6EL`"\x1d\xc3\xa6Qt\
\x1aR\xa2\xef\xa9\x948[q\x9a\xf3\xfd\xb1\xe8FUb\xa8O\xf1D\xa2\xbf\xf7p\xb8\
\xff4\xea\x0e\xaf\xd9\x9e\x16w\x0b-\xb9\xdf\x19\xe4\xe9\xe2\xdd\x9f\xfeM\x0f\
}\xacd\xbb0\xe6+\x99\xf8)\x00\x90\xcb\x8d9W\xb6\xfb\xee\x8ag\xe3P}\xa57\xc8\
\xd5K\xb9\xd9\xc2\xef\x15e\xfbt\xbe\x8d\xdf\xdfO\xee\x15\xb3\x9b&1r\xc9Y\xae\
\xd2\x9c\xf3\x92\xa5b\xa5P*\xe4%\x8a\xd2T\xcau\xb7&\xec\x00\xaeM_D\x08\x8aCt\
"\x08\xaal\xfa\xd9\x9a\x0b\xc9\x95x\x07\xbe\xfc\xea\xabGG_\xecl\xdd\x05p\xfc\
\xa7\x7f\xa2r}\x9d3\x00\x00XQ\'\xc3\xbd\x82c\xdd\xf8.\xcdCu\xa2ok\x9d\xf1t\
\xc5\x8aq0\xa4~\x87\x1a\x7f\xc7\x0c\x94\nR\xd6(~t\xf8Y\x18\xbf\x7f\x9a\xef\
\x16\x1f\x07Zr\xbf3\xa8d\xbbcg_\xb6{\xb3,\x19\xad}\xae\xdb\xbe\x8d\xd9\xab\
\xb5N\xac\x13\xd5\xd6o\x9c\xac\x06\xae\x11<7\xde\\\x98\xdc\xfdKV\xa3l]\xf0\
\xb3(U\xa6\'\xcd\x90,%J\xc5E\x89R\x19\x9d\xee?\x1f\x90\x1e\xa7\x0b%\x04\x05\
\x840$\xdf\xc3\xd1\r"\xa0\x90\x98\xadM\x01G\x1d\xc5\x8d\xe3\xf8W\x7f\xfd\x8f\
\x17\xcay\xaf\xce\xa5dv6;}\xcdL"\xea\xe7\x8bW\x11e7\xf1\xb7\xc5\x10\x11\xc2\
\x11D\x0c\x99P9\xd7\x1f\xc2l\xcd\xcb\x94\xbb\x11M\x06\x14\x87\xd8u!\xd6%\x85\
%+\x00\xad\x17\xff\x89\xa1%\xf7\xbb\x81"[\xbd\xfd\xe6_D5\x89\x92\x91\xed\xd6\
vo\xba1\r\xd9\xeeGAk\xb2\xbd)\xcf}Fw\xeb-\xd5\xfb\xc2\xdd\x9d\xae\xe6\xae\
\xd7(\xbd\xb1\xe0o\xf6\x0em\xc0\x1bE\xeb]\xbc\xf1\xa4\xc0\x0c\xc5\\\x96\x9c\
\x97*/\xb9\x94\xacK\xaf\x94\xb2:\xa5\x96\xf0\x0c\x10X\x93\xbb\xae\xc0\xc3\
\xf5\xf30 \x08\xeb\x0c\xcbT\x19\xf1\x0e\x00\xf8\xfc\x8b\xaf\x8e\x9e~\xb1\xa5\
\x81;\xb0>\xfbvu\xf6\xed:-\xf5\xdfS\x1c\xc2\xf9$\xd7\x06W\x1f=Q\x92\xe3l\xa5\
\xa4\xc4\xb8O\xa3\x1e\xd1\xb6\x92\xf7\x9b\xc7\xeb\x8c \xddu\t\x11\xf6\xc7\
\x8f\x86\x07\xcfZ\x8a\xff\xb8\xd1\x0eb\xba\x1bX\x9d\xbd\xd4i\x8e[2U\xaaU&\
\xc9\xafq\xac\xff\xb7_c\xcaMf\xf7\xb8\xdcv\x0f\x1b\xc97\xde\x19\xd8\xef\x12\
\xc0`\xd2\xf2\x97@\xac\xffs\x17\xf7i\x95v\x89v\xaf\xed\xb6)\xae\x8d\xe6^\xb8\
jy\x14"\x0cE\x8f\xc1\x0c\xa9\x94R\\\x94\xc8K\xce\n\xcdb$\x08\xcc\xec\x17]h&_\
\x926\xda\xd1\x8b\x91\x15TH\x10L\n\xe6\xab\x17\xdf=x\xf4\xe4\xe2\xe2}5?I\xd3\
\x82\x8c\x9b\xc4\xccM\x9f\xe4\x1a0\xdd\xb7b\x94\xc1\xbd\x14y@\xd3\xc3\x89\
\xe8\x84U\t\x9d\xf7\x1e\x1f\n\x04\x82\xb4\x17\xafd\xb9<}\xbe\x9e\xbd\xee\x8d\
\x1e\x0c\xf7\x9f\xb4^\xfc\xc7\x8a\x96\xdc\xef\x00d\x99\xaf\x17oQ\xe7s\x1d\
\x01\xb4"\xbb\xa6G\xf5\xffz\xaa;\xd1\xa0\xfaf\x97\xb0\xc9\xec5\x86w\x14kv\
\xa9\x8euLo\x93\x0f\x99\x98@v\\\x7f\xc5\xef\xc4`\xd7\xc2ZSiK\xc7\xe3]\xcf>\
\x8f\xe8\x0e\xa6v\x17Z\x90\xb3\xbbW\x10H\x08t"\x8e#\xea\xc5TH.%J[\xb8\xe6\
\xbd\xdd\n\x11\xba1\x15\x89r\xbb\xe4E\xfe\xee\xcd\xab\xc7O>\xdb\xb6\xfb\xb63\
\x84\x03\x85\x99U\xd97\xa5\xd9\xab\xe6\x95\x92\xc2\xf1\x97\x8f\x1e|\x06 [\
\x9d\xe4\xf3\x17\xf9\xfa\xf4r\'\x81)\x1a\xac\xbd,%\xcb\xd5\xf4\xe5z\xfe\xba7\
z0:x\xd6R\xfc\xc7\x87\x96\xdc\xef\x00\x92\xc51\xabB\x90\x95\x9a\xf0\x148\xd5\
\xf9\xaaf\x91\x9b\xc7y4wq<Zw@\xc8\xad\xa9\x18\x9e<n\xadQ\xba\x7f:v/:{\x9c\
\x19\xae\x9e\xafN\xd1\xdc\x19;\xad\xc5\x02\xa8\xce\xecU/Sw\x9d\xbc#,\xb73\
\x08`3F\x89\x08qHq\x88R\xa2\x90\x1b\x11\xd7\xfa\x87\xe1\\\x8d8\x84 r#\xa7\
\x00\xbcy\xfd\xe2\xe1\xa3\'"\xb8P\xc1\xc5\xbd\x83\xc7\xeb\xd9\xab*\x98\xdc\
\x18\x10pU\xe8\x0f#\xc3`\xf4\xe8\xc7\xc3\xd1\xbe^\xd9\x19\x1cv\x06\x87Er\x96\
L\xbf+.O\xf1\xba\xa2\xa4\xc9\xa8Qj={\x9d,\xde\xf6F\x0f\x86\xfbGq\xef\xd2\x03\
\xb8Z\xdcZ\xb4\x9e\xfb\x1d\xc0\xdbo\xfe\xad\xcc\xe6~\x06\xa4\xd6\xe3\xde\xcc\
\xd7p\xf6\x89\xef\xb6\x03\xd0U\n\xbcR\xe6\xee$uc\xdd\xfa/\xb4\xf5\x1d\xbc\
\xfd\x9a0\xb5[\x98\x9bo\xf4;\x98\xb2_\xb5\xd0\xea\x06\xd9\x93\x95\xecMf\xb7]\
K\xdd{b\xd6\x85\x1e5\x143+Vn\xd9\xa3X\x06\x942*^*\x1d@\xdd\xf2\x85\xd7\x9d\
\xd2|\xcdia\xd3f\x00\x00?\xf9\xe9/\xef\xdd\x7f\xf4\xde_\x90\xc6\xfc\xe4\xbb\
\xb37\x7f\xb4\xf7\x83^\xba\x85\xdf\xb7\x00\x00 \x00IDAT\xbc\xf1\xd8tI\xe8dG\
\xf4\x1e\x1f>\xfe*\xd8\x91\x9aY$\xd3t\xf6"_\xbd\xbb\xc2\xf9k^<\x00Bot\x7ft\
\xf0\xac\xa5\xf8\x8f\x03\xadr\xbf\xed(\xb2U\x91-\x1cM\x10\xc8\xe8\xcb\xba\
\x90\xf7\xb2e\xb6\xa0\x92\xd7\xd5\nG\xa8\x96\xb6-\xe0\xbd\xb7\xc4O\xce\n\xb2\
\x8f\x02\x9a\x0f\xb4BeW\xf6\xc0\xa8vPM5\x10<gf[\xeb\xfc\x1e\xc9U\xc4\xb1W\
\xf7-\xff\xda\r\xe8\xeb1i\xd5\xee\x19\xfc\xa6\x81l\x9b\x19\x06\x08\x02Hi\x86\
\xf9\xa8\x1d\r\xe9D\x94\x165\xfe\x7f\xfb\xfa\xe5\xc5\xc9}\xef\xf0\x99,\xd2\
\xf9\xe9s\xbc\'\x85\xff\xfd\xd0w\x9cso\xf8\xe0\xc7\xc3\xf1\xe19{F\xbdI\xd4\
\x9b\x94\xe9,\x99>\xcf\xd7\xc7\x97\xf2\x83\x9c\x17\xef(>\x99\xbfK\x16\xefz\
\xc3{\xc3\x83g\x9d\xfe\xe4z7\xd1\xe2\x03\xa3%\xf7\xdb\x8edq\xbc\xe1\xaa\xe8W\
\xe3\x7f\xa0\xa6\xd4k\xf0\xe2\x93\xc6\x1e\xa9h\xd2\xc5)\x9b\xccN\x82\x9cd\
\x17\xd0\xffj\xe7\xf2Nm\xa8D\x81\x99\xc8pf\x95.\xbe\x9d\xcf\xb7\xae\xf5\xdcu\
\xd7*O\xb6\xbb\x9e\xcb\xc6\x12\xac%cK\t\xd4\xdd\xa7\xa6#\xa4\x9b)\x04\x04 \
\x04)\xc9RAVI(\xe6c\x8cC\x04\x82\x94\x82\xcby\x9f\xcf\xa7\xeb\xf5\xb2\xdf\
\xbf\xa8\x1f\xbd\xff\xf0\xc7y\xbaL\xd7S\xd8\xc0\xac\x05\xdb\xdf\xd6\xfb\xc5<\
\x11\xa4\x82\x8a\x1f\xde?\xfaqp\xb1\x88n\xd8\x1d\x8f\x1e\x8de\xbeJf\xcf\xb3\
\xc5\x1b\x98\xd4\xc7\x0b\xc1Q\xbcR(\x15+\x85dy\x9c,\x8f;\xfd\xc9\xe8\xe0\xb3\
\xee\xf0\xbc\xae\xa5\xc5mFk\xcb\xdcv\xbc\xf9\xe6_K\xab\xdc\xab\xb1K\xae\xfc\
\x80eg\x00:\xf1\xcf\xcfttN\x8e\x039\xab\xc3\x91z]\xa7W,O\x01 \xaaDzl\xf0\xbb\
\x0ehj\xeed\x06+@1+f\xb0\xf1H\x00k\x93X\xbf\xc6\x1cY\x8b\xaaz\x86\x8c\xbd4\
\x99G\x91J\xbc\x9b6\x18\xa6vn\x0c\xb3bVJ9[F\xd9\x9a\x036\xce\x0bV\xac\xe0\
\xb5\x14&CF1\xa4\xd2v\xbc\x89\xf9\x12h\x9e\xa8$\xd7N\xbci\xe4\xe3\'\xcf\xbe\
\xf8\xd1\x9f]\xfc\xf7U\x16\xd9\x9b\xaf\xff\xb5,\xb2NDQ\xa0\x1bB\x92z\x92\x83\
\x90\x13A\x85_\xf3k\x13D\xc8T\xdc?\xf8j|\xf0\xf0\xe2\x17\xf5\xa1)>_\xbecU^\
\xe5pM\xf1\xf6\x17\xd4\xe9OF\x07\xcf\xba\xc3{WkL\x8b\x0f\x88\x96\xdco5\xca"}\
\xf3\xbf\xff/\x11\x0b\x93\xfcBz$\xba\xc7\xf2\xde\x80\x1f\xe2\xc6\x90\xa3-\
\xe4\xee\xe56R\xc5\x9f\rX\xc1N\xa6\xdad\xe5\x9cT\xf0\x8buYrg\xc5\xbe\xf5\xcd\
\xbc\x83\xdc\xbd\xdc\x19\xfd\xe2\xf9\xfb\x96\xdaE\xf5\xf4\xe0\x05\x08,\xb1\
\x9b\x13+\xa54\xa1+\xbb\xa0\x0c\xebW\xd7ac\xd0\x03\x80b\xeb\xf9\xdbB\xc1\xcc\
\x90\xcaV\x8a\x04\xb2\x82gk\xdf\xb1G\xa7\xd3\xfd\xab\xbf\xfe\xc7\x0b\x86U5\
\xd2\xe5\xe9\xdb\xef~\x13\t\x15\x87\x0c\n\xb9\xf7\x0c\x9d\xfby\xa1T\xb1\x8a\
\xcbW\x81\x9cn\xd5\xefZ\xb0s\xe7\xe1\xe1\xe3\x8b\n\xf6s \x8b4\x9d\xbf\xc8\
\xe6\xaf\xae@\xf1\x0c\xe8\x01\xc0\xb6\x84\x01:\xbd\xf1`\xffi\x7ft\xbf\xf9}jq\
\x8b\xd1\xda2\xb7\x1ay2wO\xf3T\xa5\xfdY\xe8w\xcc\x15K\xc2\xcb\xd2\xa8S\xb1\
\xcf\xa4\x80elr}\x84#v-\xd8=f\xdfB\xee.\xbb\xd1S\x06,\xa0{\x97\xaa\xec\xc0E`\
\xedv\xdb]\xd9\x07\x13\xdd:a\x9a\xea\x9a\xed\x8c\x14\x905e\x8c\x13T\xd92\xb4\
e`\x8f=\xc66\x8c\xdcS\x00\t\x02\x834\xddG!\x05\x01\x97\xd2}\xe4\x9c\xa5\xe9t\
zzpx\xff\xa27\x04t\x07\xfbA\x18+\x99\x12\x10\x8e\x8e\xca\xe80\x10\x1c\x05\
\x90\x9d\x01\xe1+\x9e\xfd\x96\xcbU3\x84@Hs\xccS\x1e\x882\xcf\xd6\xbd\xf0\xba\
!\xcd \xea\x0e\x0e\xbf\xea\xee=I\xe7/\xf2\xe5[Uf\x17?\x96\x80@ \x10\x90L\xa5\
\x84b\xce\xd6\xb3,\x99-\xbb\xa3\xbd{_\xb6F\xcd]AK\xee\xb7\x1aE\xba\xa8\x94\
\xf8\x06Y\x1b\x9b\xb9\xda\xec(\x8d\x08>\xa17\xd2\xf2*\xcf\xc6\xbc\xd4\x98=0\
\x9c.\xea\xca\xddo\x80\xcb(a\x82R\xe6\n&j\xba\x9d[\xd1\xa0\xfb-\xb7d\xedug8\
\xf9\xcf\x17\x86\xf9u\xfe<@pS\'\x111\xb9)\xf3l\xffV%g6?\x19\xb7\x9e\xcd\x15m\
d\x98H\x07\x82\x11\x07\xe4\x8ft\x05pr\xfc\xe6R\xe4\xbe\x9a\xbf+\x8b$\x10\x00\
D\xba*\x12y\x1c\x86\x02 !\x04(\x80\xec\xc6XV\x1f\x01A1f+^\xe7\x00\xb0\x98\
\x1e/g\xc7\x83\xe1\xe4\xe0\xc1\xb3\xe1\xf8\xbaf\x88\xa6\xf8\xde\xe4Y6\x7f\
\x95\xce_^\x8a\xe2\x01\x04\x84 \x84T$\x15$s\x9e,\x8e\x9f\xff\xba7\xbc7\x98\
\x1c\xb5\x14\x7f\xfb\xd1\x92\xfb\xadF\x99\xfb\xc5\xa7\x08`\xf7XLd\x9cb\x0b/\
\x80g\'\x19\x82\xc7c\xb0\x04i\x19\x1d\xf0i\xdd\x18 \x02\xc2\xd1\xfa\x0erwJ\
\x19\x04(\x1bY%K\xeeM\x89\xbc\x1b\xd5\x9d\xd4e{\x8d\xe7\r\xb3\x93+\x8ff\x9e\
\x0b\xec\x05\xd8(\xec\x1d=\xcaNT\x11_w\xa4iv\x1c"\xc9\xed\x1d31x6=+\xcb\xe2\
\xa2\xa3U\x99\x97\xa7\xdf\x81\x89\x99\x15P\xa4i\x9a\x95\xdad\x02\x91R\xe8\
\x04y\xa7g\xc6\xaf\x12!+p\xb6\xe2\xa2\xe4q\x9f\x88\xcct\xb2\xc9j\xfa\xfc\x7f\
\xa7\xfd\xe1dr\xff\xc9h|\xdf\xc5\x93\xaf\x06\x11\xc4\xbd\xfd\xcf;{\x8f\xd3\
\xe9\xf3t\xf1\x8aeq\xa9\xc3\x9d\x8a\x97\x12Rq\xb2p\xe1\xd6\xd6\x8b\xbf\xd5h\
\xc9\xfdVC\xca\x1c0|\xea\xa7\xc4Xe\x0e\xbb\xd5\x8b\xa3R\xb5\x16n/v\xbcnv#k\
\xbf;\xeb\x1dd\xdd\x18\xcd\xecN\xbf7<\x19\xf2=\x19\x9b\x16y.\xb7\xee\xd8R=}X\
:G%\xdbmP\xd5\xae\xab\x92-I\xfbS\xe6\x9a\xe4\xdac\xff\xf7N\xef\xa1\xdaR3\xfe\
u\x1a\xa5\t\xa0\xea\x96\x86\x01\x84\x80R\xf6\x9a\x84"\xcf\xe7\xb3\xe9E\xc5;\
\xd1\xe4\xc1\x8f\xe6\xa7/\xd2\xe51\xb3\x8a"\x15q$\xd9\xf4\xcaA :!\xbb.e\xb6\
\xe6\xf9\x9a\xa3\x00\xbaf/L<\x13JA1T1;y>\x9d\x1f\x8f\xc6\xf7\x9e\x0e\xc7\x0f\
\xe8z3n\x8b \xee\x1f\xfe\xa8;~\x92\xcc\x9eg\x8b\xd7\x97\xa6x\xab\xe2\xb5\x17\
\x9f\xad\xa6\xd9zj(~p\xd8z\xf1\xb7\x10m@\xf5V\xe3\xf5\xff\xfc_U\xa6\x86\xed\
\x84\x13\xc9\xceR\x815.<\x9b\xdd\x13\xd9\xfe_\\\x95\x80"\x8c`\x17V\xb0\x0bA$\
\x02P\x00!\xcc\xbf\x8a\xdf\x05\xfc\xfc\x1bX\xabZ\xffS\xca\xfcT\x96\x90\xb8\
\xd4\x03\x8aT3\xb2ZK\x91q\x8d\xb5\x890\xcd\x88\xae{\x07\x13P\x15\xd5\xd5\xa1\
\xbc`*K\x9d*\xa3\xa3\xa9\xfa\xc5\xa4\xeb\xd8\xdd\x01\xb3\x12\x00C\xd9v\xe8\
\x024lgkb7o\x1f\xf4h&\xf3!+f0\x8e\x9e~\xf6\xf9\x97?\xb9\xd4\xefn\xbd8^\xbd\
\xf9\x8d\x10AN\xf7R\xd5e\x90 \xea\x88\xa4\xa3\xde\x02*+1]r^\xf2\xa8G{}\x12\
\xf5\xce\x91\x01\xa9\xbc\xda\t\x8c0\xee\x0f\x0f\x9e\xf5\xc7\x8f/\xd5\x86]Pe\
\x96\xce_e\x8b\xd7\xaaL\xafp\xb8\xed\x81\xcc\xe3O\xdc\x1d\r\x0f>k\xc3\xad\
\xb7\r\xadr\xbf\xdd\xe0\xda\x84\x0f\xcc\xdc\xfc\xf3!#\xe2}a\xef\xf30\xb1\x93\
\xc5n\x9b\xeb\x1d\x9c/#\x00\xab\xd9k\xca]\x98Q\xb0\xb5+V\xcd\xb9\xb8\x19r\
\xdeN\xce\x93\x81k\x9b1\xdd\xed3\x86h<7\x98\x9c\xf1\xca\x84\xbfL\xf8\xd6=\
\xca\xecnZ\x14"-X\xd73\xd0\xe7O\x92\xe4\xa2\x97\xb0\xe8\xf6\'+\x11\x82\x8b\
\x18\xef\xa2h\xc4\xd4\x11\xc8E9W,\x17\tfk\x0e\x03\xdc\xdb\x13\xbdxK\xfd/\x02\
B\x01fH\xdb\x1b\x95\xf9z\xfa\xfaw\xeb\xd9\xeb\xc1\xfe\x93\xde\xf0\xba4*\xc2N\
\xff\xe0\x8b\xde\xf8I:\x7f\x99\xce_]\x96\xe2\x8dQcU|\x9e.N_\xfe\xe7\xb2\xa5\
\xf8[\x86\x96\xdco7|\xb7\xd57X\x00\x06\x04\\\xdc\xd4\xb3\xd5\x9bg\xd8B\xce.\
\x9c\xe9\xb2\xdd\xb7\xfds\xcc\xee\x9e\nl\x0bt\xbe\xca\xeeA\xa7\x17`[?\xa2\
\xea\x87R\xab /\xfc7\xfe\x81U0\xc1oU\xa3\x01\xdbQq(\x81@&\xf0Z\xc5\xa1\xcd\
\x91Q@\x82L"\xa0v\x8e\xd6\xab\xa5RJ\x88K\x18#$\x04($\x94\xcc\x8a\x8a\xa9\x00\
\xb4\xa5~\xb6BZ\xf0\xa8G{=\n\xc4y\x9d#\x11B\xaaT<3\xf2d\x96\'\xb3ew8\xdc\x7f\
\xd6\x1d\xdd\xbf\xa6QCA\xd4\xdb\xff\xbc\xbbw\x94.^\xa7\xf3\x17\xaa\xb8\x12\
\xc53I\x05\xa9,\xc5wF\xfd\xc9\xe3\xfe\xf8\xa1\x10-\xb7|`\xb4\xbf\x80\xdb\x8d\
\xcdj(\x15\xb3\xc3\xbc\xa3\xfa\xf3\xbc\'\xd2=\xfb}\x83\xf5\xab\xdcq\xcf\xd76\
\xb2\xdd\xcb\x80\xacu\x0e\xb5G\x82m\x14ZO\x82\xdc\x9e\x8e\xd8\xbc\x97\xea}\
\xd3K\xf2\x1a\xe0\xfc&W\x06\xa5\xd9\xb7P\x15\\\xe5\xcd<\xcd\xcd\x8f\xd0~Tz\
\xfa\xba\xba\'\xa2iKI\xb7?ei\x92$\xab\xc1`\xb4q\xcb;A$\xa8s\x80\xf4\xa56\x9e\
\x981]\xf3t\xc5q\x80\x07vV\xbc\x8b\x17\xec\xd5\x14/\x15\x00\x14\xe9r\xfa\xea\
\xbf\xc3\xd3o\xfb\xe3\xc7\xfd\xf1#\xba\x1e\x8dR\x10\xf5&\xcf\xba{\x8f\xb3\
\xc5\x9bd\xf6\\\x15\x97{F\t\x08A\x00)HJH\xe6<[\xe4o\x16\xcb\xb3\xe7\xc3\xfd\
\xa7-\xc5\x7fX\xb4\x1f\xfd-\xc7\x0e=\x0e\x1dX\xac\x15T\xe7\x06m\xd5\xc0\xfe3\
\x00\xacKO\xf0H\x9c<N\'\x8f\xf7\xab\x16\\\xc4\xfd\xb0u\xc2\xcc\x08\xa7\xad1\
\x9d\r\x93\xc8k\x98\xdd\xb0!\xd8\xb7\\i+\xb66\xd5\xeb\x08\xc8{\xb2\xb0\xab\
\xc9+\x9a\xa0[\x11\x85(\xcaZ\x9f8\x9f\x9e]\x8a\xdc\x01L\x1e|q\xf2J\xc9t\n\
\x96\xcb$\x7f7S\x00T\x84\xac\x0c\x06\xc3A\x99\xce/~*M\xf1\x01A\xb1\xf9Wd\xab\
\xd9\xdb?\xae\xce\x9e\xf7\xf6\x1eu\xfa\x93\xf8z\xa5`H\x84\xdd\xf1\x93\xce\
\xe8a\xbe:\xc9\xd7\'\xf9\xfa\xa4\xea\xdc.\x00\x1dnUl\x92&\xcb|=}\xf3\xfb\xe5\
\xd9\xf3\xfe\xde\x83\xee\xe0\xa0\xadD\xf6A\xd0\x92\xfb\xad\x86\x08c\x99\xe7\
\x9e\xaf\x0e8\xd9^\x8d]\x82\xb3\x87y\xab\xdfI[\xde\xd5W\xd5\xb9\xd43H\xeaG\
\xf9Z\x99+q\xec\x86{\x9a\x91\xa8\xf5\xad\xd5\xc8\xd4mlL[\x17\\\x8fry\xf7v\
\xe3"\x95\xd4\xdf\xb1\xc3\xe6S\x00\x808\xa05yF\x18a6\x9b^\xbc\xbc\xbbF\x18\
\xc6\x0f\x9f\xfdL)\xa5d\xa1\xbe\xfe\xd7\x03\x95\xadR\x95\x97(\x82\x83\xf1\
\x93_\x16\xeb\x93d\xfa]\x91L/~B"\x04\x84\x00\xbav\x02\x14P\x96\xe9\xe2\xf4\
\x9b\xc5):\xfd\x83\xe1\xc1\xb3N\x7f\xffR-l\x9e_\x84\x9d\xd1\xc3\xce\xe8\xa1\
\xcc\xd7\xe9\xfcE\xb6|{\xa9\xa4\x1aA\x10\x01B\x90\xaeaP\xe6\xeb\xf9\xf17\xf3\
\xe3o\xba\x83\xc3\xd1\xe1u\xdb\xd6\xe2\xb2h\xc9\xfdV#\x08\xa2\x92\xad\x8c\
\xb6\x04\xd5\x94\xe7\xce_\x004\x93\x92\x13\xeadR\xc2}T\x07n\xf1j6=\xee\xc6\
\xa10\xac\xed\xd8\xdb/\x0f\xc9\xd5\xf2\x85c\x9c\x97a\xf0\x9bK\xec\xaa\x02\
\x08\xbe\xa0wc\xb3\x18A`ji\xb9\xad\xeb\xf5\xa5mw\r!\x84\x10\x9d\xe1\xe4\x11\
\xe4\x9f\x02\x12\'\x0b\xf5\xf0\xd1\x11\x80\xa8\x7f\x18\xf5\x0f\x8bd\x9a\xce\
\x9e\xe7\xab\xe3\xcb\x9d\x93 \x02C\xf1\xba\xc1\xd9\xfa4[\x9f\xc6\xdd\xf1\xf0\
&\xd2\xcf\x83\xb8?\xb8\xf7\x93\xde\xe4\xb3t\xf6\xe2\xb2\xa9\xf1T\xabD\x06\
\xc5\x9c\xaeN\xd2\xd5Iwx8\x9c<iG?\xfd`h\xc9\xfdV#\x8c\xfb\xd9\xfa\x8c\x99\
\xab\xc8\xaa\x1f?\xd5/\x96\xc7m\x08\xb2\x12\xf2\x9a\xb2\xf4\xd1\xbc\xa9\xea7\
\xed\x9b\x1aYou\xd8\xb9\xdam\xf3\x9f\xad\xe0^y2\x1b\xa7\xd7\xd8\x12\x01\xd8\
\x0e\x17>\xae\xb9\xfc\xee\xa5v\tv\xafv\xe7\xc6\r\xfa\xbe:W+\\\x9e&\x01\xae\
\x9ab@\x08\x03d\xaa\xcaB\xca\xb34K\x93^\x7f\xb0\xa3\xa9\xef\xc1`\xfch=\x7fKE\
\xfa\xe8\xe8\xe9xRi\xd8\xaaf\xaf.\xcb~\x99\xd4dG\xf1\xfa\x1f3\xf2tv\xfar\x16\
w\xf7\x06\xfbO\xbb\xc3{\xd7M\x8d\x0f;:5>\x9d\xbf\xcc\x16o.\x95TC\x1bI5\xe9\
\xf2$]\x9e\xf4\x86\xf7F\x87\x9f\xc7\xbd\xbd\xeb4\xac\xc5E\xd0\xe6\xb9\xdfj\
\xac\xa6/\xe7o~o\x87\xda\xd8\xf0\xa2K$\xb1\xe6\xb9\x13\xeen\xab\xd9\x81H\xb3\
{=\x99\x1cB\x08\xe1R\xdc\x85 \n \x02\x04\xa2\xcasw\xa3\x99*e\xed\x98\xd0f\
\xb8\xfb\xe9\xedJ\x82%\x9b\\s\xf6jCZ\xe2\xf4+\xce\xe8\xc6\xb8\x16\xd9D}/\xbd\
]\xd4\x93\xdc\xa9\xde\xd3\x80\x95\xf4\x8a\x85\x99\xffu\xda\xbb~\x0fg\xf7\x13\
\x18`\x05\xdb\x14K\xeb\xa6I\xf5<ww\x7f\x00\x11V)\xaf23\xf4\x16 \x06\xff\xec\
\x17\xbf\xda?\xb8\xba(V\xb2\xc8\xf3\xbc\xdb\xdb\xd9=\x94\xd9"\x9d\xbf\xbcZAG\
\x9f\xe2\xf5W"\xec\xdcLR\x8d\x06\xcb"]\xbcJ\xa6\xcfY\x0f\xac\xbb$\xa4W\x89\
\x8c\x88z\xc3\xfb\xc3\x83g-\xc5\x7f\xafh\xc9\xfdV#O\xe6\'\xdf\xfe\x1b\t\xf3k\
\xaa\x15\xfe%\x08;\xbc\xc8\x8fBVDo3\x1dm\xcdC\xc3\x9a \x08\xd2\xff\x11\t\xcd\
\xf3\x02"\x80\x08Lz\xbb\xe3\xf7\xcd\xb8&\x9fG\xeej\xc7\xf0%\xcfv\xb7pc\x97\
\xe0r\xed}r\xa7\xf3\xc8\x9d\xcd\x90%6l^\r_R\x96\xef\xe1\xc5r5\xa17\xc9\x1d\
\xa6\xd3c\xa6zK-\xb9\x03Y\x89\xd9Zy\x1f\x01?\xfb\xfc\xab\'\xcf\xbe\xb8\xa1\
\xdf\xedN\xc8"Ig\xcf/\xebwk\xb8\xd4x\xf7\xd4\x12\xc6\xfd\xfe\xf8q\x7f\xfc\
\xf8\x9aI5\xb6mi:{\x9e-\xde\xb0\xbat\xdb\xb0A\xf1\x9d\xc1\xc1\xe8\xdaq\x82\
\x16\xbb\xd0\x92\xfb\xad\x86R\xe5\xbb\xaf\xff\x89U\xc1\xcc\xce{1\xcc.62K\x1a\
\xe4n(\xd4&\x86T\x1cj\xb5\xb1\xe6u!\x9a\xc3S]y\x19\x12\xd5\x19\x9d\xe25\xcc\
\xce\xe0\xfa\xc0T\xbf\xaa:;\xf1n\x08\xb3n\x97WU\x07*\xe1\xae\x1bUq}\xd5\xdc\
\xba/oN\xed\x98\x9dmIw\xa5*\xd2\x07\xf4\x8f\xcaXW\x1e\xd7\x1b\xadn\xe7/Q\xae\
\x860\x00\xae\xe6iR\n\xd3\x95\x92\xde\xb8\xb1\xfb\x0f\x1f}\xf5\x93_\xdc\xd4/\
\xf7|\xa82\xd3#\x8c\xae\xa0\x94\x19P\n\xd2\xf3\xa5\x82\xa8\xd7\x1f?\x1eL\x8e\
n\x84\xe2M\xdbf/\xaf@\xf1ls:]=\xe1\xee\xe0`t\xf8YK\xf17\x8e\x96\xdco;N_\xfcG\
\xb6:\xb5!RS\x9a\xcb\x94\x10\xa8S9\x9cc\x83\x9a\xe6&\xc7\xa3u\xe6t\xca]\x10A\
\x84\xa6\xb6\x8c?6\xd5\x19@\x1a\x95l\xd7\xccn\xf5;K\xd6\x15\x00\xd8\x91\xaee\
K\xcf\x92\xa9\xc1\x85\t\x8c`G\x9d\xd6\xad-cwqmp\xfd\x86~q\xee\x8fRJZg\xc6\
\xcd\x14r\x11r\xaf\xb4\xbc\x9d\xd3\xc3\x91;\x01\xf3\x84\xd3\xbc\xca"\x9dL&?\
\xfb\xf3\xbf\xbe\x81_\xea\x85\xa1d\x9e-\xde\\a\x84\x11\xea\x14\x0f\x1d\xe7\
\x8c\x07\x83\x83g\xbd\xd1u\xcb\xd4\x98\xb6\x95y\xbax\x95]~\x80\xab\x86\xac\
\x97\x8c\xef\xf6\xf7\x07\xfbOz\xa3KT\xdflq>Zr\xbf\xedXO_N\xdf\xfe\xde\xd0\
\x1b\xd9\xc22v`)\x9aR\xbd\xb6\x06\x1e\xe9\xeb\x03\x84\xa7\x92\x89\x8c;c\x9c\
\x19\n\xea\xb2\xdd\xa5\xbd[\xf8\xb1S\xe5\n\xcbhC\xc6\xce\x81dY\x17N\xb6{f\
\xbb\x03\xf9\xff\xe9\x969\xa9\xee\x9ag\xb7\xf9\xb6Le\xa1x\xd3\x82X\xcf\xbd\
\xf2j4\x93\xbb\xafv\xcd\x96\x81%w"\x17\x18\xb6g6w\xe6P\x94\xc8K(\xe6\xb4\x00\
\x01\xddn\xe7/\xff\xfa\x1f\x85\xb8\xc4\xc4\x1d7\x02Ve:\x7fu\x83\x14\xdf\x1f?\
\xea\xed=\x12\xc1u\xa7\x04\x81\xf1\xe2_\xa7\xb3\x177B\xf1qoot\xf0\xec\xfa\
\xf5\x15Z\xa0%\xf7\xdb\x0fY\xa4o\xbf\xfe\'-1-\xb3\x1br\x87\xf5\xdf=\x93\x1d\
\xa8\x93;,\xe9;\x97\xdbIx\xad\xdc\xad=C&\xacJ^\xb1_`\x83\xdc\xf5O;\x1c\xde\
\xca\xf6\x06\xb9[v\xdd\xce\xec\xa6\xe1\x9e\xe9\x0e\x9f\xd6\xbdG\x0c\xbb\x1bl\
\x16\x90\xa3`\xff\xf1\xc0*w\xd9\xbc>{\rW6\x84\xea\x8cuK\xee\\\xd9Gur\xd7\x7f\
\x19B /1[1\x800\x0c\xff\xeao\xff\x9f\x8b\xd6\xfe\xbdi\xb0,\x92\xd9\x8bl\xf1\
\xea\xb2e\xd9\xb1\xc3\xa8\x19L\x8ez{\x0fE\x10\xdfH\xdb\xb2\xe5\xdbt\xf6B\x16\
\xeb\xdaz\x00\xbbs\xa1\x1c\xa4\x99\xb8\xdc|\xf4\x9d\xde\xde`\xffYot\xddl\x9f\
O\x1c-\xb9\xdf\x01\x9c|\xf7\xefyr\x06\x8f\xa6\x9dB\xaf\xf90\x04pSm\xfb\xe6L\
\xc5\x9c\r\xf1n5\xbc\x11\xef\xd4(\xe3n\x8d\xfbF\x06\xa4R\x80\xb4n\x8csIL\x92\
LM\xb7\xeb\x83\x19~|\xc0\xf7e\xfc\x8e\x07\x9e\r\xef\xf7\x01\xd5\xf5\xfdN\x04\
\xe0\x86\xe1\xeeZ`u:A\xf7D\x0c\x866^\xec\x0frV\xbbs\x906\xc9]\x7f\xb8\xf3\
\xb5*J\x10\xd1_\xfe\x9f\xbf\xeb]x\xbe\xec\xef\x03F)_C\xc5+\xaf\xdb\x13A\xdc\
\x9f\x1c\xf5\xc7GAx\x13\x14\xafd\xb6|\x93N\x9fk\x8a\xf7\x99\xe5":\\2t\r\x03\
\xbd\x7f\xd8\x19\x8e\x0e\x9e\xf5\xf6\x8c\x89T\x142/\xca \x10\xdd\xce\x87\xe9\
\\\xef\x1cZr\xbf\x03X\xcf^O\xdf\xfc\xd6\x86R\x89\x88\x1d\xe3\xe9\xb1\xab\xae\
N\x0cW\x1d@\xa5\x9a\xdc\xdf\x95\x10\xb0\x13\xd7y\xe2\xbdF\xefdgb\x12\x80\xdf\
u\x00h\x90{5cjC\xb1\xa3\xa1\xdb\xd1\xf0\xdc\xab\xee\xc8y.[\x94;\xaa\\\x1a\
\xb7\xab\x8e\x93\x9akX)\xee\xe6\xc5\x96\xce\xf3\xb7\xa9\x8d\xb0\xa3x\x9d6W.\
\x0fR+w+\xf0m\x8bm@\xa1\xfe7ADI\xce\xcb\x94\t\xf8\xe5_\xfe\xcdh\xef\xc3\x0f\
\xa6gUf\xcb\xb7\xe9\xec\xb9\xacM\xe7r\xb1c\x9b\x14O"\x88z{\x0f\xfa\x93\'a\
\xd4\xbb\x89\xb6\xc9|}\x92N\x9f\x17Y\xad\xbe\xc2\x05}\x16\xa9\x07\xdf*\x9d\
\xd2\x890\xee\x0f\x0f\xbf\xc8y\xb8L\x14+\xc5J\xc6\x11\xdd?\x1c\x85Q;F\xe7=h\
\xc9\xfd\x0e\x80U\xf9\xf6\xeb\x7fV2\xd3jW\x18\xd5\xab\xf3\xc9,G\xc2\x8a\xf7\
\xda_Qm\xcal\'\xdeA\xa8\xe6\x9f\xf6\xf2\x0f\x85\xf5\xe4\xbd\x1cDw>\x13\x9b\
\xf4\x98\x9dk\x16\xb7\xe7\x93l2{\x9d\xdd+\xc3\xc7S\xe6V\xc4W\xb2\x1dMr\xd79\
\xe9\xca\xbb\x06`\x9f\x1c\xe0R\xdd\xad\x18\xd7m\xb05\x04\x1c\xb9;g\xc6\xb6\
\xee"\xe4\x9e\x97<O\x18\x8c\x9f\xff\xf9\xff\xf1\x87 }X0\xabl\xf1&[\xbc\xbaT\
\x99\x1as\xacI\x8d\'\xf68\xbe\xb7\xf7p0y\x12\xc6\xfd\x1bi\\\xb6:N\xa7\xdf\
\xf9\x14\x7fq\x1f]\xb1)\x19\xaf\x7fY\x14tF\x87O\xa3\xc1}P$\xcb2K\xb3\xc9d\
\x18\\f\xd6\xf2O\x10-\xb9\xdf\r,\x8e\xbf^\x9e\xfe\t\xb0\xe9\xedl\xea\x99{\
\xe4\xce\x1e\xcd\xd7\xf9\xdd\x19\xd7>\xbf\x03\x86\xd6=\x8b\xc6\x87\x8b\xc5\
\xc2y"\x00\xa0P\x89\xf3&\xaa\x04\x99\xc6\xd8\xa5\x1a\xa8z\xf1=\x17g\x17\x99\
\xb7\xd4\xa0\x7f\xd4\xc8\xdd\x9d\xdd\xb8A\x9a\xe5\x95\xb4Dm)\x1b\xbaJ\xa4\
\xe7*\xc1EP\xf5\xa7\xe3\x91\xbb\xffdRo21c\xb6VR\xe2\xab\x9f\xfc\xfc\xfe\xc3\
\x9b\x991\xe3\xc6\xc0\x9c\xaf\x8e\x93\xd9\xf32\x9d]\xfa\xd0M\x8a\'\xd1\x1d=\
\x18\xee?\r;W\x1c\x8b\xdbl[r\x9aL\x9f\x17\xd6W\xbc\x14t}\x05i\x92U\x95\x88\
\xfaa\xff~\x7f\xf4\x10JH.\xc7\xfb\xd7\xaa\x95\xf6\xd1\xa3%\xf7\xbb\x01Yf\xef\
\xbe\xf9gV\xa5\xe5]\xb6:\xd7%>j\x1by\x0b\xbf\xdb\x1d\xcc\x82cO"\x08\x9b\x88h\
\xf8\xbd\x9e\x99\xe8\xf30\\q-\x97j\xa8\x89\xb6b\xd3\x8b0\xbb\x83G\xeb5\x8f\
\xa6\x96!c\x1d\x1b\xb3\x8f\xbb\x96\x17\x02\xad\x16\x15\xb3\x92\xd6]\xb7\t0pA\
T?\x9a\xea~VV\x939\x8a\xbd\xdd\xea\xed\xa5U\xcaI\xce_\xfe\xe8\'\x8f\x8e\x9e]\
\xee\x97\xf7C\xa1X\x9f&\xb3\xe7\xc5\xfa\xf4\n\xc7\xca\x1a\xc53\x91\xe8\x8e\
\xee\xf7\xc7\x8f\xe3\xde\xcd\x10\xe8u\xdaf)\x1e\xcc\n`\x11\xf6E0V\xd4?\xfa\
\xf2\x8b\x1bi\xdb\xc7\x8a\xd6\xb7\xba\x1b\x08\xc2No\xf4`={\xc9\xd5dL\x046Ed\
\xf4\xf4D\x9a\xfft\xf5+\x18G\xc6f\xcepm\xaa&\xd6\xc1D\x90\x02\x0bek\xc3+\xe8\
y\x9b\x14H\xcfvd\xd5\xb5\xfb\x8bg;\x80\xb3\xe6\xad;\xa9\xdc\xfc\xef}`3\x8f\
\xb7\xd1\xd7\xd6jb\xd3b\xb8Wr\xe6\x8e\xe1ne"\xa3\x15\xb9\xa3\xf2\x8d\xdc\xd9\
\x9b\x97\x03v7\x8b|:\xa7\rn\x07#\np\x95\\\xbf\x1f\x10Q\xff \xea\x1f\x94\xe9,\
\xd1\x95\xc8.\xa3\xdb\x02B@\xac\x18\x92u\x9cY%\xf37\xc9\xfcMgpox\xf0\xf4\xfa\
\x14o\xdb6_\x9f~\xadU\xfc\xc5\xa1K\xe8\x04\x02R\t\xa9X\x95\x89*\x13Pg5\xed\
\xf4\xc7\x0f\xdb\x8c\x9a]h\x95\xfb\x9d\x81\'\xde\x1by2:H\xea\x16k\x192\xf0\
\xb2]*\x17\xdd\nb?M\xa5\xf2hP\xe5W\xd6\x9e\xa3\t\x96\xb7\x9dlvD_\xadm2\xbb\
\xedi\xdc{\xdb0\xcf\xd0\xf7\x86\xacz\x1b\xc9\x97\xee5r\xb7j\xdc\rW2aU\xa9\
\x1c\x83\xfb\xb2\xbd\xf2a\x9c\x9b\xa3?\x8b*[\xa6\xe6\xcc\xb8\x9d\xfd\x9bPL\
\xf3\xb5\xfa\xec\x8b\xdb\xab\xdc}\x94\xe9<\x9d\xbf\xc8\x96\xef\xc0\xea\xfd{\
\xd7\xa1\x18\x92\xad\x85E\x00\xa3\xd3\xdf\x1f\x1c<\xed\x0en\xa6\xa0c\xbe|w\
\x05\x13\x89Y\xea\xd1\x18E)K\xa9\xf4\xb7>\xec\x0c\x87\xfbOz\xa3\xfb7\x92\xb3\
\xff\x91\xa1%\xf7\xbb\x84\xc5\xf1\xd7\xcb\x93?y\xd1G\xb6\x1cmvh\x90;\xaaM^d\
\xd5f\xd5l\xe7wTvI\x83\xde\x9d\xae\x86\x15\xec\x8e\x1c\xb1\x95\xd9\xf9\x9c\
\x99\xf8\xec)+Z\xf7\x9a\xef\xb1\xbbn\x90\xf3U\xfc\x0cK\x06\xac-\x04\xd6\xb3`\
+U\xb1\xf3\x06\xb9\xc3#n\x9dnW\xeb\x03<g\x06\xdb\xc8\x1d\xa0E\xc2G\x9f\xfd\
\xf8\xf1] w\r\x99\xaf\x92\xe9w\xd9\xea\xdd\xa5f\xde\xd0p\x14\xef>\xbdN\x7f2<\
\xf8\xac38\xb8\x91\xb6\x15\xeb\xd3d\xfa\xdd\x05U\xbc\x02\xba\xa3G\xbd\xbd\
\x87"\x10E\xb6Lf\xaf\x93\xe5\\\xb1\x99>7\x8c\xba\x83\xc9\x93\xc1\xe4qK\xf1>Z\
r\xbfK`U\xbe\xfb\xfa\x9f\xa5\xccl\xda \xaa\x81K\x8e!\x05Q\xfdwj\xd2%\xc9T\n\
\xf6\xd9\xba\x96u\xe8D{\xc5\xad\xb5\xab[\xcf\xdd\x93\xbf\x95`G\xc5\xef\x9a:w\
\xd3:\xb3k\x95\xf7\xf4Q\xb5\xc9_\xe5=kTWu\xee\x8aM\xa9\xd7\xec\xacT\xbd:X\
\xb5\xa7\xa3l\xd4\xb8\xdb\xc5Z\x89M \xc1\xeb\x06P=\xee\x80\x89\x99A\xb4\xce\
\xf8\xe1\xd3\xbbD\xee\x1a\xb2H\xd3\xf9\x8bl\xf1\xfa\n\x95\xc84\xc5+O\xfdw\
\x87\x87\xc3\xfdg\xd7\x9c\xf8\xc9\xa1X\x9f&\xf3\x97\xc5\xfad\xbb\x89DP\nE)G\
\x87?\x1a\xdd\xffR*\xccf\xcb\xac\x90\x83\xb8\xe0\xb3\xdf\xe52\xd3F\x8d>2\x0c\
\xbb\x83\xfd\'\x83\xf1#q\x139\xfb\x1f\x01Zr\xbfcX\xcf^\xcf^\xff\xb6\xe2b\xdf\
\x8da\xebj\x10|~o\x88w\xb3\xd2n\x13\x1e\xc9\xba>\x03\\u\x17\xd4\xe0\xe9z\xbc\
\xb4\x12\xd2z\xdb\x86\xe6\xb5\x87l\xc0\xebd\xaa\xcb\xbb\xc5\xaaU\rr\xafN\xe6\
\xbb\xed\x0c]o\xd8\xa9vj\x92\xbb\xcf\xda\x00\xeb\x88\x85U\xfd6\x03g\xbb\'\
\x03"V\x0cBV\xe0\xde\xd1\xdd#w\rUf\xc9\xf4\xbbt\xfe\xf2\xcaF\x8d\xae7\xa1\
\x7f!\x9d\xfedp\xf0\xec\xa6\x8c\x9a2\x9d\'\xb3\xef\x1aq\x02\xc5($\n\xa9b\x11\
?z\xf2\xf3%\r\xe7\x8b\xb4(\xa4b\x16D]\x9e\x85\xe5w\x04\xa9\xec\x0c\xddZR\x04\
ag0y<\x98\x1c\x05a\xe7F\xdavw\xd1\x92\xfb\xdd\xc3\xe9\xf3_\xe7\xeb3\xe8\x02\
\x01\x8e\xd3\x01\xa0\x96\x19\xe9\xf1\xb3\x0e\x8b\xb2\xaf\xdf\xcd\xfe\x80fw\
\xbbX92\xfe9\r<\xbb\xc5\xbdx\xdf\x9f\x8d\xaf\xd2E\x82\xaa\xf0x\xbc\xa6\xe1\
\xdd\x13\x05`\'8\xad\xf5#\xd6KAM\xb9W{xNN\xdd\x991\'\xf4\x1d\xfc\xf7\x18\xee\
\xae\x01\x85\xc4\xe1\xd1O\x1e=~z\x91\xdb\xba\x9d\x90\xf9*\x9d\xbf\xbcZ=a3\
\xb7\x1f\xd7)~\xf2\xa4;\xbc\xd7|\xca\xbb\x12\\\x9c@JUH\xc3\xd7\xccj\xaf?\xe9\
\xed\x7f>+\x82^76U\x84\x18\xa0\x10\xd91\xad\xbf\xf6\xdbVQ|\x10\x0f&\x8f\x07\
\xfbO>e\x8ao\xc9\xfd\xee\xa1\xcc\x93w\x7f\xfa\x17\xb0\x146\xd6\xe82\xd9\x8d\
\x87n\xd2e\xe02%I/[\xf8t.\xfc?K\xaa4\xbc\x17\x95\xf5\xd8\xdd\xe3M\x8fgk_\xa2\
\xf7~\xa1*\xb7\xa3\xd6\xcb\xb8W\xf26{AWk\xb4\xfb\x9d\x89\xf3\x7f4\xb3;\xb3\
\xbd\xde\x01\xd4\x9a\xe4\xc8\xdd9\xf8\r\xc3\x9d\xc8R?\xd7I\x9eQ*\x1c}\xf9\
\x97\x93\xfd;?Q\x9c5j\xde\\\xa1\x9e\xf0&\xc5G\xdd\xd1`\xffi\xef\x86f\x05)\
\xf3\xd5\xec\xddw\xab\xd9\x1bS-B\xa9\xbd\xf1C1z\xaa\x14;\x0f\x91\x01AB1\xe4\
\xec\x0fT\xcel\xbe\x17\x14 m\xaf\x00P\x10F\xfd\xf1\xa3\xc1\xe4\xf1\xcd\x0c\
\xcb\xbakh\xc9\xfdNb5}1\x7f\xfb\x87Z\xce;\x00\xcf\x88\x07l\xd4\x14\x86\xab\
\xd9)\xf7:\xb9[\x17\xa6Z\xe1\x9b7\x1b\x82\xac\xd2\xec\xd8\xd0\xea\xe7|\x95.\
\xf6%\xabE\x82\xfdHk\xdd\xeb\xf7\xce\xc9l\x98\xda\xf8\xed6\xc0k\xf6!\xa7\xcd\
\xeb\xcd\xf0&`\xf2<\x19\xd7\x9dT\x06\xbdw6\x06\xa4\xc2\xd3\xaf\xfejo|[F\xa8^\
\x13J\xe6\xe9\xfcU:\x7f\xc9\x17\xa8D\xe6~\x83\xfa\x97\xb4I\xf1ag0\x98<\xe9\
\xef=\xa4\x9b\xa8\x9aYd\xab\xe5\xd9\xcb\xe5\xec\x8d*\x0b\x11L\xa4\x18\xe9&T\
\xcf\xa2\x82\x98)\x90\xa7\xfdx\xc1\\\xfb\x9aZ\x8a7\xb1\x1f!D\x7f\xef\xd1\xf0\
\xe0\xe9\xa7F\xf1-\xb9\xdfU\x9c\xbe\xf8M\xbe:\xb6\xa69\x9c6\'\xda\xe2\xa8\
\x10\xd9\xd96\xfc\x00,\xc3\xe3q\x0f\x1e\xaf:\xa9\xd4\xa4q\xcbwt)N?\xff\xbbF\
\xb5\x17\xd7\x14\xaf/\xa9\x9f\xc9(wB\x95&C\rr\xaf\x95q\xaf\x8e\xddi\xb8\x93O\
\xeeN\xdd{\xe4\xfe\xf9\x9f\xfd\xed`8:\xf76\xee\x18tA\xc7d\xf6\\\x15\xc9\xce}\
6\xd6lR\xbc\xfe]\x85q_\xab\xf8\x1bI\\)\xf3dq\xfa\xe2\xf4\xdd\xb2T\xa1\x105\
\xe1\xa13_\xa3\xa8$\xcc\x86\x1d\x16\xdbdH\xa9 e\x8d\xe2\x07\xfbO\xa2\x1b\x19\
y{\x17\xd0\x92\xfb]\x85\x92\xf9\xf1\xb7\xff\xa65\x17\xf9\x1c\xadk\xbe\x83@U\
\x04\xd5\'w\xb3\x97\xfb\xe9\xc9|\xd4W\xfa\xb6wS\xa6o\xf3\xd3\xb7}\x934/n7dw\
\x7f\xf3\x9aM\xa9\xf2p\xbc\xc3|W\xc8Z4U-0\xb7\x8f\x8d\xb1V\'tV\x8c\xdd\xc1K\
\x82\xf4\xe2\xb7\xee\xd5\xc6i\xc1\x14|\xf5\x8b\x7f\x88\xa2\x8f\xd0\xc6e%\xb3\
\xc5\xebt\xfeR\xe6\xab\xe6\xa6\xddG9\x8a\xd7,\xef(>\x08;\xfd\xc9\xd1`\xf2\
\xf8F\xea\t\xbf\xfc\xfa\xeb\xe5*!\xff\xa9\x93\xc1\xccD\xe8\xf7;\xb3\xd9\xabA\
G\rbY\x97\x05U\xe3+\x8a\x07HPo\xf4`|\xffG\xc1\xc7\xf8Kl\xa0%\xf7;\x8c|=={\
\xf1k\xb6u\xde\xe1(\x9b\xec\x03\xac\x9f\xea\xe8\xc8\xbd.\xd8\x8d\x1f\xcf\xd5\
{\xb3\xde\xbe8\x0b|\x97N\xdf\xfe\x05\xda\xf6\xbd\xaau/[\x0f\xda\xb2\x8e\xaaM\
\xd6\x9d1w\xc8:A\x91\x98m\x9e\x0cUU|5\\\xde;3\xb1wB\xab\xc8\t6\t\x12\xbe\xe1\
n\x9b\xe2\xdc\'M\xfdA\x18\x7f\xf5\xf3\x7f\x10\xc1G;\xae\x9bY\xe5\xcb\xb7\xc9\
\xec\x85\xcc\x16f\xcd\x05\x8e\xf2)^\xd7\x9b\xb4\x14\x1f\x87\x83G{\x07GQ\xdc\
\xbdN\xab\x92\xf9\xf4\xe5\xcb\xb7\\\x99/\xe6\xbb\xd0\xebtU\xb9\x8az\xe3<\x9b\
\xc6\xeaM\x14\x06\xbb\x9a\xab\x9f\xbaJK\xf1"\x0c\x07\x93\xc7\xc3\xc9\xd3\x8f\
\x9b\xe2[r\xbf\xdbX\x9d}\xb7x\xf7?\xb05\xb7*\xcb\xc5\x19\x94\xb4\xe9\x9b;#\
\xde\xecl\x02\x89n\x93}qA\xcd\xca\x95o\x9a\xd7\x1e\xf8}[\xb6\xb5\xe2\xfc\xbd\
\xad\x07\xee\xbe\xa5\xe4=?\xd8\x95\x96\xdc\xf5{UK\xbc\xaf\xd2!]yH=0\xd5U\x1b\
ts\xf2\xd9+\x18\x7f\xab\xf6\x94b;\x8cno\xef\x8b\x9f\xfe\xcd\xf6\xbb\xf9\xb8\
\x90\xafN\x92\xe9we\xb6`\xbe\xe8\xe8\'\xf7\x04(\xf5\xdc\x8b\xfa<%\xe72\x9c\
\x1c\x1e\x8d\x0f\x1fw\xbaW\xb6\xbcyv\xfcv:_)[k_\x10\x05\x04Vi\x7f\xef\xc1:)e\
\xf2no2B\xf2-\xab\xed\xfa\x1d^\xdb\xb4\x8f\x04\x86\x08\x82\xfe\xde\xc3\x8f\
\xd8\xa8i\xc9\xfd\xcecy\xfa\xed\xf2\xf8\x7f\x9d\xd5\xee\x13\xb71Dj#N\xfdW\
\x9bNc\xb9\xccO\x93lH{\x07\xdf\x18\xd9\x00\xef\\\xa8o\xf0y\xf6=\xa7pw\xe2\
\xbb1d\x9e!\\\x87\xc2JOS\x02\xe5\xfb-\xb6\xb9Z\xd5W\xbd\x82\x17w\xad\x0fL\
\xb5\x16\xbfa~\xe7\x08\x99\xdd\xf6\x0e\x1e\x1f}\xfe\xb3]\xb7\xf5\xf1A\x16i\
\xbe|\x93\xcc^*y\x89\xb9\x9f\xc8<\x18\x19\xa3\xa6T\x9c\xe6(\x15\xf5\xfa\xa3\
\xfd\xfbO\xf6\xf6\x1fn\x91\x1b\x17@\x99gi\xb2\xce\xf2<\x0c\x82@\x04E\x91\xa5\
i^\x14E\x1cQ\xd09\\\xcd^\x8fza(\x96\xc5\xea\xddy\x93\x80\x13X\x9bH\x12R\x01`\
"\x11\xf5F\xc3\xc9\x93\xde\xde\xcdd\xfb\xdc\x1e\xb4\xe4\xfe1`\xfe\xf6\x0f\
\xeb\xe9\x0b\xcb\xef\xda\x9f\xa8\x99\xc7^\x02{\xd3\xd0n8-\x9b\xa3R}\x15o\xcf\
W\x03o]\xbb\x89J\x0e\x9fk\xc1\xeft\xee\xed{\xff\xe9\x81\xcd\x9f\xab!w\xe7\
\xb7\xf8\xe9\x8f\xc6t!\xdbST\xb3\xeb\x01U\xc5pe\x03\xc9z\xef\xc6u\xb5u\xf3\
\xe0\xc9\x8f\x0f\x1f\xdc\xc9\x11L\xd7\x81\x8d\xb86\xa7\xd0;\x1f\r;>-8\xcb\
\x99\x81\xfep|\xf8\xf0\xf3\xd1\xf8\xdeu\x9a\x94\'\xc9rv\x16u\xfb\x80LR\x99\
\xad\xe7\xdd^?-\xe3 {>\x1a\xc6\xf9\xfa-+nt!\xfeWHg\x13T\x13?1@\x14u\x06\xc3\
\xfd\x1b\xcb\xf6\xb9\rh\xc9\xfd\xa3\x00\xf3\xd9\xab\xff\xca\x96\xef`\xf2\xd6\
\xeb\x82}\xab~\xd7\xfa\xd7\xbd\xdf8\xa37\x9c\xc9\xad\xd3?.\xf9\x859W\xa7\xd7\
.\xce;\xd6\xeb\xc5MG\xc8\xfcUn\x92\xbbs\xc9\xab~\x87\x01\xe3\xd9\x92\xf6\xdf\
u\xba\x0c\x9c\'cRell\xa2q\x9f\x9a\xdc\x9f}\xf5\xab\xe1\xde\xcdTV\xb9s\xd0S\
\xe8%\xd3\xef\xe4\xee\xa4\x1a\x1f>\xb32\xa0\x14\xb2\x92\x93\x1c\xa5d\x02\xfa\
\xa3\xc9\xfe\xbd\'\xa3\xc9\xd5\xc52+5}\xf7\x06"\x8c;]\x86JRY$g"\x18J\x95\r\
\xf0\x86\xb9\x90EV%\x03lm!\x01\x0c\xc5(%$\x9b\xbf\x88(\xee\x0f\x0f\x9e~\x1c\
\x14\xdf\x92\xfbG\x02V\xe5\xe9\x8b\xdf\x14\xc9\xd4\x1b\xa4\n\xff\xbb]\xcb\
\x1b7+\xedLG\x96\x05k\x89\x91\xce\x94\xb7\x8b5\xb2<\xaf)[w\xaa\xba\x88m\xde\
\rm!\xf9\xday\xa8\xb1\xdeJlg\x9eT\xc9@\xcc\xba$0\xea\xf4N\xb5,\x1a\xaf\x0f\
\x80\x9d[\xd5/?\xe9\xdf\x02\x03\xac\x98D\xf0\xa3\x9f\xff\xfd5c\x83w\x1d,\x8b\
t\xfe2\x9d\xbf\x92\xe5y\xf5\x8fw\xd9.\xa5\xc2:\xe3\xb4\xd0\xb1l\xf4\x07\xa3\
\xc9\xfd\xa7{\xfbW,\xdb\xcb\xcc\x8b\x93\x13\x11\x8a4\x93\xa3\xbd\xbd\xa2(\
\x16\x8bD\xa5gao?,_\x085W\xd2M\x9a\xfb\x9e\xa6*3C\xb71\xfd\xa2\xb8?\x98<\xee\
\x8fof\xf6\xf0\x0f\x85\x96\xdc?\x1e(\x99\x9f>\xffu\x99/\x9dN\xaf\xf3\xbb^\rl\
\xf0\xbb\x07\xdb\rh\xf8I5\xf6\x8f\xe4:_\x98]"\xbd\xb9zS\xa4\x9b\x82\x01\xec\
\xe5\xed\xd85\xa6N\x9ao\xac\xb3\t\xe8y)\xefl\xbe\xead\xcfQ\xe5\xc08\x0f\xa7^\
[\xd8\xb6\xc1\x9e<\xee\x0e\xbf\xfc\xd9\xdf^\xcd/\xfe\xc8`U\xfc\xf3\xadF\xcd{\
?\xa0\\"\xc9\xb9\x94\x08\x03(\x850\x1e\x8c\xef\x1d\x8d\x0f\x1e\x8b\xcb\x8beV\
j\xbd\x9cC\x81\x85(\xf2r0\x1c,\xd7\xc5z>\x13r\xd5\x1fu\xd5\xf2\x7f\xbc,\xa9\
\xf3\xe0(\xde\xce\n\x02\x10\x820\x1eL\x8e\x86\xfbGw\x94\xe2[r\xff\xa8\xe0\
\xf1{\x15_\xad?\x9b\xfa\xec\xc4\xd4\xfcKtB\xd9\x0e\xfc\xa7\xfa\xb6\xe6\x97\
\xc5-\xef\xf4wj\xfb\xed\xfe\xaem\xa5\xf5\x1d\xdfM;\xb3G\xc5\xf6\xaeT\x80U\
\xee\xd67g0\xd8U\x0cf\'\xe1\xe1\x0e\xf2J\xca\x90\x8d\xa06{\x1d&u\x00\x00 \
\x00IDAT,~\xbd\xe7\xf8\xf0\xe8\xe8\xb3\x9f\xee\xbc\x81O\x0f\xacd\xbez\x97L\
\x9f\x97\xf9\xd2\xad\xbcP\xd7G`F)\xcd\'\x9f\x97\\\x94\x88:\xbd\xc9\xbd\xa7\
\xa3\xc9\x83\xe0\xf25\x1dW\xb3\xb3"/\x06\xa3\xf1z\x9d\x80\xd1\xe9v\xcef\xa9J\
\xcf\x06=@\x9e\x14\xe9\x8c\xe8B\xd9\xab\xfa\xdb\xee\xc2\xad\xfak\xa0)~0~|\
\xe7\xf2&[r\xff\xd8\xa0d~\xfa\xe2?\xcat\xe1\xe2\xab\xe41/9\xf9N6A\xa4&E}\xad\
\xbc!Rk\xecN\xe7Qu\xe3\\\x17\xe6t\xb7\xe4X{\xdbv\x82O\xeez\x07\x9b\xe7\x0ec\
\xcb\xb8\xb6Z]o\xbf\xea\xcc^\x97\xe0\xc9vT\x87\xa3:?L\xff\xc0\x8c\xa3\xcf\
\x7f>>xt\xfe-\x7f\x8a`\xceV\xef\xd2\xd9\xcb"\x9d\xe2\x82\xe4\xee\x0e\x85\x91\
\xc9\x8a\x91\x15\\HDQ\xbcw\xf0dr\xef\xe8\xb2\x14\x9f.\x17\xc9j\x8e\xa0;\x18\
\x0e\x17\xcb\xa4\x13\x87e\xa9\xd6I\xd1\xc34\xa0e\xb6>&=\xe7\xfb\x05\xb0\x95\
\xe2Ep\xf7R\xe3[r\xff\x08a\xf8=[T\xa6y-K\xd2F\\\xe16\xd7\xe0L\x19c\x84zTX\
\x11\xe1FV\xe56\'}\'v\xf1\xbe!\xd3MZ\xb7>\xbbY\xd2{\x109\xff\xc4\xe5\xb9\xb3\
V\xe8\xca\x8atX\xeb\xdd\xaba`\x95{M\xb6\xeb\xc3aW\xda\x0b\xd9\x15\x14|\xf5\
\xc9\x1b\xee\xe7#_\x9f\xa4v"\xecK\x81a\x86>IF\x96s\xa9\x10\x86\xf1h\xff\xd1\
\xe4\xdeQ\x14\xf7.~\x9e\xb2(Vg\xc7%D\x7f0\x12A0\x9d.{\xb1HR\x0e\x03\xd9\xe1\
\xe3,9VeN\xe2\xda\x14?~<\xdc\xbf\x1b\x14\xdf\x92\xfb\xc7\t%\xf3\xb3\x17\xbf)\
\xd29\xdcL\xaa\xb0\xccN\x86\x1d\x9b\x04]\tb\xb3Tsp\xb0\xd3%\xb98\xce\xe3t\
\xfb\xc2\x9b\xeba\x08w\xe3a\x81<\x16f(\x93\x15\xc4\xd0\xca\xddcv\xc090\xf0\
\x8c\x17\x9f\xe8\xcd#\r\xbbKU\xcc\xce\x8cn\x7f\xef\xcbOc\xf8\xd25Q$\xd3d\xf6\
\xbcX\x1d_\xf6\xc0\x8a\xe2\x15\xd2\x82\xa5\x84\x08\x82\xbd\x83\xa3\xc9\xbd\
\xa3\xb8s\xd1\xd1O\xac\xd4\xe2\xec\x84\x82 M\xcb\xf1x\x9c\xe6e\xba^G\x81P\
\x14t\xc3\x9c\x90\xad\xa7\xdfA&\xb8\xb8\x8a\x07\xf4\xe0\tY+S\x13\x0c\x0f\x9e\
\x0e\xf7\x9f\xdcr/\xbe%\xf7\x8f\x16\xac\xca\xb3W\xff\x95\xafN+~\xf7\xc8\xdd\
\xdf\x936d\xb8^\xbba\xd8\\\xe5\xabr\xbe\xa2w\xb4\xce[\xd7\xa3\xc9\xf8\x1b\'\
\xd0cV\tZ\xbc\x1br\x07+V\x9eZ\x07{\x84\xeeX\xdb\x8er\xb2O\x05.\x0f\x92\xf5\
\xc4\xdd>\xb9\x8f?\xb1\xe1K\xd7\xc4\x95gpe\x98\x1a\x06v\xe8\x13\x04\xd1h\xff\
\xe1\xc1\xfd\xcf:\xbd\x0b\x8d#\x95e\x99.\xe7\xa0\xa0\x94\xac\x94\x1a\x8eF\
\xd3\xd9ZfI\xb7\xdb\t;A@\x94\xad\xdf\x15\xcb\xe7\xc4\xc5%(\xde>\xb9V5\x0c\
\xeeB\xb8\xb5%\xf7\x8f\x19\xac\xca\xd3\xe7\xbf\xb6\xfa]\xd7M1_T\xe3(\xfb\xdf\
\xed\xe6\xe4\xab6\xa1\xd2Y\x13\xb5}\xcf\xbd\xee{\x96\x9b\x92|\xfb\xd6\xf7\
\xd0\xban\xbf\xc9\x81\x81\x91\xe1\xd6\xab\xd1\x15c\xea\xe7w\xb91\x9b\x12\x1e\
5r\x87\xc9\xab\xb1\x871\xf0\xe8\xd9O\xf7\xef\x1d\x9d{\xd3-\x9a(\xb3e:\x7f\
\x99-\xdf\\m\x06\xd7RAJN\x0b\x94\x92\x85\x10\xe3\x83\x87\xe3\xc3\'\xdd\xfe\
\xde\xfb\x0ff^\x9c\x9d\x96R\x0e\xf7\xc6\xcbU\x12\x10\x11\x89\xe9"\x1dD\xe8\
\x0f{E\xa9\x888\x9d\xbf\xa0\xf2\x94U\x0e\xef\xc9v\x17\x1a"\xa7I\xf1\xe3G\xfd\
\xc9Q\x18\xdd:\xcb\xae%\xf7\x8f\x1c\xac\xca\xe9\xeb\xdff\xabc\xf2R!\x1d\xbd\
\xb9Y<\x1a\x16<\xd5\x85;or\xb0\'\xf6\xb7\x06E\xb77\xc6{\xc7\xb5\x83w\xec\xd0\
X\xcf\x1b\xbb\x01\x8e\x85\xd9\xd6\xf0\xf5\x88\x9b\x1b\xaez\x95\xfb\xe8_\xc2H\
w\x17v\xae\xe6(d#\xe3\x83\xaf~\xd1\x1a\xeeW\x84,\x92t\xf6\xfc\xcas?\x95\n\
\xa5\xd4*\x9eCA\xe3\x83\x07\xfb\x0f\xbe\xb8H5\x98\xf5|\x9a\xacW\xdd\xfe^\xdc\
\xe9Lg\x8bn\x1c\xa6IY\xcar2\xea*\x11\x02Tf\xebb\xfd\x1a\xe5\x14\\\xe8\x18\
\xce\xaeSmn`\xa0\xf4\xbdx\x11\x0c&G\x83\xfd\'\xb7\x8a\xe2[r\xff$0\x7f\xfb\
\x87\xf5\xece-\xbb\x91k_\xe6\xc6\xd7\xd7\x1f\t\xc5\xa8\xe5\xb6_6\xcd{\x8b\
\xc1\xb2-\xd1\xe6\xfd>\xccN\x8do\xfb+\xd693\xec\xbe\xd5\xbeN\xaf\xd8\xdc\x0e\
YB\xc3j\xf2*\xc9\xd8}M\xa6\xcdp|\xff\xd9\x8f\xfe\xfc\x12\xf7\xdcb\x03\xaa\
\xcc\xd3\xf9\xcbt\xfe\xf2\ns?1PH\x14%\xa7\x05\xa4\xe48\n&\x87\x0f\xf7\x0e\
\x9f\xbd\x97\xe2\xf3$I\x97\xb3L\xd2x2)\xa5Z\xceWQ\x804W{\xc3N\xdc\xed.\x96ID\
H\xb2T\xc8\x19\x8acp\xb6U\xc5\x9f\xf3\x85oR|\x10\x0c\xc6G\x83\xc9Qx\x998\xf0\
\xf7\x87\x96\xdc?\x15\xacg/\x17\xef\xfe\x87Y\x91\xb5f\x1c7:\x1b\xde\xd3\xefU\
\x9e;\x9b\xca\xba\xde\xb9\xf82\x1c\xbfC\xa4\xfb\'\xf3^6h\x9d\x9b\x8b[\x14\
\xbd\xbe\r\xc0N\xa2\xea\x1e5\xc8\xaf\xf8\xe8\xf8\xbd\xb1\x08T\x0f5.\x0f\xd2\
\x7f\x1ax\xf6\xd5_\\\xb3\x16J\x0b\rU\xe6\xe9\xecy2\x7fq\x05\xa3\x86\x81\xa2D\
^rVBJ\xee\xc4\xc1\xf8\xe0\xc1h\xffI\xdc;\xcf\xa8Q\xb2\\\x9e\x9d\xb2\x08d\xc9\
\xc3\xbd\xd1*)\x8a4!F\x18\xd1ho\x94d\xb2\xccs(N\xb2\xb4\x1f\xaeT\xfe\x8e\xcb\
5\xa3\x1aKu\x91\xafye\xd4\xe8C\x88\xfa{\x0f\x87\x07\xef\xef{\xbeo\xb4\xe4\
\xfe\t!Of\xb3\xd7\xbf\x95e\xeaR\na\x93\xde\xadT\xb5T\xbfi\xb6oe\xe7\xf7\'\
\xbb\xef\x04o\xbc\xdb\xe5\xc3\xd4\xd6o]c:\x1fr\x93v4]\xf5\xba\x0f\xd3\xb4e\
\xea\xe4^?9\x87q\xef\xc7\xbf\xf8\xfb\x8f\xac^\xe0\x87\x85,\x92t\xfe\xf2j3\
\xb82\x90\x15\xc8J.J(\xe6N(\xc6\x07\xf7G\x87\xcf\xe2\xeeN\x8aWe\xb1\x9aO\xc3\
\xb0\x93\xe6e\x10\x88(\xea\xcc\x16I\x84"\x8c\xe3(\x14A\xdc[\xae\xd6\xa2\xcc3\
\x15\x0e\xfa\x08E\x91\xcd\xfeT\xe6\xab\xads\x94\x9d\xdf0\xa9P\xaaj@\xdc\x07\
\xa7\xf8\x96\xdc?-\xa82\x9f\xbd\xfd}\xb6:\x01`=\x12\xb2\xf3u\xb0U\xeb\x8e\
\xdd\xb9\x12\xb6\xd7F\xf3{\xc6\xdb7\x9dc\xaf\xbb,\x97\xdai\xaa\x1a\x03f\x04\
\x93\xef\xc6`\x83\xca\xb9\xee\xc2;\x10\x91\xdfs\x98C\x98\xef\x1f\xfd\xe8\xfe\
\xa3\xcf/v\x8b-.\x01m\xd4d\x8b\xd7\xea\xdc25[\xc1\x8c\xb4\xe0\xacDQ23:\x11\
\xedM\x0e\x86\x07O\xbb\x83\xeds\x97+%\xb3\xc5\xb4\x90\xe8\xf6\x07\xb3\xe9|0\
\x1c$\xa9LV\xabq?\x16q(\x82\xb0\x90\xc8\xd6+R\xccQ|\xef\xfe$_\xbdK\xa7\xdf\
\x94\xd9%\xaa`\x9a\x86A\xa7\xfa\xc0\x8e\xbb\xa0\xde\xf0\xde\xf0\xe0\xd9\xf9\
\x8f\x17\xdf\x13Zr\xff\x14\xb1:{\xbe<\xf9\xda\xcd\xc3P\x99\xf0\x9a\xd5M]Ir9\
\xdf:1\xd0\xff\xa2\xec\xa2\xfbsT~\xb5y\xfb\xd2nZ\xf7\xb2\x18\xfdE\xb3\xe4u@&\
<\xe0\'>Z\xbev\x14\x8fMy^\xdd\x91\x9f8\x0f\x06\x0b\x11}\xf5\x8b\xbf\xfb(\xe7\
\xd5\xbb%`Y\xa4\x8b\xd7\xe9\xfc\x85*.I\xf1\x04f$9g\x05J\t\x00\x9d\x08\xa3\
\xf1\xfep\xffIwp\xafY\xba\x1a\x00\xb0<=^\xa7\xd9hoRHUdy\x18\x04\xcb\xa4\x1c\
\xc4\xe8\xf6\xbbEQ\n\x11\xac\xd3\x82d\x810\x9e\xec\x0f\xc3(\xca\x16o\xd2\xd9\
we\xb6\xdc<\xd5{n\xeavP|K\xee\x9f(\x8at>{\xf3\xbb2[\xd5\xadv7v\xa9\nK6J\xfe\
\xeeD\xe3\xaf\xe9|\x87}s\xcdV!\xefQs\xfd\x10vcl\xb5\xcb\xee\xa2\xc3&e\xc6\
\xa7r\xd4\x83\xa8.\xbe\xda\xb8^5\x94\xab\x92\xed\x87\x0f?\x7f\xf8\xe4G\xdb\
\xef\xa4\xc5\xcd\x81U\x99\xaf\x8e\x93\xe9w\x9b3\xb8\xee<\xc4~3\x15#\xcd9- \
\x15\x08\xdc\ti0\x1a\x0f\x0f\x9e\xf5\x86[(>[\xce\xd7\xeb\xb5\x08\xbb\xddnw\
\xb1J\x88\x15+\x94\xb2\xdc\x9f\x0c\x0b\xc9,\xa5R\xbcN\xb2N(\xa2^w4\x1e\x01\
\xc8\x96o\xd2\xf9\xab2\x99^\xfa\xa6\x1a\x14\x0ftG\xf7\x06\x93\xa3\xee\xe0\
\x07\xaa\x1a\xdd\x92\xfb\xa7\x0bV\xe5\xe2\xe4O\xab\xd3\xef\xfc\xe2\x04\xa8\
\xf2\xdd\x99\x01\xe1\x12\x04\xebj\xf72\xf1\xd4\xf7\xad?\x97\xd6\xb1\xe1\xb3\
\x93\xf5^\xf4\x92%w\xf3\xe7\xceF\xbdo\t\xa2\xd6\\\x9a\xad-\xd3c\xa0L\x1f\xc0\
"\x88~\xfc\xcb\xbf\x0f/_\xc7\xaa\xc5\xd5\xa0gpM\xe7/\xcbt\xfe\x9e=\xbd\xf7\
\x8e\xe2\x93\x8c\xd3\xc2d\x81\xc5\x11\xfa\x83\xd1`r\xb4Y\x99]\x95\xc5j6M\x0b\
5\x1c\x0e\x19b\xb1L\x02.AA\xb7\x17\x86a\x9c\xa4\x99`\x95\xe4*$\xd5\x1b\x0e\
\x06#\xe3\x98\x17\xeb\xd3d\xf6\xbcX\x9f^\xe1\xbe\xa4G\xf1\x00\xba\xfd\xc9\
\xf0\xf0\xb3\x1f\x80\xe2[r\xff\xd4\x91\xad\xcf\xe6o\xffX\xe6\xabZ\xaa\xbb\
\x15\xb3v\xfeTb\xbf\x1c\xcdU\xb1\x95\xd0\x9bK\xf5\xaa\xeb\xb5\xa8\xaei\x95))\
c\xb7\xda22\xd6\x9f\xf1mw\xd4=\x19\xae\x9f\xb6\xd1\x003;\xb6\xe9\x0c\xf8^+\
\xdb?\x08\x98\xf3\xd5q2{^\xa6\xb3\xed\xdb\xb7\xadt\x14\xbfJ9+\xc0\x80 tB\xf4\
\xfa\x83\xe1\xfe\xd3\xee\xde\x03\xe1\xcd\xbd\'\x8b,\x99\xcf9\x88\xf3\xa2\x1c\
\x0c\xfai&\x93\xf5\xba\x13\x90\x08\x83^\xaf\x9bK\x94\xe9ZJ\x95\x15j\x7f\x7f\
\xd8\xe9\xf7\x82\xc0t\x0f\xc5\xfa4\x99\xbf\xbcBq\x05lP|\x7f\xef\xc1\xf0\xe0Y\
\xdc\x1d]\xe1T\x17DK\xee-\xb4\x84\xffv=}\xce\xde`q\x976SS\xd1\r\\0S\xec"[6\
\x82\x99\xde\x16\x9f\xe0\xe1\xc6\xa3\xda\x1f\xb5C\xd8\x06\x82\x1b\x9a\xdd\
\xaf!\xc3\xb5\x93\xbb\x8b\x91\xe7\xc9\xb0\x08\xa2\x9f\xfc\xf2\x1f\x820\xba\
\xc0\x1d\xb6\xf8^\xb0K,\x9fCX\x9a\xe2\xa5\xc2"am\xc4\x0bB\x1c\xa1\xd7\xed\
\xf5\xf7\x9f\xf4\xc7\x8f\x1d\xc5\xcb<]/\x17qw\x98fy\x99\x17\xdd^w\xbe*\x84L\
\xfb\xfd\x1e\x05$\x82x\x9d\xa4!\xcbu\xa6F{\xbd\xc1p \x82*]\xaaHg\xeb\x93\xff\
\xdd\xd5\xf7\x9c\x0f]/^Z/\xbe;<\x1c\x1d|\xf6=y\xf1-\xb9\xb70(\xd2\xc5\xfc\
\xf8\xeblu\n\x98\x19\xe7h\x8b\xc6\xbdb\xe6\xcc\xf6/Y\xbd\xd7h\xb8%\xd5k\xb5\
\x9b\xa1u3\xb5\x9eo\x16m)\xe5\x08g\xbe\xfb\x16\xbc=7\xd5/A\xce\x96b\x86b>\
\xfa\xec\xcf\x0e\xee?\xb9\xd2\xbd\xb6\xb8I\x14\xe9,\x9d>\xcfW\xef\xdc\x9a\
\xf7\x12\x96\xfez\xe4%\xd6\x19k2\x8d\x02t"t\xbb\xbd\xde\xde\xc3\xfe\xf8q\x10\
u\x01\xa82_M\xcf\x14\x85\x9dno\xb9L\x82\x80\x00\xb1J\xb2q?B\x10\x84a\x94\x17\
*KV\xa4\x98\xc3\xf0\xfe\x83\x03\x12^:,s\xbe>I\xe7/\xafo\xd4h/\xfe\xfb\xa0\
\xf8\x96\xdc[\xd4\xb0\x9e\xbfY\x1c\x7f#\x8b\x84\xdcH\'G\xab\x0e\xd71h6\x1e\
\x03\xb6\x05Tk;m\xb1\xd7M#\xaa\xd96\xcc\x9eu\xa7\xde/\x10f\xadvWN\xd8\xcf\
\xe37i\xee\x0cS\x15\xb27\x98|\xf9g\x7f\xd5N\xbat{P\xa6\xf3t\xfe2[\xbe\xe5\
\x8bU"#2\x95\xe2\xf3\x92\xf3\x02\x85\x02\x01a\x808D\x1c\xc7\xc3\xc3/z{\x0f\
\xb5\x8aO\xce\xde\xad\xb2r\xb87f\x88\xe5b\x1d\n\xce\x0b\x0eH\xf5z]\t\x16$\
\xd6IN\xb2\x90L\xf7\x1f\x1d\x06as\xd2\x8fKy\xf1\xb5\xb8\xd1F\xb8\xb538\x18\
\xee?\xe9\x0e\xb7gs^\x01\xff?{o\x1ef\xd9q\xdd\x87\x9d\xaa\xbb\xbf\xfb\xb6~\
\xfdz\xefY1 0\x04@\x82 )\x1a\xdc\xc5\x9d\xb6d9\x92A\xc6r\xe4\xc4r\x12\xcbq$9\
\xf9$\'\x7f\xc4\x96\x15\xd9\xf9\x92O\x12\x15k\xb1\x95O\x8a%[\xfa\x12}\x11-Z2\
-j\xa1(\x12\x04@\x10\xfb>\x0bf03=\xbdoo_\xee\xad\xe5\xe4\x8fz\xb7^\xdd\xfb^\
\xf7\xf4\x0c\x00\x02\r\xf6\xf9\x807\xb7\xefR\xb7\xaan\xd5\xafN\xfd\xce\xa9SG\
\xe0~$Y\x91\x92wj+\xed\xdau\x14|\xa8\xf0\xee\xb1\xa8c\xccb\xed\x91\x065\xda\
\xc2\xc6\x9a4q\xcc\x0f$*\xb6\x01\xf8YW\xc8\xe1/@Jm\x87\x11dO\xe5rH\xe3\xa8s\
\x03*\x9f\x10z\xdb\xd9\xf7x\xfeA\xc3\xcc\x1e\xc9wLD\xdc\xed5\xaeG\xad\x8d\
\x83@\xbc\xd2\xdf\x19\x07\x00\x88\x05r1\xf0\x98tlpm\xe2\xb8^X^\xc8\x95\xe7)\
\xb5\xe3v\xa3\x1f1&0\x0c\xf31\x97\xbdN\xc7\x02dH\n\xa1\x87\xc4B)\xb8\xc0\xa8\
\xd7\x0b|\xcf\xf1\xdd\xb0\x90\x1f}\x17\xeb\xd5\xfb\x8d\x15sz\x91\x91\xbdHM\r\
\xf1\x98D\x9a\xf6\xc2\x89\xfc\xc4\xe2k\x02\xf1G\xe0~$\xe3E\xb0~k\xf7z\xa7\
\xbe:f\xc1\x8f\x12\x92\xf9wO\xc11G\xe6\x89\xac2\x9f\x86u\x93Z7\x90}$\xdc\xa3\
y2C\xb8\x0f\xce\x0f\x95\xfe$\xb6o:\x0e\xa6r\xa3\\8yvb\xf2h\xc7\xa57\xaf\xf0\
\xa8\xd5\xab/\xc5\x9d\xed\x83`\x17!\x10sP{\xear\x81\x12\x81s \x04\x1c\x1b\
\x1c\x8bX\x8e\xe7\xe4g\xcb\x93\x8b\x923\xd6\xef\xf7\x99\xb4l\xdbu\xfdV\xbb\
\x87,\xb2m\xcbvm\xc7\xf5\xe38"Btct\x08\xf7\xc2P\xb9H\x8e\xc9X\xbf\xd9\xab_\
\x8f;\xdb\xfb6\xf9\x91\x1c&\x10/\x10d2fy\xb9r8\xb10\xd6\x9b\xf3\xe0r\x04\xee\
G\xb2\x9f\xc4\xfdVc\xe3R\xd4\xad\xebF\xf6Z\xf8\xcc\x8c\xd1\xd8!\xd5\r\x06kMS\
\xe7\xf7@p0\xa0<sr\xa8\xbcgg\nc6MV\xf7Wg\x8e\xcf.\xdevK\xc5:\x92\xef\xa8\x88\
\xb8\xd3k\xacD\xed\r\xbcQ\x98\x1aE\xd1D\x0c\x15\xd1\xa804\xe2`Spl\xb0)\xe1h\
\xe7\'\x16raY0f\xb9a\xb7\xd7s\x1d\x07\xc1j\xb5{>\xe1\xc4q\xbc\xc0\xe7\x02d\
\x1c1.\x85\x90\xc5R.,\xee\xe9\xe5"\xe2N\xaf\xb1|\xc0\xe9\xc50\x93\xea\xd9\
\x04\xe2\x95\x16\xef\x04\x85\xc2\xc4\xb1\xa00uk\x10\x7f\x04\xeeGrc\xe9\xb5\
\xb7\xbb\xf5\xf5\xa8\xd7\x94<\x1a\x9c\x1a\xc7\xc1\x8f\x8d\x8c\x9a\x1c%Z\xf2x\
`\x1f>\xad\xd5tS\xf9\xd9\x0f\xd6\x93\xf3\xc3\x93\x19\xe6}\x98\xe8\x98\x1e\
\x82\x03\xd5\x89\x00@u\xf6\xc4\xcc\xfc\xa9\xd1{\x8e\xe4M+"\xee\xf6[k\xacW;\
\xc8:\xd2\x98\x83\x90\x00\xc927\x81\xc0\x05\xd8\x14,\x8b \xa2$\x8e\xe7\x15\
\x1c\'\x17\x96\xa6\x89\xedD\xfd\xd8\xa24\x8a\xb9`\xb1\xebX\xd4\xb6l\xc7\x8b\
\xe3\x18\x19\x8b8\x96J9?\xcci\x17\xc9\xf1\x19k\xae\xb2^\x8d\x1fxY\x16$Z<"\
\x08\t2QJ\x9c\xa0\x10\x96\xe6\xdc\xa0t\xb3aj\x8e\xc0\xfdH\x0e*R\xb0N}\xbdS_c\
q\x07\xc6\xab\xf0\xc6\x1a~\x1c\x9e\x19\x17\xacw\xf8tf}\xd4>\x98\x0e#\xda:\
\x18 \xaeOj\x9d\x1d\x0c\xf4\x072\x86^J<\xe3\t\x10\xb2p\xe2\xcerefL\x99\x8e\
\xe4\xcd/\x89\xefJ<\xce\xb0i6T&!fH\xc8\xd0\x8c\x89\x001\x03\x8b\x02\xa5 $\nI\
<7?1u\xc2\xcd\x15\xda\xed\xaem\xdb\x04H\xa7\x17\x05\x94S/p=\xbf\xd7\xeb\x83`\
\x11\'a\xce\xf6|\xcf\x0b\xf6\x8d\xee\x8b\x18wwz\xb5%\x16\xdd`Y\xd6h\x861\xf1\
\x9bTY\xa5\x84\xfa\x85\xeaM\xb9\xc6\x1f\x81\xfb\x91\xdc\x9c \xca^k\xbb][\x89\
\xba\xe6\x82\xec\xfd\xe3C\xa6\x06\x82\xd1\xad?0{y\xcc\xf1\x01a}p&\x1b9a\xc8\
\xcc\xe8\xe8\xc5\x9a\xa9w\\\x7f\xf1\xe4\xd9\xb0P\xde;\xffGr8\x84\xf5j\xbd\
\xc6\n\xeb\xee\xec\xb5\x03\x01\x02H\x84\x88\r\xa6\x92\xba\r\x10\x80\x98\x03\
\xa5\xca\x06+\x03\xbf\x90+\xce\xfa\xb9\x02\xa1N?\x8a\x1d\x9bF\xb1\x04\x11{\
\xae\x05\x96C,\x87\xf5\xbaB \xb1\xad\xcadi\xd4\x85fT\xe2\xce\xf6^c\xcf^\xa2!\
>\x1b\xa6\xa60u@\x88?\x02\xf7#\xb9E\x89{\xcdv}\xbd\xd7\xda\x12|\xff\x1dv\xc6\
4\xb0\xec\xa9\xacI\xf5\x96\xb4u\xe3\xee\xa1J\xaeC)`r6\xf1\xf1T{\xe9\x15\xca\
\xd5\xf9c\xb7\x1f\xed\xb2\xf4V\x12\xdeo\xf6\x1a\xd7\x95\xc5u,U(%0\x01\\\xa2\
\xa9\x92\x90\xc4\xfaJ\x00"&\x02?\x1f\x16g\xd0\xf2\x1c\xdb\xa2N>\x8e\xfa\x16\
\xcaX\x82o#\xb5]b\xd9\xfd~\x0c,b`U\xabE\xd7?P\xfba\xbdZ\xaf\xbe\x1cwwn\xaa8c\
\xfc&\t\xf1\xc3Ji\xfa6\xdb\xdd\xcf\xa7\xeb\x08\xdc\x8f\xe4U\x89\xe0q\xaf\xb5\
\xd3inD\x9d\xfa8\xfae\x0f\x19cD\xcd\xd27\x98\xb9m\x04\xd6\xc1\xd0\xbe\x8d3\t\
\xc7n\xec\x138D\xf6\x01\xb6\x83D\xb4lwz\xfe\xd4\xe4\xd1J\xa5\xb7\xa8\xec\xbf\
\x83+\x13C\xff\x19S,B\x00\xd4~ R\xa05=}\x02\xed\xa0\xdfk\x97\xca\xd3\x11C\
\xe4\x11"X\x16q\x1c\x9bZv\xccd\xdc\xeb\x10j\xe5\x8b\xe1X\x17\xc9\xb1\xc2z\
\xb5~c5\xda\xdbor\xac\x8cB<\xa54W\x9a\xcbO,\xec\x05\xf1G\xe0~$\xaf\x8d\xb0\
\xa8\xd3mmw\x1b[q\xbf5\xf6\x86\xbd\x14x\x1c=7\xca\x98\xef\x03\xeb`\xb2\xf3\
\xc9d;\xed]\x90\x01|\x04R\x9e\x9c\x9d\x9e;y\xa4\xb0\xbf\xe5E\x196\xa3\xd6:J\
\x9e\xba@@{\xbe\xf34\xc0\x13\x00\x8b\x12\x04\xe8E2bX\x9d:\x1e\xe4K\x9dn\x9f\
\x12\x0c\x8b\xd3\xedv\xc7E\x06\xb6\xed\xb8\x0e\x00\x91\x12{}f!\xb7=\xaf2u\
\x13\xb1\xc0\xe2\xceN\xaf\xbe\xc4n2\x86A\n\xe2%\x00\x01J\xa9\x9f\x9f\xcaW\
\x16G\x89\x9a#p?\x92\xd7T\x10\xa3~\xab\xd7\xde\xed\xb5v\xa2^k\x14\xbf\xc7\
\xb66\xdc\xeb\x9e\x91\xd5\xa7`\xa0\xf9P\x9dO\xa1\xffp\x9e\x9dlB2H\x89\x00!\
\x94\x16\xca\xd5\xea\xcc\xf1 \xf7:\x06l:\x927\x9bH\x1e\xf5\xd4&\xdd\xda\xdd\
\x0b\x00\x00\x10\xa0\xcf\x80\x00HD\x85\x95\x8a\x9c\x91\x08\x94\x80m\x11\xc6\
\xb1\xd9\x95An\xb2:=\x17s\xc9\x18\xcb\x87\x85\x88S\x8c\xda\x96m[\x9e\xa7\x9c\
v#\x0e"\xeay\xbe[\x9e\xac\x98Qhn(qw\xa7\xdfX\xbd5\xa2\xc64\xb7\x8e\xe5\xe2\
\x8f\xc0\xfdH^/aQ\xb7\xd7\xde\xed\xb5w\xfb\x9d\x864\xf4&L\xfd\x03c\xcf\x8f\
\x12\xee0\x1e\xd6\xd5\xe1 &\x8c\xb9q\x1eIv\x86U\'\x1d\xd7/Wf\xca\x95Y/x\x83w\
\xb6<\x927J\xa4\x88\xa3\xd6z\xbf\xb1\x9a\xd9\xfb)\xe6\xc0\x05\x12\x92\xc4\
\xf32bL\xda\x94\x10\x82\x8d\x0eJ\x08\xe7\x16\x8f\x03r\x81>\xa0\xb0l?\x8a\x99\
\x0f1\xf89\xdb\xb6y\x1c\xa3\xc4\x1e\x93\xc5\xd0\xf5r9\xd7\xbb\xb90\xd1\xaf\
\x86\x8b\x1f\x85\xf8\xb0<\xef\xe5\xcap\x04\xeeG\xf2\x1d\x10\xc1\xa2~\xaf\xd9\
k\xd7\xa2n\x93\xc5=)\x06@oj\xe8\x993\xa3\xba\xbci>\x05\x03\xe8\x93\xe3aHwss\
\x11Ji\x10\x16\xcb\x95\x99\xe2\xc4\xb4e\xdd\xd8\xab\xe1H\xde<2\\\xc5\x86\xf8\
\xe8\xb7\x1f\x7f\xf9\xd2eP\x01\xde\x08 b\xa1P\xf8\xbe\xbf\xfa\x19\xd7\xbd\
\xe9h\xfb(X\xaf~\xbd\xdf\\C9p\x04PDG\xc4\x07Vx\xbd\r\xaf\n\x9e\x07\x08\x96\
\x05\xed\x9e\x10P\xa8T\xe7m\x87\x02X\x02m\x87\x92XR\xca\xbb\x8ec[~\xc8\xb8 <\
\x8a\xa4m\x13\x91/\xe5\xfd\xfd]$\xc7\t\xeb7\xfa\x8d\x95\xb8\xbdu\x13\xb6\xab\
q\x10\x0f\x00A~2_9v\xd4\xdc\x8f\xe4u\x17\xcb\xf1Bg*,N\x01\x80`Q\xd4oG\xddV\
\xd4o\xc7\xfd6c\x11&k\xae3\x80\x0ec\x10\\\x1f\xa0\xd6\xd6\x07\xb7\x0c\xc2\
\xc2\x0cv\x92r\xbd\xc0\xcf\x15\xc2\xe2D\x98/\xbb\xdeMw\xb3#y\xc3%1\x8c\xa3\
\x94\x12\x11;\x9dN\xab\x95\xb2\xe5\xa0D)\xa5\x94\xb2\xdeht\xda\x1dJSd\x88\
\x90\xb2\x90\x0f\'&&\xa2(\xde\xd9\xd9\x91(\x03?\xa8T&\x08!\xc4rr\x93\xa7\xfd\
\xd2\xc2\xee\xc6\x95\xad\xf5\xeb\x04\xf9\xd4D@\tx6\xd1.4\x00\x00d\xa0RX\x04\
\x84\x84\xd0\xb7\xfbqkw\xfbz\xb92o;\x94\x12F\x9c\x02\xed\xf7\xa8\xed\xf5\x85\
t;5;(\xa0\x97\xb3\xfb}\x94\xb8\xbb\xd3\x9c\xac\x12\xef`.4Z\x1c\xbf\xe4\xf8%^\
n\xa9\x18\x06\x07\\\xe0\xaaz\x87M\xc1\xa2C.\xbe\xd7\xda\xe9\xb5w\x8e\xc0\xfd\
H\x0c\x15i\xe3Q\xdcx\x1c\xbbk 9x\x13t\xe2,=\xf9Y\xb0^K\xab\xa3\xe5x9\xc7\xcb\
\x15&\x01\x00Q\n\x1e\xc7Q\x8f\xf5\xbb,\xee\xc5Q\x8f\xb3H\xf0X\x08\xae\xba4\
\x8c\xf8\xc9$XO4\xdfB\x08\xb5,\xc7v<\xcf\x0b<?\x17\x84\x05?\xc8;\xaeG\xc8MP\
\x9fG\xb2\x9fH\x8e\x9d\x15 \x94\xe4\x17_\x8b\xf0\x13\x07~\xad\x94RJ!\x84\x94\
\xa30\x87\x96e!"c\xec\xd1G\x1f{\xe5\xcaU\x00 \x84X\x96%\x84P-\xe7\xf4\xe9S\
\x9f\xf8\xd8G\xb7\xb6\xb6\xbe\xfc\xc7\x7f"\x84(\x16\n\x9f\xf9\xf4\'\xabU\xd5\
\xf0\x10\xa8\xf3\xf2\xf5\xc6SO_\xb1,\xfa\xb9O\xdf\r\xbco)\xaa\x9d\x12\xc6S*\
\x86@\xb0\x08 \x80\xe7\xda\x94\xf7\xb67\xafLM\x9f\xb4\xdc\xa0Y\xdf\xacL\xcet\
{\xb1\rB\xd2\\\xd4\xa9\x11"m7\xc7\xad\xc0\x8ez;\xdb\xadj\x958\xaeC\xe8\xcd\
\xb5C\xdb+\x14f\xde.\xe2n\xbf\xb9\xd2o\xae\xeb\x8d\x8e\xf7\x17\x95c\xb5\x14+\
\xf1\xa8\xc1#p\xff\xae\x16\xad\x1f\xa1\x88\xe5\x0b\xff\x1a/\xfe\x0e\xf4\x86\
\x1eZ\x92\xd8\xf4\xea\x97\xe9\xbb\xffgZ\xbe\xfd\xf5x;!\xd4v|\xdb\xf1!?1|\xa9\
\xe0R\n!\xb8`\xb1\x94\x02\x11\x19\x8b\xa4\xe0F|\x02t<\x9fR\x8b\x10j\xd9\x8e\
\xe3\xb8\x94ZG\xbbj\xbc\x862\x1c\xec\xa3\x86|\xf9\xf7p\xf5\x1b\xd0\xdb\x02 \
\x10\xce\xd1\xc5\x8fY\xa7\x7f\x00\xbc\x89\xfdSx\xf5\x19P:;7D\x91n\xc9-\x04Q2\
\xcem\xcb\x9a\x99\x99\x06\x00\xcb\xb6\xb66\xb7\xeb\x8dF\xb9\\\x9a\x9e\x9a\
\x12B\xcc\xcc\xccH)c\xc68\xe7\x00\xd0h6\xae--MNVT\xe2\x9dN\xe7\xea\xd5%D\xe4\
\\\x94\x17\xdf\x13w6\xfb\xf5e\x80\xae\x90\x80\x16AL\xb9\xd0\x08\x04\x82H)qm\
\xab\x10\xc8\xad\x8dW\xa6gO\x87a\xbeV\xdb\xce\x05\xa1\x9d\xcbw;\x1d\x8f\x06\
\x82`\xaf\xb1Dm\xcf\xf2\xa7)\x13\x8d\xdd\x96\xed\xd2\x89\xea\xadl\xa7g\xb9\
\xb9\xb0z\xbb_Z\xec7\x96\xfb\xad\x8d\xac\xab\xcf^\xf5\xa6\x9e\x1d@<9\x02\xf7\
\xef^\xd1]H\n\x86O\xfd\xef\xe4\xe2o\x0f<\x82\xb5\x97\t2y\xfd\xcf\xb0\xbb\n\
\x1f\xfa\xe5\xd7\t\xdfG\x85Z6\xb5l\xdb\xf1\xc0?\xb2|~\xa7e8\xd8#b\xfd\x92|\
\xec\x9f\xc0\xe6\xb7A\xf3\x03\xf5\xf3b\xed\x9b\xf2\xfaW\xad\xbf\xf2/h\xf1\
\xc4\xeb\x9d\x13\x05\xeeQ\x14\xc5q\xcc\xb9\x1e\xddQ\x87\x0b\xe5\x8cQB\xce\
\xdcv\xfa\xd4\xc9\x93@\xe0\xb9\xe7^h4\x9b\xc7\x8f\x1d\xbb\xf7\x9d\xf7\x00\
\x00\xa5T\x08\xc19\x03\x80JeBJ\xb9\xbc\xb2z\xf6\xce;\x1d\xc7\x96R.]_\xde\xd9\
\xdd\xadNN\xb6Z- \xd4+\xccy\xf9\x99\xb8\xb3\xddo,\xd3\xa8\x151\xb0)\x11\x121\
a\xde\x11AH\xa4\x00\x9eM\xad\x107\xd6\xaeLL\xce\xe7\xf2e.x\xdc\xae\xe7\x0b\
\xa5n\x9f\x93\xb8\xed\x17N\xf7\xdb\xd7Y\xfd\x82\xe5\x14\x84;%{\xee\xeen\xd3\
\xb6\x9d8\x8a\xbc\xc0\xcb\x05\xee>\xe1hF\xc5r\x82\xb0z\xbb_:\xd6o\xaeF\xcd5)\
\xf7_-\x98T\x9dz\x96\xc2\xd1\xd4\xf5\xbbTT\xe7\x11Bp\xce\xc5\xe5/\x91\x97\
\x7f\x17P\x82\xe9<80\'\x01\xee\xbc _\xfc\xcd\x8c\x0f\xd9\x91\xbc\xf5D!\xfb\
\xa0U\xc4=\xf1\xf8\xcf\xc2\xc6\xb7\x86\xc8\xae\xa2mI\x8e\xab\xdf\x90O\xff<\
\xb2\x9b\x88\x87uk\x99Q9a\x8c\xf5\xfb}.\xb4\xea:\x0c0\xc7\x18c\x8cq\xce\x85\
\xe0\x9c15\xcfS\xea\n"r\xce\x93Q\x01r\xb9`nvvee\xb5V\xab\xa9\x01\xe3\xfa\xf2\
r\xb9\\:~\xfc\x18\xc2\xc0\x80J\xa8\xe5\x15fJ\x0b\xf7\x15f\xee*\x14\xcb\x94\
\x00!`Yj\xc9\xdb\xd0\xf0\x13\x0b\xa4\x94L\x14\xa0Q[\xdb\xd9Zw,\xb0,\xd2\xeb\
\xf5l",?\xdfg\x10\x04\xd3n\xfe\x18\x8f\xea\xbc}I\xc4\xab\xdd\xfaF\xa7\xd9B\
\xea\xb0\x987\x1a\xedN\xeb\xc6\x01\xce2b9~8y\xba|\xec=A\xf98\xb5\xbc\x83V \
\x1c\x81\xfbw\xa5\x98\xd3\xde8\xea\xe3\xd5\xff\x082\x1e^N\xc2\x9dk\xdfr\xf9\
\xca\x17q\xe7\xb97"\xa7G\xf2\x1d\x15=\xde\xf3\xeb_#\xeb\x0f\xa5\xae\x19\xeb\
\xc2\xe4\xd2Wp\xfb\x99\xd75\'&\xb8\xc7q,\x85I=\x0f\x90\x96s\xae\xf0=\x8e\xe3\
(\x8a8\x17\x00\xc0\x85P\xe7\xd5I\x163\x00 @fg\xa6\t\xc0\x95\xab\xd7\xe28n\
\xb7;++k\xb33\xd3\xe5R\x91s\xa1\r<\xaa\x98^~\xaa8\x7f\xef\xe4\xe2=\xf9b\x05%\
\x9a\xeb\xe1\x94\x1d_H$@+\x05\xe0\xd1\xce\xe6\xc6\x8aE\tg\x1dB\xa9\x94\xc2sI\
D\xf3 \xdd\xa0x\x1a\x89#\xa2\x1aD\xd7E\xf7\n\x89w\x11\xb9m[\x82\xc5,6\xfa\
\xda\x81\x85\xda^8yz\xe2\xd8{\xc2\xc9\xd3\x96}c3\x189\x02\xf7\xefB\xd1\xc8\
\xaez\x0ek\\#\x8d\x97S\x1bYd~\x11A\xc4r\xeb\x99#\xaf\xd9\xb7\xb0\x983\xb9(\
\x8ap\xe9\xcfSK\xc82nL"\x96\x9bO\xddT\xbc\xf2\x9b\xcdL&K2\xb5\x88\x94$9"\xfa\
\x1e!\xc4 ?\xe9\xe6\xad4w\xc6\xf9\xe4de\xb2:\xb9\xb4\xb4\x14E\xd1\xca\xcaJ\
\x14E\xa5RI&\xde8\xa3yp\xc3\xc9\x89\x85w\xce\x9c\xbaOyy\r]h\x12\x07-!\xa0\
\x9c\xa7\x84\xd7\xb66\x96-b\xc5Q\x07\x90S\xc7\'\xc8,/d\xa4\x18\xe4f,\xaf\x84\
(A\xb4\xfb\xf5\x97\xfb;\xe7\xfb\xad\x8dN\xb3\xd1\xdc\xad\x8f\xbe\xee\x80B,\'\
(\x1f//\xbe;_\xbd\xdd\xb2]:n\x7f4\x15P)\x16G\xe0~\x18\x05%\x88\x08D\x04"\x1e\
\xf7_\x1fnd~AD\xad\x13\xb1\xe6\xca@m\x1fj\xeb\xe9\xb6N\x08 bT\x7f\xfd:\xf3\
\x91\xbc\xe1\xa2\x86|!\x84Rxe\x7fw\xd0\x12\x06{\x9d\x18A\x1d\x14\xf2\xc6\xad\
\xd7u\xb0GC\xc6\xe2/\x12$\x04(\xa5\x84\xe8(B\x86F\x92\xccB\x84\x14\x00\xc8\
\x19C\xc4\x99\xe9\xa9Z\xbd\xb1[\xab]\xb9\xb6\x14\x04\xc1Tu\x92\xb1\x1b\xb0\
\xd8nP\xaa,\xdc=w\xea\xdd\xf9\xf2\xec\x00H\x13\x17IB@H\x12\x06\xb6\x03\x8d\
\xad\xcd%\x82H\x00;\xcd\x9d\\\x18\n \x16p\xe2\xcfZv\xd9\xf1J\x00\x04\x81\xa0\
\xe8\xb1\xd65\xde[f\xbd\x1dy0\x03\xe9^B,\xc7\xf2\x8a\xf5.\xddn"\x97@I\xa2\
\x8c\x01\x10\x00.\xa1\x1b!\x17pdP=4\xa2\xdb\xb7\\\x7fT>\xf3K\x00\x83m?\x07\
\xcb\x18\x06\xbf\x04P\xd2\xc5\x8fY\xf7\xfc\x83\xfd\x93\xd2\xd6*\x8e\x01\x825\
\xec\xb7\xc34\xd1<\x89V\xa0\x14\xa5\xa3m\xa3\xdfzb\xd2t\x8a\xe3\x86\xdc\xdb|\
xp\xb0\x92\'#\xca\x12S8\xfd\x9dl\x0f\xa3\xebz\x08\x00M\x84\x10B)M\x00n\x80\
\xf5\x84\x10U.\x95O\xceyeb\xc2\xb6\xed\x17_<W\xaf\xd5\xe7\xe6f\x1d\xc7Qz=\
\x18\x9dk\xac\xb8A\xb1\x12\x14\x0b\x95c\xed\xfaZ\xbb\xbe\x0e\x92\xabuC\x84 !\
\xc4smB\xa2\x8d\xb5KS3\'=?\xd7\xa8o\xe7\xc2\x02u\x0b\xddn\xc7sK\xcc\xce\xfbt\
\x89\xf3\xbe\x10R"\x10\xe02^\xdf\xba\xda(VO\xdf\xda\x16K\xc8\xdb\xdd\xfa\xf2\
\xd5\xa5\xf5Z[\x00B\xbd\x0b\xa5\x1c-\xe5\x88c\x81\x90\x10qD \x9eK\x1d\xeb\
\x08\xdc\x0f\x83\xa4|\x18\x10\xb1\xbd\x86\x1b\x8f\x0e\xcd\x9e\x00Y\xad*7\xbd\
O\xaf3g\xb2\x8c\xb1\x1e\xadF\xee\x8c\x1do\r\xdd\x02HJ\x03\x1ah\xee\xe5;\x8f\
\x90\xfd\xad-C\xa6\x8e\xb1n\xf1\x83\x05\xe7\x8b6\xaf\x03$\xad\xcbh\x1b\xb2p\
\x1bT\xdf\xfdF\xb7\x87\x01\xb2[\x96\xa5\x1c\xe15\xa6SJ\x8d\xbc\r\x16\xbb\t!J\
\xa5b\xa1\x90_\xdf\xd8\xa4\x94NNVn6\xf3\x8e\x9f\x9f\x98\xbd\xbd0y\xac\xb5s\
\xbdU[\x05\x90\x08 %RJ|\x97ZTn\xae\xbfR\x9a\x98/\x95\'\x19\x8b\xa4\x8c\xf2a\
\xbe\xd3\x8b\xa9d$w\x9b\xd5]\xb2i\x93\x0b\x14\x12\xa4\x04\x8c\xfb\xbb\xab/\
\xb9A!,\xcf\x07\xc5\x99\x83\xae\xc9\x10\x91\xe8,w\x1a\x1b\xed\x1e\xcb\xb9\
\x88!\xe9\xf41\xe6\xb0\xd9\x90\xb56T\x8b\xd4s\x88cS\xd7\x02P\x19\xbb\xa9\xe2\
\x1d\xc9\x1b%\xa6b\xc5%\x05\x80a\x7f\x030\x91\x1d\x08Azc{\x8b\x9a\x83\x0b!\
\x98\xc0Z\xfe}H\x12\x0f\xadq-\x9e\xcf\x7fRV\xdey\xc4\xb9\xbf\x85e\xe0e"\xa5j\
f=:\xb1:\xf9\x00*\xe5/\xdd\xcc\x90\xb8\xec\xf6\xbf\x8b\xe1\xe2\x1b\xde\x1e\
\x14\xb2k\x88O\x86\x1e\xa4\x86\xa8;\x11P\x08\x01\x003\xd3S\x00\xe0y\xee\xcc\
\xf4\x94R\xedo\x16\xe2m\xc7\x9f\x98\xbd}\xee\xf4{\xf2\xa5Y\x05\xcaR\xa2\x90\
\xe8\xd8\xb4R\xa0\xed\xc6\xda\xd6\xc6\x8aM\xc0\xa2\xa4\xd7\xefz6\xd8A\xbe\
\x1fK\xdb\x9f\x95\xee\xbcc\xa1k\xa1E%\x80\x04\x80\xb8\xd7\xaa\xad]\xd8\xba\
\xfad\xb7\xb1v\x03\xa2Fr\xd9^j\xaf?\xb3\xb9\xb1Rk\xc61\x93\x16\x85R\x8eL\x15\
i)G\xf2>Y\x98\xb4\'\x8bv\xce\xa3\xae5\xd0\x02\t\x1ci\xee\x87AL\xcb\x12c\x8c\
\xb08H.\x0c\xb1\xd8P\xde1Q\xf6\xf7Q\xdeM\xd9.\x7f\xdc\xef\\\xa8\xb6\x1f\x1e\
\xa4\x03\xa9\t\x81\xf0\xa6\xd9\x99\xbf\xeb\xd8G^\xe7\xdf\x15\xa2[\xc5f\xe9\
\x13}\xf4\x16k_\xf2\xd9&\x05\x0e\x00\x92\xb8<X\xe8\xdd\xfe\xf7\xedc\x9f}\x83\
\x80\xc3d!A\xb1\xed\n\xc4\x11q~~\xce\x0f\xfc\xd9\x99iJ\xa9\x94R\x9d/\xe4\xf3\
gn;\x9d\xcb\x05\xaah\xf3s\xb3\x00\x90\x0f\xc3 \x08\x08!S\xd5\xea\xbb\xee}\
\xc7-\xe4\xc3\xf1\xc2\xc9\x85\xb3\xc5\xea\x89vm\xa5\xd3X\x97\x823\x816%\x95\
\x02\xd4;\xbb\xeb\xebbjz\x0e\x80\x80\xe5I.B\xdf\x89\xa4G\x90\xd1\xdc\x990O\
\x08\xb2^s\xab\xdf\xedJ$\x88\xc0\xa2Nm\xed\x82\xbds-,/x\xb9\xd2\xa0\xe7\t\
\x86(Q\xc4(\xb9\x05\x8cG\xf5f\xab\xd7\x8f\x85Bm5\xdaJ\t\xaeC\xcay\xcbu("2&3\
\xec\xd2\x11\xb8\xbf\xd9E{\x1f+\xbf\xdd(\x8ah\x14\xa7\xa2\xa5\xe8(GJ\x08Q=\
\xf4 *\x89\xea\x1eH\xbdk\xd5\xffR\x80=\xd5y\x84bl\xce\x03\xa2\xf0m\xbd;~\xdc\
\xa9\xdcsD\xc8\xbc\xe5\xc5\xc4J\xa5\x11\xd7\n\xefo\xfag\'\xbaO\xbb\xd8\xb6\
\xa8\x85\xb991\xf3\xc1\\y\xceI\x08\x90\xef|\x1e\x8du\xaa\x98\xc9\xf6\xec\xcc\
\xf4\xe2\xc2\xbc6\xb1\xaah\x04\x85B\xfe\xedg\xefP&YBH.\x97;s\xdbi\xdb\xb6U\
\x19\'\'+\xb3\xb33\xb7\\\x16\xc7\xcbM\xcc\xde^\xa8\x1ck\xd7W:\xf5u\xc1cB`"O[\
\xdd\xfa\xe6\xba\xa8N\xcd\xc7\xbd\xa6\xed\xe6\xd0r,\x11\x13\xaf\xc8\t\xa1\
\xb6\xdd\xe7\xd2+\xe51\xbe\xc0%\x97H\x84\x04D\xe0q\xbf\xb1y\x99\x10\xb0(P\
\x02\x16\x05B\xc0\xb1)!\xb4\x15c\xaf/d\x02\xeb\x90(r\xa1O\x03\xcfB\xc48\x1e\
\xd0\xf9\x992\x1c\x81\xfb!\x10\xd3\xb5+\x8a"+\xd6\xeb\x89\x0c\x83j\xea\xfe\
\x1b\x18\x88Tg\xb0\x0c\x11n\xe9\x95\xa9\xff\xa6\xe9\x9f-\xf5_td\x8b\x00\xa0\
\x9d\xe3\xe1\xc9h\xf1?\xf3\'\x8e\xbbIoy\xbdJx$o\xb4h4\xb4m[Y\x1a\xa5\x94\x84\
\x10aUk\xfe\'-\xcbr\x1c\xc7\xf7\xfd \x08T\x83\xa17\x192\xe55\xcci:\xcbD\xd3/\
&\x15\xa3\x9b\xb7\xe2^4\xb8\xab_\xdb\xb6u)^}\xc3\xb6]\xbf<}[\xa1\xb2\xd8\xae\
\xadv\x1b\xeb,\xee\x87\xbe\x1d\xb1\xd6\xe6\xc6Rer\x81\xd2\x88\xb38\xcc\x97\
\xe3\x98\x95\x8bA\xbb\x13G\x11\xb7-\xdb\xa19"\xeb6\xb5,:\x88\xe9\xa8\xfc\x92\
\xb8\x00!\x11\x00J\xa1\xcd\x04\xe9\xf4\x05\xe72YP8\x98W\xfb\x0e\xcd\xf9\x94\
\x12\x88\x99PN\xa2cKp\x04\xee\x87@\xb4\x9b\x9aR\xde\x1d\xc6\x12\x1bWrG\x86s\
\xdf\xc3u7\xb9w\xa8\x9d9\x8e\xe38\x8e\x8e\xb5T+\x7f\xa4\x06\x1f\xb1\xb1oY\
\xd4\xf1\x0b^\x90\xa0R0\xe6\x00\x00 \x00IDAT\x0f\x82\xc0q\x1c\xdd\r^\xf7\xa2\
\x1e\xc9\x1b$\n\xd9U\x93\xf0<O\x81\xa0\xe27\x00@\x9f\xf7<\xcfl\x0f\xdf\xd9&a\
\xc6\x96Qj\xec\xc0v\xaa@\\5i\x95%u\xd2q\x1c\x05\xeb&\xb8\x9bS\x93\xd7\xb0\
\x14\x96\xed\x95\xa6N\x15*\x8b\x9d\xc6z\xa7\xb6\xe2`\xdf\x97\xfd\xcd\x8d+\
\xd5\xe9\xe3a\xbe(XT.\x17".\xdb]&\x04 \xa0o\xcd: \x90\xb7\t\xa1:\xa6\xa3\n\
\xdbkQ\xd2g\xb8\xba\xcb-\x02\x8e\rj\xf3\x0f\xe5\xe8\xef\xda$\xf4-\xdb&\x8c\
\xcb\x98I\xd87\x90\xdb\x11\xb8\x1f\x0e1\xf1\x9d\x081pX\x84\x11\x87\x99\x01\
\xbe\x0f\x1e\xd9\xab\xd5\xaa\x9e\xac`\x9ds\xae\x90]\xf5dD\xa4\xd4\xb7m\xdbu]\
\xdd\x99\xd54\x16\xde\x98\x99\xf8\x91\xbc\xee\xa2>+\xa5\xd4\xb6m\x8d\x83\xfa\
OH\xc0]5\t\xd7u\xdf\xa0\xc1>\x15[F\xe5{h2M\xf2\xacs5\xa0\x1c\r\xd1\xe75\xac\
\xbf\xe6\xa3\x14\xb5\x9cB\xe5XX\x9e\xeb6\xb6\xda\xb5e\xdbjm\xae_\xa9V\x8f\
\xcd\xcc-\xf4\xa3\xa8\xd3g\xf9\xbc3\x88\x82G|\nyl^\x94\xac\xad\xba\xb0\x8e\
\xe9(\x10|\x97H\x891G.\xc1\xa2\xc4\xb6\xc0wH\x18X\x8eM8\xc7~_ \xe2\r\xb3|\
\x04\xee\x87F\xc6,\xe8\xc8XS\x93_\xbc\xd1\x1e,\xba\xeb\xba\xae\xabf\xdf\x96e\
1\xc6\x94\n\xaf/\x99\x9a\xda\x11-\xf3\x96\x17=\xe4k\x8aF\x87\xdbUMB\xcd\xf3\
\x14\xa7\xf1\x866\x86!\xbekh\xd6\xe0\xaeo\xd2\x86V\xb3/\xa8\xdbL>\xe7\xf5h\
\xd8\x94\xda\xf9\x89\xb9\xb0<\xd3mn\xf9\xbb\xcb\xbd\xd6V\xbb\xee\x83\x9f\'(e\
\xcc\x06\xce\x0e\x94Hb\x83]!\xac=\xdc\xb1 \t\xf8%\x11\xf2>i\xf5 \xe6H)\x84\
\xbeU\xc8Q!\xb1\x1f\tT\xf4\xfa\x01\xb2\xfc\xdd\x02\xee\x18\xb7\x90\xb5\x81\
\xb5\xa1\xb7\x85\xac\x032\x06\xea\x10; ^\x19\xbc\t\xe2\xe4\xc1-\x00\xb9\x89\
\x80m7\xf7v\xc1 n kC\x7f\x1b\xe2&\xf2\x1eP\x9b\xb8E\xe2W\xc1+\x11\xb7\x047\
\x8a\x07\xa4]\xdd\x01@\x82\x03\x90\x99\x8f\xa5y\xf7}\xddfM5M\xeb\xec\xb6ms\
\xce\x95\xbb\x98fl\\\xd7\xd5j\xfbaFv\xc4\xa8\x81q\x1b\xa2\x1aD\xbb*\xe2\x15q\
B\x92\x9b\x06o\x82\xb8%\xb0\x8fv\xf3H\xb5\n\x05|&_\xa7I\x9b\xd7\x90\xaa\xbe\
\xe5\x9c\x9ay\x1e\xd5\xd6\xf5\xd5\xb13W}R\xff\xbe~\x05!\x84\x86\xa5\x99\xb04\
\xd3\xdc]__\xde\xb6\xec\xde`XR\xe4:!\x88`\x01\xcf\xfb\x16\x1d\xee\xa14\x18\
\xb8,\x02\xd4\x86\xc0\x85\x9co\x95\xf36\xa0\x8c\xa2\xc4jz\xe0\xcc\xbee\xc1}\
\x80\x83\xb5\xf3\xd0\xb8\x84\x8d\xcb\xb8\xfb\x12\xd6/@g\x15D?}#\x85\xa0J\xca\
gH\xe5\x1e2q\x96N\xdeE&\xee|\xad\xde\x0e"\x92;\xcfc\xfde\xac\x9d\x87\x9dg\
\xb1\xf1\nD\xb5\xd4\xc7\xb1|R<I\xaa\xf7\x92\xc9\xbbi\xf9\x0e2y\x0f8a*\x85\
\xfe\xb6X\xfa*\x8a\x98\n\xb4Y\x9c\x8bb\xc2\xc0i=\x9dr\x82\x04cy*\x00\x10B\
\x9a\x97\xf0\xea\x1fJ\x19#M\xa2p\xa8{\xa5 \xb6O\x8f\x7f\n\x9c\xa2\xd2qTO\xb6\
\xba\xcb\xfe\xe6\xb7Q\xf2d\'F\xa0J\xad\xb1(\xa5\x16\x05N\xaa\xef S\xf7\x19\
\xb9\xda\x91\xab\x0f\x02k\x03\xb1G\xe7\xca\x00@\xa4 \x95\xb3d\xfa=7U]\xd8^\
\xc6\x95\xaf\x0f\x86X\x92N\x13\x81\x80$\xe5;\xc8\xcc{\x0f\x9e\xa0\xdc=\x07\
\xf5\x0b\xb2~\x11v\x9e\xc5\xfa\xcb\xd0\xdb\x02s\xeb\x03b\x93\xc2q2u/\xa9\xbe\
\x8bV\xdfA*w\x83u\xd3{\xb6\x1d$\'\x9dN\xa7\xdd\xeet\xbb\xdd\x9815|\xda\xb6\
\xedy^>\x0c\x8b\xc5\xc2-l\x14\xf7j2#\x84\xa8\xd5\xea\xadV+\x8ac)\xa5m\xdb\
\xb9 \x98\x99\x99v]W\xe3\xbb\xe6\xaf\xb5\xda;\xaa\xea\xde2 "b?\x8a\xda\xadv\
\xb7\xd7\x8b\xfa}\x9eL\x16]\xd7\xcd\x05A\xb1X\x08\xc3\x83:\xdd\x12 \x99a&\
\x03\xee7Na\xdc\x83\xaf\xb9\xb8A\t\xc8\x8e\x94r\xe8\xd0\xa2&\xd8\x08\x12p\
\xb7-\'B\xb0\xa8\xd1M\x11b\x8e\x12\x89\xe3P\xdf%1KB\xeb$\xbd\x19`?\xaa]\xcb[\
\r\xdc\x070\xc1:r\xe5A\\{\x18W\xfe\x02:+\xea\x82I\\\x00\xe8\xb5\xfb\x12z\x9b\
\xd8\xdb\xc4\xb5G\x00Q\xe6\x17\xc8\xc9\xef\xb3N\xff\r2y\xcf\xad\xbf\x1d\x11\
\xe2\xa6X\xfe\x1a.\xff\x05\xac|\x15\xe2$8*\xd1\x1f\'\xc9\x86\xe8\xe3\xee9\
\xac\x9d\x87\x8b l\x87.|\x82\x9c\xf84=\xfe\x19\xb0s\x03\x9a\xb0\xfe\x8a\xfc\
\xd6?\x06\x00\x0b @\x0c\x08)\x99~\xe8\xaa\\ZmO.\xd1\xed\xa7`\xfb)\xa9oH\x17\
\xdc\xfe\x81\xaf\x92\x89b\x92#B)\x85\xda\xb3\xd63?\x93\xbd9I\x10\x81\xe0\x9d\
\x7f\x07\xa6\xde\xa5\x96q+\xee_>\xf7\xab\xd0x9\xf5\x08\xa4V\xbb\x90\xa9\xfb\
\xec\x8f\xff\x16\xf1o\xb0S\x81\x86\x0f\x94L>\xff\xaf\xf1\xe2\xef\x18\xd7\xb2\
Q\x10\xac\x0f~\xc1\xda\x17\xdcu\xfd\xcb\xe5\xaf\xe1\xea\x83\xb8\xf4\'\xd0]3k\
&\x95a\xe4\xd8\xbc\x8c\xcdW\xe0\xf2\x1f\x08;\xa4\xc7?E\xcf<@\xe7?\xb4\x7f\
\x86\x0f"*\x1b\x9dNgum}}}cssk\xb7\xb6\x1b\xc7\xd90&\xb9\\0==\xbd8??3;37;\xa3\
\x1f\x14R\xbe\xf4\xd2K\x9dN7Y\xb8\x88R\xe2\xdc\xdc\xcc\xc9\x13\'\xc6\xaa\xa2\
\xea`ee\xf5\xfa\xca\x8af\xa3\x11\xa5\xeb\xbaw\xbd\xfd\xac\xe7y\xea\xb6~\xbf\
\x7f\xe5\xea\xb5\xeb\xcb+\xab\xabk\xddn\xd7L\xe3\x07\xbe\xff\xfb\x8e\x1d[\
\x04\x03\xe3\x14\xf1R\xaf7\xce_\xb8h\xa8\xc6H)=y\xf2\xc4\xcc\xf4\xf4-T\x08\
\xe7|yeukk{}cc{{\'\x9d\x07\x00\x00\xdb\xb6\xab\xd5\xc9\xf9\xb9\xb9\x99\xe9\
\xa9\xb9\xb9\xd9\xd1d2N\x90\x83\xa2\x1aurS\x18\xfd\x1d\x9by8\x8e\xe3\xf8\x9e\
\x14\xc2\xd8I\x92\x00\x02!\x04y\xb7\x17\x8b\xd0\xa39\x8f\x00\x82\x04`\x0c\
\xb8D\xc7\xa6\xbe\r\x04\x04\xd7\xad&=\x1d\x1f;p\xbd5]!u\xafFD\xb9\xf2\r<\xff\
o`\xfd[\xc30\xb6\x19\xcc\x1a\xba\x84\x1bW\x01\x80\x10\xec\xac\xe2\x0b\xff\
\x17^\xfbc\xfa\x8e\x9f\xb4\xde\xf6\x9f\xdfj\x06\xbe\x8e/\xfe\x06\xac?\x94}]\
\x16g\xd3\x83\x8d`r\xe9+\xb0\xf4\x15\xb9\xf8\tr\xcf\x8fc\xe5\x1e)%\n\xa4\xd4\
\x01\x11\x83v\x86R\xa3\x7f\xa6D\x99\xb8N\xe6\x81\xce\x83\xfa\xd3\x0eQ{\xc2\'\
$>\x10\x1b\x88\r\xc8\x07\xe3\x84\xe9{\xa3\x8e,\xcf\xbc_\xda%\x98\xfb^\xaa\
\xc0=\xe5_?\xfc\x13k\xe7q\xf7%\x98\xfb\xc0>]h\x98\xa0\x94\xb2\xb5L\x97\xfe8U\
Q\xc4H\x16\x80L\xdeM\x8e\x7ff/+\xf1\xd0jV\xbf(_\xfaM\xb8\xf6\x9f@\xd9\xa9F\
\xc7\xc2\xd4\xe8\x05\x83\xf2\xf2\x8e|\xe5Kr\xe5/\xe9\x99\xcf\xdb\xf7\xfe$8\
\x85}\xbe\xf5>\xc5\x81D;>\x7f\xe1\xe2\xb9s\x17\xb6\xb6\xb7\xf7\xd1\x1f\xbb\
\xdd\xde\xd5\xab\xd7\xae^\xbd\x16\x86\xe1m\xa7O\xdds\xcf]\xa5b\x11\x11\xe3(~\
\xf2\xc9g:i\xec\xbb\xa3s\xfb\xf1c\xc7\xcc\xad\x1e\xcc&\x87\x88W\xaf]{\xe6\
\xd9\xe7\xcd\xecPj\x9d<q\xdcu]D\xbc\xb6t\xfd\xa9\xa7\x9fY_\xdf\x80A\xb1\xcd\
\t\x17\xd1F\xd4L\xe2;\xbb\xbb\xcf<\x9b\r\xf5\xecy\xde\xf4\xd4\xd4A\x90\xd1\
\xcc\xe1\xb5kK/\x9d;\xbf\xb2\xba\xc6\x18\x1b\x81\xe9AR\x9c\xf3\xf5\xf5\x8d\
\xf5\xf5\r\xcb\xb2\xe6fg\xce\xdey\xc7\xc4D\xd9H\x8f\x8c\x1c\x00\xec\x8d\xd1o\
\x1e"\xd1\xb2\xed\xca\xe4d\xbdQ\x97B\xa2Ta\xc7\xc0"\xd4\xc2^\xb3\xdb\x82\xa4\
\x16b\x01\x8c\xa3e\xd1\xd0\xa7\x04\xa4\x04K83\x1cr\x00\xe8@\x9b\xc6\xdb7\xdc\
8;s\xf9\xad\x00\xeeC\xdc\xe9l\xc8g\xbf@\xae\xff)\xc4u}m\x00p\xa3\xd8g\xde`\
\x1e\x10\x82\xad\xeb\xe2\xb1\x7f\n\xddu\xeb\xde\x7fts\x19`}\xf9\xcc/\x90W\
\xbe8\xa4_R8B\xc6\x832\xa4|\x19q\xf9\xab\xb8\xf3\xbc\xb8\xe7\x7f\xe4\xc7\xbe\
\x1f\x19\xf7\x81\xa6\x1f\x19t\xc8TAF5nBRWA\xab\xd5TgX-\x8c\x12B\x80\x10\x16Q\
\xbc\x1fQ\xfb\xcb\x0f\x91=\xc9\xbc\x94\x12\x11\xf4#\xb8\xf0\xfd\xde\xd5?\xa2\
\xfd\xf5a\xfa\x19\xe1]\xb1\xf6\xb0=\xf7\x81\xfd+M\xaf\xbc\xc5\xdd\x0bno;]\
\xd2\xf4\xc7:\xfeW\xd1\x0eG\xfb+&\x8b\xbc\xa4\x94\xf2\xe5\xdf\x83\x17\x7f\
\x8dtV\xb2_9S\'\xe6\xe8\x8e\xba\xf6\x00\xa2\xba|\xe1\xd7Y\xfd\xa2\xfd\xc1_$\
\xc1\xd4^9\x1f[\x16]\xa2\xad\xad\xedo=\xfa\xed\xf5\x8dM\x91\rAN\xc6\x1d\x03\
\x02v:\xed\xe7\x9e\x7f\xe1\xda\xd2\xd2{\xde}\xdf\xe9S\'9\xe7\xb6\x93\xed\x98\
\xb6=\xa6\xab\xa2\x113`Do#\x8e\xe3HD\xce\xf9K/\x9d{\xfc\xc9\xa7\xa3\xc8X\x1e\
\x91:@\x9a\x8c\x19\xa9\xe1VJ\x1c\xd9\xbc\x94\x10bY\x07\xf2p\xd7\x9d\xa2\xd7\
\xeb=\xf6\xf8\x93\x97_\xb9\x12E\xfd\xd1L\x8ey\x10P\x08\xb1\xbc\xb2\xb2\xb5\
\xbdslq\xe1\xf4\xa9\x93\x07y\xdd\x9b\\J\x95\t\xdb\xb1\xbb\xdd6c\x1cQ\xda\x94\
\x96\x8b!u\xe7\xbd\xdd|}{\x9d@\xaf\x1b\x81\x90\x98\xf3\xa9MAJ\x81\xd4\xa5\
\xf9\xdbl\xaf\xe4H\x81\x00\x965-;\x9eh/\xedoN\xcb\xc8\xe1\x06\xf7T\xc7^\xff6\
<\xf5s\xa4\xf6R\x86UH\xc0pD\xab\x1d]\xd1e\xf2\x00\xbc\'\x9e\xff\x15\x08\xe7\
\xad\xdb?w\xc3\x0c\x0c@\xaa\xb9\x84O\xfc\xaft\xf5/\x00\xd4\xeb\xd4+\xd282\
\x8a\xe9Z\xbb\x04#\x93\xbd\r\xfa\xfc\xbf\x8c*\x1f\xc2\x98y\x80\x04 ]\xa2\x04\
\x8c\xb4\x8ca\x9c\x8c1#\xad\x89K)\x89\x94hD\xfd\xb5\xe2\xd8\x85\xe1\xa6\xef\
\xa9Z\x1aX~$J\x89\x08\xca\xd1\x9e1\xc6\xadiR\xbc\xcb\xef\xad\x01!\xe3j\x12\
\x81\x10\xbc\xf2ey\xe6\xf3V\xe9\xe4^\xb5g\xee\xc6\xe0,\xfdI\xb6\x80`\xa0\xb0\
\x1d\x88\x99\x0f*V(\xa3`b\xb2S\xa0|\xe6\x0b\xf4\xc2\xbf\x01\x11\xa5\xad\x11#\
\xca\xbb\x91\xc3a\xce\xcd\xa1}\xf9k\xfc\xc1\xff\xde\xfe\xd0/\x93\xdc\xcc^9O\
\xa74\x9c\xd3\x9c?\x7f\xf1\x89\xa7\x9e\xeetFw)2\xdfN\x0ct\x1f\x8c\xa5\x00\
\xd0h4\xbf\xfe\x8do\xb6Z\xcd\xdb\xcf\x9c\xa1\xa9>\x8c\x00\x04\x93\xf7h?nsh\
\x14B\x88\xc1^E\xc3\xb4\t\x01)\xe4s\xcf\xbf\xf0\xf8\xe3O\x8a1{L\xc3\xb0o\x90\
!\xbd\xa3G}\xce9\xe3l\xe4f\xd5(\xf6[\xff\xac{%"nmo\x7f\xf3\x9b\x0fonm\xefQ\
\x1bi[\xcd\xe0\xda\xa0\x8fDQt\xe9\xf2+\x9dN\xfb\xb6\xd3\xa7\xe8\xe1\xdf\xee<\
,\x14r\xf9<JN\xc8@q\x07\x80\x99\xb9\x93\xd5\xe9\xc5nc\xa3\xb6y\xcdsbJPH\x00\
\x80N\x14 \xefR\xd2Q\xf5,\x11@\xf0\xd0\xb2UP\x9a\x03\xca!\x06w\xdd\xa9T\x00,\
\xb8\xfc\xef\xad\xdd\x97\xc6\xc7\xae7\x91\x14\xf4\x9f08\x999\x93\xa4\x0e"\
\x16\xcf\xfc"\x99~/-\x9d\xda+\x03\x90\x0c-\xbc\xb9L\xbe\xf5St\xfb\xf1\xf4\
\x8b\xc7\xe5\x84\x18\xd4\xc7\xb8\xc6\r\x84\xa0\x9d\xef\xde\xf9\x13=\x06\xd0\
\xeb\x14\xd3\x97\x8c\xdc\x8e\x9b\x88\x0c\x8fI\xb68\x89H\x94\xd4\x08C\xa6\x96\
\xbc\x86{Mh\x12(\x01D)Qo\xe6\x10\xc7\xb1(\x7f\xc8\xdb\xfe&\x19\xcb}\xa9g\xdb\
Wq\xe79,\x8eg\x8a5\x88\xc4q\x1c\xd7\xaf\xe6\xd6\xffrO \x06\xe0\xf3\x9f\x85\
\xfc\xc9\x0c\xc51\xfc\xfa<\xc6\'\xff\xb9u\xe9w\xb3\xcf\x8e\x9d\xae\x8d}\x051\
\xe1\x06p\xed\x11\xfe\xed\x7ff\x7f\xf8\x97\x89u\x83}\xb7M\x90=w\xee\xc2\xa3\
\x8f=\xa6\xf6\x03\xca\xdc\xa5_\x93\xcc\xe02\xba\xf3\xe0\xbc\x10\xe2\xc9\xa7\
\x9e\x8d\xfaQ\xba\xa4D\xbf)\xf3\xeaa\x05\xc61c\xd9\xc8S\xb6m__^~\xe6\xd9\xe7\
\xf6@v\xfdv\xa0d\x10F\x11\xd3\r#N\xed\x19\x94\x10n\x89B\xb3??&\x84\xd8\xdc\
\xdc\xfa\xcbo<\xd8h43)\x8c\xa6\xb9\x8f\xac\xado\x12B\x95\xc3\xee>\x1c\xd7\
\xa1\x10B\xc8h\x8b\xb2,\xbbPY\xe0H\xa2\x9d\x8b\x80@\x00$\x12\xc6\xa9d\xfd\
\x04$P"\xb8\x96$\xf6\x8dx\x99\xb4\x1c\xee\xf1\x10q\x087\xdd\xe3\x9fg\xe5\xbb\
\x01\xf6@=u?Pf\x15c\xa7\xca\xac\x92\xee3\x83kd\xe4OD\xe8\xac\xca\x0b\xbf3\
\xb6I\x99\xbd:\xee\xd6\xe1\xf1\xff\x85n?\x0eh\xd0b\x88\xc3\xff\xf4\x9f\x9amO\
^c\xdc\x9c\xa4\xeb\x14\xbag\x7f\xba3\xf9\x91(\x8a\x06\x9b\t\x98iB\x06\x98\
\x8c\xbd\x03t>\x11\x87\xcf`\xda\xba>p\xc4J\xc53`\x8c\xa7j#C\xa3\'\xdd\xd5\
\xac\xf08\x8ews\xf7u\xfd3f\xda\xc6\xb3\xaa\xe0\x80\xab\xdfL9\xa8\xa4+Pc\x13]\
\xfd:e\x8d\xc1\xe3\xa3\x90\x81\xc8f?\x8a\xd4\x1b}\\\x08\xc1Y,_\xf8\xf5\x01\
\xb2\xa7\xaaed\xb0I\xe5p\xa4V\xf5\x83*\xf5k_\x96\x17\x0c\xeb\xee\x1eE\xd0\
\xa5\xb8zm\xe9\xf1\'\x9f2\x90]\x7f\x82\x81v\xec8n>\x1fNLLT\'\'\xab\xd5J\xa52\
Q\xc8\xe7\x1dGwu\xa2^-\x84x\xe1\xa5\xf3\xadvv\xa7M\xb9\x07\xb8\xab\xed5\xfa\
\xfd~\xb2\xef\xc4\xb0\xa4\x8c\xc5\xcf<\xfb|\xbf\x9f\xd9\xfc\x16G\x8e\x87)\
\x9biFQ\x14Ec6\x84C\x99\xcd\xc9\xd8\n\xa9\xd7\xeb\xdfx\xf0\xa1\x04\xd9\xc7\
\xdcoYV\x98\xcb\x95K\xa5\xead\xa5Z\x9d\x9c\x9c\xac\x94JE\xdf\x1b\xf5\t\xc6\
\xf5\x8d\xcd\xfap\x84xkJ\xb1<\x1dCn\xd0W\tz\x1e\xb5|\x9f:\x0e\xb5m\xe28\x8e\
\xeb\x86>\x03\x18\xdf\x95\xf6\x92C\xaf\xb9k\x80\xe8\xdb\xf3\xcd\xd3?]y\xf9\
\xff\x08Z/fyvB:\xee\xa9\x8ew\xa2\xed\x9f\xe9\xdb\xd3\x92zTD>_/\xf6\xce\x97\
\xfb\xcf\xd9\xa2\xad\x92\x1b\xb0(\x1a\x8e\x01\x00@^\xf9\x8f\xf4\xcc\x03\xa4r\
6\xf3jH\x90\x8e\xc5\x11\xbe\xf4\x1b\xd6\xfa\x83)\xec6\xe9\x11E\xa1\x8cQ!a\
\xa0\xc2\x0f\x9eB\x00\x82V\xd0:\xf3\xe3\xbd\xe9O\xaa\xdd!i\x1c\x81\xe4\xa90\
\x03YU\xdd\xf8\xc7\x04\xe5\xcc(E\x06\xd8\x01"\x86\xc1>\xc2\xc3I=I\xb6,\x18C\
\xec\x00\x80Z!b\x14\x7f00p\xb1]\xfcH\xd8}iX.\xb3\xcf+\x95\xff\xea\x97\xe5]\
\xff--\x9f\xc9hy\xe6\xdb\x19c\xf9\xdd\'R\xa3\xd10\xcf\x08\x08\xbcp\x9b,\xbeM\
\xa7`N\x98\x18cb\xf9\x1b\xdeK\xbfb\x98\xe8\xf4$\xcc`o\x88\xddqN\xc4v\x89[E\
\x00pD\xddg[A\xbc\x9c|\x97\x11\xa5\x1e\x11\x00\xc4K\xbfA\x8e}\x92\x16\x8e\
\xc18\xd1\xfa)\xe7|\xb7V{\xe4[\x8f\x1a\xa4\xf6p\xfcF a.(\x16\x0b\xe5b1\x97\
\x0b\x94ET\xaf\xbb\xe9t{\xf5z\xa3Vo\x98\xae#i\xb2~\x98\xe4(\xa4\xea:\xd4;A\
\x9b\x12E\x0c 6\xeb\x81R\xe2\xfb\x81c\xdb\xb6\xe3\xb8\x8eC\x08\x11Rr\xcel{\
\xc8\xb9\x9bi\xa6\x8d\x9f`\x12D{U\x88z\xbc\xdb\xed>\xfa\xd8\x13\xb5z]\x8fm\
\xe6\x9d\x9e\xeb\x16\na\xa9T*\xe4C\xe5\x8c\x9b\xb83\x92~\xbf\xdfh6k\xf5\x86\
\xa1\xef\xabo-4\xb39\xa6r\x0e\xbfX\x96]\x9e>\xbd\xb3\xf2B\xce\x05\x8b@\xcej\
\xfa\x9e\xcf0\x90\x12)p\x0f[ Z\xe9^xc9\xac\xe0\x9eQ$\x15o\xdb\xa3S\xad\xf9\
\x9f<\xbe\xf4\xf3\xb9\xfe%\r4={n}\xe2\xaf5\xc3wFvU?\x8b\x88\r|\xfbz\xfe\xa3\
\xc5\xfe\xc5\xe3\xb5\xdf/\xf6\xcfg\xd5UHt\xed\xde\xba\\\x7f\x94L\xdc\x99\x81\
\xa7\xe1&\x8d\x1bO\xfb\x97\xff]\xa2\x9e\xa7in}`RC:q\xfdg\x82\xd7\x08v\xfd\
\xc4\x8f\xf6f>K\xb4\x95L\x02R\x87\x88\x08\xa9erG\x04\xc5\xbe\x14\rI\xee\'\
\x00\x084\x19\x01\x10\xd1rQ9\xd9\x1a]\xd1\x96r\xa8\xfe\x8f&\x9b\x88^0\xa2|\
\xe4\x11\xb1\x16\xbcc\xce*\xbb\xbc\x96-\xb5\xce\x0co\xe3\xdaCP>3\xfa\xed\x86\
\xa6\xd4\xe65\xaf}.\xf5\xd4\xf0V\x02\x04\xa2\xd9OC8o\xbaW\xab\x9c3\xc6Xk\xcd\
}\xee\x17@\n \xc9\xd4\'\xab\xf8\x93\xa6\x7f\xe7z\xe9\xb3m\xef\x14\xb7\x8aj\
\xeb1"#\x9foU:O.4\xfe\xc8\xc2(!E\xd2\x1c\x0e"\xb4\xae\xcb\xe7\xff\x15\xb9\
\xff\x7f\xdb\x87V\x12B\xf4z\xbdg\x9f{\xbe\xd31\x9d[\x06\xf7[\x94\xcc\xccLOV&\
<\xcf\xcb\xf8\x86\xabJ(\xe4\xc3r\xa98;;\xbd\xbc\xb2\xba\xb9\xb9\xb5\x0f\xeb0\
J\x86\x98\xa3\x0b\xe7\\Js\xd2`\x92~\x83?\'\xca\xa5Je\xc2\xf7\\\xdbq<\xd7\xf5\
</\x08\x02\xcf\xf3,\xdb\xce\xe7\xf3\xa3\xca;cLp\x9e\x06S\xa2s\xb2W&\xd5\x83/\
_\xbat\xfd\xfar\xf2H\n\x91\'\xca\xc5\xd9\xd9\x990\x973\x17\x13\x812\x05\x11\
\xe2\xfb^\x18\xceNOU\xb7\xb6w\x97WV\x86s\xca\xd4\xef[Sr\xbe\xddu\t\x13\xc8\
\x81 2\x1fWC7@BQDR0\xbc\xf9\xb2\x1fVpW\x92\xd1@9\xe7\xb15yi\xe6\x1f\x9e^\xff\
\xb5|t\t\x00v\xf2\x1fX\x9d\xfa<\xf3\xe6(\xa5\x9e\xd1\x8c\xb4\xb4\x82;/8?~\
\xe7\xe6\xbf,\xf4/\x02\x8c\xa7b\xb1vn\xecK9\xe7q\xaf\xe9\xbe\xf8K\x84w@{(\
\x8e\xe57\x00\x80\x90\x86wG-\xbc\xafk\xcf\x0b\x12P\x8c\xf2\xf1\xb5\xa9\xce#9\
\xb6<H\x16\xe8\xf6\xf1\x1f\xed-\xfcM\xc7@\x81(8~\xf1\xd8\xcf\x08\x16\xc9\x01\
\xb5\x83\x928\x13\xbd\xe7N\xd4~?\x93I\xc3Z\x0b\xbb\xb9{\xaf\x97\x7f\x88"\x03\
\x00\x15\x1d\xcfu]\xdf\xf7r\x81\xef\xe5\xf2N\xb88\xd4\xc4TY\x103\xaan*\xf3\
\x880P6\xa9Z\xc1\xa8\x97)FNe\xb3\xf0\xbd\x8b\xf5/\x8d\'\xb5\x15\x88_\xfb\n\
\xbd\xf3\xef\x90\xf4\xea_U\xf9\xea\xabyk_\xb1\xe3\x9d\xe1K\xd3D\n\xf7g\xf9\
\xcc\x87<#\x98\x89\xc9\x0b\xe3\x95?\xb2\xda/\x03\x8c\x0c\x9c\xc9\xf1F\xf9\
\x93\xeb\xd5\x07\xb8]\x06\x00\x0b\xc0\x1a\xbc\x9a\xf6\xadc\xcb\xceB\xcf\x99;\
\xbd\xfbo\x1d\xd1\xc8"{\x92\x9a\xdc|\x8cv7H8\xeas\r:\x0f\x1b\x1b\x9bW\xaf^\
\x1b\xd5p\x1d\xdb>q\xe2Xe\xa2<\xba\xcc\xdd\x8cf\xc59wl\xfb\xe4\xf1c\xb9 \xb8\
r\xf5\xda>\xf85\x8a\xaa&\xc1ml!\x9d!\xfd\x88e\xd1c\x0b\x0b\x95JYGL\xd4\x1f\
\xd1u]\x15\xe813\xf0\xe8\x0f4\x9a\x0b\x93\xc6\xc9<\xa2\x90\xbdV\xab\x9f?\xff\
\xb2q\xcf0\xe5\xf9\xb9\x99\xb9\xd9\x19\x1d\xc0\xc0\x1c\xa8Tm\xa8\xb2PJgg\xa6\
\x82\xc0\x7f\xe5\xca\xd5~?\xc2\x81\xd9\xf9-.\xa2u\xb5\x10\x00\x00a\x1c\xb6\
\x9b\xd8\x8d\xa4kwr.XVv\xeas@9\xdc\xe0NF\x04\x00"w\xee\xca\xcc\x8f\x9dY\xfb\
\xa5npfe\xfe\xc7\xa8\x9b\x0b\x92\x08p`\xb4B=\x1e\x082\xb14\xf1Cg7\xbe@1\x1e2\
\xd4d\x08\x16X;\x8f\x9du\x08gI\x12\x87HsAb\xebyg\xf7\t3Ccu\xdeFp\xd7J\xe5\
\x81\xae{L\xd0\xc1\xa6\x01\x88\xd8\x0c\xdf\xb9Y\xfa\xd8t\xfb\x9b\x8b\xb5?\
\xb0Dwk\xfeG\xba\x8b\x9f\xf3\x1cW9\xbd!\xa2m\xdb\xdc\t\xa3\xfc\x9d\x03\xef\
\xc3\xe4\xd5\xae\xa8e\x8d\xa5$\xa5\x1fq\xa7\x12\xe5n\xd3\x0b\x0em\xdb\x06\
\xcf\xb3s9\x11\x86\x90\xcb\x11{\xef%\x91\x19\x8c6\x8a\xa3D\x87\x84Ua\t\x18c\
\x8d\xf0\xbe\xc5\xfa\x7fH\xf9\xd8df-\x9bO\xca\xf5G\xc9\xdc\xfb3*\xa7\x06\xf7\
|\xe3\x99\x01:\x9b\xea\xf3 \x05\xe0\xf9\xdbI\xf9\x0e+\r\xee\x83\xb9Z{+\\\xfa\
\xfd\xe1\xad&\x03\x86\x08\x00\xf5\xc2\xfb6g\x7f\x84\xbaE?yVc\x96\x92\xdd\xfc\
\xf7xb\xebD\xed\xff#\xb8\xc7>8\xf5\xcbr\xf9k\xe4m\x7fk,\xf6q\xce\xbb\xdd\xee\
\xa5\xcb\xafH\x99\xa1\x0b\x88eY\'\x8e/NOUm\xdbV\xf1\x1b2\x83\x93\xce\xc3\xc0\
\xe9\x10\xb1:Y\x89\xa2hum\xe3f\xc9\x07\x1c\xd0\xf1\x19\xc0\x1d$B\x089q|qzjJ\
\x0f0\x07\t\x14\x83I\xa2#2&cf\xa7`\x8c]\xbbv\xad\xd9j\x99yP2=]=~lQ\xbf\xd4\
\xac\x10L\xdc"\xcc:\ts\xc1\xb1\xc5\x85W\xae\\\x13B\xbc\x85\t\x19%\xa2\xb7-\
\xa2F\xc2,b\xde\'L@\xc4\xa0\xd6\x05\xd7\x86\xc0\x05\xc7V$\xe5M\xc8a\x05wb\
\x84\n\x1a\x13\x84\xda9u\xf5\xd4?\xa5N\xe0\xf9%\xb3\x05\xab\xa7\x86j~\x1c\
\x13B8\xe7\xad\xdc=m\xef\xf4\x80\x9cA\x1c\xf8\xaai\xb4j^\x95\x9d5+Q\xdf\xd00\
*\xba\xd7\xff0\xc9Q\xd2\xf82\xd43\xc0v\xf1\xc3\xcb3\x7f\x0f\xed\xd0&\xc46\
\xb4-)%@yk\xf2\xafS7\x1f\x88\xdd\xf6\xf1\x1f\xf6]\xcfu]\x15\xf2\x85\x10\xa2Z\
\xb9*\xa3n\xf1B\x08;eW\x19\xf1\x8a!\xc4"\xa0x\x00H\xc0]%\xbb_T\x90\xd1\x8e<\
\xc2\xbf\xeb\xf0\xaa\xb6!\x91\xbfX\x0b\xee\x9d\xe8==\xd6\x10\n\x84\x00\xc6\
\xf8\xca\x97`\xee\xfd\xba\xf6Ld\'\x8d\x8bv\xb4n\xf0\xfb\xe9\x04\xa8\xcbf?f;\
\xae96\xeb\xdd_\xc9\xd2\x7f\xb2{+\xa9\x9c\x0f\xc7f"h\xb0;\xfb\x80\x9b\xafjlU\
\xaf\x1e8\xf91\xc6\x18\xe3\x9co\x14?9\xd9y\xac\x10]\x1ef@\x8d1\x03\xe1\xb8\
\xf6\x10\x9cy\x00\x0c\'\x07\x13\xc8vwk\xcb++\xd9\x82\x03LU+\xf3\xf3s:8\x8f\
\x0e\xabi>nfC5\xdd\xc9\xcaD\xab\xd5N[So\x19\xd4\x06O\xcdLO-\xcc\xcf\xeb\xb00\
\x99.s\xb0x\xce\xd9\xa1k\xf4\x0e\xad\xb6w\xbb\xdd\xd5\xc1R\xa9\x94\x14\n\xf9\
\xd3\'O\xe4r9\xd5\x14u\xc0"\xd3E\'S\'R\xcaB>\xacNV66\xb7n\xa9\x06\x0e\x91 k^\
U\xb5\xac6Yu,p,\xe2\xd9\x10\x0b\x88\x186\xba\xe8X\x10x\xc4\xbd\x19\x88?\xac\
\xe0\x0e\x896\xa9\x9a\xa9\x8an\xa80QY\x96,\xebDF=15w\xc5\xd1\xd3\xc1\x8e\xe9\
\x88(\x9b\xfe\xd9b\xff\xbcJ8\xfb\xa6\xb8\x86\xbdMH\x03\x13c\x8c\xb77\n\xdb\
\x0f\xe9\xdc\x0c\xa1\xd0\x98\xe07\xc3w\xac-\xfcw\x8e\x9b3\xe1)\x99G\xab\xf8\
\xba\xb4\x1d~?\xf3<\xdf\xf7}\xdfW\xf1T\xd5yU\x1cU@\xa5\xbcs\xce\t!\x84\x9a\
\xf3\x83\xf4\x9c\x95\x10\x00\xb0,+\x08\x02s\xd7\x02\x15\x05L\xc3\xdc\xd8\xda\
\x84AthL\xad\xb7\x82\x14\xee\x9b\xb8\xa0j\x95\xd9\xe1V\xf1\xa3\xe5\xde\xb3)3\
\x80\xa9\xc2#\xe2\xd6S\xc8\xfb\xc4\xd1\x9b\x03\x0e\xc1\xdd\xddz\xd0\x896\xc6\
\x18\x8a\x01\x00@\xf8\xf3r\xee\xa3n\x82J\x90v\x8d\xcfm=\x02(\xb3/Mr\xdb)\xbe\
\x9bT\xee\n\xfdPA\x89z\\[h\xa2(R\xe0\xc2\x00\xda\xdem\x85\xfee\x83\xdbI\x19\
\x87\xb1~Q\xb6\x96h\xe9t\xc6\xc1\\\x8d\xee\xeb\x1b\x1bB\x0c\x1d\r\x11\x90\
\x00\x04Ap\xf2\xc4\x89\\.\xa7\x03&\x9b\x00jRRq"\x90\xcc\xd5\xaa\xd5\xc9N\xb7\
\'\xa5L\x9b"oJc\x1b\n\xa5\xe4\xf8\xf1E\x15\x94_\xab84\x11U3\x07\x08\xf1\xb8\
\xdf\xd5\x8c\xda^\xaf7vvv\x8c\xcc\xa3\xea\xa9\xf3s\xb3\xc5bQE\x0c\xd6\x15\
\x92\x99Lk\xe3\x99\xaa+u~\xa2\\j4\x9a\xfd(\x1a}\xf3\xad\xd5\xc9\x9bPxgC\xb2\
\xc1\xda\x08.\x86\xe5\xb2(\x04\x14<\x9b0\x0e}\x8e\xe8VI\x10\x8a\xce\x1a\xc5\
\x18\xb2:\xe4\x189\xc4\xe0\x0e\x89\x89\xcfq\x1cLxa\x15\xa7T+\x98\x03p\x8f\
\xb7\xad\xfe.\x15]\xe0]\x88\x1a\x18\xd5e\xd4\x90QS\xb0\xbe\xe0\x91\xe0\\\x08\
\xe9\xf7\xaf\x00(\x8c\x18\xd8\xf1L\xb7\x16\xecm\xe3\x88#0\xd4^\xa2\xbc=\xb4[\
\x8e\xf0\xf5\x82\xe6v\xe6~\xd8\x0bKfHt\x9d\x82\x1e\x8dT\x18)\xdf\xf7\x15\x16\
(XW\xed\xdb\xb6\xed\xc1@\x92\xb4{\x00\xa04Y\xb3:\xde\t\x07m\xdb\xce\xe7\xf3\
\xe64\\\xe3\xbb\xde\x9bf\\m\x82Q\x16Hu\xe9\xc4\xf6\xa5\x07\x1b\x13\xdf\xbb\
\xc1\x99\xae\xb3\x18\xb2\xa5TNL\x88o]\x93\xd7\xfe\x98\xdc\xf6\x83\x9a\xd7\
\x1a,\xbd\x89\xda\xf9\xe6\xf3)dOA<a\x13\xef\xb4\x82\x8a\xb9\xef\xcf\x10\x05z\
MK\xab\xed$\x9bU\x00\xc0p1\xb4c\x17b\x87\xd8Dj\xcd]r\x10\x0cb\x97\xc4}\x8cl\
\x19\xc5(\x90\xb8\x03>\x07\x0c\xd3\x85f\xba\xfa\xbb\xd8\xafAI\xd7n\xca\x9f\
\xa4V\xab\'\x8f\xe9w\x93\xca\xc4D\xa52\xa1?hf\xc2d\xd6\x80\xa9\xd4\xab\x94\
\xf3a.\x08\xfcN\xa7;\xa2,\xdf\n\x96U*\x95\x89r\xd9\x04w3\xf2\x17M\xefY\xb1\
\x7fRj2;6\'\x9a\xa4b\x8c\xad\xad\xaf\x0ba.\x97%\x00X,\x14\x8f-.\x98\xa3]\x86\
\xa72u&\xad\xd4\xab\xf3\xbe\xef\x95\xcb\xc5\x8d\xcdmD9R\'o\tA\xc9ZK`\xa8\xed\
\x19\xa1\x04<\x07\\\xc7*\xcf\x9f\xb6\xdd\x9c\xe0\x0b\xad\xdaz\xdc^\xb7\xb0;T\
\xc6\xc6\xc9!\x06wM;\x00\x80\nB\xad\x94\x11\x1d\x94\xdc\xed]q7\x9e\xb4\x1b/\
\x92\xce5\xd2\xdf\x01\xde\x05\xde\x1d\xae`\x1c\xa7*&g\x8c\n#\x04\x08"\xeb\
\xe0\x88\x7f\x0em_\x07\x99\xa8\xab\xa3M\r\xb1]\xbe\x1f&\xef\r\xfd\x9c\x198\
\xd7\xa4\x17\xa5\x94\x9a\x00u]W)5$\xd9/F\rTB\x08\xd7u\xe38V^tB\x08\x92\xd6\
\x8bM\xf3\xa3:o\xdbv.\x97\xd3L\x94\xee\xc6\xda\x10*G[P\xc6wsL\x9d\x0c\xea\
\x9c\x1a[89\x8e\xc3\x18\xeb\xbb\x93\xbb\xf9\xf7\x84\xb5\xa5l\xaet\x9a2\xc6K_\
\x84\xd3\x7f\x1d\xc1F\xc3XGZW\xdc\xce\x15\x03\xd9S\x8fK\xbb\x10\x9f\xfc\xbcg\
Pj\xfaA\xc6\x18i\x9c\xb7X-y\x0b\x8e\xe6<\xbf\xf5\x17a\xfby\n|X\x00B\x94U\x12\
\x11\xa5\x14(Q"J\x04\x9b\xd7\x8d\x0f\xa8\x94o\xc3y\x9451n&\x954l\x03\x8c\xb1\
~\xbf_\xaf7\xd2_\x9fX\x965;;\x13\x04\x81\x9e\x87\x99\x1f\x02\x12,\xd3Z\xb3\
\x89\xecJ\xf2a\xd8\xedt\xb5\xf7\x95N9\xfb\xc9\x0e \xf3\xb33a\x18\x9a\x90\xaa\
\xb3\x91\xb6U\xed\x95\xb8\xf6\x10\x00cI4I\xdf1\x1c\xab\xe28\xde\xde\xd9\xd5W\
\xf4\xa3\x93\x93\x95B\xa1\xa0*d\x94\x1eD\xc3\xb7\xd5\x1a\xb1\x9cK)\xf3\xf9p{\
g\x87s2\x92\xf2[AX{\x15yOU.\xe3{\x0e\xe1\xb9\xf2\x82\xed\xe6\x00\xc0\xb2\xdd\
\xf2\xd4q9\xb9\xd0\xdcYa\xed5\x8a\xbd=&wx\x88\xc1\x1d\x0c|\xd7\xde\xb2\x94R\
\xc1\xfa\xf6\xb5\x7f\xef\xac}\x95v\x96Io=A\xea\xb4\xbf9\x8cp\xca\x19\xed/\
\xadK\xa2\x88\xcd&\xa8\xc0=\xd7]"(\x8c\x94\xb3\x99\x13\xc5\xb7\x05a!\xb3\x99\
\x91VRTR\xc4\xb0R\x9a\x03\x80Rm\x14E\xc39W\xcfr\xce\x87\x93h\r\xeb\xa6c\xb8\
\xe2\xdc-\xea\xfb\xbe\xe9\x90@n\xb85\x81*\xc2@{\x1d\xeb^9\xacsM\xce$\x08e\
\xd7\xf2\xf7O\xb5\x1f\xf1\xd9\xfa0\xb5\xb4`\xe3\x92\xac_"\xe5;L\x9b\x87S{\
\xc2\xe6\xbbCd7)&\xc4\xb8\xfc\x0e2qV\xf7v\xd3\x8c\xc9\x18\xa3\xad+D\xf6\x8dR\
g\x0bd\xc5[\x10m\xa6\xbe&"$\xb0ae\xec\xc6\xfa@\xeb\xa6zr#"\xec\xef`\xe2\x83(\
\r\xd7\xacv\xa7\xd3\x8f2\x11\xa4\xc1u\xdd\xf9\xb9Y\xc5?\x98\xfb\x9c\x98\xd5\
\xae\x001\x83\xf8z\xc8/\x16\xf2;;\xbb<\xf1T\xb9%_\x91As,O\x94\xf7\xd9qE\x1f\
\x9b \x9b\x96\xe1\xa8\xbb\xbf)Uk<\xfd~?\xc3\xc9PJ\xcb\xa5\xe2\xe8\x16}f\x06\
\xb4\xfd,C^)6\xd2\xf7|\x8b\xda\x1c\xe2\xa4h\x90>8\xc4\x82\x92\xf3\xf6u\x00 \
\x00\\\x80\xdc\xc3\xe1\x91X\x8e_N\xad\xb7\xa0\xd4R\x10\xdf\xaeo\xc6\xadU\xe0\
-\x9aL\xe6!\x99\x84\x1fnp\x87\xa4}$-\x838k\x7f\xe6]\xfcw\xb4\xf6\x02(\xff\
\x87\x0c\xffk\xd6\x9c\t[\xc3\xfe\x0f\x00i\xd0T"\x18\x18\xb8\xac\x9a\xb2\x15\
\xef\x0c\xe9\x8bq)\xd3\xfc\x82r%\xceXt\xb5\x83\x04&\x86Js\x82\x0c\x89\xb9X\
\xdb\x00\xd5\x9fC\x95G\xf3m\xa6\xdan\xfc\x12B\xd5Pav\xa1Lw\xca\xca\xb0Q\xc00\
\xb5\x11"\xdbdfL{F\xe4\x1fk\xbb\xa7|\xb6\x9e\x1a\x18\x0c\xe6\x1a\xfa\x9br\
\xe5AZz\x9b\xd6\xbeew\xb3\xb0\xf3\x90a\xa80*\x91\x10\x00\xe03\x1f1\xe7\xefZC\
T\x95\xef\xf7\xb7\xa8d\xa9\xcf4\x8a\xd7F+I\xdd\x90\xfa\xb8\xe3\xac\x0bf\xce\
\x11\xb1_\xd3\x1f\xcb\x1cc:\x9d\x8e\x1cF\xec\x1a\x0c\x0b\xf90\x17\x86\xa1F\
\xf6\xb1\x8c\x87:cn\xf8\xa9\x07\x0c\xce\xb9\xe7y\x94R\x10j\xd9\x0e\xdc\x92\
\x17\xe0 \xfd\xc0\x0f\xd4\x8cPO\x11nH\xbf\xa4E7\x0b]@\xc8\xa0\xaa\xd9)\xe28\
\x16\\dn\xb3,R.\x97M;\xeah6t\xd7 \x86C\x9a&$=\xcfu\\\'\x1a\xc4BxUS\x997\x9b\
\xf0\xd6u\x141\x00 \x00\x17{.R\n\xca\xc7\xe8\xb8\xcd\x06(\xb5\x8a\x959\x9c\
\x98\xed\xb6v:\xb5e\xc2\x1a\x94\x0c\xaa]"=\xf4\xe0\x8e\x89H\xd6%\xcf\xfc\xa2\
u\xe9wA\xb2=1}\xb4\xdbg\xac\xa0$\xddt\x87\x1ct\xaao\xab\xa6LD\'\x95\xc2P\x08\
\x00 \xf5\xac\xdc\xa4\x93X\x90L\xd46\x05\x92\x96\x9dQ\xabMeJ\x99\x10\x86z\r\
\xd9\x83?\x01Pz\x1eI\xf6\xcd\x19\xab\xa6\xe1\xd8\xa8 \xc4\x98\x82g\xa8\x95q\
\xfdP\xb3I\xaa\xc7r\xcew\xf3\xdf3\xd1}\xca\xc2\xfe\xf8\xbc\xa1\xc4\xeb_\xc5\
\xdb\xfe\xa6\xa4\xa1\x022\xe8\xac\xf8\xed\x0b#U7\x10\x1e\x1c\x13s\x1fw\x8cR\
\x98|\x8e\x10\x02D\x0f \xb5\x96x\xa4&n\x14OF\xd7X\x06\xfa3\xf7# \xef\xe9\xaa\
KaY\x14\x8fB\xcc(\xc1=6wz\xd2i\x8e\x94\x8e\xe3\xc4ql\xdb\x19\x0b\xe7x\xa6\
\xfb\x86B)u=\xd7N\x13\xdc7)Dc\xbaQ\x9dYZF\x8fv\x9cs\x89\xd2xVe\xc3*\x14\n\
\xda\xac\xbdO6\xf4\x98\'\xa5\xd4\x15\xa2<n\x8d8\rp\xcb\x15\xf2f\x13\x141\xeb\
\xac\xaa\xe3}\xd4v\xea\xf8~qa\x9ft\x08!a\xb1\x1a\x16\xab\xad\xdd\xe5\xf6\xd6\
%\x8b\xaa\xedX\xf1\xd0\xc7\x96\x19\xd8\'\xfb-|\xe2\xe7\xe8\xc5\xdf\x02\xc9\
\xf4\xb5\xe4\xc0\x98e\x13\x9394\xd6\xcb`\x1a&R\xeb/\x10\x06\x11b\x86\xb4\x8c\
"U@&4\xb1\xa9\xf7\r)\x02b\xba\xc1\x11cy\xa7f\xc05\xf1::eN\xf2\xb8\xb7\xd2M\
\x92\xf6\x9d\xca|J\xcf;\x00\xa9\xaa\x8b\x9c\x19\xd5\xcc\xe3,R\x9b\xf9\xd7@\
\xd6\xc8\xbf\xa7\xeb\x1e\x1f\xa32c\x12`\xa7~N\xec\xbc\x94L\xe1\x99S\x7f\x8eh\
\x9fN}O"\xd1\xec\xc7\xad\xdcd\x06\x1fM`\x1dD\xa3%\t]\x80FUh\x95\xdc\xac\x1cb\
Lw\x00\xb2\x9fl4\x05\x93\x90\x10\x91\x1eeS\xb37az\xc7\x0fpp\xff\x0f:*#\x1c\
\x97eYv\xfaA\xa387#z\x8c\xbfUd\x07\x93\xdd\x1e\x9b\x82\xd6Q4\xa7\x848\x1a%\
\x98z\x9e{\xc0\n\xd1S\xc3L\x9dPJ\x8c6z\x8b\x15\xf2f\x13\xd6Z\x02\xc9\x01\x00\
\x11\xc4\xdej{n\xe2\xa4\n!yC\x89:\xdb\x02\x95\xf7$0~\x98\xc1\xdd\x98\xbb\xc5\
\xf2\xe5\xff\x87^\xfe\xbdTO\x1e\xf6^\x04b\xf2\xaaC\x10Aj#\xb1\x91XHl\x04\x9a\
\xed\xd8\x00@4\x10\xa4\xfa\xf6\x00\xe2\xa9\xa3\t\xe2\xe4\xb6a\xe6\x082*\xfbc\
]\xcb3\xaa\xfa~T\xf8\xbe\xe5\x1f\x84\xe9%i\xe4\xdaG\x99\xdd7\xb9\xc1\xe3&w\
\x01\x06z\x8ed>C\xceP\xdbk\x04w\x03\x8c\xe4D\xa7\x13\xd5q\xe3\xf1\x81%\xb9\
\xb7\x9b\xdf\xfc\xb3\xc1y]\xe7I)\x90\xd8b\xfa\xfd\xa3\xc8\x9e\xaa\x7f\xe2$cv\
\xfa-\x90\x8c\xe5D\xd3V\xe3h"H\x06\xe6\x8c\x98__\x8f\xd3\xc6mf\x1eFjz0\xc388\
\xb2\xeb\xa1\xd7\xb4x\x9b\x1a\x88!\x07\xf9\xac\xa9{\x08\x01J^\xddf\xa7\xd9w\
\xe2\xd8l\x98ub\xc4"\x1c\x18p\xd4\xe5\x837\xf2L\x85\x0c\xb8J\x04\xd8\x83\xf7\
?\xa4\x82\xbc\xc7;k\xeaX\xa9\xedc\xc5\xf6\x8b^\xfe@\xa1\xa7Yg\xc3\xc3z)\x80r\
\x0e\\\x07Z\xfdC\xa9\x1f\xbd\xcf\x00\x00 \x00IDAT\xcb\xb9\xeb\xc6\xc4\x18\
\xe3\xb5\x97\xdd\xf3\xbf\t0\xc2\'\x98g\x00\x81\x90\xd8\x99\xeaz\'\xfb\xeellW\
\x19\xcd\x0b\xe2!\x10\xb5\xfc\xbe\xd2}b\xa6\xfd`r\xb3\x16m\xdf\x1b\xbc\x14\
\xcc\xe9\x02-&\xf7\xa7\xb4\xe5A\x06$\xa7\xfd\xcd\xfd\x89\xce[\xefu\xfaE@\x86\
\x8e\x9b\xfb\x91\x0f\x07H-C\xe5+A\xcd\xd8ds>\xa2oZ[\xa5\xef\x9dj}\xc3\x13\
\xbb\xa9[\xcd\xf9\xfc\xb5?\x14\xf3\x9faP&\xedk^\xef\x95\xd4\xcc\xc9\x80\xd4\
\xa8z?T\xde\x911T\xe8jW\x07\xcc*!\xb5\x87+K\xb3$\x92\x19\xac\xcd\xa0\xe62\
\xdcz\x16\xdf1uF\'\xc8\xba&\x93&\x93\xe0\x01\xb6e\xa5)\x02\x02\x00\xfd(:\xe8\
l\xc9\xa8Lj\x08$-\xed\xe6%\xf3\xc6\x9b\xcb\xc6\x1e\t\x9a\xcd{\x0c\xbc\x9au\
\x02@(!\xe9gAJ\xa9\xeb\xe4@\xafL\x0fxjT`\xd9\xb0h\x87\x9e\x93\x89\x9b\xd7\
\x00%\x00H\xdc\x8fm\xcfM\x9c<P\x8fF\xc1[W\xf56*\x94@\xc1\'\x87\x12\xdc\x87\
\xf0\xaaV\x99^\xf9#\x1am\xa7\xd0-\xc3$\x10R\x0f\xee\xdd,\x7f\xb2\xef\xccr\
\xa7,hh\xa6\xa3\xc4\xe3\xdb\x00\x0f\xea\xfbS`\x91`:\xa4{]\xdf[@b\r\xb8\x85\
\xcc\x88\x82\x08\x84\xd0\xf6U@I^\x8fJ\xd6\x86_0\xbb^\x9a\x88\xb8e\xd9\x07\
\xef\x06\xd7\x87}\xcf\xf4\x89\x8c\xbc\x99\x9d\xf0}\xf3\xcd\xaf\x0c\xb2\x91\
\xe1\xb2\t!\xadW`\xfb\x19^\xfe\xa0\xbb\xfb\xf8\xe0R\x06\xdf\t\x01\x80x\xe1\
\xfb,7\xb7\x97\xae\xa7\xbeW\xe4\xce\t\xea\xdb\xbc5\xac\x84t\xa1k\xb9{\xeb\
\xe1\xbb,dc\xf5\xcf\xd1/\xabqLm\xbb<\xf0O\xf5<\xcf\xa6\xd6\xfc\xfb\xf5\xacX\
\xb3s\x88\xe8z.\xa54\x13{\xa0\xddn3\xc6nj\xdbkM\xbb\xa9"G1\x1b\xf1U\xc5QT=x\
\xca\xb7.\x04\xd2\xef\x1d\x9f\r\xdd5\x08\x01\x9aZ"G\x00@H\xd9h4\x17\xe6\xe7o\
\xe2\xb5\x86PJ\x95\xa96\xc9\xc1@\x979\xd4\xf8\x8e\x92\x8b\xfe@\x07\xe2b\xcf\
\xaf\xeb\xe4*N\xee\x06\xbb\x10+a\xade\xc9z\x00@\x08p\x01\x88\xe0\xda\x87Vs\
\xd7\xc6\xf4(\x8a\xc2\xc1\x16\x19\x98a\x9c\x13\xa8\x85\x95\xca\x03\x9b\x95\
\xef\x93VN\xd9\x95\x94\x1b\x9c9\x97\x14BP\x10)Nf\xf4wDbg\x1a\x91\x12\xf5\xa0\
\x16\x93~Y\xfeS\xb8\xe3o\xc3\xe4\xd91\x0f\xbfZ1|\xc33^\xde\x84\x10\xd1\xbb\
\xf9\xf4F\xbaJ\x86\xa1J\x8b9q\xd6\xfa;c\xac^x\xdf|\xe3+C&d\xf4\xc1\xed\'Epo\
\xb8\xfdu\x9dP\xe6\x06\x1e,@\xf9\x0e\xd3\x07|\xac\xf4\x83\x93\x9c\xe4m\x92,"\
#\x06\x12!\x02!\xdc)o\x95?u\xe3\x82\x0f\x8b;\xa8\x01\x9a\x04l\xf0}?\x0cC\x12\
\x86\xbe\xef\x8f\xbd\xd3u\\\xd7q\xfb\xe9\xdd\xe3z\xbd\xfe\xfa\xfa\xc6m\xb7\
\x9d>\xe0{5\xb2\xeb\x83f\xb3)D&\xc4\xe3\xadc\xf4\xab\xc5\xf7tb\x99\xbf\xb5S\
\x80~\x97\xe3:\xd0K5?!Dk\x10j\xe6\x16%\x8a"]!o\x8d\x08b\xbc\xb3\xaa\xac\x83r\
\x1f\xb6\x9d\x90\\\xe5@\xad\x08E\xc4Z\x03\x7fJD\xd0{\n\x1c>p\xcf\xa8\xedQ\
\x14\xe5{\xca\xbd:\xbb\n_I#\xbco{\xe6\x01\xdb\xf6\xf4\xdak\x92\x80\xbb\xf6\
\xcf%\x848\xb2=\x86\xd5\x81,\xfa\x98]\xa5\xef- \xb1\x01\xb3\xbb\xda\xeb\x14H\
o\x03/\xfe.\xbc\xefg\xe1F\x1b\xfa\xdc\xb4\x0c\xd5\xe1\xc1\xff\xa9yF\xb4\xbd\
\xf7\x93{\'\x88\x90\x19$\x00\xc6\x81\xfe\xe0\xf6\x81V\x95\xf1\x89\xec\xf8g\
\x1a\xc1]\xa5\xfe\x8b\x00i=/\xc9\x9b\xbb\xf5P@+n\xb42\xccm\x9ac\x8e\xa6>BK\
\xa7\xc6\xda*\xccWs\xab\x18;U\x9f\xaf\x0f\x07\xb9\xf4\xd7/u_,\xc8\x8d\xc8\
\x1f\x1f\x8d}T\xa8\x8c$\xf5T\xfa\xf6H\xdc\x95\x8c\xc9D\x1dX\x16\r\xc3\\\xc6\
\xd5\x9ds~}e\xe5\xe0\xe0nr}\x00 \xa5\xac\xd7\x9b\xa3\xb4\xcc\x81\x03\x8a\x0c\
+\x02\xf7\xa0\xc8_\x85dU\xcc\xd1\x0f\x94\x0fC#\x14\xfb\xe0\xfe\x8d\x8dM\xb5@\
\xe9\xd6\xde\xdah\xb6F\xf6\xb7\xba\xc5\xa9\xcc\x9bAP2\xde\x1e\xc4#\xe2|\xcf\
\x92x\xf9i\xdb\xcb\x1f$A\xd6\xbc\x8a\x92\x03\x00\x10\xe0|\xe8us(\r\xaa\x86)\
\x95\xc5ql\xb1\xdd\xf1\xf7\x11\x02\x844\xa7>\xe3\xe7\n\xb9\\.\x97\xcb\xe5\
\xd3\x92\xcb\xe5\x82 p]\xd7\xb6\xadR\xff\\V\x01\x1f\xd0\x05\xa0z\x88\xa9[)\
\x89\xbd\x85Vpg\xf6\x8d\xe61"\\\xf8\x1dq\xee\xb7\xf6\xda\x8dH\x89\\{H^\xff\
\xf3[\xae\x8b\xec8D\x80t\xd7\xa1\xb7y\xd3\xe9\x8c\x15\x93\x8b\xcf^I\x99U\x07\
~A\xb6\xbbY\xfaxr\xff\x98\t\x8d\xd5[-/\xfd6An\x189\x93;\x11$\r\xc4\xf4\x07\
\xc6:x\x90\x11i\x07\xb7gk\xc0(\x8b\xcb6\xa7;\x0f\x05A\x10\x04A.-\xc1\x88L\
\xb2\x0b\xa7\xd6\x7f\xad\x0c\x9b\xeaf\x1d\xe7G\xe3\xbb\x99\r\x00\xd0\x88\x9f\
\xcb\x05\xd9\x92\x02\xac\xae\xae\x8d\xdbFuO1\xf1}w\xb7\xd6\xed\x99\xcf\x92$\
\xd6\xcf\x01\xb1\xcc\x18\x84^{\x0b\xe4~\xa6#U!\xa5b\x81\x90\x94\x11\x02\x00\
\xb6\xb6w\xae^[:\xf8kL\xbe4\x8a\xe2\xcd\xad\xed\xf4hw\x88\x91\x1d\x00X\xe2\
\xdb.\x10\x84\x1c\xaf\xb6\x13j\x07\x13\xa7\x0e\x92\x9a\x8c[\xbc\xb3\x0e\x00\
\x84(\xfa~X5\x87\x12\xdc\xcd\x95\x8a\x8c1\x82\xa3\xee\x8f\xc3\x0eo\x853a\x18\
\x86ah\xc2z\x18\x86\xaa\x93\xabUs\xe5\xeesa\xff\xf2\xe0A2\x82e\x98\xd2\xda\
\x88\xb1\x94nK\x03\xd9xe\x9f\x00\x01\xf9\xc4?\xe7\x8f\xfd\x1c6\xaf\x0c\xd3\
\xd3\xa69\xc1\xc5+\x7f$\x1e\xfcI\xfe\xf5\x7f \xae}\xe5\xa6+"\xe5\xb4\x97\xd8\
B\x81\x90h\x1b\x96or\xb4H\xd9c\r\x9dOy\x8c\xecK\xce\x8c\x84\x9a\xb9=\xb6+\
\xa94u\xf6\x08\x01D*\xfb\xc3\x93)\x8f\x14\xe4\xc5;I\xe5\xae\xbd\\\t3\x86\xc7\
\x9d\xd2\xc7\x98U2\x86a\xa3\xfe\x11\x81\x90\xc9\x8d?\x98j?\x9c\xdfCT\xab\xc8\
\xe5re\xb92w\xfdW\x0b\xf5\x87\x17_\xf9\xd9\xe9\xd6\xd7\xc30\x17\x86\xa1\x8e\
\x1f`\xae\xda7\x91]\xfd\x16\x0b\x05\xdb\xb23XS\xaf7\x1e{\xe2\xa911\x1e\xf6\
\x10M\x0f\xf6\xa3\xe8\xca\xb5k\xc6n\xa8\xf8j\x80\xec\xb5\xd0\xdco\xfcxF\xe3\
\xf1}/\x1f\xe62yf\x8c\x9d;\x7f!\xbd#\xeb\xde\xafL\x86:U\'\xcb\xcb+\xedvf\xa4\
$\x07\xcc\xdb\x9bPPDC\'\x19\xbe\xa7q\xcc/-X\x8e\xbf\xc7\xc5\x94\xc4\x8dW\xf4\
\xc8\xa7\xe6\x01Z\x0e1-\xa3I\x15\x03\x86\x0c\x98#\x833\x85\xde\x8b,\xf7\x01\
\xa5\x82\x99\xde\x17jM\xbf\x94\xd2g\x1bS\xeb\xbfC \x1d\xd4ph\xb1LQ\x8a\x19|i\
\x87w\xf7\xdc\xf9\x80\xad\xa9\xcb\x19\xaf\x0f\x9d\xa0<\xf7\x7f\xe3\xda\xc3d\
\xfa=d\xe6{\xa0t\x1b8\x05d]\xac\x9d\xc3\x95\xaf\xc1\xf5?\x03\x11\x01\x80x\
\xe4\x1f\x13\xcb\xa3\x8b\x1f;@\x1dX\x03\x83R\n\xfb\x8cc\xd6\x83\x17~UR\x9b\
\xbe\xeds`\x19\x9bR\xb2\x8e\\\xfd&T\xdf\t\xde\xd4\x98TM\x0f\x19\xc0\xa1\xc9j\
O\x9d~\xe8\xb3o\xba\xcdD\xee\xd4z\xf1\x13\xc7\xd5v"\x19|\x1f%\xf1\r\xfd\x1d-\
7\x9e\xf9^\x1aT\xf6B\xf6L\xfd\xf7\xdc\x99\xed\xfc\x07\xe7\xea_\x1e&\x95r\x91\
\x02 r\xe2\xf2\xaf\x04V\x14\x9f\xfa\xe1L\xe6\xb5\xd7\x8d\xb3\xf6\xe7\xe1\xc5\
_\xb5\xfak\x00h\xf7\xd7\'.\xfe|\xd8\xbb\x14\xbf\xfd\'\x88_P\xe5\xcaL#\xcc\
\xc5\n\x94\xd2 \xf0\'\xb31i\x11\x80\\|\xf9\xe5\xa9\xea\xe4;\xee\xb9{|\xdd\
\xe9[\r\x0f\x1c\xce\xf9\xb9s\x17j\xf5\x06I\xf9\xa8\xdc\x02e>|\xf6Uk\xb8\x07z\
\xdc\xec\x11\xb6m\x17\x8b\x85V\xbb\x93\x19\x96\x96\x97W\x9e~\xe6\xd9\xf7}\
\xcf{\x0fb\x03\xd0\xbd{kk{iy99\x8d\x06\xac\xbf\xe6\x93\x92\xef\x90\xc4\x8d+\
\xca\xb7\x9dK\x10r\x8fUK\xb6\x1f\x94\x16\x0f\x92\x1a\xefn\x8a~\r\x00\x08\x01\
1\x92\xe0\xe1\x03w%z!\x89\x94\x92[%G\xd4\x86\xd7R|4\xe4\x97\xbf\x18\xcf\xdfO\
\xe7\xdeo\xce\xaf\xd5X\'\x84\x08v\x1e\xae\\\xfcuW\x87\x84\x844\x1eA\xaas\x91\
\xf4\x12$\xcb\xb2b+\xb7T\xf9[wl\xfc\xd2 \xf6\xac\x89\x8f\x86\xfa\x0e\x88X?\
\x8f\xb5sp\xf9\x8b\xe0U\xc0\xf6\x81G\xd0\xdf\x02i\xe82\xfd\x1a\x7f\xf8\xa7\
\xec\x0f\xfe\x12]\xf8\xc8hy\xcd.!,_P\xcf\xd2VS\xd3gF\x1f\xf76\xe5\xe3?\xc3\
\xae|\t\xc2yby\x88\x12X\x17:\xd7\xb1\xbdl}\xea\xffE\xb7:\xbeZM\xdf\x15\x1d?k\
_\xdf\x1b\xdd\xa55\xf3\xce\xb9\xdd\x08\xefc\xcd?ux\xb2\xe7u&}\xf3\xd80\x87\n\
wZ,|\xca\x1fgJ\xd5\xb0\xaek^\xbdw\xb3\xf4\xf1\xc9\xf6#\xae\xa8\xa529H\x13\
\x01\x81\xb0Fp\xee\xff\xf4v\x1f\x93\x8b\x9f\x96s\x1f\x05\xaf\x92\xcc\xf6\xeb\
\xb0\xfe\xb0\xbd\xfag\xf6\xc6\xc3D\xf6\x00\x92\xf9\x19A\xf7\xfa\x1f8\x9dW\
\xe4;\xfe\x072\xfb~\x8dY\xa6~\x9a\xc9\xc6\xc4Di\xb7V3\xd4m\x02\x00\x82\x8bG\
\xbf\xfd\x18c\xec\xdd\xf7\xbdk\xaf\xaa\xd3$\xbb\x10\xa2\xd7\xeb=\xf5\xf4\xb3\
K\xd7\x973\xc8>\xbc\xf9&\x14U\x92\xfa\xe7\xf5\x14s\xc4\xd5\x1f\xa5\\.\xed\
\xee\xd6{\xfd\x94)\x02\x11\x9fy\xf6y\xd7\xf5\xee{\xd7;\xf7I\xd0\xd4\xdb666\
\x9f~\xe6\xb9\xd1M\xba\xc7\xae\xcc>\x14"\xfa\xbb\xa2\xbb\x01\x00\x08\xc0\xf7\
\x8e\x11\x16Vo\'\x07\xb0\xd2\xa1\x8c\xe3\xfa%H\xf4X6\xb2\xdf\xcc\xa1\x04ws\
\xe2\x86\x88\xb1;\xe5\xf4j{\x81\x08\x89k\xde\x13?\rw\xfcWt\xfeC\xa4t\x06,\
\x0fYW\xb6\xae\xd3\x9d\x97\xfc\x95\xaf\xdbk\x7f9\xe8\xdb0\xc2\x98\x03\x98\
\x9a`\xa6ck\xe7\xeef\xfe\xde\xad\xf6\xfdS\xed\x87G\x00=\xfd\xa7\x12\xd1\x87\
\xee\xea\xf8R\x11\x02\xbd-\xfe\xc8\xffd\x7f\xf8W\xe8\xcc{\xf7)>\xb7+\xb1=\
\x19\xc81{D\xa4\xca.b\xdc|\x0c\x90\x0c\xf8l\x85wV\x00t\\\xbbA\x84\xd1\xa9\
\x8f6\xd5\xee!\xaaNT=\x98>\x91\xb17\xdf\xf4\xef\x9c\xec<6L\\\x97qlV\x01\x00\
\x91\x17\xef\xa4\xe1\xac5.\xd2\x96~\x9d9Q\xb0,+\xf2\xe6W\xca?pj\xe7\xb7\xc7\
\xa4?\x8cA\xc6\xe9\xfa\x83t\xf3Q\x08\xfe\x15\xe6\x8f\x83\x9d\x07\xd6\x82\xf6\
2D;\x03\xb7\xa2\xcc\xfa\x00D\xb2\xfb\x8c\xf5\xc8O\x92w\xfe#z\xfb\x0f\x13\x9a\
\r\xd1\xa3\xf3\xa0\n\x9e\x0b\x82\xa9\xea\xe4\xeaZv\x87\x8a8f\xdf~\xec\x89\
\xddZ\xfd\xae\xb3w\xce\xcd\xcdf\x8a\xa3\x91\x9d1v\xe5\xea\xd5\x17^8\xb7\xb9\
\xa5\xd4\xffQ\x1eFY\xba\xdfp@\x1bO\x10\x8d\x8ev\xbe\xe7U*\xe5\x95\xd5\xf5\
\xcc#\x9c\xf3G\xbf\xfd\xedN\xa7\xfd\xae{\xdf\x99\xcf\x8f1\x15\xeaIL\x1c\xc7\
\x17.\xbe\xfc\xdc\xf3/\xf6R\x8e7\xdf\xb9A\xebu\x12\xd6\xbc\xa6\x0e\xa4\xdc3\
\xd8\x80\x13L\xb8\xe1\xe4\xc1R[R\xdc}\xc6\x8e\xaa\xe5P\x82;\x18\xeeh\x88\xd8\
\xf6\xef\x08\xbb\x17\xc6`\x90\xc6\x8e\xfe\x0e<\xfb\x05\xf9\xc2\xaf\x80?\x05v\
\x08\xbc\x03\xbdm\x1b\x19\x98K\xa5M\xa0\xd9\x17\xce\xac\xf4VD\x9c{\xcb\x13?\
\x14\xb0\xd5||5\x95T\x863\xc1\x11\x85#\x0b\xa6\x04\x10\xa1\xbd,\x1e\xf9i\xf8\
\xc0\x17\xe8\xf4}c\xdfN\x08\x89\xbd\x99\xc8\x99\r\xe2\x95\xf1\xa9\x99\x13\
\x17L\xb8\x15\xcdTPg\xbc&\xae]V\xc6[\x1d\xf6\xd42L|\x1f\xd6\x89\x93\xdb\xc9\
\xdf_\xe9>E\x90\x8fB\xe7\xd8/%\xad0>\xfe\x83\xce\xde\xdb\x89\xe8\xc15\x13\
\xd3f\xbb\xf0\xa10\xba<\xddzp$\xe54\x18\x89\x08:+\xa4\x93T\x9a9\xde\x8cU\x0b\
\xa2\x1a>\xfe\xcf\xb0\xb3B\xdf\xfbOL\\\xa6\xe3BGLV*\x9dN\xb7\xd1le^*\xa5\xb8\
p\xe1\xe2\xa5K\x97\x8f\x1f[<u\xead\xa1P\xf0=\xcfq\x1d\x94\x18\xc7q\xb7\xd7\
\xdb\xdd\xdd\xbd\xfc\xca\x95\xad\x94\xc1P\r!\x06\x9b\xf5f\x81326/d\xc4\xae\
\xce\x18\x9b\xacL\xb4\xda\xedf\xb3\x9d\xb9YJ|\xf6\xb9\x17\xae\\\xb9v\xcf=w-.\
,\x14\ny\x1dvI"\xb28\xeet\xbb\x9b\x1b\x9b\xe7.\\\\_\xdf\xb8\xd5\x95\\oR\xe1\
\xddM\x197\x01\x00\x01\x98\xd8\xa3h\x84\x04\x95\x93\x07I\r%\x17\xddM\x18gG\
\xd5rX\xc1\xdd\x94\x9d\xd2\x87\'\x1b_\xb3E\xc6\x97\xd1 \xc1\x11\x80 \x88\x18\
\xda\xcb)f6\x03\xe8\x19\x18\xd2\xc7I#\xd3\xb4\x8c\x9dD`W{\x0b\xc4\xfe\xfc\
\xd5\xca\x7fq\xfb\xf6\xaf{|{\xc0\t@B\x0e\x80\x81\xb9C\xcep\xe4E\xc6\xeb\xb0~\
I<\xfcS\xf0\xe1_\xa6\x93w\xa7/\x0e\x04\x89\xdb\xf1N\x95;O%N&\xc9"{Hc\x96\xf6\
BI\xbf(YL8"\xe3\xac\x05\x07\x99\x01\xd3\x91P\x04\x96euroo;\'\n\xf1\xe5\xe1}&\
\xe73$\x7f\x069\x14\xe1q\x9c\xb9\x7f\x1f\x0fHH\x03\xab\xaa|\xce\xb9p\xc2\xeb\
\x95\xcf;\xbc1\xd1\x7fn\xfcz\xda\x14\x11?2\x87\x18{F\x1d\x17N\x90\x85\xac\t\
\x84\x18\xab\xb7t\x1e\x1c\xc7^X\x98\x13R\x1a\xa6\xbf!/,\x84\xb8r\xf5\xea\x95\
\xab\xd7\xd4\xe3\xb6c\x01\x12\xc6\xc6\x04\x1dSR*\x15\xfa\xfd~\x14)7\x81=\xd7\
.\xbe\x11\xa2)\xef\xe4oc:kj<R\xca\xb9\x99\x998f\xfd\xfe\xe8\x0eJ\xd0l5\x1f~\
\xe4[\x00d\xb2R\xa9LV\xc2\\\x8e\x10\x88\xe2\xb8Qolnm3\x96\xf5-&\x04\t\xb1\
\xa4\x14F\x8d\x1d6\xdcG\xc9Z\x03\xb5]\xed\xc81\xf6\xb3\xba\xe1\x94\xe3\x97\
\xc6]\xc9\n\xef\xac\xa1\x88U"{\xf9S\x1eJo\x190Z\x15\xa54\xf2\x8e\xad\x97>=\
\xb8\xa0\x9dFR\xe6\xa8\x94Z4T\xd6\x92\xfa\x104h\x04w\x0f\x11G\'e\x92\x15\xc9\
{5\xb8\xa8\xee\xadL\xb5\xed\xdc\xd9\x97\xab?\xd6\xb3\xe7R\x13h\x92\x01\x914\
\x8e`\xc2\x97@\x16\x7f\xb1\xf1\xb2\xf8\xc6?\xc4d\r\x9b\xc9l\xaa\xdf\x9d\xf2\
\xc7\xba\xce|\xd6~h\xe4rx\xa0\xdf\x95\xa8\xe4*\xd8\xc7\xf8j\xddk\xd4\xd9[\
\xc6vo\xcb\xb2\x84Sn\x05g\x87\xa5\xd3\xa3lf\xc0H\xea<\x9e\xfe\xf0\xa8\xf5r\
\xec\x8b\xf4(\xa2w(\x15\xee\xe4\xe5\xa9\xffz7w_\xda\xf002Hg*$95v8\xc7\xe2i\
\xbc\xff\x0b0{\xff^y\xb0\x8dP\x8e\x96ey\xae{lq>\xcc\xe5\x86\xc9\xa6?\t\x0c\
\xd2E\x16s\xc6\xd8(P\x02 \x00\x86anvf\xda\x98\xbb\x10\xcc\xde\xf6FI\xba\x13\
\xe9?\xd2\xdfEo\xc7\x91\xcb\x05\xc7\x16\xe6]g,w<\x18\xf6vvw_~\xf9\xd23\xcf>\
\xf7\xf43\xcf\xbe\xf4\xd2\xf9\x95\xd5\xb5\x11dG\x00\x98(O\x14\x0b\xf9t\xabx3\
\ry\x07\x10\xdeYG\xd6\x85\xfd\xd9vBs\x95S\x07I\re\xcc\x9a\x03\xd7R\xb9\x8fa\
\xf6\x96\xb2\xfa\x06K\xc6e\x85X\xcef\xe9S\xbb\xe1{\xd5\xb5\xe1\xaf\xa1\x18\
\x0e\xbd\xee\xcc\xe9n\xe2\xc1}\xbd\xf2\xb9\xed\xdc{\x07\x8fd\x94\xd64Ga*nj\
\xff\x01\r1\xed\xdc\xd9\x0b\xd3?\xb1\x1b\xbc+;<$O\x0e\x95\xeb\x94\x0e\x0b\
\xd9\x9b\xd5\xf9\x85\x8f\x9a\xe4\xb8i\xcb\xa5\x94rwj\xb9\xf2\x80\xa0\xfe\xf0\
YS#\xceHz\x82"\xf7\x8aQ\x04\x06\x08\x1a\x83\xc1\xfe\x06U\x9d\xbdQ\xe5}\xab\
\xf4\xf1\xbe3\x95\x86\xdaq\x0b\xc4\x10\x857\xc9\x8f\xff\r\xcb\x88h\xbf\xff\
\x8b\xf4\xc6UzON\xe1V/O\xfe\xe8Z\xe1\x93\x98i\xd2\x9ak\xd2\xa3\xfe\xe0\xed&y\
\x95\xcdU<\xfd\xe1\xe8=\xbf \'\xee\xc9\xac\xc0\x1c\xcd\x83\xb9)\x87\xefy\'N,\
NV&\xf4\x88\xad_\x9f\xfc\x8e\xed\x83C\xd0\x0cs\xa1\x02D\xc3\x8b\x12o\xd9]\
\xfd\xb5]\xc4dTC6M=\xb4k\x8dG5\x800\xcc\x9d8q\xcc\xf7=\xd8O\xd2\x9f#\x9b8)\
\x14\xc2\x99\xe9\xaam\xdb\x88\xa3W\x0f\x87\xa0\xe4\xac=\xf0\xf9\xd9\'\xb4\
\xaf_Z\xb0\x92}\x86\xf7\x17\xd6\xb8\xa6\xc3\xdf2\xb1g\xa5\x1c>ZF\xab\xb1\xa6\
Q\x8b\xbb\x13\x97\xab\x7f\x8f\xef\xf8\xd3\x9d\x87\xb2\xe8lB^\xca\r\x06\x00@R\
o\xa5\xf2C\xeb\xc5O\xce\xd4\x137s\xd5\x86L\xd2F\xdbf\x13\x93\x9an\xca\xdacG\
\xdd\xd0\xf7\x8f_\x9a\xfa\xfb\xd5\xf6\xc3\x0b\xcd\xafxlk\x08\x19Y"\xc8\xa0SF\
\xb8~Y8\x8dw\xff\xa4}\xea\xaf\xa1\xed@\xb2_\x8f\x1e\xc9\xb4\xd9\xaa^x\xdfe\
\x11\x9f\xde\xf9\xb7\xb6\xec$/J\x05\xc31\x12\x1f\x8eR\x03\xb5},^g\xb4l\xb3\
\x0e\xf7\xd5\xe5\xf7R\xde#o\xae\xed\xbf\xcdo\xa7\xb7\xae7K\x9d\xe43\x9a\xfe\
\x18\xcd\xcf\xef\xcf\xc9@2\xc2!\xa2\xae|s\xdb\x13\x0e\x95k\xd5\x1f\xa9\x07\
\xf7,4\xbe\\\x8c.\x0e\xbfrfn4\x96aO\n.\xecR\xe3\xd8\xdf\x16\'\x7f0(L[\t\x7f\
\x85F\x04|\x9d\x07\xcb\xb2\xcc\x06\xa0\xee\xf4=\xef\xd8\xe2|\xa1\x90\xdf\xd8\
\xd8J\xdcE\x12vn|\x8f\x1e*\xf8\xd3S\xd5\x99\x99)\x8bR\xce3\x91\x84!I\xe7\xe6\
\xe4\xb5X\xc4\x84:\xe7\xfb|\x14Hb6(\x8d\xc7\xac\x930\x17\x9c>y|s{g{{\x8f\x95\
\x86\xd9\x1c\xa6\xfe\x9c\xaaNNOU)%I\x17;\x94\xb4\x0co\xaf\xa8-\x01\x10@\xec\
\xc1\xb6\x13\xcb\t\xca\x07ZM-Y\x87w\xd6\x01\x08\x10\xe4bO\xb5\x9dX\xee\xe1\
\x03w0\xd4g\xd5\xc9\xd5^\\\xb1[\xbe2\xf5\xa3m\xef\xe4|\xf3\xcf}\xbe\x010\xd6\
\xb0\x99\x08"\x10\xd2\xf1\xcf\xacU\x1f\xa8\x05\xef \x12-\xbd\x12\x8a\xc0\x10\
\ru"\xc9\x12S\xb3)\xeb\xd8\xbff\xc68)n\x94>\xdd\x08\xee\x99j?Tm\x7f\xcb\x17\
\xc6No\xc3\x03b\x8c\x1f\xc3\x87\xb9[\xed\xcf~\x1aO\x7f\xce\x9d\xbc\x9d"\xd0\
\x11L\xd1l\x00cL\x08\xb1[\xfc@lW\x16\xeb\xff\xa1\xdc\x7f1\xd5\xdc\xb3\xd0l\\\
\xe1}\xe5f\x9b\xaaO\x14\xa0\xf6\x0bTw\x8fN\x02P\x8c\x1f\x0f\xc6}\x11\xc3\'\
\x92\xef\x84\xef\xabt\x1e\xa72\xcabk\x1a\xdf\xf9\xcc\x87\x9c\x1b\x05\x93\xd1\
\xa2gN\x1a\xd6\x15\xb0\x12B8\'\xf5\xf0\xbe\xb6w\xdbd\xe7\xdbS\x9d\x87\xf2\
\xd1U\x0223\xf7\x1a\xd4\x0c\x18s)B\x00\x91\xd9\x13\xf5\xf2\x87\xda\xd3\x9f\
\xa2\x95\xbbrN\x0e\x0c8\x1b\xc55\xf5-p\x18\xfbw\x90\x01\xc5*T&\xca\xf90\xac7\
\x1a\xb5Z\xa3\xd3\xed\xde\xb08\xc5bqz\xaaZ*\x15\t\x80\x82\xc5\xd1\xc9\xd7\ra\
:=!C\x00\xa26\x13\xde\xff\xa9\xfdE\x15\xcbL\x13\x11\xc7\xce\xfc\xf4G\xc9\x8c\
v\x00\xe0y\xde\xc2\xfc\\1\x9f\xdf\xdc\xde\xe9t\xba\x07\xccR\xb1\x90\x9f\x9a\
\xaa\x96KED\x14B\x8cz\x82\n)\x0e\x05\xc4\xa3d\\\xed\xc8\xb1\x87O\x8b\x92\xbd\
\xf6Z\x1a\x15\xd6\xb8\x02 \x01\x00\x8d02\xa3\x92\xab\x9c<\x94\xe0\x9eAv\x05\
\xee\x88\xc8\x006J\x9f\xd9\t\xef\x9fn}\xad\xda}\xdc\xe5\xbb\x96\x8c\tp\x02R\
\xb5S\xa4\xb6\x04GR?rgw\xca\x9fh\x94\xee\x97\xd4\xb7\xa4$DF\xee|-w/\xc2\xc0i\
\x84\x12B-\xcb\xb2\xa8eY6\xc6P\x1c\x86\nQ@\x06\x00\x8e\xe3\x98\xd3v\xad_s\
\xcec\xbax\xdd}`\xb5\xf4\xd9J\xfb\xf1\xc9\xde\x13\x01[\xb3e\x97\xca\x98\x80$\
\xc0\x07~,\x08\x928\x92\xba\x82\x06\xb13\xd3.\xff\x95\xde\xcc\'\xbd\xd2|.\
\x08\x9d\x91xL\xa3EV\xfd\xa7\x9d;{\xde\xbb\xad\xdc}f\xa6\xfd\x97\xb9\xe8\xba\
\x051EFS\xa1\x10\t\x02A\xea"u\xc1\xf2q\xea\xdd\xe0O\x1a\x03\n!\x840w\xaa\x9e\
\x7f7\x08\x8e\t\x88PB\xa8E)\xb5l\xdb\xb6!\x86\xd2\x1d\xe4F\xb0\x9bQ\xde\xd5\
\x08\xd4,\xbew\xa3\xf7\xbd~\xbc\x86d\x18W\x11\xd4\x00B)\xa5\xc4&\x88\x85\x93\
P}\xd7\r\xd5v\xfd\x160\xb0\xd5Dv\x95\x01\xce\xb9\xa0\x13\x1b\xf6\xa76\x0b\
\x1f-\xf6\xcfM\xb7\x1f\n\xa3\xab\x0e\xb6\t2*cBp\xb0"\x01\x88\x04\x0b\xa9#\
\x88\x1f9\xd3\xf5\xfc{\x9b\xe5\x0fB8\xe7y\xbe{\xa3\xdd62\x03|\xa6\r\xa8q\xd7\
u\x9d\xe9\xa9\xeaTu\xb2\xd3\xe96\x9a\xcdN\xa7\xc79\x17R\xeaq\x85R\xe28N!\x9f\
\xafV+\x85|\x9e&[\t\xaa\xc7\x8d\xb7\r\x0c\xb37\xc4\xc40\x17\x94\x8aE `QjY\
\x94Zv\xe0\xfb\x8e{\x8bA\x8dT\xd9=\xcf-\x16\x0b\x04\x80RbY\xb6\xfa\xb8\xc5Ba\
\x9f\nq]7\xf3]\x18cD\xcaR\xa9X*\x15\xdb\xed\xce\xf6\xeen\xb7\xdb\xd7\xb3.3\
\x11J\xc9\xc0\xb5t\xaa:1Q\xb6(U\xc3\'!$\xcc\xe5\x84\x90T\xb51\xdb\xb6,+\x9f\
\xcf\x1fD\x15x\xc3E\x07\x1b@\t|\x0f\xb5\xfd\x86{-i\x11\xff\x7f{\xef\xfe\x1bI\
v\xddy\x9e{\xe3\x1d\xc9|\x91L\xd6\x8b\xecz\xb6ZUl\xdb\xd5l\xdb\xed\xee\x19h%\
\x8f\xbd\xd2BB\xb7F\x18\xcf\xfc:\x8b\xc5b\x80\xc1\xfc9\x8b\x05\x16\x83\x01\
\x06\x86\x01\xc3j@\x18\t#l\xf7\xb6v\xd4\xdb\xb2\xbb\xdc\xb6T]\xb2\x9bU\xb2\\\
o\x92\xf5`\xb2X\xcc\xc8G<\xee\xe3\xec\x0f73\x18\x8c|0\xeb\xc1G\xb2\xee\x07B+\
+\x19q#\xee\xcd\x88o\x9c8\xf7\xdcs\xa2\xa7"z\x02\xb0\xcb\xa3\xc2p\x8an\xf1\
\xc4\xe4\x89{z%\xa5\x8eou\x83\xa9\xcbQ\xdd\xdb\x0f\xa7\x7f\xf0\xa0\xfa}\x97\
\xad\xfb\xc9\x8a\xc7\x1e\x98\xb2C\x00\x91\x9a\xcc\xa8D\xee\xe9\xc4]\x90\xce\
\x8ca\x18f/w6\xe7\xbcY\xfd\x17[\xa5?J\x9b2M\xd3q\x1c\x95\x17P-F\xef?\ru\x02\
\xb0\xd3/a\x18\x86\x8a\xa0\x90\xd2\x10\xb4\xbcQ\xf9W\xf5\xf2\x1fS\xd1q\xc4\
\xa6\x97<p\xf9\xba)\xdb\x00\x12\x10$u\x13k6t\x16\xb8s\x1c\x9c\xaaJCH\xe9\xe0\
(\xef~_Pz\xf3\x08J\xb7\x8a\x7f\xf8t\xea\x0f\x0c\xd1r\xf9\xba\x97<px\xdd\xc0\
\xde\x12\x12j\xa3U\x92\xfe)Zy\xdd\x9b>\xe3\x95f\x1d\xc7!\x19(\xa5a\xe9w\xef8\
o\xa8\x07\x86j\xd3\xcc\xa4E\x9c\x9a\x9ar]W\xf5r\xcc\x1fE\x85\x91\xa8\xfb|\
\xf5\xd8\xff\x9a\x8b\xcfQ\x07U\xbf\x9d\xe7y\x85B\xc1w\xfd\x11S\xa9\xfd\xc7\
\xea_\xe2\xa4\x0e\x1d\xc7q7\x84F\x08)\x8d\xc0\xb8\xdc\xf0\x7f\x8f"3\xf9\x96\
\xc7\x1ez\xec\xa1%\xb6(\x08@\x90\xd4N\xcc\x99\xc8\x99O\x9c\x93\xd2\x9eN\'\
\x03\xd3y\x143\x93M~\xe0i\xa4\x0f\xf8\xdc9\xa8\x0b \xb5^\x8b\xc5\xa9bq\n\xba\
\xab.Q\x15*RF\x80eY\xe9\xdb\x98\xea\xbb\x1a\x7f\xc68b\xea\x0f\xe9\xbat\x08\
\x1d5\xc9l\x18\xc6\xdc\\mz\xbaJ\x08\xb1m\xdb\xf3<\x95:I\xe5\xb3\x1cgT\xfb\
\xc7\x93RZ.\x95\xbe\xfe5\x0f\x11-\xcbR\xbf\x94\xba\x17\x86=\xf3\xb2\x0f\xddl\
;\xbd_D\xaa\xd1\x90R2\xc6\xa3(\x8a\x93D=\xc9\x08!\x96e\xf9\xbe\xe7{\x9e\xaa\
\xf8j\xf4\xca+\xaa\x14R\'\x8e\x1f;~l\xce0\x0c\xc7qT\x92(\xdf\xf7\x9f)\xaf\
\xf2\x81\xb0#\xd9\x80\xd8\xf1\xa2\x9ee\xecZK\xc82YL\xc4\xf0\xf4\x16\x85\x99s\
\xb0\'\xa9\xc6\xf7\x85\xec{q\xf6J\xea\t\xabDDf\x9cl\xb8\'\x1b\x00\x90\xb9\r\
\xd4\x8en/\x1b\x01\x00\xc8^\xf9\xc7T4\x95\xba\xa5\xbe\xe3~\x8b2k\xaa\xa4*\
\x99F\xe9%I\xa2n\xefm\xa7\xb0YJ\xb0\x98x\xa7\x1b\x99\x16r{\xa9\x19\xc2nU\xa3\
A\xf5T\xb3\xbe \xecU\x8b7\x0c#\xbds\xd0\xacDv9\xf2_O\x07\x04\x00\xd2G\xa0\
\xef\xfb\xc4.\xe4d=5\xb4\x11\x91R\x9a\x8a{\xba(\xc9\x1c\x1ex\xde\x0f\xc9L\
\xab\xaa\x87\x90j6\xe7\x1f\xc8>\xa8\x9cL\x8d\xd9g\xd2 \xd5Hz1d\x85U]\x03\xe9\
e \xa5)L\xb7\xe5\x1eo\xc1[\xb9\xc1W{\xd9=WR\xaa\xec\xbb\x9e\x12\xe9UsV\xe7\
\x90\x1b\xcf\xec\x05\x90U:\xd3$\xfd\x1b\xa7\xf3\xcf\xca\xc8\xe8\xbe\n\xf4-\
\x81\xf3=\xaf\xff\x91\x96\xfb\x11\xd57\xd9\xebv\xfc\xf1\xcc6\x9b\xde&\xa6\
\xd9\xd5\x87\xdc\xbd0p/\xe8]\xa2\xd9v\xb2?J\xfa\xc0S\xe3\xe6ynv\xdf\xfe1Q\
\xdfs\xce\xd5E.\xa5T\xedgo\xc9g}n\xed3,\xb8\xa7\xbc\xa0\xaa"\xc7\xc0m\xc6\
\xaf\xb5\xc4\xdb\x8fd\xd2\x04\x00\x02\xc0\x86O\xcc\xda\x85\x9a\xe5Ua\x12\'T\
\xa1\xefJJ\xafr\xd34\xb3\x97\x91\x92*\xdc9\'\x99\x93-\x00\xc8\x16\x9e\xcf^|J\
}R\x0bn\xd89\xa4\'\x90\xca\xb4\xf2H\xa4\x0f\x8c\xac[6\xe7CH\xef\xa24\xfc#W\
\xab>w\xc4\xf4]\x012\x86R\xfa<\xebw\x11@O\xdc\xd3\x88\x0e#\xb3\xfe3=\xb4J\
\xc7\xca9OO/\xdb\xfdq\xbc%\xb0Sk\xb2\xca\x9e:\xcdr\x1d\xc9>\xcfF\xbbA\x86]\
\x00\xe9\xc6Y1R\xc2\x9a\x1b\xfc\xf4J\x00\xd8\xf1X\xcdNc\xa4\'c\xed,o=B\xdf!\
\x93\x1e2\x1d\xcf\xdc\x05\x90\xfd\xf5\xb3?\\n~\x82\x10\xa2\xfc\x0f\xaaD\x81\
\x102\xe7g/\xf69Cr#\xa9\x0c\x1d\x00\xc8&+~\x8eGf\xee\xc2P\x0f\xfe\xdc\xbd\
\xb0\xab\xbe\x0f|\xdae\xed\xa7\x9c?-7z\xe9\x98\xa8\x07^V\xdc\xd3h\x9cg\xed\
\xda\xfe#Y\x9bw\xba\xeb\x96GT\xe4\xf0\xa7\xcf\x8e\x0eXP\xa0\xe4\xdb\xe1\x8f0\
\xf4Q\x01\xd4\xf0g\xba>\xe4\x89\x14wEV\xfeR\xd5N\xc5=;\xab\x93\x15S3\x9b\x9f\
\xb6\xe7\xd4\xcbjAj\x14\x9b;\xe3vG\xe8{\xeeRV\xe9*\xb3o\x03\xfd\xb2\x9b=\x1f\
#\xb3v?}c\x18a\xbc\xc3Ne\xcf8"\xf2\x13\x8cd\xa7)\xad\xfc\x00\xb4\x17,\xaf\
\xbeW\x81\x1f\xaa\x05\xe8=\x0b\xb3\x0e\x96\xf1o$\xb2\xf3\xc5\x9c\x10b\x9a\
\xa6\x1a\x01\xc8hk\xda\x11e,\xa7w\xf2\xb3\xca\x90zx\xc0\xce\x87k\xee\xc9\x9a\
{\xb8\xe6\x06?k\'\x0e\x1c\xfc\xd1\xa7\x94}\xc6\x0c\xbc\x00\xfa\x7f\xfd\xec\
\xa9\xaa\xb3M\x8d\x0c\xb5\x0b\xa5t\xab\xd1\x10"\xbb`\x07\x08!\xa5\xd2\x00Ow\
\xaa\xec\x00`\x18\x86\x12\xf7T\x1f\x07^\xb4\xbb\x8ej\xee\xc2PZ\x9c^\x0c\xa3_\
\x08\xc8N\x8b\';\xc2\xb9\'n\xffdI: \xe9\xc3U=\xf0\x84\x10jH\xd5\xc3o\xb4\xc9\
u\xa8`\xc1\xdd\xb4\x90\xde\xb0\x8a\x1c\x96?\xad\xac\xec]\xe1\xcd\x15\x14\x11\
\xecf\xb6{\xe5\x854\x9erR\xc5=wo\xa7B\x99\x06\xcf\xe4\xa6\xecSQ3Msc\xe3I#\
\x08\\\xc7}\xe3\x8d\xd7\x01 +\x01\xe9\x0cO\xf6\xe6\xdf\xf5m4k\x0c\xaa\xfb!\r\
\x1bP-g_\xcfa\xe7\x05\x9d\xea\xbb\xd9\x9b\xc7KO5w\xc4\x9ce\x94\xde\x84\xfd"\
\xd2\xaf#9\x83\x88dLl\x9a\xf1\xf6\xa4\xc7\xcav\x7f\xfc\x1b)k\x82\xa9F\xd2\
\x80\xc5\xdc\x96\xe9\xcd<\xf0I6&\xd9\x87k\xda`n\xf0\xfb\xc5=\xed]\xf6\x1c\
\xb2?t\xfa[\x8f\xd9e\xccT\x7f\xce\xcaY\xf6\xa7\xcf\x8dmV\xdf\x8d\x9eo0\xb5\
\xdc{\xab\xf6\xb7M=\xd7u\\\xc7\xcd\rQ\xeeGTr\x0c\xbd+d\xf4u;\xba/\xd9\x0b#\
\xfb27\xd0g8\xf0GI\r\xfc\xd4J\xc8*{\xeev\xc8\xfd\x16\xd9\xf7\x03DT\xe2\x9e\
\xfe\x82\xe93\xe0\x99^\xf5\xf6\x1f\x99\x04\xdd\x99O\x00\xc6q\xb0\xd9>~\xad%\
\x1e\xf1\xf6\x1a\x00\x90\x91\x1e\x1ej\xba^e;\x9d\xe4\xa4\x8a;\xf4\x19\xce\
\x9b\x9bO-\xcb\xf4}?\x17\xfe\x0c\x19kT\xfd7h\xb6\xae~\xf9\xebS\'O\xbe\xf9\
\xe6%\x000\x0c\x033\x95\x97\xd3\xc6\xb3\xf6\xdd\x88\x0b:\xfd\xd2\xe8UzR\xd7h\
\xf6\x81\x81\x19\xb2\x86^Ve\xd2\xcf#\x94\xa5_\xce\xd4u?\xc2\xf9\x93\x15>3\
\xe3@\xcf\x9e\x86\x99\x99\x04\x1b\xd8\xfd\xb4\xa9q~\x94\xb4}eK\xe6\x845\xd7\
\xfe\xf3y\x0f\xfa\xc7$\xf7|\x95;\x198\xf8\xa4\xe7\x99\xc9\xfe\xc4\xd9\xc1\
\x19\xff\x04T\x07\xff\xf9\xe6\xadS\xa7N\xfa\x9e\x97\xfd\xf5\xb3?=\xec\xfcQ\
\xd2\x8e+\xe7\x03\x00 \xe2\xc6\xc6\x93N7[\xd6\xf69\x1c?v,\xf5Pg{\x9d>\xe9U\
\x97Sq\xcf\xfep\xcf:\x98Y\x83)+\xee\xe3\xffX\xfdWi*\xd0\xa9\t"\xf3q2;n\x84\
\xf4\xcc\xd5K\x83\xbaC1\xe3_}\xd6\xe7\xd6\xfe\x934\xee\xaa\xc8\xa8\xfeL\xbc)\
N\xf1\xf8\xd8\xb5\x96\xee\xa0\xec\xc6P\xb1\x11\x13\xb3\xd3g\t\xdd\x96\xf4\t\
\x16\xf7T2\x10\xf1\xc6o\xfe\xe9\xff\xfb\xec\xaf\x1d\xc7\xf9\xee\xff\xf2\xed\
\x99\x99i\xccL\xb4f\xb7\x84\xee\x95\xa4\xeepPFSz\xe9\xe44\x88\xecd\xf4\xc9\
\xa4\x17\xb4\xfa\xaf\xba(\xb3\xcf\x8c\xecc\x06v\xde\xe4\xe9\x7fG\xc8z\xee@\
\xd9\xab<\'"\xb0\xd3\x01\x92=D\xee\x11\x95~\xdf\xdf\xf7g\xed~\xff8\xa4-\xc3\
\xce\xf1\x1f\xd6\xfe\x8b\xdc\xa8$\xf3|U\xb6gv\xe4\xfb\x9f.\xb9\xc1O?\xc03\
\xcaz\xf6\x02\xbb~\xfd7\x9f\xfd\xf5_\x9f<q\xe2\x8f\xbf\xf5?\xa9(=\xdc\xc9\
\xb0\x8e\x03@j\xdd\x07A\xf3\xee\xbd\x95\\\x12\x15B\xe8\xc2\xc2\xbceY\xfd\xe7\
\x96\x9ey\xff\xd3\xeb\xb9\x076{\xc1\xf4?\x93\xc6o0w\xa1\xa6?D\xce\x8a\x82\
\xbe\x07^\xee\x10\xea"\x7fY\xbd\xdb\x1fD\xb4)\xe3n\x12\xf2\x11\xceq\xafrz\
\x9c\xd6d\xd2\x10a\x1d\x00\x88J\xda>\xc4\xc3cz\x15gjn\xc77\xcfp\xca\x87\x89\
\xdcm\xb3\xba\xba\x06\x00q\x1c?x\xf8\xf0\xd8\xb19\xe8\xddx\xd8\xc7v\x0b\x00\
\xd0\xbbP`\xb8\x00\xe5>\x8c&\xbb}\xf6\xde\x18\xf8\xe4\x80\xcce\xfa\x1cG!=\
\x831\xab\xa1#\x8e\x92\xfdgn\x83\x81}\x87g\xef~\xee\xa0\xea\x9f\xbb6\xfe\xac\
\xed\xefz\xdctX 3&95\x81\x91\xc32\x0e\xd9\x8b\xea\xe1\xa3G_\xfc\xfd/\xa5\xc4\
\xd5\xb5\x07\xff\xf7\xc7\x9f\xfc\xcb\xf7\xde=y\xf2D\xba\xd9\xb0\xa3\xab\x7f\
\xa6\x92\x17\x86\xe1\xf2\x8d\xdf\xb4;\x9d\x9do\xf0\xa4R)\xd5fg\x06*{\xf6Cz\
\x88\x17\x19\xd8am\xf6\xffi\xfc\xd6v\xbdP\x87\xdd\x0bY\x1b\xe5\xa5\xf4n\xdf`\
\xc1]\xf5a\x84\xd9\xee\x95\xe7\xc7\xab\xb5\x84\xac\xf7\x12\x80\xbbxx\xf2\x13\
\xb3\x93*\xee\x00\x90\xb5\x05~\xe7\xcd\xc5z}\xa3T*^\xba\xf8u\xbas\xc2\x07{\
\xcb\x083\xb1qy\xab\x01^\xea\x852\xe2\x0e\x19\xb1\xf1s\x1f(\xbd\r\x9e\xf5(\
\xcf\xa7\xdd\xe3\x9f\xd8\x1e5>\xe6\xd1\xf7t\xf0\xd3w\x02)e\xb3\xd9\xfa\xec\
\x17\x7f\x13\x86\xa1\xf2\x92\xd7\xeb\x1b\x1f\x7f\xf2\xb3\xdf\xfb\xdd\xdf\xb9\
t\xf1\xa2\xe7\xb9#\x0e\x916"\x84x\xfcx\xfd\xda\xaf\xff\xa1^\xcfU6G\xc30/\x9c\
?\xef\xfb\xfe0+u/~\xc4\x97\xde\xe6\x98\xbfH\xeep\x13\xa1\xe3\xfd\x88\xce\xba\
\nXTZ<x#B\x9c\xe2\x89\xf1Z\xab\xcbx\x0b\x00\x08\x81\x11\xc9\x06\x9c\xe2\xf1\
\xfet\x92\x13)\xee\xa9\xc5\x94N\xceT\xab\x95?\xfb7\xffZy\xe2\xb07\xd1\x9aB\
\x08Q\xb2\xde\x9ba\x13i+\xfbp\xb6\xfbp]N\xd0\xa5\xbf\xcf\xec\xc5\xc8\xa4\xd7\
\x1e\xe7\xbc\xd9l\xfd\xcd\xe7\x7f\xfb\xf4\xe9\x96:\x9a\xda\xa0\xd3\t\xaf\xfc\
\xed\xdf\xdd\xb9s\xef\xcc\x99\xd3\xe7\xcf\x9d\xadV+#\x1ay\xf8\xf0\xd1\xed\
\xbbwo\xdf\xba\xdd\t\xa3\xbe4\x03\xe4\xf8\xf1\xb9\xd3\xaf-\x0c\xf4WL(G\xa0\
\x0b\xa3@\x99\xa4\xa9}G\x85\xa2\xcf\x8ee\xb6\xa3H_\x02\x10\x87>*\x88a\xf9\
\xd53\xfd\xdfO\xa4\xb8+R\xd3)\x9d\x9c\x19v\xf5\xab\x1bI\xc5\xb3\xa7\xdbc\xef\
\xfb#~\xb5i^*Yeg\x8c\xfd\xe6\x9f\xfeium-\xeb@Hy\xf4\xf8\xf1\xa3\xc7\x8f\xff\
\xf1\xab\xe5cs\xb5\x93\'OT\xab\x15\x15\xe3\xa1.\xc5(\x8a\x9f<y\xb2\xb6\xf6\
\xe0\xc9\xe6\xd3(Je}G\x0b\xa5R\xf1\xcdK\x17\x0f\x7fd\x88&eGj\xdf\xa1\x159\
\xa8_=;Vk\xad\x07\xc8CTf\xfb\xe8\xbc4\xe6\x80\xd4\x9b\x93*\xeeY\x8f\xa7\x94\
\xb2\xd5j\xad\xac\xaeQJ\x97\xde\xba\x0c\x99W\xbf8\x8e\x97\x97o<^_\x8f\xa2\
\xd8\xb2\xccZm\xf6\xcc\xe9\xd7\xba\x7f\xc5\xbc?4\x8e\xe3\xe5\xeb7\xea\xf5\
\x8d8\x8eK\xa5\xd2\xdc\\\xed\xc2\xf9s\x8e3:a\xa9\xe6\x95#\x15\xf7$I\xca\xa5\
\xd2\xd4T\xd5\x8e\xa82\x00\x00 \x00IDAT!S\xa3\xa3\xbbI*\xd3\xedv\xeb\xf6\x9d\
\xf6\x9d\xbb\xf7(\xa5YqF\xccUM!9\xb3\xdd\xf3\xdc\xdfY\xbcT,\x16\xcdgY$\xac9@\
Pr\xd6ZQ\x9fG\xa4\xf6u\x8a\xc7\r\xdb\x1f\xf4\x97\x9d\xad\x89\x845W\xd45!\xe5\
\xd0\xe2M\x86\xed\x0f\xcbK3\xa9\xe2\x9e\xa3\xd5\xee\xfc\xea\xea5\x00Xz\xebr*\
\xd9+\xabk\x9f\xfc\xec\x7f\xc4\xf1v-\x98{\xf7Wn\xde\xba}lN\xcd)oO\xb1"\xe2\
\xf2\xf5\x1b_\xfc\xdd/3\x1b\xaf-_\xbf\xf1\xab\xab\xd7\xbe\xf3?\xff\xc9\xdc\\\
m\x9f\xbb\xa39\xcc\xa4o\x81I\x92LM\x15~\xf7\xcd\xc5\xdf\xfe\xf3\xcd\'\x9b\
\x9b\xbdI\xaf\x9c\x01N\xd2]\xb2md\xd4<\xd5\xf4\xed\xbd\xa6\xa6\n\x8b\x97\xbe\
>;;\x93]\xd1\xb3\x1f}\xd3\xbc\x00\xbc\xb5\x86<\x82n\xbe\xc6gs\xa1\xf4\xc3\
\x9a\xf70\x9b\xb4}h\xf8\xe3\xb9ayi&U\xdcs3\xec\xdb\x81c\xbd\x10\xda\xf5\xf5\
\xfa\'\x9f\xfc\xbfq\x92\x14\x8bS\x8b\x97.z\x9e\'\x84\xb8\xbf\xb2r\xf7\xee\
\xfd\xad\xad\x06\xf4\xdc2j\xe3\x95\xd5\xd5\xcf~\xf17\x00\xf0\xfbo/\x9d;{\xba\
T*\xb5\xda\xed\x7f\xf8\x87\xaf\xae\xdf\xf8\xcdG\xff\xcf\'\xff\xf6\xdf\xfc@%`\
\xd2h\xb2\x93=\xca3c\x18\xf4\xdc\xd9\xd3S\x05\xff\xf1\xfaF/\x87\xfb\xae\x10\
\xdc.\xe0Mv\xe4\x91!\xe4\xd8\\\xed\xc2\xf9\xb3\xe5r9\xcd\xcdpd\x1c\xeeG\x18\
\x94\x8c\xb7\xba\x15zG\xe4\x08s\xcb\xf3\xd4\xdc=\xdf\x99d\xad4\xe3\x98\x18\
\xb9\xc0\xd5.\xcc\x0ekdR\xc5=G\xfa\x94\x94\xbd,"\xcb7n\xc4I23=\xfd\xc7\xdf\
\xfa\x86Z\xbe,\x84\xa8V\xca\xe5R\xe9\xd7\xff\xf0Un\xe3_\xfc\xf5\xe7\x00\xf0G\
\xef\xfc\xc1\xeb\x17\xce\x13B\x18c\x9e\xeb\xbe\xf7\xee;Q\x1c\xdf\xbe}gy\xf9\
\xc6\xd2\xd2e}ki\xb2~\xbc\xacW\x10\x11\xa7\xa7\xab\xbe\xef=\xdd\n\xb6\x1a\
\x8d0\x1c(\xf1\xdd\xe0[\xe8\xfe_&\x14\xa4g\xc2\x97\xcb\xe5\xb9\xda\xec\xa9\
\x93\'<\xcf\xcb%\xa7\xdc\xeb\xaei^\x10\x16\xdcW\x86\xb6ZA:\xf0\x07#\xa6\xe3\
\x95\xc7J\xed\xcb\x1aw\xd2"\x04\xc3\xc3\x1f\xe9\xe8\x05\xae\x93\xea\xc8\xcb\
\xdd`\xa9\xef2\xb5\xa7~\xfb\xdb\x9b\x00\xa0\x12\x0cd\xf3\x16-\xcc\x9f\xaaT\
\xca\xaa\t\xb5\xf1\xa3\xc7\x8f\x9b\xcd\xd6\xd4T\xe1\xcc\xe9\xd7\x18cjc\xc5\
\x99\xd3\xaf\x01\xc0\xca\xea\xdaAuSs\xa8\xc8\x86\xf4\xa5+*S\xcb\xdaq\x9c\xe3\
\xc7j\xe7\xce\xbc\xb60\x7f\xaaZ-;\xf9\x84\xb4\xf9\xf9\xd2\x14\xc7q\xa6\xa7\
\xabg\xcf\x9c~\xe3\xf5\xf3\xa7N\x9ep]\xd7u\xdd\\\xbeL\xad\xef\x87\x19\xe4\
\x11\xefdR\xfb\x0e\xd9\xac\xb0s\x05\xe90D\xb4)z\xf5\x93GD\xca\xbb\xa5\x13\
\xa3\x17\xb8N\xb0\xe5\x9e\xc6\xc0d\xb3\x97\xa8x\x98\x07\x0f\xba\x03}\xfc\xd8\
\\\x9a\xce"M\xdfq\xf2\xc4\xf1\xad\xad\x06\xf6\xd6|\xab\x05PI\x9c\xfc\x8fO?K\
\x1b\'@\x08!\x8c3\x00\x18\x16\x0e\xa1y5!\x99tl\xe9\xb5G)U\xd7\x9e\xe385\xc7\
\x99\x99\xae\x08)\xa3(j\xb7\xc3(\x8e9\xe7R\n\x94 U>wB\t%\xa6a\xb8\xae3U(\x14\
\n~\x9a\xfdXU\x11P\xe2\xfe\x1c\xf9a4\x07\x02\x0b\xee\x82\x94@@\x0e_Aj\xd8\
\x85\xf1R\xfb"k\xdc\xee~\x1a\x19)\xef\x96w)\xcb7\xd9\xe2\xae\xf4z;t\x1d\x801\
\x96\x9d\xbcJ\x8d\xac\xfe\xdcU\x88\xdd\'\x81\x10\x12\x00\x12\xc6\xd6\xd7\xeb\
0\x04\x1d1\xa9Q(#Z\xe5]Q\x91T$\x93X?\xcd\x8d\xa5\x1e\x00\xb6e\x95K\xa5\xd1\
\xad\xd1L\x1aj\x95P\xdeu\xdd\xd4\xdb\xae\xaf\xba\xc3\x8f\x88\x9e\xf2\xb0\x0e\
\x00\x80\xa3V\x90\x16j_\x831~M\x16\xdc\x93\xac\x1b|\xc59\x0e\xad\xa6]:\xb5k\
\xa4\xfc\xa4\x8a{v\x89`\x9aT\x16\x00TR\xf2\xb4pR\x14E\xc5b1\xa7\xec\xed\xb6\
\nD\xed\xd6F0\x0c\n\x00\xb5\xd9\x99\xf7\xde}\'m\\\xddu\xca\x92J\xf3\xedi4\
\xd0\xb3\xdc\xb3\x9f\xd3\xac\xb6\xd9\xf4\xcb\x033\xa6\xa5{\x91\xbe\x02\x03\
\xd9\x84\xfe\xe3$\x94\xd7\x1c\x0e\x90\x05\xb7\xd5\xfc)\xe7#V\x90\x9e\xe8_A\
\xda\x8f\xe4\x1d\xde\xec\x06SJ\t\\\x0cn\x8d\x9a\xae?}f\xd7\xd6&U\xdc!\x977\
\xa6\x97Q@\xddQ\xbe\xef\x15\n~\xbb\xddY{\xf0\xf0\xcd\xc5j\xd6A\x9f$\xc9\x83\
\x87\x8f\xd4\xfe\xea&\x9c\x99\x9e\x06\x80\xfa\xc6\x93\xa7[[\xd5J%\xdbx\xb3\
\xd9D\xc447\x9eF\x93u\xbb\xa7v\xb7\x91\xa9%\x90f`\xce&\xfbM\xaf\x9f\xfe\x1d\
\xd3l\xcc\xd9\x84\xfe\xcf\x94\x89Ss\x80\xf0\xce\xbaL\xda@F\x86?R\xd3\xab\xbc\
6Nk\xacqG\x15b\x04\x00&\x86\xbc\x04\x00\xf8\xd3g\xc6\xf1\xddO\xb0\xb8+r\x13\
\xaa\xa9\x91~\xf6\xcc\x99\xaf\x96\xaf_\xfb\xf5?\x9a\xa6\xb9x\xe9\xa2\xba\xcd\
\x9a\xad\xd6\xdf\xff\xf2\xaa*Q\x8f\x00\xca\xeaw\x1c{a\xfe\xd4\xca\xea\xda\
\x95\xbf\xfd\xfb?x\xfb\xadZ\xad\x1bZ\xb4\xb5\xd5\xf8\xf5?~E\x08\xf9\x97\xff\
\xe2\xdd\x13\xc7\x8fk\xcf\x8cF\x91\xfa\xfaR\x03<\xcd#\x9f*{\xae6VV\xdc\xb3{e\
\x93\x98\xe7\x12\xfa\x83\x9e\xe39\xfc\xa0L\xab#\t1\xdc\x852^\x8e0\x11o\x89\
\xb0\x9b\\h\xc4<\xea\xf8e\xf9&^\xdc\xfbQ*\xfc\xf57^\x0f\x82\xe0\xfe\xca\xea/\
\x7f\xf5\xe5?\xfd\xf6\x9f\x0b\x85\x02J\xf9x\xbd\x0e\x00\xe5r\xa9\xd1\x08 \
\x93\x9d\xee\x8d\xaf]\x08\x9a\xcdF#\xf8\xfco\xff\xaeR)\xabRv*\x8b\xd3\xcc\
\xf4t\xa9T\xd26\x94&\x87\xba\x1e\xb2I\xfc\x95\xfd\x9e\xcd\xe3\xdf\x9f\xde\
\x16v\xfad\xb2\xf16\xc6\xe4\x94\x06\xd5(x\xfb!\xf2\x10\x08 \xe2\xb0\x15\xa4\
\xc4t\xb2\x054\x86\x83\xacq\xa7\xfbi\xc4<*@a\xe6\xc28\xbe{82\xe2\xde\x9f\xc7\
\x0e\x11\xdf\xfd\xa3?\x9c\x99\x99^\xbe\xfe\x9bf\xb3\xd5l\xb6\x00\xc0\xf7\xfd\
\x8bo\xbc\xde\tC%\xeei\x9ai\xdb\xb6\xff\xe8\x0f\x7f\xff\xd6\xed\xbb\xf7\xee\
\xaf\xa8%N\x00`\xdb\xd6k\x0b\x0b\x7f\xf8\x07o\xbb:\x03\x81f\x10\xa9\t\x0f\
\xbd\xc8H\xec\xcbZ>L\xdc\xb3\x12O\x9e%\xa1\xbf\xe6\x90\x80\x92\xb3\x9e\x7f\
\x9c\xf3\xe1+H\xab\xa7\xc7q\xa1\xf0\xf6c\x99\x04\xea\xf3\x88\x97\x00\xa7x\
\xdctGM\xd1g\xd9=[\xec!D\xc5\xc3\xa8\x80t\xf5_\xccd\x82T\xb7S\x1a\xd2@)}\xb2\
\xb9\x19\x86\x11%\xa4X\x9c\xc2^!1\xd2\xab\x93 {uS\xd5.\xf5\x8d\'\x84\x00%\
\xf4\xc4\x89\xe3\xd9\x1a\xaa:"M3\x82\x81\xeb\x9b\xd2\x9b+{\x97\xe5\x17W\xbf@\
Ny\xcd\x01\xc2\x82\xbb,\xb8\x0f\x04Pb\x94\x0cM\xfcR\x9e\xff}BvYN\x84\x92G\
\x8f\x7f\x89"\x06\x00D\x88\x18\x0e|T\x10j\x96\xe7\x7f\x7f\xbc,\xf0\x00\x13m\
\xb9gm\x1f\xe8\xf9@\xb3\x8b\x06U$;!\xa4T,\x16|_\x05\xd2\xa4/\xd1\xca\xce"\
\x84\xe4\x8a|\xce\xd5fi\x06\xfd\x9a\xac\x19\x87\xac:\x0f\xd4\xf4\x81\xdb\x83\
\x16\xf4\xc9\x04%\xe3\xad\x07\xea3\x13\xf9L\xcd)~\xf5\xec\xae\xca\x0e*)\x8d\
\xe8f\xb5\xe2b\xb0\xb2\x03\x80WY\x18_\xd9ar\xc5=\xab\xeci9fu\x9f\xa4\xc1\x91\
\xb9\x89\xd6\xf4%:-\xca\xac\xbe\xa7\x94\xa6\xfa\x9e{_\xd6\xfa\xaey\x0e\xb4p\
\x1fyXp\x1f%\x07\x02R\xe2\x88\xbaw#\x12\xbf\xa4\xa0\x88ysU}\x968<\xfc\xd1\
\xf2\xdc\xf28\xbe\xfb\xcc\t<\xd3\xd6\x87\x87\xac\xb2g\xa3\x17\x00@9^\x94d\
\xa7\xaf\xc9i`rV\xdc\t!i\x06\xa84*95\xed\xb57F\xa3\xd1\x0c\x00\xa5*j\n\x00\
\x8c\x8f0\xdb\xcf\x8c\xb5j\xa9q\x17\x91\xf7Z\x1b\x1a\xfeX\x18\x9e\xfdq\x18\
\x13)\xee\xca\xfd\x92*{\xd6-\x03=)\xef7\xdeS\x03<\x8dO\x80\xcc\x93 -\xe2A2\
\xabK\xf4*\x12\x8dF\x93\x83w\xd6Q$\xcal\x97r\xb0\xd9n\x17j\x967\xa0\x02W\x0e\
\x994y\xe7\xb1\xfa<"\xfc\xd1\xf2\xa7\xed\xa9gN<>\x91\xe2\x0e=\t\x86L\x05\xd1\
T\x85\x95\xcf\x9df\x8a\xa6\xa7\xbb\xa4.\x97tB5\x15\xf7t\xbd\t\xf4"\x1f\xd2\
\xcd\xb4\xbek4\x9a.(\xd2 \x99\x91\xf9\x1a\xc7\xaa\xb5\x944n\xa79m\x87\xa7\
\x91\x19\xb7\xb5\x1c\x93*\xee\xd0\xd3\xf7\xdc\xda?\x85\xb2\xc4\xb3\x11\x0b\
\xb9\xc8\x84\xac^\x0f\x14\xf7\\t\x9aF\xa3\xd1\x00\x00k=P\xb1\xedB\xa0\x1c\
\x96\xafq\xbcZK"\xdcP\xc5\xaf\x01\x80\x8fX\x03U:a:\xc5\xe78\xd5I\x15we\xb0\
\x0f\x13\xdf\xac\x15\x9f\xfd2\xf7a\xd8\xc6::M\xa3\xd1\xf4\xb3]\x91cd\xb9jo\
\x9cZK(\x93t\xd5\x12\x02\x13\x83\xb7"\x86\xedUO?\xcf\xb9N\xae\xb8\xc3n\xb2\
\xfbL\xa2\xac\x15\\\xa3\xd1\xec\no\xad)o;\x17C\xc3\\\xbd\xf1j-\xf1\xd6\x03\
\xe4\x9d\xee\xe7\xe1\xe1\x8f~\xf55j\xec\xde\xda@&\xb5X\x87F\xa3\xd1\xec\'(\
\xe2\xd4l\xe7C\xccvj\xba\xeeX\xb5\x96\x90\xf5j\xf2\x8d\x08\x7f4\xec\x82S:\
\xf9|g\x0bZ\xdc5\x1a\x8df\x1cX\xf3>J\x01\x04d>\xa3\xc46\xdex\xc9\x06D\xf8\
\x04E\xb7\x16\xa3\x9a\x95\x1dHa\xe6\xfc8k\xa0\x86\xa1\xc5]\xa3\xd1hvA\xf2N\
\x1a\xb3\xa8b\xdb\xfb1\x9c)\xb7x|\xf7\xb6P\xa69\xc2\x84\x1c:+k\x15f-\x7f\xfa\
\xf9\xceV\xa1\xc5]\xa3\xd1hv\x81\x05\xf7T!=!\x86\xc6\xb6\x8f\xb9j\x89\xb7\
\x1e\xc8\xd4\xdb\xce\x87lDhad\xf1\xebq\xd0\xe2\xae\xd1h4\xa3\x90I\xd0\xcd\
\xb4>\xbc"\x87\xe5O\x8f\x95l@2\xd6\xbc\xa7>\xab\xf0\xc7\x81x\xe5\xf9q\x82)G\
\xa3\xc5]\xa3\xd1hF\xc1\x82\xfb\xddBz\x12E\xbe\x18s\x17\x7f\x9c\xf0G\x00\x16\
\xdcE\xc9A\xd5p\x1e\x12\xfeHM\xc7\xab\x8eU\xb9i4Z\xdc5\x1a\x8df("z*\xa2MPr\
\xcc\x07;d\x9c\xe2\xb1q\xd2\xacK\xd6\xe6\xedG\xea\xf3(\xb3\xbd:V\x15\xbd]\
\xd1\xe2\xae\xd1h4C\xe9zQH\xb7\x86F?\x84\x1ac\xadZ\x02`\x8d;\x80\xaa\xa6\xee\
\xa8*zc\xcd\xca\x8e\x81\x16w\x8dF\xa3\x19\x8c\x08\xeb2\x0e\xd2\xfa\xd7C\xcc\
\xf6\x13\x86\xe5\xed\xdeT\xf4TDO\xba\x9f\xe5\x90`JB\n3\xe7\xc7\xac\xa2\xb7+Z\
\xdc5\x1a\x8df \x98\xd6\xbf\x1e\xe6E!\x86=\x9e\x7f\x1cY\xb0\x9dl`\x98\xb7\
\xdd.\xd4L\xb7\xfc<g:\x08-\xee\x1a\x8dF3\x00\xde~$Y[\xd5\xbf\x1ef\xb6{\x95\
\xf9q\xd2\x03\xf0\xf6#\x994\xbb\x9f\x87\xbaw\xcc\xc2\xcc\xf9\x179\xe1\x1cZ\
\xdc5\x1a\x8d&\x0fJ\xc6\x9a]\xb3\x9dq\x18\xe8E1\xec\x82[\xda=\xd9\x00\x8a\
\x84\x05w\xd5\xe7\x11\xc9\x06\xbc\xeaij:\xcfy\xba\x83\xd0\xe2\xae\xd1h4yXp\
\x17y\xac\xe6Q\x07\x17\xd2#d\xaa\xf6\xc68\xd5\x91\x92\xc6-\x14I\xb7\xd9!\xc9\
\x06,\xaf\xe2U\x16^\xe8\x8c\xfb\xd0\xe2\xae\xd1h4;\x90\xbc\xc3\xdb\x8f\x01\
\xba\xab\x96\x06\xca\xb1\xed\xcf\x8e\x15\xfe\x187Dg\x1d\x00\x08\x00\x17C\x82\
d\x08\xf1_\xaaCF\xa1\xc5]\xa3\xd1hv\xc0\x82{*f\x91\x0f\xcb\xfd2nu$L\x93\xb6K\
\x18\x1ao\xe3\x16\x9f\xb3\x1c\xc7h\xb4\xb8k4\x1a\xcd6\xdb\xc9\x06`hj_\xb7tr\
\xacZK\x9d\xbaL\x1a\xa0\xccv\x0e\xc3\xe6Q\xc7\x0c\x93\x7fV\xb4\xb8k4\x1a\xcd\
6,\xb8\xa7\xe6O\x87."%\xc4\x1d\'\xcd:\x8a\xa4\x17\xfe(\x87\x87\xc9{\xd5\xd3\
\xe3\x14\xf7x\x0e\xb4\xb8k4\x1aM\x17\x11o\x89\xe8)\x00\xe0p/\x8a\xe5U\xc71\
\xdbYk\ry/i\xbb\x18\x92%\xd8\xf6\xc7+\xee\xf1<hq\xd7h4\x9a.i\xa6\xf5\x11f\
\xfb8\xdev\x141o\xae\x00\x00\x01\x90\x12\x06\xc7\xdb\x00\xf8\xd3/T\x8ec4Z\
\xdc5\x1a\x8d\x06\x00\x80w\xd6\xd5R#\xb5ji\xe06\xce\xd4\xb1q&?Yp\xaf\x9b\xfd\
\x11\x80\r\x8b\xb7)\xcc\xda\x85\x99\x179\xe1\xd1hq\xd7h4\x1a\x00@ek\x03\x00\
\x170\xb0b\xf5\x989\xc2$k\xf1\xce#P\xf3\xa8\x12^,\xde\xe6\xf9y\t\x89%5\x1a\
\x8df\xd2\xe9&\x1b\x00\x90\xc3\x93\r8\xa5\x93\x86\xe5\x8ej\x84\x0b\xce\x85\
\x0c\xee\x12\x94\x00\x04G\xc4\xdb\x94O\x19v\xe1%\x9c\xf7p\xb4\xb8k4\x9aW\x1e\
\x14i\xb2\x01.\x00a\x90\xd9n\xd8~eh\x8e0\xc1y\x1c%1\'\x84m\xd8\xc9\x13\x04B\
\x00\x98\x009\xe8\r\x00\x08\x19\'o\xc1\x0b\xa2\xdd2\x1a\x8d\xe6U\x87\xb5\xd6\
\x90\xc7\x00 qH\xb2\x01\x00\xaf\xb2@\x0ck\xe0\xeeR\xc8\xadz=\x8aC\xdfC\x1f\
\x1e\x03J22\xfc\xd1.\xd4F\xbf\x01\xbc\x14\xb4\xb8k4\x9aW\x1a\x94\x9c\xb7\xd6\
\xd4g\xc6\x07\xc7,R\xcb\x1d\x11\xdb\xdei\xb56\xeb\xeb2\xe2\x06{\xca\xa3\x00\
\x08\x05\x15\xfe8\xa4\xb8\x87\xff\xc2\xc5\xaf\xc7A\xbbe4\x1a\xcd+\rk\xae\xa0\
`\x00 $\n9\xd8\xd6.L\x9f\x1f\x91#\x0c\x01\xcb\xd5Y\xe4Q\xbc\xb5B\x08%\x00bx\
\xf8\xa3[^\xd8\x07\xb3\x1d\xb4\xe5\xae\xd1h^eP\xc4\xbc\xfd\x10z1\x8b\x03\xb7\
1\xdd\x92=U\x1b\xd1\x88i\x98ni\xc61[\x04c5\x8f:,\xfc\x91Z\xeeK\xcf\xfe8\xf4\
\xac\xf6\xe70\x1a\x8dFs\x08a\xc1=\x90\xbc["uH]\xd3\xd11\x8ba\xab\x1d\'\x08\
\xbca\xe3&\x80A\x00\xb8\xc0a%RG\xbf\x01\xbc\\\xb4\xb8k4\x9aW\x14\xc9;\xbc\
\xb3\x0e\xaa\xf4\xdd\x90\x98E\xbbP\xb3\xbc\xea\xb0\x16\xe2(\xeetb\x04\xea\
\xc8\r\x82\x0c\xc1\x90\x08lH9\x0e\xcb\xab\x8e~\x03x\xb9hq\xd7h4\xaf(\xacq\
\x17P\x02\x01\xc1qX\xcc\xa2W==xg\x84v\xab\xcd\x12&\xc1\xb0ih$u\x04J\x080\x8e\
BH\xa2\xe6e\t\xd9\xce.@\x88?\xb3\x1f\xf3\xa8)Z\xdc5\x1a\xcd\xab\x88L\x02\x11\
=\x81n\xc5\xea!\xc9\x06\x8a\'Lgj\xc0\x1f\x10\xda\xadv\x14\xc6\xc4\xb0\x0c*\
\xccd\x8d "\xa1j\x01\x94\xe5\x95-\xafBA\xb2\xb8\xc9\xa2@\xe9\xbcS<\xbe\x17I\
\xdbG\xa0\xc5]\xa3\xd1\xbc\x8a$\xc1]\x95d\x80\x0f1\xdb\t5\xfd!f{\xb3\x11\xc4\
1\xa3\xa6%\x05\xb7I\x83\x88\x06\x12\x83\x00\xb4#\xe9\x94^+\x1d;\x0f@\x00c\
\x0fxg\xe3~\xd8xDL\xdb\xaf\xeem\xb2\x81~t\xb4\x8cF\xa3y\xe5\x10\xd1S\x19m\
\x01\x19e\xb6\xbb\xe5\xf9\x81\x15\xab\xc3v\'\x8c\x98aZBp\xcb\xa2\x16{\x04\
\x84\x10\x80\x84#\x13\x0e\xa0\xbf\xfd\xa4 \xe0\xf8U@\xcb\xaf\xbe\xb6GI\xdbG\
\xa0-w\x8dF\xf3\xaa\x81,\xb8\xab>q\x8e\x83s\x84\x99\x8eW\x99\xef\xdf\xb3\x1d\
4\xa3(1M\x83sn;\x9e\x99\xdc\x03\x19\x12\xa0\x00\xd0\x8e\x91R\xbb\xdd\n\xbd\
\x84%\x02\xe2\x90\x012\x02FLgfJ\x03\x9a\xdak\xb4\xe5\xae\xd1h^-x\xa7.\x93&\
\x10\x90r\xa8\xd9\xeeW^#4o\xfb\xb6\x1a\xcd0b\x84\x9aR\xa2e\xd9&\x06\x84m \
\x10 \x10q\x88\x99\x94\xc8M\xc7jw\xc28\x8a$J.\xa9\x00\xc7\x9b9\x15\x85\xd1\
\xdew+\x8f\xb6\xdc5\x1a\xcd\xabE\x9al\x80\x0b\x1c\x98#\xcc\xb0\x0bN\xe9D\xee\
\xcb\xe6\xd3F\xcc\xa4aP\xce\xa5mS\xe41\x0b\xd7\x1c\xca\x00("\xb4Ca\x9a\x96\
\xe5\xcf\xc4\x89\x88\x9en\x02"\x00\x12 \x84RBh\x8b\xb3\xf9sg\t\x19\x18!\xb9W\
hq\xd7h4\xaf\x102iJ\xd6\x82]\n$\x9d\xcd\x15H\n\x9e6\xe2DZ&\x95@,\x0b$K\xe2\
\xf0i\x916\x01(\x10\xe8DR\x82Q\x9e}=l\xf3v\xeb)\xa5\x06\x10\x00\xe5\xd1\x07\
\xe8VdM\x98\xe5\xec\xab\xdb]\x8b\xbbF\xa3y\x85`\xcd\x15D$\x00\x8c\x0f6\xdbM\
\xb7l\x17f\xd3\x7f\xa2\x94\xc1V\xc0\x041(2\t\xb6\t\x14E"\xb9\x05\rB\x01\x80p\
!bn\x94f\xce\'\x8c\xa0a\xd9\x9e\'\x85T\xbb\xf6\x9a\x00\xc34\x0ck\xbf\xc5V\
\x8b\xbbF\xa3yU\xe0a\x9d\x87\x1b\x04\x80\x0f\xcb\x11F\x8d\xc2\xec\xeb\xdb\
\xdb3\xd6nv\x18G\x00\x89\xd4pL\xc2\xa3\x90\x03X6B\xd2!\x00\x88\x92\x93\x92_9\
\x1e% \xa4p\\\xdfu\xccV\xa7-\x84\x04)\xbbMR:S\xabQ\xba\xdf\x13\x9cZ\xdc5\x1a\
\xcd\xab\x01\n\xd6\xb8\x0b\x00\xa3\n$\x95N\xa6\xab\x96\x92(n6Z\xc4\xb0\x08\
\x01j\xd8\x96!\xe3N\xcb\xb0\x9c\xd2tes\xe5W\x05\x13\x01\x11\xac\x19J\x8fub)\
\x04s\xfc\x92m\x9bq{\x0b\x04#\x94\xd8\xaeG\x00l\xdb\x99*\x15m{\xbf\xe3 A\x8b\
\xbbF\xa3yE`\xedG\x92\x87\x04\x80\x89!\xab\x96L\'\xad\xb5\x14u\xc20\x8c\x91\
\x10\x94\x9c\x9a\xb6Ix\xdc\xee\x98\xae[\xaaV\xc3\xd6&\x15\x1db\x02\xba\'\x12\
Y\x89\x12\x94\x82\xf9\xc5*\x05\x9e\xb4\x83\xad\'\x8f(\x06\xd5\x99\xb9\xca\
\xb13\x84\xd2}\x9eD\xcd\xa2C!5\x1a\xcd\xd1\x07%g\xcdU\x00@\x0014\xfc\xb1[k)\
\xea\x84\xadV\x84\x12\x10\x81\x1a\x96m\x88\xb0\xdd2\x1d\xb7<=\r\x00\x9b\x8f\
\xfe\xd92Q:\xf3\t\xccvb!\x04\xf7\x8b\xd3 \x13\x11u6\xeb\xf7\rh\x16<\xa3<w\
\x96\x1a\xc6\x01*;h\xcb]\xa3\xd1\xbc\n\xf0\xd6*\x8aXy\xdb\x07\x9a\xed\x86\
\xe5:\xa5\x93\x00\x10\xb6\xc3v+\xa4\x06\x15B\x9a\xa6i\x12\xdei\xb6]\xdf/MO\
\x03\xc0\xd6\xc6\xaa\x89!\xf5^K\xa0\xd2\xee\x84\xd4\xb0<o\nE\x84I\xf8\xe4\
\xc9\x9aI\xc3\x82\x83\xc5\x99y\xc3\xf2\xf7\xbd\x8by\xb4\xb8k4\x9a#\x0eJ\xc6Z\
\x0f`\xa4\xb7\xdd\x9b>G\x08m7\xdbQ\xc4(%\x88\xc44M\xdb\x84N\xab\xe3\x16\n\
\xa5j\x15\x00\x04O\x82\x8d\xbb\xc5\xd2\ta\xcc\x84\xad\x86\xe9\x14-\xd3\x04Lx\
\xd4\x0e\xb6\x1e\x98$,z`\xda\x9e7\xbc\x8e\xf6~\xa2\xc5]\xa3\xd1\x1cqXp\x1f%\
\x07\x001\xc4\xdbn\xb9%gj\xae\xd5hE1\' $1)\x01\xcb\xc0V\x10\xf8\xc5b\xb1RQ\
\x9bm>\xbe\xeb\x17\x8f\x19\xceL\xa7\xd34\xbd*Hn\x10l76\xdb\xcdu\x83\x84e\x9f\
\x02\x80_=\xdb\xbf\xb4\xf5@8\x14\'\xa1\xd1h4{\x84\xe4!k?\x04@@28\xd9\x00\x01\
w\xfaB\xab\xd1\xea\x84\x89A\x11\xa8IQ\x1a\x04\xc2N{\xaaR)\x14\xbbyz\xe3\xa8M\
\x89iz\xd5$l\x1av\tE\xe2:Vs\xf3q\xd8\xde0iX\xf6\rD0\xdd\xb2S<\xb6\xaf\xdd\
\x1b\x8e\x16w\x8dFs\x94a\xc1=\x90\x02\xc80o\xbb\xb4\n\'\xe3\x08c&\x0c\x83\
\x001)\x91\x040\x89:S\x95i\xaf\xd0u\x9d#b\xd4\xeeXn%\xea\x04\xc4\xae\x00r\
\xd76\x1b\x1b\x0f\xe2p\xd32\xe2\xa2g \x1e@9\x8e\xd1hq\xd7h4G\x16\xc9Z\xbcS\
\x87\xa1\x159\x10\x88)iEJJ\x08\'\xd4\xa0 A\x8a$j\x97g\xe7\x1c\xcf\xedn$e\x12\
\xc5R\x90(\x89,\xa7"\x05w,\xf2\xb4\xbe\x96DO\\\x9b\xfb\x0eUY\x06\x9c\xa99\
\xcb-\xefg\xefF\xa3\xc5]\xa3\xd1\x1cY\x92\xc6=\x00\x04B\xc4\xc0\xd4\xbe(\xd1\
\xaeIR@)(5(E\xc9\x19O\xa2\xe9\xe3\'L\xcbR\x9bH)\xc3V\'\xec4\x19\'\xa6\xe5\
\xa2\x14\x9ec66\xd6\xa2\xb0>\xe5\xa1k\xd2nA=j\xfa\xd3\x87\xc8l\x07-\xee\x1a\
\x8d\xe6\xa8"\xe2\xad^!=\x1ch\xb6#uL\xef\x84\x00$\x84\x18\x06\x88$\xe6,\x99>\
~\xd20\x8cn\x0b\x9cG\xed0\n[\x02M\xc34\xa8a\x98Tnm<\x0c;\xf5\xb2\x8f\x96\xb1\
\xfd\xb0\xf0*\x0b\x03+{\x1c z\x11\x93F\xa39\x9a\xb0\xe0\x1e\x00\x10\x00.`P\
\x8e04\xbcc\x1cl\x90\xc2\xb2\xa8HB\xce\x92\xda\xc9S\xdb\xca\xcex\xd4\x8e\xa4\
d\x828\x88\xc4\xb2-\x8a\xbc\xbd\xf9(l?.\xba2\xab\xec\xd4\xf2\xdc\xca\xc2~uk\
\\\xb4\xe5\xae\xd1h\x8e "\xdc\x10q\x03\x00$\x0eL\xed\x8bH\\i\xcc\x80\xe4\xb6\
c\xf1\xa8\xc5\xb9\xa8\x9d\xda\xae\x97$\xb9\x88:!gL\x80!E\xe2y\x1e\x8f\xdbQs\
\xa3\xd5\xae\x97|\xb4\x8d\x1d\xed\x15f.\xe4R\x04\x1f\x06\xb4\xb8k4\x9a\xa3\
\x07&\xc1}\xf5i`E\x0eD$\xdeq\xa0\x86c\x1a,\x0c$\x92\xda\xa9S\xe9_y\xc2\xa20\
\xe2\x8cK0\x12\xc6|\xcf\x8b\xa3V\xdc\\ow\x9e\x94}\xb0v*\xbb\xe5U\xed\xc2\xcc\
\x9ew\xe8\xd9\xd1\xe2\xae\xd1h\x8e\x1a\xbc\xfdX\xb2\x16\x01\x10\x83\xccvDI\
\xac"\xb1\xab\xa6A\x93\xce\x16\xb5\x9c\xd9Z-\xfd+\x8b\xe2$I\x18\xe3\x12)\x17\
\xdcu\xec\xb8\x13D\xcd\xf5\x84mU|0w*;\x10\xe2\xcf\x9c\xdf\x8f.=;Z\xdc5\x1a\
\xcd\xd1\x02%k\xae@/\xd9\xc0\x00o;!\xc49fP\x83\x85\r\xc3v+\xb3\xdb\xa59X\x1c\
\xb7[-$\x86@\x82(=\xc7ba\xab\x1d<\x12<\x98r\xd12\x08\xee\x9c\x97\xcd\xa6\x08\
>lhq\xd7h4G\n\xd6z\xa0R\xfb\x8a\xc1\x159$\xb5*\x86U\xe6a`\xf9\xdd\xa41\x8a\
\xb0\xd5I\xa2H\xa0!\xa5\xa4\x84\x1a\x06aask\xf3!\xcaV\xd1\x1b\xa0\xec\xc4\
\xb0\xbc\xea\xe9\xbd\xef\xd0sr\xe8&\x014\x1a\x8d\xe6\xb9A\xc9X\xab\x9b\xda\
\x97\xf1\x01\x1bH$\xc4\xa9%a\xd3\x99*m+;B\x12\xc5I\x14q\xa4\x9c\x0b\xd30\tH\
\x195\x9f\xd4W\xa3\xa45\xe5B\xbf\xb2\x03\x80_=C\x8d\x03\xa8\xc21&\xdar\xd7h4\
G\x07\xd6T\xa9}\t\x17(1o\xb6KD\x0e>\xe1\xa4P\xa9\xf8S=w\nb\xd4\x89\xa2(\x92`\
p\xcem\xdbB\xc9e\xd4l\x06\x0f;q8=El\x13\xfa\x95\xddp\xa6\x9c\xd2\x89}\xe8\
\xd1s\xa3\xc5]\xa3\xd1\x1c\x11P$\xbc\xfd\x10\x06\xaeZ" %\x84\tZ\xee\xd4\xd4\
\xf4\x8c\xeby\xdd]\x10\xe2v\'\x8ac.(\x17\xdc\xb1M)\x18\xc6M\x16=lG\x91g\x13\
\xdf\x19\xa0\xec\x00P\x98>w\x08\xc3\x1f\xb3hq\xd7h4G\x04\xd6\xbc\x8f\x82\x01\
\x01.aG\x8e0\x02BB\x94 \x12wjz~[\xd9%F\xedN\x1c\xc7\x02\xa9\x90\xd2\xb1M\x94\
B\xc6M\x11=F\x19Y&\x99r\x07\xe4\x07\x06\x00\xbbP\xb3\xfc\xe9}\xe9\xd3\xf3\
\xa3\xc5]\xa3\xd1\x1c\x05$\xef\xb0\xf6# }9\xc2\x08\x08\x01\x11CD\x98\x9d\xbf\
X(us{I)\xe3v;\x8a\x99\x90 \xa54)\xa0\xe0D\x84\x14\x9a@:L\x12\xcb\x00\xdb\x18\
|,\xafz(\xcaq\x8c\xe6P\xbfVh4\x1a\xcd\x98\xb0\xe0\x1e\xa0\x00\x00!`;G\x18\
\x01. d\x88\x08~q\xa6P\xea\xce\xa0J!:\x8d \x8a\x05\x97\x04\x81\x1a\x06\x10\
\xe4\x14\x98[p%kX&\x15\x12l\x03\x8cA\x02i\xbae\xd3>\xa4\xe1\x8fY\xb4\xb8k4\
\x9a\x89G&M\xde\xd9\x00 \x88\xc0\xe5\xb6\xd9\xce8D\x0c\x01\x81PR\xae\x9d\xed\
n,d\xd4j1I\x18\x97\x04\x08%\x92HA@\x94\xa6\xa7\x93\xce\xbak\nD\x10\x12\\{\
\x90\xb7]%m?\xd0\xca\xd7c\xa2\xc5]\xa3\xd1L<Ip\x0f\x00A\xe5\x08\xeb\x99\xed\
\x89\x80\x98\xa3\xca\x19\xe6\x17\xe7l\xaf\x08\x00(D\xd8jG\x89L\x187\r\x83\
\x80 \x82\x01\xc8\xf2l\x8d\xb3\x10\xe2\xbai\x900\x01\xd7\x1a,\xe0\xce\xd4\
\xb1C\x95\xb4}\x04\xda\xe7\xae\xd1h&\x1b\x11=\x11\xd1&\x00 b\x9al \xe1\x90\
\xa8Z\xd8\x04(5+s\xe7\x00@p\x1e6[L\x00\x13h\x1a\x06\x80$\x92Y\x16\x99\xaa\
\xce\x02!\xd1\xe6om\x93\xa8\xbf\x16\x1c\xf5\xb0\xd8\x011l\x7f\xfa\xec\xbe\
\xf6\xed\x05\xd0\xe2\xae\xd1h&\x1aL\xb6n\xa9Oj\xd5\x12\x02D\t\x884\\\x06\xa1\
r\xec\xbci\xbb"I\xda\xadN\xccA\n\xe1\xd8\xa6\x10\x8cuZ\xd5Z\xd5.\x94\x01 \
\xd9\xbaeB\x08\x00\x9d\x18]kp\x90\xccT\xedk\x87-i\xfb\x08\xb4\xb8k4\x9a\x89\
\x843\x1e3\x84x\x9d\xb06!\x06\x17(%J\x84\x88\x81\xcc\x04BZ\x8e_\xac\x9e\x94J\
\xd9\x19J)-\xcb\x10\x82\x11\xd6\x99>6cyE\x00\x90\xbc#\xda\x0f\x01@H0\x08\xd0\
A\xd2nyU\xbb0;\xe0\x0f\x87\x15-\xee\x1a\x8df\xc2@\xc4`\xab\xc1\xc1\xb4\xa8\
\xa4\x9d\x15 \x14\x00DW\xd9Q\xca4U\x18A)fO^\x14q\xd4nG1C!\x85m\x1a(\x05\xb0N\
\xa56K\xedn\xfdk\x1e\xdcC\x94\x84\xa8\x18\xcaAk\x96\x0eY\xf1\xebq\xd0\x13\
\xaa\x1a\x8df\xc2\xd8\xdax\xb2U\xdfpL\xea\x91M"C\x02D\x08d\x1c\xc2$\xab\xec\
\x80RL\x95\x8f\x11 A3\x8c9\x08)\x1d\xcbD\x94D\x84\x95Z-Uv\x11o\xa5E\xb4\x11\
\x07\xcf\xa3\xba\xa5\x93\xa6S\xdc\xa7\xee\xbd$\xb4\xb8k4\x9a\t\xa3\xd3n\x03\
\x97\x18\xb7x\xfb\x11\x00E\x80\x98\xa1Z\xa6\x94Qv4L\xcb/\xce\xb5#\xe0\x02PJ\
\xc7\xa2Rr\x115+\xb3\xb3\x86\xed\xf5\x1aC\xd6\xb8\x03\x00\x84\x80\xc4\x81Y$\
\x0f{\xf6\xc7ahq\xd7h4\x13\x86_*\x81i&\xcd\xfb("BI\xcc\xb0\x93\xe4\x94]\x9a\
\xa6Q\x9d\xbb\x90\x08\x871\x0e\x00\xb6E\x05g\x98\x84\xd5\xb99j\xb9iS\xbc\xb3\
.\x93&\x00 \x02\xe3\x83\x1c2\x00~\xf5\xf4a\xce\xfe8\x0c\xeds\xd7h4\x13F\xb9\
\\\xe2\x9d-[\xb6\x01\xa8\x90\xd0\x8e0\xebNA)-\xcb)\xcd\x9eO\xa4\xcf\xb9\xa0\
\x94\x98\x06\xe1I\x8c"\x9e9\xb6C\xd9Qr\x16\xdc\x03@B\x08\x13(\xe4\x80 \x19\
\xc3.8\xa5\x93\xfb\xd4\xb1\x97\x8a\x16w\x8dF3aP\xc3(z\xb1\x08\x01\x08\x84\
\x91\x14\x12\xb3\xcan;~y\xf6|\x87Y\x00h\x18\x94\x10\x94,A\xc9f\x8e\x1f\xcb\
\x052\xf2\xd6*\xf2\x10T*\xe0!f{a\xe6\xfc!\xcf\xfe8\x0c-\xee\x1a\x8df\xc2\x90\
IS\x84u\x02\x84s\x8c\x92\x1d\xca\xeez\xc5\xe2\xf4\xb9\x88\x19RH\xcb2)E\x1eE\
\xa6\x81\xa5\xda\x1c5w\xb8VP\xc4\xac\xb5\xa6>s\xb13\x8bd\x0f\xab0{\xf8\xb3?\
\x0eC\x8b\xbbF\xa3\x990\x92\xc6]@\t\x04:1J)\x01\x80\x10\x8a(]\xbf\xec\x97Ow\
\x12CJi\x1a\x14@\xf002L(\xd7\xe6\x08\xcdk]\xd2\xb8\x03\x92\x03\x00"\x0c6\xdb\
\t-L\xcez\xd4~\xb4\xb8k4\x9aIBDOE\xb4\t\x04\x12\x8e\t\x07\xdb\x9d\x02\x00\
\xceB\xdf\x9f\xf1J\xafub\x82(l\xdb\x02\x94<\xea8\xae]\x9c\x9e%4\xefW\x91IS\
\x84\xeb\xea3\x130\xa0\x886\x80W\x9e7\xec\xc2\x9e\xf7g\xcf\xd0\xe2\xae\xd1h&\
\t\xde~\x04\x00\x80\xc8\xd1\x9d;\xfdu\xc7/I\x16&a;a\xb4\x13\x13\x02\xd2v,\
\x94\x82\x87\x1do\xca-Tf\xc8\xa0\xc0\xf5\xa4q[\xa5|\x94\x12\xd2t4Y\x88\xe9x\
\x95\x85\xbd\xee\xcb\x9e2\x91\x13\x05\x1a\x8d\xe6\xd5\x04y\xc4\xa3\xa7@\x80\
\t\xc2D\xc5\xb0K\x84P\x04\x83K7\xe6\x06\x804(\xa2\x14,l\xf9E\x7f\xaa:X\xd9E\
\xb8!\xe3\x862\xd6\x99\x18XD\x0f\xfc\xea\x19bX{\xdc\x9b\xbdE[\xee\x1a\x8dfbH\
\x82\xfb \x19\x02F\x89\xc1$\x91\x82K\xc3f\x0c\x05\x12\xd3\x04\x90\x88@x\xbb9\
5]\xf1\x8bC\x13\xf3\xb2\xe6\n@\xb7\x8e\xc7\xc0\xf0G\xd3-\xb9\xc5\xe3{\xd8\
\x8d}A\x8b\xbbF\xa3\x99\x0c$k\xf1\xcec \x90$\x10sI\x88d\tK\x04I"\tHL\x02\tc\
\x04Y\xf5\xd8\x8c\xe5\x0e\xad\x94$\x93\xa6d-\x181\x8f\n\xe0OOF9\x8e\xd1hq\
\xd7h4\x93A\x12\xdc\x07\x94\x08\xd0I\x10%\xd8E/\xe1\x1c\xb9\x10(\t\x80\xa4\
\x06\xa5P\x99\x9e5\x1c\x7fT#\x8d;\xaa\x9c\x07\xe780\xfc\xd1)\x1e\xb3\xbc\xca\
\xde\xf5b\xdf\xd0\xe2\xae\xd1h&\x00\x11\x07\xa2\xb3\x01\x04\xe2\x04\xb9@\tv\
\xbb\x15\xc61\x03\x00J\x08\x00\x10j\x00\x8a\xca\xec\xcc\xa8F\xc2\r\x99l\r(\
\xa2\xdd\x83P\xd3\xabNp\xf8c\x16-\xee\x1a\x8df\x02`\xc1=\x04$\x08\\\x80k\x01\
C\'\xe2\x843\x06@\x00\x10\x10\x10\x00\x11y\xd46\xac!y`P$\xc1\x1d\x00 \x00\tG\
\x1cd\xb6\xbb\x95\x05#\x93\x9f`\xa2\xd1\xe2\xae\xd1h\x0e;<|\xc2\xa3M\xa2\x8a\
iP\xa0@\x0c"\xa4\xe5\x08.\x94\xb2\x03 "1Mb:\xde\xd0F\xda\x0fU\xb2\x011$\xfc\
\x91Z\x9eW>\xb5\x87\xdd\xd8_\xb4\xb8k4\x9aC\x0e\xb2\xe0>\x00 \x80\x90\x08\
\x00\x08\x84b\xa7\xe8\xb6\xb8?\x1d\xc7RJ\x01\x00\x06%\xb33e\xc3\x1elw\xa3H\
\xbaA2\x00\x8c\xe3\xc0UK\xfe\xf4\xd9\xfe\x85\xac\x93\xcb\xd1\xe9\x89F\xa39\
\x92\xf0\xce\xbaH\x02e\xb6\xa7\x91\x8b\x08\x04\xa2\r\xc7\x8dm\xa7`\xf9\xc7\
\x0c\xd3\xb4l\xd70\x87&\xe6e\xcd\x15\x94\x0c\x00\x10A\x0eJ\xdanz\x15gjn\xcf:\
q\x00hq\xd7h4\x87\x17D\x91\xf4\xcc\xf6\xec\x14(\x01\x00 ,l\x1a\x16+\x1c\xff\
\xfa C<mB k\xf0\xd6\x03\xb5\xc9`\xb3\x9d\x90\xc2\xcc\xf9\x97\x7f\xf6\x07\x8a\
\x16w\x8dFsx\xe1\xed\xc7\x92u\x08\x00\x97\x03\x127\x92ni\xd3A\xca.#\xe0-\xe4\
\xcd$l\xc8\xa4\xad*\xa3J\x89\x03\xbd\xedN\xf1\xc4\xc4U\xd1\xdb\x15-\xee\x1a\
\x8d\xe6\x90\x82\x92\'\xc1\n(o\xfb\xa0\xc8E\xc3-;S\xc72;\x08\x90!\xf0\xa6H\
\x828lFa\x12\xc7\x9c\x0bY\x9d"\x94\x12\xc0\xc1f;1,\x7f\xfa\xcc^\xf6\xe3`\xd0\
\xe2\xae\xd1h\x0e)\xac\xb5\x86""\xc3\xf2\xad\x13R\xac\xbd\x0e\x00 c\x90mL\
\x1a,nE\x9dv\x1c\xf3$\x11\\HD@\x00\xcb \x94\x12\x00\xe0rp\xad%\xaf\xf2\xda$V\
\xd1\xdb\x15-\xee\x1a\x8d\xe60\x82\x82\xb1\xe6\x03Py\x02\xe4\x00\xb3\xdd\xf6\
\xa6D\x12\xc4\xcd\x15\x10\xed(L\xe2\x84s&U8\r\x10 \x00\x94\x02\x13`\x9a\x84@\
w\xd5\xd2\xa0*z\xbe{\x84\xc2\x1f\xb3hq\xd7h4\x87\x91\xa4q\x07e\x02\x00L\xf6-\
8"\xc0\x05<~\xd4\x8aW~[\xf1\xc1\xa0(eW\xd0\xb3\x15\xf1$\x82\x90\xe0\x98\x08\
\x08\x11\x838\x01B\xc1 \x00\x00\x88@)\x10B\x0b\xb3\xafOh\x15\xbd]\xd1\xe2\
\xae\xd1h\x0e\x1d"n\xb0\xf6#\x00\x90\x12\xa4\xe8\xf3\x92\x03l\xb6p\xa3\xc1gK\
\xd4\xa0\x04q\x87\xa6\xa7\xab\x9a\x12A,\x8bz\xbem\x9a\x06ZH\x0cnP R(m\x8f\
\x99\x8c\x18\xa9X\x13\\\x8ec4Z\xdc5\x1a\xcda\x03\x93\xc6\xddnz/\x91\x9f\x02%\
\x04"\x06[-\xe9;\xb4\xe0\x12\x04HC\xdf\x11\x01\x00\t\xa5\x96i8\x8ei\xdb\x86c\
Q\x82"\x8e\x18\xe7\x02\xa4\xe4\x0c\x11\x08!`\x18\xd21I\xd0\xe1\x8c\xc5#\xa2\
\xe3\'\x1a-\xee\x1a\x8d\xe6\xd0 \x9a \x9b<|*\xa2- \x06\x85?\x02\xc0fS\n\t\
\xd3\x1e\xa1\x04$ve\xdd0\xa9\xe3\x98\x8em\xda\xb6a\x10\x94R\xf0$\xe9DBH\x04D\
\x04\x89\x8d\x04(2@\xc98\x98\x14\x0b.\x11,\x06\xef\xa8\x05A*\xb4\xb8k4\x9aC\
\x80d\xec\xe9o\xda\x9d N\xd0\xa6\xdc2\t\xe0\x80\xf0GB\xa0\x13c\xa3\x83\xbeK\
\\\x1b\x84\x00\x89`\xdb\xb4R\xf1m\x93\x80\x94\x9c\xf3$L\x04\x17R\xaa\x1d\x80\
\x00Jb\x81?o8\x15!\x90b\x88\xed;D&\x02\x89A\x80\xb3x\xff\xfb\xba?hq\xd7h4\
\x07\x0e\xb6\xea\xd7\xb7\x9e>\xe5\x1c\x11\xc0\x99\xa2\x83W-\x11\x00\x80\xcd\
\x16\x02\xc0\x94C\x08!\x96M,\x83X&E\x16\xb7;\xcaH\xef\xad^\xdd\xde\x93\xb4\
\xa2\x82L\x98al\x10B$\x12\x0b=\xcfL\xd4\x96<\t\xf7\xb3\x9f\xfb\x89\x16w\x8dF\
s\xc0$ac\xeb\xe9Se\xa7SJL\x03\x10A\xa8\x0c0\xbd\xe0\x16)AH\x14\x92\x14\\:[&\
\x8eE)\x05\x82(\x11\x05\xe7\x9cu\xa3e\xfa\x9d8\x08\xe0O\xb9\xed\x98r\xce\x01\
\x10\x88\xe1\xd9\x86\xfa\x13\x05\xe0,\xda\xc7\x8e\xee+Z\xdc5\x1a\xcd\x01\xc3\
\x92D\xc52r\x01\xbe\x05\x04\x80KD\x04\x89 \x04\x08\t\x08@\x081\rb\xdbd\x8a\
\x02"J)$\x07\xe5\xb5!0\xba(\x1e\xda$\xb0\xcas1/H\x89\x16IL\xdeB\x01\x00\xf7\
\x9f\x18\xb1\x00\x00\x0c\xa1IDAT@\x08H\x1e#\xe2\xc0:\xda\x93\x8e\x16w\x8dFs\
\xc0\xd8n\x11\x08A\x89\\\xa0c\x12b\x18\t\xc3(\xe1\x84\x10\x83\x12\xdb"\x06\
\x05B\x10%\xa0\x94\\\x02\xf4\x0c\xf4q$\x99\x00\x11I\x87\x8a\x15\xcfr\x01\x08\
\xf2H\n\x9e\xee\x8a"A\x94\x84\x18{\xd5\xb7\x83\xe3hF\xef\xbf"\x04A\xb0\xb2\
\xba\x16\x04\xc1\xf8\x1b\xc4q\xdc\xbf\xcb\xca\xea\xdaz\xbd\xbe\x87\'\xfa\xec\
\xac\xd7\xeb\xcfzV\xcb\xd7o\x8c\x18\x8a\xd1\xbb\\\xfd\xf2\xda\xb3\x9d\xdf\
\xcb8\xfa\xe1!\x08\x82\xe5\xeb7\x0e\xf0\x04,\xc7\xb3\xfd\x19B\xc8\xccL\xa1<[\
\xb6\x0b\x05\xcf5=\x9b\xfa\x0eq,\xa0D\xa2\x94B b7\xee\xf1Y\xcdlB\x88\x94\x92\
Gm\x1e\xb7\x84\x10;\x1a@\xa1"(\x8f\x1e\xdar\x9fH\xe28\xfe\xe8\xe3O\x1c\xc7\
\x99\x9b\xab\xdd\xbcy+\x08\x82\xef|\xfbO\x1d\xc7\xc9n\xb3|\xfd\xc6\xcf?\xfdl\
a\xfe\xd4z}\xe3\xed\xa5\xcbKo]\x0e\x82\xe0\xaf>\xfc\xd1\\mv\xbd\xbe\xf1\xado\
~\xe3\xc2\xf9s\x00\xf0\xc3\x0f\x7f\x04\x00Q\x1c_8\x7f\xee\xbdw\xdfQ\xfb\xaa-\
?x\xff\xbbs\xb5Z\xff\xd1\x83 \xf8\xf3\xbf\xf8\xcb\x0f\xde\xff\xde\xc2\xfc\
\xee\xeb\xb6o\xde\xba}\xf5\xea\xb5\x7f\xfbg?\x18\xb3k\xeb\xf5\xfaG\x1f\xff\
\xccu\x1c\xc7\xb1\xe38\x89\xe2\xf8\xfb\xef\x7f\xb7T*e\xb7\xf9\xe1\x87?ZZ\xba\
\xac\xce\x7f\xfb@7o\x95J\xa5\xdc\x96\xa3O;\xdd\xe5\xf3+_,\xbdu9\xbb\xf1\xff\
\xf1\x7f\xfe_\xea\x83\xe38j\xf4Fwd\xd7\xa3\x0f\xa3\xff@\xcf\xda\xc2\x8b\xd3\
\x08\x9a7o\xdeZ\xbctq\xff\x0f\x9dR\x9d\x9eI\xe8\x13\xd3\x92\x9d\xa0\xcd\x19G\
D\x02\x80\x12\xb0\xe7qyA\xbf\t\x81\xc1\xbe\x1b\xc34F\xfbt&\x17-\xee\x93\x87R\
\xf6\xa5\xa5\xb7\xea\xf5\xfa\xca\xca\xea\xc2\xc2\xfc\xe2\xe2\xc5\x8f>\xfe$\
\xa7\xef++\xab\xdf\xf9\xf6\x9f^8\x7fN)\xf5\xd2[\x97\xbfZ\xbe\xa1\xe4ceu\xed\
\xca\x95/.\x9c?w\xf3\xd6m\xc7\xb1?x\xff{q\x1c\xff\xf9_\xfc\xe5\xdbK\x97U\x0b\
\x9f_\xf9\xe2\xed\xa5\xcb\x03\x95\x1d\x00~u\xf5Z\xa9TZ^\xbe>B\xdc\x7f\xfc\
\x93\xff\xfe\xc1\xfb\xdf\x03\x80q\x1e\x00)A\x10\xfc\xf8\'?M\x1f<\x00\xb0\xb2\
\xba\xd6\xaf\x98KK\x97\x9f\xa9\xd9\xf1O;\xcb\x7f\xfa\x8f\xffA\x9d\xd2\x7f\
\xfb\xc9O/\x9c?\xf7\x1cGL\x07\xe1\x99\x0e\xf4\x1cO\x88I\x07y\x984\xee$\x0c\
\xe38\x02\x00B\x00\xa9#\x91PL\x08\xc8\x17\x16\xf6\xe1\xc7\x050\r\x83\x1e\xd1\
\xf4\x03G\xb3WG\x9b\xe5\xeb7\x16\x16\xe6WVV\x1b\x8d`i\xe9\xadF#X]]\xbbp\xe1|\
\xee\xcdZ){\xf6\x9b\x9b\xb7n\xabo\x16\xe6OEq\x1c\x04\xc1\xca\xca\xea\x85\x0b\
\xe7\x01\xc0q\x1c\xa5\xf5\xd0\xf5\xd2l\x0c\xb3\xe3\x94c\xe7\xfb\xef\x7f\xf7\
\xe6\xad\xdbYG\xc4\xca\xea\xda\xd5/\xaf-_\xbf\xa16P\xffS\x1b\x94JE\xf5ev\xe3\
8\x8e\xd5)]\xfd\xf2Z\xfa\'u\x86\xd9\xd3N%u\xbd^\x0f\x82\xe0\xea\x97\xd7\x82 \
(\x95\xb6W\x9d,_\xbf\x91ma\x18\xc3N{WJ\xa5\x92\xeb8\x8d\xa0\xa9:\x92\xebl\
\x10\x04ikq\x1c_\xfd\xf2\xda\xd5/\xaf\xc5q\xdc?\x08\xaa\xa7j\x84w=P\x1c\xc7\
\xaa_i\xe3\xeb\xf5z:\xbc\xe9Xe;\x9e\x8e\x8f\xf2h\xa5\xcd\xa6C\x9d\xb6\x90\
\xfeIm\xafNx\xfc\x01\xd9\x0bZO\x1fDQ\x02\x08\x84\x10\x04"\xec\x13\xa4\xf4u\
\xf5?0K\xb8wn\x13\x04@.\xd5\xec\xea\x91C\x8b\xfb\xe4\xb1\xb2\xb2\xaa\xbc\x04\
\xdf\xfa\xe67\x16\xe6O\xbd\xf7\xee;\xf3\xf3\xa7\x16/]\\YY\x1d\xb8\xfd\xcf?\
\xfd\xec\xed\xa5\xcb\x00\x10\x04Aj\x15\x96K\xc5F\xd0\xdc\xf1M\xb9\xa4n\xf2\
\x9f\x7f\xfa\x19\x00\xfc\xe7\xff\xf2_\x7f\xfe\xe9g\xfd\xb7\xfd\xf2\xf5\x1b\
\x0b\xf3\xa7J\xa5\xd2\xe2\xa5\x8b_-w\x95\xe2\xe6\xad\xdbW\xae|\xa1\xcem\xf9\
\xfa\x8d\xabW\xbf\x04\x80\xabW\xbfT\xcf\x89+W\xbep\x1c\xe7\xe7\x9f~\xa6D\'\
\x08\x82\x9f\x7f\xfa\x99\xe38\x9f_\xf9\xe2\xe6\xcd[jK\xe5\xf5V/"\xaa\xcdTz\
\xd4^W\xae|\xf1\xdf~\xf2\xd3(\x8a\xd5\xe7\xf5\xfa\x06\x00d[P\xdf\x0cc\xe0i\
\x8fF\x1d\xfd\xa3\x8f?\x01\x00\xe5\xddR}T\xfe.\x00X_\xaf\xff\xd5\x87?J\xf5\
\xfa\xf3+_\xa8/?\xfa\xf8\x93F\x10d\x07aeu\xed\xea\xd5k\x00\xb0\xbc|\xbd\xff\
\xd1\x92;\x10\x00\xfc\xf8\'?m4\x02\x00\xf8\xe8\xe3\x9f)u\xfe\xe8\xe3\x9f\xa9\
\xf1Q\xa3\xd1?t\xe9\xf8\xb8\x83\x86\xfa\xe6\xad\xdb\x9f~\xfa\x8b\xf4\xf4\xa0\
\xf7\xa2\x10Eq\x14\xc5\xea\xcc\x0f\x90$Iz\xce\x17L\x84\xdf\x08HP\xdf\xe8l>i>\
m\x05\x1d\x1f\xe0%\xcdv\xa2\xc4.r\xfb;\xc1\x04K^N\xfb\x87\x0c-\xee\x13\xcc8\
\x06\x97\x92\xa1\xf1=\xb9J\x14\xbe\xff\xfew\xff\xf7\xff\xed\xdf+\xfb1\xb7\
\xc1W\xcb7\x16\x17/\x02\xc0\xe2\xe2\xc5\xd4\x90\xbcz\xf5\xdaw\xbe\xfd\'Ko]\
\xfe\xce\xb7\xfft\xe9\xad\xcb\xca\x17\xf1\xc1\xfb\xdf\xcb\x9a\xffo.^Tz\xf4\
\xd5\xf2\x8d7\x17/\xc6q|\xf3\xd6\xed\xc5\xc5K\xb5Zmq\xf1R*\xb8\xb9\x99\x83\
\x95\x95\xd5zoZ\xf5\xed\xa5\xcb\xef\xbd\xfbN\xfa4R-|\xf0\xfe\xf7\xd4\x11s;\
\x8es\xda\xbbr\xf3\xe6m\x00\xf8\xe0\xfd\xeff\xbf\xfc\xd5\xd5k\xdf\x7f\xff\
\xbbKo]\xce\xba\x8f\x00\xe0\xbdw\xdfQ#\xb0\xb2\xba6W\xabe\x07\xa1^\xaf;\x8e=\
?\x7f\xea\x83\xf7\xbf7\xd0\xeb\x92=\xd0\xcd[\xb7K\xa5\xe2\xc2\xc2|\xadV\xbbp\
\xe1\xdc\xcd\x9b\xb7\x1a\xdd\x17\xa0\x92z\x1b\x1b6t\xe9\xf8\xe4\x86\x1a\x00\
\xae^\xbd\xb6\xb4t\xb9V\xab]\xb8p~\xbd\xbe\x11\x04\x81\xf2\xd1\xbd\xf7\xee;\
\xef\xbd\xfb\x8ez\xf6\x1f \x96[\xea\xe6\xf4E0,\xc3rm\t\xc0\xb8\xe0BX\xb6A\r\
\n\xf0\xc2\xc6;!\xe0\x1d\xa7\xe5\xaf\xe3\xd4\xd7\xa8\xb7]+\x95\x00Jq4\xc5]\
\xfb\xdc\'\x8f\x85\x85\xf9\xe5\xeb7\xde\\\xbc\xf8\xf9\x95/.\\8\x7f\xf3\xe6\
\xadr\xb9T\xafo\xa46o\xca\xcf?\xfd\xac^\xdfH\xb5\xa9T*\xa5\xa6z#h\x96KE\xf5\
\r\xc0)\x00h4\x82\xb9\xb9Z\xbd^\x7fs\xf1\xa2\xdafq\xf1\xd2\xd5\xab_f\x1f\x0c\
\xca\x11\xa1\xe6`\x157o\xdd^\xbctq\xbd^\xdf\xd5S\xbcx\xe9\xe2\x7f\xfe/\xff\
\xf5\xbdw\xdfY\xbe~\xe3\xdf\xfd\xd9\x0f\xd6\xeb\x1bq\x1c+\xf3\x16\x00\xca\
\xa5\xa2\xea\xda\xcd\x9b\xb7\x94\xf5Z*\x95r\xcf\xa4\xdc!\xd6\xeb\x1b\xe5\x8c\
\x7f&\xfb9\xc7\xb0\xd3\x1e}\xc2Ko]\xbep\xfe\xdc_}\xf8\xa38\x8e\xb3O\x8e\xdc\
\xebN\xfa\xfd\x88\xa7\x8b:\x96\xb2\xbe\xfb\xe7\x87s\x07\n\x82`\xbd\xbe\x11\
\xf7F\xa6V\xab\xcd\xd5jo/]\xbez\xf5\xda\xcf?\xfd\xec[\xdf\xfc\x86\xe38\xfdC\
\x07\x99\xf1\xc9\r5\x00\xac\xd7\xeb\xcb\xcb\xd7\xd3\xed\xa38\xae\xd7\xeb\xe9\
\x05s\xe0^~\xbf4\xdb\xde\xbcmP\x01HLl\x95\x0b\x9e\xed\x95\xb8\x00\xe4\x9c$\
\x9b<f/\xecv\xc7v<%\xa5o2N)\x8dE\xd9\x10m\xdb\xe8\xa8\x85O<\t\x1d\xbf\xf2rzr\
\x98\xd0\xe2>y,^\xba\xf8\xd1\xc7\x9f\xbc\xfb\xee;\x00\xb0\xbc|}n\xae6?\x7f\
\xea\xd3O\x7f\x9130\x95\xcd\x9e\x8d\xeeP^u5\xa1\xea:N\xa9TZX\x98_^\xbe\xbex\
\xa9kG\xbf\xf7\xee;+\xabk\xcb\xcb\xd7\x95\xaa\xd6\xeb\xf5\xda\xce9\xd5\xe5\
\xe5\x1b\xdf\xfa\xe67RY\\\xbe~\xe3WW\xaf-^\xbax\xe1\xfc\xb9\x95\xd5\xb5\x85\
\xf9S\xca"\x1e(s\x8e\xe3\xa83W\xee\x91R\xa9\xe48\x8e\x9a\x04\x8e\xe3X\x19\
\xa7J\xe3\xca\xe5\xbc\xac\x0fda\xfe\x94r\x1c\xa9\x16R\xb7\xcc\xcd[\xb7\x17\
\xe6Oe\xcfa\xd8i\xefz\x88R\xa9\xf4\xf6\xd2\xe5\xcf\xaf|\xf1\x9do\xffiv\x18\
\xaf~yME\x1f\xa5\xa6\xf1\xae,^\xba\xb8\xf4\xd6\xe5\xcf\xaf|\xa1~\x82\x11\x07\
\x9a\x9f?\xb5\xb2\xb2\xaa\x0c\xff\xf5z\xbd\\*\xa9\xce.^\xbax\xf3\xd6\xed\xe5\
\xe5\xeb\xea5%7tYrC\xad\xceyq\xf1\x92zj\xaa\x17\x8b\x85\x85\xf9z\xbd\xae\xbe\
I\xdf\x8dT\xec\xe9\xb0\x89\xf4\xbd\xc3\xb4\x1c\xafr:i\xdc6\xd4\xa2\xd3\xf6c\
\x96lQ\xc3\x90\x9c\t\xfe\xe2\xca\x0e\x00\xc4\xf1\n\xcdN\xccbI\x00\x11\x8d)\
\xc7%\xa4\x83*\xa5\x18=\x82A\xee\xa0\xc5}\x12Q7\xf6G\x1f\x7fR*\x95\xe6\xe6j\
\x8dF\xb0\xb2\xb2\xfa\x9do\xffI\x7f(d\xfa_\x00\xf8O\xff\xf1?\xbc\xb9x\xf1\
\xaf>\xfc\xd1\xca\xca\xaa\n\x85\x04\xa5SW\xaf\xfd\xf0\xc3\x1fEq\xbcx\xe9bwZ\
\xf5\xe6\xad\x1f~\xf8#\xc7\xb1\x1bA\xf3\xfb\x99\x07\xc6\xca\xeaZ#\x08\xb2\
\x8e\x88\x0b\xe7\xcf}~\xe5\x8b\x95\xd5\xb5\xa5\xa5\xcb?\xfe\xc9O\xe7j\xb3\
\x8d\xa0\xf9\xe6\xe2\xc5\xa5\xb7.\xcf\xd5j?\xfc\xf0G\x8b\xbd\x97\x80\xee\xf6\
\x17\xce\xff\xf8\'\xff=\x15\xca\xb7\x97.\xff\xf9_\xfc\xa5\xdaK\x05\xe7\x94J\
\xa5\x0f\xde\xff\xeeG\x1f\xff\xec\xe6\xcd\xdb\x8ec\xab\x83\xaaS\x1dH\xb6\x85\
\xb4\xfb\xca\xbb\x9d\x8d\xb7\x19v\xda\xe3\x8c\xb6\xf2\xd1g7\xfe\xd67\xbf\xf1\
\xd1\xc7\x9f|~\xe5\x8bR\xa94W\x9b\x1d\xb1o:\x08q\x1c\x7f\xb5|C\xcds|\x7f\xe7\
3\xb8\xff@J\x91\xff\xfc/\xfeRm\xff\x9do\xffI\x1c\'\x1f}\xfc\x89\xea\xa6\nW\
\xed\x1f\xba\\k\xb9\xa1N\x7f\xa08Nj\xb5Y\xf5\xa8\xf8\xf1O~\xaa\xdcA\x00\xa0F\
[\xfds\xff\xc5\x1d\x00\xca\xb3\x0b\x9b<f\xad\x87&\x95\x04\x88`\xb1`\x00\xa0B\
g\x00\xc8\x0b9f\x10\xd16;\xe5\xea\\\x94\x00"Z\x849\x18\xaaiT\t\xd6\x914\xdb\
\x01\x80\xec\xe1L\xb4f\x8f\t\x82 \xf5\xae\x8c\xb9\x8b\xb2ps\xbb\xac\xac\xae9\
\x8e\x9d\xbd\xa5\xd7\xeb\xf58N\x9e)\xf8/\xd7\xf2\xc0\x03\x8dy>\xe9\t\xe4\xce\
j j\x10\xe6j\xb3\xa3}\xee{\xc4\xe7W\xbe(\x97K#"\x8b\xd2\xde\xa9\x1e\x8d\x7f\
\x9e\xb9~\xf5\xff\xd6c\x8ep\x96\xfe\x1f\xba\xff\x9b\x83%\x89\xdaQgK$\[email protected]\
\x8c(@r\x00)\x85 \x01T\xdc;\x122\xd0\x98\'\xdd\xff\x0c\x924D4l\x97ZSR"\xb2&\
\x8a\x04\x80\x08\t\xfe\xec\x1bS\xd5\x13{\xdb\xab\x03B\x8b\xbbF\xf3l|\xf4\xf1\
\'ss\xb5Z\xad\x16\x04\xc1\xaf\xae^\xfbw\x7f\xf6\x83\x03y\xae\xbc* "J!\x18\
\xef\xd4E\xe7A3.\xb1\x84q))A\n\x12\x08\x12\x90\x04\xa4A\x91\x02\xa7\x14$\x1a\
\x84\xa8u\xa7\xa2\xd7@w\x95\x12%\xca\x0b\x03\x00D"A\xea\xf8\xd3g\xa7*\xc7\
\x0f\xb0s{\x8a\x16w\x8d\xe6\xd9X\xaf\xd7\x97\x97o\xa8i\xd5\xb7\x97.\x1f\xf8l\
\xe4+B\x12\xdc\x83x\x1d\xcc\xb9\x8d\xa7,\xe2`P"z\x01\x8d\x04\xf0X\xd5\x88\
\xe3\xa7\x05\x8b\xcb\xc29\x166X\xb8\xc9\x936"P\x02\xbeC\x10@\x9aU\x0e.AA\x08\
H\xa0\xb6W\xf6\x8b3\xd4\xb0\x0e\xb4O{\x8b\x16w\x8dF3\x01\x04\xeb\xbf\xb5\xf9\
#\xc7\xab\x05\xa1\x8d\x00\xed\x08#\x86\x84\x10D4)99m<\xd9\xaa\xfbfG"\xe5\xbd\
\x12\x1f\x080\xe5\x80\xe7\x11@\x00\xb3\x0c\x95\xdf;\xd8.\xec3:\xce]\xa3\xd1L\
\x00I\x12\xc7LJ\xb6\xe9\xdb\xbc\\0-\xcb4\rbP\xf0lZ.\x18I\xc2\xa4\x88\x9a!f\
\x95\xdd \xe0\xda\x04$\x00\x02\xb0\x06t\xee\x1cl\x17\xf6\x19\x1d-\xa3\xd1h&\
\x00\xc1Y\xab\x03&e\x08\x1b\xad\xa8R.\x94<\x0b%J\xd3 \x82\x85\xcd\xf6S)\x05"\
\xd9\xae\xa6\x8d\xe0:@\xb2\xeb\x9f\xda\xab`\xcd\x80\xf5\xaa\xb8\xd1\xb4[F\
\xa3\xd1\x1cRP2d\x1d\xe4M\xca\x1b\x8f\xd6\x9fD\x894)\xf8\x0e$\x1c\x01LBM \
\x04%\x97\x82\x03 "\x91\x08\xbeC\xa0g\xb6W\xa7\xfa\x8ap\x18>T\xdf\x82\xa3\
\x98\xbd\xbd\x1fm\xb9k4\x9aC\x04J\x86\xbc#\xe3\x86L\x82n\xcc"\x01D\x10\x02\
\x95P\x87\t\x98\x94\x00p\x90\x1c\x00\x08\x80i\x10\x00\x92\xf0\xed\xdc\xbd\
\x88\xe0\xe5\xccv\x85\xe8@\xfb.L\x9d\xdf\xd7.\x1d\x10Z\xdc5\x1a\xcd\x81\x82\
\x02%G\xde\x91IC&Md-\x94\xac\xab\xca=i\x96r;\xa2Q\x15J5\x08I\xa3\xddew\x03\
\xa4\x94\x10\x02R\x82I\xc1\xb5\xc9\xe0uO\xe1\x03\xf0N\x80\xe1\xefC\xcf\x0e\
\x16-\xee\x1a\x8df\xdf\x91\t\xf06\xb2\x80G\r\xc9C\x90,\x9b\xa91\x07\x01\x90\
\x08\x123\xff\xce\x80\x00\x80\xa0\x12\t\xd0\xde\n\xa6\x82;\xc8lO\xf7h\xfe\
\x16\xca\xbf\x0bG4\x8d{\xca\xff\x0fY\xef?\x965\xa5@\x17\x00\x00\x00\x00IEND\
\xaeB`\x82'
def getIDESplashBitmap():
return BitmapFromImage(getIDESplashImage())
def getIDESplashImage():
stream = cStringIO.StringIO(getIDESplashData())
return ImageFromStream(stream)
#----------------------------------------------------------------------
def getActiveGridData():
return \
'\x89PNG\r\n\x1a\n\x00\x00\x00\rIHDR\x00\x00\x00\x10\x00\x00\x00\x10\x08\x02\
\x00\x00\x00\x90\x91h6\x00\x00\x00\x03sBIT\x08\x08\x08\xdb\xe1O\xe0\x00\x00\
\x02\x10IDAT(\x91\x95\x92Kk\x13a\x14\x86\xcf7\xb7d\x92I\xa7I\'7\xa9)\x1a\xab\
\xb5\xc1R\xabh\x15\x04\x91\xd2\x8d\x08\xaet\'\xf4?\xf87\xfc\r\xee\xdc\xb8\
\xd0E\xc1\x8d(bP\xf0\x86Z/i\x02m\x9a\x98\xa9\xc9d&\x9d\xc9\xdc\xe7\x9b\xf9\
\xdc\x84Rb@|\x97\xe7\x9c\x07^x\x0e"\x84\xc0\xff\x84\x998m\x7f}j\xd4\x9f\xc8n\
\xd1d\xe7o\xdf\xd9@\x88:\\Q\x7f_\xebJ\xb3\xbd\xb59-\xb2y\xde\xc8\xe3\xf7\xb5\
7\x8f\x8e\xb6\x98\x00\xb4\xb66\tv\xf6~\xfb\x10\x1a\t\xc6\xea\xec~&Q8\xb9R\
\x14a\xa3\xbf\xa7\xb6\xbf$hp\xfc\xa0\xa6\x10u\x18\x9d\xb9P\xa1hf\x1c\xc0\xbe\
\xd3\xf9\xf1Lm\xbeS\x15\x99\xa1B+ \x1e\x06\x96\x02\x9a\xa6OWV}[e\xe3"\xa2\
\x98\x11\xe0Y\x83\xed\x97\x0f8\xbf)q H\xa4\xa3\x11\xdb\x8b,\x8f\xeckAnv\xc5\
\xb4\xd9~\xf5q\x02\xf6sgoN\x1f\xbf\xc4\x00@\xe3\xedC\xceo\n1\x12ci!\x81x6\
\xdc\xe9\xa1\xbe\x11F\x84.\xcc\x9d\xcag\x93;\xdb\xbf\x1c\xaf^\xab\x0eS\xd2+\
\n\x00\xec\xeeG\x8e&b:#-,%\xc5l\x8c\xa3\xae,\x1d\xbbq1wn\x8e\xf9\xf6\xe1E*\
\x9d\xe1\xd3E3\x10\xf2\x8bk\xf9\xf2U\x06\x00\x10\x10\x00\xc4\xcf\xe4P\xa1\
\x14*\xdd\x08h\x96\x17y\xd7\x88s(I\xe9\x8d\xfa\xcf\xd2\xca]~\xba\x14\xf4?iz\
\x86\x01\x00N<\xe9\xb9MM\x96\x13\xba\xae\xabj\x80#\xa5\xd7\x1b\x98\x9e\x87!\
\x19G\xc3AO\xa8,\x0b\xe7oEx]\xdb}M\x01\xc0\x89\xcb\x1b.\x11z\x8a\xd1i\xc9\
\x86\xe5\x99\x0e\x96\xbb\x9a6\xb0\\\x0f|\x8cf2\xe2H\x19\x13\x93\xe6\xd7(\x00\
\x98\xca\x96\xcb\xd7\xef\xe3\xd8\xec\x81\x03\xa6\x0b\xa6K\x0c;\xd4\xed\xe8\
\xc0\x8e0\x95,\x96\x16\x8e\xbaB\x87\xda\xb1o\xb7\xbe?\x97\x1bUC\x95]\x0f\x0f\
\x1d\x12\xd2S\xab\xeb\xf7\x16\x97\xafM\x06F\xb2\xc3@W\xe5\xa1\xaeF@K\x85\x92\
\x90J\x8f=\xce8\xf0\xcf\xfc\x01\xc1h\x0bqbR\xd1\'\x00\x00\x00\x00IEND\xaeB`\
\x82'
def getActiveGridBitmap():
return BitmapFromImage(getActiveGridImage())
def getActiveGridImage():
stream = cStringIO.StringIO(getActiveGridData())
return ImageFromStream(stream)
def getActiveGridIcon():
return wx.IconFromBitmap(getActiveGridBitmap())
#----------------------------------------------------------------------
def getSkinData():
return \
"\x89PNG\r\n\x1a\n\x00\x00\x00\rIHDR\x00\x00\x00\x10\x00\x00\x00\x10\x08\x06\
\x00\x00\x00\x1f\xf3\xffa\x00\x00\x00\x04sBIT\x08\x08\x08\x08|\x08d\x88\x00\
\x00\x01CIDAT8\x8d\x85\x931K\xc3@\x14\x80\xbf\xd4\xba\xb5\xfe\x04\x03J\xe9Vp\
5\x83Z\x97\xacB;dppw\x10\x04\x05\xa9\xa0\x90:\xa8\xa3\x14qs(8\xd4\xa1\x9bd\
\xa9\x8b\x08\x15\xe2$\x82\xb4)U\x8b\x93\x8b\x11\x1d\x14\xe2\x10\x936\xb9$}\
\x10\xc8\xe3\xe5\xfb\xde\xbb\xcb\x9dt\xdb6\x1dB\xd1\xee}\xf9\xef\x1b\xda\x82\
\x14\xae\x8fF\n \x93\x9f\x0b<EU\x01@V\x14\xd6\xab\x17B\x03A\x10\x17\xb3YX^-%\
J\xd2I\x82\xb3Z#\xa9\x9c,\x90\x15\x05\xd9]\t\xa7\xbbGB\xfd\xa7\xba\xe2\x00\
\xa4F7\xcc\x8b\xae\x9d\xdc\xd5\x83#'\x08\xc3\xe1\xdc\x83_\xee\xbf9\xb7\x1e\
\x87\x82\xa8\xae\xe3\xe0\xfa\xd3\xaf+\x18\xd75\x0e\xee|\x0e\xa4t\xc7z\xf37+v\
\x92\xcb\x13\xeaK:\x00\xbd\xc1\x9e\x0fC\xe8\x1c\x84\xe1BS\xa3\xd0\xd4\xa8\
\xed\xcc\xa3\xb7*\x00\x01\xd8\x17t\xedh\x18 S\xdc\x02`[\x9dDoU\x020\x80\xa4\
\xae\x1d\n\xa7l3o\x06\xe0\x87\xe32\xaf\x96\xfb\xd9\xbe\xd9\x0f\n\xa4\xd4\x84\
\x9f\x18\x07eA\xd67\xef\xc8\x19\xef\x00,~\xd8\xc2\xc5\xf2\x7f\xe3\xf5T\xd6\
\x996\x87\xebx6n\x00\xc8\xfd\xe7Q\xb00\x81UR\x85\tf\x1aW\x89\xd7\xf9\x0f\x9f\
\xff\x90p\xb7%\x8e\xf9\x00\x00\x00\x00IEND\xaeB`\x82"
def getSkinBitmap():
return BitmapFromImage(getSkinImage())
def getSkinImage():
stream = cStringIO.StringIO(getSkinData())
return ImageFromStream(stream)
def getSkinIcon():
return wx.IconFromBitmap(getSkinBitmap())
| [
"[email protected]"
] | |
da2e3218485d698bc9cf720d1e8e480446b29cbd | 66160ae77aed90e1e8eb32708ec251d098f94255 | /Python/Python Basics/.history/ClassBasics_20200618233336.py | 6b9928a122b44674bd19a1876ed2a74030d5567c | [] | no_license | sarthikg/cheat-sheets | 8cf60825bb510d38b57c48da06d41bfef9698c46 | 027ec9d607e5643eed2aa46e06eab3602fc3072c | refs/heads/master | 2022-12-23T18:57:31.574682 | 2020-09-21T00:28:24 | 2020-09-21T00:28:24 | 297,188,205 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 25 | py | # Defining a Class
class | [
"[email protected]"
] | |
3150e892a3d4da245621a1bb195d4cbfa8821d0b | ba09a6cc089e408e2a865810b0e365d004712ce8 | /Calculator/calculator.py | b858bb30a91766785f55b12d25b67dfc1136b2cd | [] | no_license | ephreal/Silliness | 5459977e1bca44cde4639f8bf83bd8a976b2ee63 | bce290f86f818ad926613e84a07e5d354a112c4b | refs/heads/master | 2021-06-05T02:41:42.467732 | 2020-02-20T16:31:35 | 2020-02-20T16:31:35 | 133,086,053 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 6,289 | py | import tkinter as tk
from decimal import Decimal
from tkinter import ttk
class Calculator(ttk.Frame):
def __init__(self, master=tk.Tk()):
super().__init__(master)
self.master = master
self.master.title("tKalculator")
self.operator = None
self.prev_num = 0
self.completed_calculation = False
self.grid()
self.create_widgets()
self.bind_keys()
self.arrange_widgets()
self.mainloop()
def create_widgets(self):
"""
Create all calculator buttons
and widgets
"""
self.number_buttons = []
# Number display
self.top_display_space = ttk.Label(self, text=" ")
self.display = tk.Text(self, height=1, width=30, pady=4)
self.display.insert(1.0, "0")
self.display["state"] = "disabled"
self.bottom_display_space = ttk.Label(self, text=" ")
# Number buttons
# For some reason, the for loop makes everything send
# a "9" to the update function
for num in range(0, 10):
num = str(num)
self.number_buttons.append(
# note to self: The num=num is necessary here
ttk.Button(self, text=num, command=lambda num=num: self.update(num))
)
self.decimal_button = ttk.Button(self, text=".",
command=lambda: self.update("."))
# Special Buttons
self.clearall_button = ttk.Button(self, text="A/C", command=self.all_clear)
self.clear_button = ttk.Button(self, text="C", command=self.clear)
# Math operators
self.add_button = ttk.Button(self, text="+", command=lambda: self.math("+"))
self.sub_button = ttk.Button(self, text="-", command=lambda: self.math("-"))
self.mult_button = ttk.Button(self, text="X", command=lambda: self.math("x"))
self.div_button = ttk.Button(self, text="/", command=lambda: self.math("/"))
self.eql_button = ttk.Button(self, text="=", command=lambda: self.math("="))
def arrange_widgets(self):
"""
Arrange all calculator widgets.
"""
# Display
self.top_display_space.grid(row=0, column=1)
self.display.grid(row=1, column=0, columnspan=5)
self.bottom_display_space.grid(row=2, column=2)
# Number buttons
row = 3
column = 1
for i in range(1, 10):
self.number_buttons[i].grid(row=row, column=column)
column += 1
if column > 3:
column = 1
row += 1
self.number_buttons[0].grid(row=6, column=2)
self.decimal_button.grid(row=6, column=1)
# Special Buttons
self.clearall_button.grid(row=7, column=1)
self.clear_button.grid(row=6, column=3)
# Math operator buttons
self.add_button.grid(row=7, column=2)
self.sub_button.grid(row=7, column=3)
self.mult_button.grid(row=8, column=2)
self.div_button.grid(row=8, column=3)
self.eql_button.grid(row=8, column=1)
def bind_keys(self):
"""
Binds events to keyboard button presses.
"""
# Keys to bind
keys = "1234567890.caCA+-*x/="
special_keys = [
"<KP_1>", "<KP_2>", "<KP_3>",
"<KP_4>", "<KP_5>", "<KP_6>",
"<KP_7>", "<KP_8>", "<KP_9>",
"<KP_0>", "<KP_Decimal>", "<KP_Add>",
"<KP_Subtract>", "<KP_Multiply>",
"<KP_Divide>", "<KP_Enter>",
"<Return>", "<Escape>",
"<BackSpace>"
]
# A couple for loops to bind all the keys
for key in keys:
self.master.bind(key, self.keypress_handler)
for key in special_keys:
self.master.bind(key, self.keypress_handler)
def backspace(self, event):
"""
Remove one character from the display.
"""
self.display["state"] = "normal"
current = self.display.get(1.0, tk.END)
self.display.delete(1.0, tk.END)
current = current[:-2]
# Make sure that the display is never empty
if current == "":
current = "0"
self.display.insert(1.0, current)
self.display["state"] = "disabled"
def keypress_handler(self, event):
"""
Handles any bound keyboard presses.
"""
char_keycode = '01234567890.'
char_operator = "+-x*/"
if (event.char in char_keycode):
self.update(event.char)
elif event.char in char_operator:
self.math(event.char)
elif event.char == "\r" or event.char == "=":
self.math("=")
elif event.char == "\x1b":
self.master.destroy()
elif event.char == "c" or event.char == "C":
self.clear()
elif event.char == "a" or event.char == "A":
self.all_clear()
def update(self, character):
"""
Handles all updating of the number display.
"""
# Allow editing of the display
self.display["state"] = "normal"
# Get the current number
num = self.display.get(1.0, tk.END)
# clear the display
self.display.delete(1.0, tk.END)
# Remove "\n"
num = num.strip()
# Clear num provided we're not putting a
# decimal after a zero
if num == "0" and not character == ".":
num = ""
num = f"{num}{character}"
self.display.insert(1.0, f"{num}")
self.display["state"] = "disabled"
def all_clear(self):
"""
Resets everything for starting a
new calculation.
"""
self.clear()
self.prev_num = 0
self.operator = None
def clear(self):
"""
Clears the display by removing
any current text and setting the
display to 0
"""
self.display["state"] = "normal"
self.display.delete(1.0, tk.END)
self.display.insert(1.0, "0")
self.display["state"] = "disabled"
def math(self, operator):
"""
Handle any actual math.
"""
if not self.operator:
# If an operator doesn't exist, the
# calculator is waiting for a new
# input.
self.operator = operator
self.prev_num = self.display.get(1.0, tk.END)
self.clear()
else:
# The calculator is ready to do some math.
self.prev_num = Decimal(self.prev_num)
curr_num = self.display.get(1.0, tk.END)
curr_num = Decimal(curr_num)
if self.operator == "+":
self.prev_num += curr_num
elif self.operator == "-":
self.prev_num -= curr_num
elif self.operator == "x" or self.operator == "*":
self.prev_num *= curr_num
elif self.operator == "/":
self.prev_num /= curr_num
self.operator = operator
if self.operator == "=":
# It's now time to show the current result
# of all calculations.
self.display["state"] = "normal"
self.display.delete(1.0, tk.END)
self.display.insert(1.0, str(self.prev_num))
self.display["state"] = "disabled"
self.completed_calculation = True
else:
# We're ready for another number to
# perform calculations on
self.clear()
if __name__ == "__main__":
calc = Calculator() | [
"[email protected]"
] | |
3a239988545f0c87767b909a0dfbec058597d3dd | f9033131dc4d66ede2c5c22fcaa4a0be5b682152 | /Sorting/Tasks/eolymp(5089).py | 21668b326d3a8cfd9412a0d740ab1941e4accc97 | [] | no_license | Invalid-coder/Data-Structures-and-algorithms | 9bd755ce3d4eb11e605480db53302096c9874364 | 42c6eb8656e85b76f1c0043dcddc9c526ae12ba1 | refs/heads/main | 2023-04-29T08:40:34.661184 | 2021-05-19T10:57:37 | 2021-05-19T10:57:37 | 301,458,981 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 860 | py | #https://www.e-olymp.com/uk/submissions/7293961
def greater(a, b):
i = 0
j = 0
while i < len(a) and j < len(b):
if ord(a[i]) > ord(b[j]):
return a
elif ord(a[i]) < ord(b[j]):
return b
else:
i += 1
j += 1
if i == len(a) and j < len(b):
return b
elif j == len(b) and i < len(a):
return a
else:
return a
def selectionSort(array):
n = len(array)
for i in range(n - 1, 0, -1):
maxpos = 0
for j in range(1, i + 1):
if greater(array[maxpos], array[j]) == array[j]:
maxpos = j
array[i], array[maxpos] = array[maxpos], array[i]
if __name__ == '__main__':
n = int(input())
array = [input() for _ in range(n)]
selectionSort(array)
for el in array:
print(el) | [
"[email protected]"
] | |
2e81ee7aa1523d07e3ba18b0d2a4a114cea43f3b | 2a9bd67c955044294b3d07fa5367d2fbe7734a45 | /virtual/bin/easy_install | 34f4dd578c2c0695ec69cfc54a86276d7d5d7ab2 | [
"MIT"
] | permissive | KadogoKenya/BloggerCenter | 86e455b9f470ede9cc0775353dc6a8a6a2c747fa | 90776004316a88d40f56aaa8d44004f31553c48c | refs/heads/master | 2022-12-22T03:20:02.834430 | 2020-10-01T07:58:50 | 2020-10-01T07:58:50 | 298,762,799 | 0 | 0 | null | 2020-10-01T07:58:52 | 2020-09-26T07:37:45 | Python | UTF-8 | Python | false | false | 270 | #!/home/kate/Desktop/PYTHON/blogCenter/virtual/bin/python3
# -*- coding: utf-8 -*-
import re
import sys
from setuptools.command.easy_install import main
if __name__ == '__main__':
sys.argv[0] = re.sub(r'(-script\.pyw|\.exe)?$', '', sys.argv[0])
sys.exit(main())
| [
"[email protected]"
] | ||
1d2ff22060d90ac5eebb0f152bd66b24eb89a21d | 4d66a2b4f40e7169b00871e7f75202fd38201d98 | /linkie/tests/run_tests.py | 5bdd879b985b69fb0642864bdeba2dbaff39bfcc | [
"MIT",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | uccser/linkie | e90d97d9d22c9a1d1eb95d87eb59f3079e4da2ce | f062762c42c812f18374a064ba2ac80d9146b7d5 | refs/heads/master | 2023-03-23T10:56:12.508180 | 2020-06-08T00:07:33 | 2020-06-08T00:07:33 | 124,695,953 | 2 | 0 | MIT | 2021-03-25T21:38:39 | 2018-03-10T20:28:47 | Python | UTF-8 | Python | false | false | 3,251 | py | import os
import unittest
from subprocess import run
from linkie import Linkie
class LinkieTestSuite(unittest.TestCase):
def __init__(self, *args, **kwargs):
unittest.TestCase.__init__(self, *args, **kwargs)
self.default_working_directory = os.getcwd()
def setUp(self):
os.chdir(self.default_working_directory)
def test_basic(self):
os.chdir('./linkie/tests/assets/basic/')
linkie = Linkie()
self.assertEqual(linkie.run(), 0)
def test_broken(self):
os.chdir('./linkie/tests/assets/broken/')
linkie = Linkie()
self.assertEqual(linkie.run(), 1)
def test_multiple(self):
os.chdir('./linkie/tests/assets/multiple/')
linkie = Linkie()
self.assertEqual(linkie.run(), 0)
def test_excluded_directories(self):
os.chdir('./linkie/tests/assets/excluded_directories/')
linkie = Linkie()
self.assertEqual(linkie.run(), 0)
def test_excluded_directories_custom(self):
os.chdir('./linkie/tests/assets/excluded_directories_custom/')
linkie = Linkie(config_file_path='linkie.yaml')
self.assertEqual(linkie.run(), 0)
def test_file_types(self):
os.chdir('./linkie/tests/assets/file_types/')
linkie = Linkie()
self.assertEqual(linkie.run(), 0)
def test_file_types_custom(self):
os.chdir('./linkie/tests/assets/file_types_custom/')
linkie = Linkie(config_file_path='linkie.yaml')
self.assertEqual(linkie.run(), 1)
def test_skip_urls(self):
os.chdir('./linkie/tests/assets/skip_urls/')
linkie = Linkie()
self.assertEqual(linkie.run(), 0)
self.assertEqual(len(linkie.urls), 2)
def test_skip_urls_custom(self):
os.chdir('./linkie/tests/assets/skip_urls_custom/')
linkie = Linkie(config_file_path='linkie.yaml')
self.assertEqual(linkie.run(), 0)
self.assertEqual(len(linkie.urls), 1)
def test_command_line_basic(self):
linkie = run('linkie', cwd='./linkie/tests/assets/basic/')
self.assertEqual(linkie.returncode, 0)
def test_command_line_broken(self):
linkie = run('linkie', cwd='./linkie/tests/assets/broken/')
self.assertEqual(linkie.returncode, 1)
def test_command_line_multiple(self):
linkie = run('linkie', cwd='./linkie/tests/assets/multiple/')
self.assertEqual(linkie.returncode, 0)
def test_command_line_excluded_directories(self):
linkie = run('linkie', cwd='./linkie/tests/assets/excluded_directories/')
self.assertEqual(linkie.returncode, 0)
def test_command_line_excluded_directories_custom(self):
linkie = run(['linkie', 'linkie.yaml'], cwd='./linkie/tests/assets/excluded_directories_custom/')
self.assertEqual(linkie.returncode, 0)
def test_command_line_file_types(self):
linkie = run('linkie', cwd='./linkie/tests/assets/file_types/')
self.assertEqual(linkie.returncode, 0)
def test_command_line_file_types_custom(self):
linkie = run(['linkie', 'linkie.yaml'], cwd='./linkie/tests/assets/file_types_custom/')
self.assertEqual(linkie.returncode, 1)
if __name__ == '__main__':
unittest.main()
| [
"[email protected]"
] | |
91ed8fe756697243b39c0671ce9ffe931e906c4a | 7ec38beb6f041319916390ee92876678412b30f7 | /src/leecode/explore/queue_stack/01.Design Circular Queue.py | 3b4c90c483baf7a706bf6efc41b4e3e9939b2ee3 | [] | no_license | hopensic/LearnPython | 3570e212a1931d4dad65b64ecdd24414daf51c73 | f735b5d865789843f06a623a4006f8883d6d1ae0 | refs/heads/master | 2022-02-18T23:11:30.663902 | 2022-02-12T17:51:56 | 2022-02-12T17:51:56 | 218,924,551 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,471 | py | class MyCircularQueue:
def __init__(self, k: int):
self.queuesize = k
self.lst = [None] * k
self.head = -1
self.tail = -1
"""
Initialize your data structure here. Set the size of the queue to be k.
"""
def enQueue(self, value: int) -> bool:
"""
Insert an element into the circular queue. Return true if the operation is successful.
"""
if self.isFull():
return False
if self.head < 0:
self.head = (self.head + 1) % self.queuesize
self.tail = (self.tail + 1) % self.queuesize
self.lst[self.tail] = value
return True
def deQueue(self) -> bool:
"""
Delete an element from the circular queue. Return true if the operation is successful.
"""
if self.isEmpty():
return False
self.lst[self.head] = None
if self.head == self.tail:
self.head = -1
self.tail = -1
else:
self.head = (self.head + 1) % self.queuesize
return True
def Front(self) -> int:
"""
Get the front item from the queue.
"""
if self.head > -1:
return self.lst[self.head]
else:
return -1
def Rear(self) -> int:
"""
Get the last item from the queue.
"""
if self.tail > -1:
return self.lst[self.tail]
else:
return -1
def isEmpty(self) -> bool:
"""
Checks whether the circular queue is empty or not.
"""
return True if self.head < 0 and self.tail < 0 else False
def isFull(self) -> bool:
"""
Checks whether the circular queue is full or not.
"""
if self.head > -1 and self.tail > -1:
if (self.tail + 1) % self.queuesize == self.head:
return True
else:
return False
else:
return False
# Your MyCircularQueue object will be instantiated and called as such:
obj = MyCircularQueue(2)
param_1 = obj.enQueue(4)
param_1 = obj.Rear()
param_1 = obj.enQueue(9)
param_2 = obj.deQueue()
param_2 = obj.Front()
param_2 = obj.deQueue()
param_2 = obj.deQueue()
param_1 = obj.Rear()
param_2 = obj.deQueue()
param_1 = obj.enQueue(5)
param_4 = obj.Rear()
param_2 = obj.deQueue()
param_2 = obj.Front()
param_2 = obj.deQueue()
param_2 = obj.deQueue()
param_2 = obj.deQueue()
| [
"[email protected]"
] | |
18b8e0edad42cc713cfad35c0c03af6cd4ec0305 | e2cd117b1060d445d0c6825b4761dc8d9d261a59 | /2020/algorithm/앨리스코딩/6. 0 이동시키기.py | 6476493c4bdbd3ab90e1098ac3ac28208bbf5509 | [] | no_license | winterash2/TIL | 856fc55f076a6aadff60e6949a3ce44534e24eda | 9b8e93e4eacce2644a9a564e3b118bb00c3f4132 | refs/heads/master | 2023-06-12T23:58:00.192688 | 2021-07-04T14:20:30 | 2021-07-04T14:20:30 | 288,957,710 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,189 | py | # 0 이동시키기
# 여러개의 0과 양의 정수들이 섞여 있는 배열이 주어졌다고 합시다. 이 배열에서 0들은 전부 뒤로 빼내고, 나머지 숫자들의 순서는 그대로 유지한 배열을 반환하는 함수를 만들어 봅시다.
# 예를 들어서, [0, 8, 0, 37, 4, 5, 0, 50, 0, 34, 0, 0] 가 입력으로 주어졌을 경우 [8, 37, 4, 5, 50, 34, 0, 0, 0, 0, 0, 0] 을 반환하면 됩니다.
# 이 문제는 공간 복잡도를 고려하면서 풀어 보도록 합시다. 공간 복잡도 O(1)으로 이 문제를 풀 수 있을까요?
# def moveZerosToEnd(nums): #공간복잡도 높음
# result = []
# num_zero = 0
# for num in nums:
# if num == 0:
# num_zero += 1
# else:
# result.append(num)
# for i in range(num_zero):
# result.append(0)
# return result
def moveZerosToEnd(nums):
i = j = 0
for i in range(len(nums)):
if nums[i] != 0:
nums[j] = nums[i]
if i != j:
nums[i] = 0
j += 1
print(nums)
return nums
def main():
print(moveZerosToEnd([1, 8, 0, 37, 4, 5, 0, 50, 0, 34, 0, 0]))
main()
| [
"[email protected]"
] | |
61ecce1e44b4d35a64266562120e27f0ca389441 | 7b5c1352e1a4fb8352161cc135bfd1225a633828 | /2017-cvr-tencent-final/src/data_process/shuffle.py | 7e0c621d4a5903ba07e6d2e8d4dffff21d9be4f3 | [] | no_license | zgcgreat/2017-cvr-tencent | b7f54ae8df55fbb30f2430f695a148844982aa3a | fe79d0756bbf862d45e63e35b7c28da8396bcbda | refs/heads/master | 2021-04-03T08:32:33.651705 | 2018-07-17T08:36:53 | 2018-07-17T08:36:53 | 124,724,199 | 6 | 3 | null | null | null | null | UTF-8 | Python | false | false | 559 | py | # _*_ coding: utf-8 _*_
'''
打乱数据集顺序
'''
import random
import time
start = time.time()
print('shuffling dataset...')
input = open('../../data/traincp.csv', 'r')
output = open('../../data/train_data/train.csv', 'w')
lines = input.readlines()
outlines = []
output.write(lines.pop(0)) # pop()方法, 传递的是待删除元素的index
while lines:
line = lines.pop(random.randrange(len(lines)))
output.write(line)
input.close()
output.close()
print('dataset shuffled !')
print('Time spent: {0:.2f}s'.format(time.time() - start))
| [
"[email protected]"
] | |
4d33eb0ee9a1b6f8917d7d2ffbe3b0a8693c4976 | 07bd6d166bfe69f62559d51476ac724c380f932b | /devel/lib/python2.7/dist-packages/webots_demo/srv/_motor_set_control_pid.py | cc26f674b3a03915318d6b15b213af63468ca3be | [] | no_license | Dangko/webots_differential_car | 0efa45e1d729a14839e6e318da64c7f8398edd17 | 188fe93c2fb8d2e681b617df78b93dcdf52e09a9 | refs/heads/master | 2023-06-02T16:40:58.472884 | 2021-06-14T09:19:58 | 2021-06-14T09:19:58 | 376,771,194 | 1 | 0 | null | null | null | null | UTF-8 | Python | false | false | 8,158 | py | # This Python file uses the following encoding: utf-8
"""autogenerated by genpy from webots_demo/motor_set_control_pidRequest.msg. Do not edit."""
import codecs
import sys
python3 = True if sys.hexversion > 0x03000000 else False
import genpy
import struct
class motor_set_control_pidRequest(genpy.Message):
_md5sum = "1ebf8f7154a3c8eec118cec294f2c32c"
_type = "webots_demo/motor_set_control_pidRequest"
_has_header = False # flag to mark the presence of a Header object
_full_text = """float64 controlp
float64 controli
float64 controld
"""
__slots__ = ['controlp','controli','controld']
_slot_types = ['float64','float64','float64']
def __init__(self, *args, **kwds):
"""
Constructor. Any message fields that are implicitly/explicitly
set to None will be assigned a default value. The recommend
use is keyword arguments as this is more robust to future message
changes. You cannot mix in-order arguments and keyword arguments.
The available fields are:
controlp,controli,controld
:param args: complete set of field values, in .msg order
:param kwds: use keyword arguments corresponding to message field names
to set specific fields.
"""
if args or kwds:
super(motor_set_control_pidRequest, self).__init__(*args, **kwds)
# message fields cannot be None, assign default values for those that are
if self.controlp is None:
self.controlp = 0.
if self.controli is None:
self.controli = 0.
if self.controld is None:
self.controld = 0.
else:
self.controlp = 0.
self.controli = 0.
self.controld = 0.
def _get_types(self):
"""
internal API method
"""
return self._slot_types
def serialize(self, buff):
"""
serialize message into buffer
:param buff: buffer, ``StringIO``
"""
try:
_x = self
buff.write(_get_struct_3d().pack(_x.controlp, _x.controli, _x.controld))
except struct.error as se: self._check_types(struct.error("%s: '%s' when writing '%s'" % (type(se), str(se), str(locals().get('_x', self)))))
except TypeError as te: self._check_types(ValueError("%s: '%s' when writing '%s'" % (type(te), str(te), str(locals().get('_x', self)))))
def deserialize(self, str):
"""
unpack serialized message in str into this message instance
:param str: byte array of serialized message, ``str``
"""
codecs.lookup_error("rosmsg").msg_type = self._type
try:
end = 0
_x = self
start = end
end += 24
(_x.controlp, _x.controli, _x.controld,) = _get_struct_3d().unpack(str[start:end])
return self
except struct.error as e:
raise genpy.DeserializationError(e) # most likely buffer underfill
def serialize_numpy(self, buff, numpy):
"""
serialize message with numpy array types into buffer
:param buff: buffer, ``StringIO``
:param numpy: numpy python module
"""
try:
_x = self
buff.write(_get_struct_3d().pack(_x.controlp, _x.controli, _x.controld))
except struct.error as se: self._check_types(struct.error("%s: '%s' when writing '%s'" % (type(se), str(se), str(locals().get('_x', self)))))
except TypeError as te: self._check_types(ValueError("%s: '%s' when writing '%s'" % (type(te), str(te), str(locals().get('_x', self)))))
def deserialize_numpy(self, str, numpy):
"""
unpack serialized message in str into this message instance using numpy for array types
:param str: byte array of serialized message, ``str``
:param numpy: numpy python module
"""
codecs.lookup_error("rosmsg").msg_type = self._type
try:
end = 0
_x = self
start = end
end += 24
(_x.controlp, _x.controli, _x.controld,) = _get_struct_3d().unpack(str[start:end])
return self
except struct.error as e:
raise genpy.DeserializationError(e) # most likely buffer underfill
_struct_I = genpy.struct_I
def _get_struct_I():
global _struct_I
return _struct_I
_struct_3d = None
def _get_struct_3d():
global _struct_3d
if _struct_3d is None:
_struct_3d = struct.Struct("<3d")
return _struct_3d
# This Python file uses the following encoding: utf-8
"""autogenerated by genpy from webots_demo/motor_set_control_pidResponse.msg. Do not edit."""
import codecs
import sys
python3 = True if sys.hexversion > 0x03000000 else False
import genpy
import struct
class motor_set_control_pidResponse(genpy.Message):
_md5sum = "0b13460cb14006d3852674b4c614f25f"
_type = "webots_demo/motor_set_control_pidResponse"
_has_header = False # flag to mark the presence of a Header object
_full_text = """int8 success
"""
__slots__ = ['success']
_slot_types = ['int8']
def __init__(self, *args, **kwds):
"""
Constructor. Any message fields that are implicitly/explicitly
set to None will be assigned a default value. The recommend
use is keyword arguments as this is more robust to future message
changes. You cannot mix in-order arguments and keyword arguments.
The available fields are:
success
:param args: complete set of field values, in .msg order
:param kwds: use keyword arguments corresponding to message field names
to set specific fields.
"""
if args or kwds:
super(motor_set_control_pidResponse, self).__init__(*args, **kwds)
# message fields cannot be None, assign default values for those that are
if self.success is None:
self.success = 0
else:
self.success = 0
def _get_types(self):
"""
internal API method
"""
return self._slot_types
def serialize(self, buff):
"""
serialize message into buffer
:param buff: buffer, ``StringIO``
"""
try:
_x = self.success
buff.write(_get_struct_b().pack(_x))
except struct.error as se: self._check_types(struct.error("%s: '%s' when writing '%s'" % (type(se), str(se), str(locals().get('_x', self)))))
except TypeError as te: self._check_types(ValueError("%s: '%s' when writing '%s'" % (type(te), str(te), str(locals().get('_x', self)))))
def deserialize(self, str):
"""
unpack serialized message in str into this message instance
:param str: byte array of serialized message, ``str``
"""
codecs.lookup_error("rosmsg").msg_type = self._type
try:
end = 0
start = end
end += 1
(self.success,) = _get_struct_b().unpack(str[start:end])
return self
except struct.error as e:
raise genpy.DeserializationError(e) # most likely buffer underfill
def serialize_numpy(self, buff, numpy):
"""
serialize message with numpy array types into buffer
:param buff: buffer, ``StringIO``
:param numpy: numpy python module
"""
try:
_x = self.success
buff.write(_get_struct_b().pack(_x))
except struct.error as se: self._check_types(struct.error("%s: '%s' when writing '%s'" % (type(se), str(se), str(locals().get('_x', self)))))
except TypeError as te: self._check_types(ValueError("%s: '%s' when writing '%s'" % (type(te), str(te), str(locals().get('_x', self)))))
def deserialize_numpy(self, str, numpy):
"""
unpack serialized message in str into this message instance using numpy for array types
:param str: byte array of serialized message, ``str``
:param numpy: numpy python module
"""
codecs.lookup_error("rosmsg").msg_type = self._type
try:
end = 0
start = end
end += 1
(self.success,) = _get_struct_b().unpack(str[start:end])
return self
except struct.error as e:
raise genpy.DeserializationError(e) # most likely buffer underfill
_struct_I = genpy.struct_I
def _get_struct_I():
global _struct_I
return _struct_I
_struct_b = None
def _get_struct_b():
global _struct_b
if _struct_b is None:
_struct_b = struct.Struct("<b")
return _struct_b
class motor_set_control_pid(object):
_type = 'webots_demo/motor_set_control_pid'
_md5sum = '712b4e401e3c9cbb098cd0435a9a13d3'
_request_class = motor_set_control_pidRequest
_response_class = motor_set_control_pidResponse
| [
"[email protected]"
] | |
3bd486d899d983a5806e09c4acf7cbbd5d851437 | c3760e71f4024a9610bdde03de84a0c406601e63 | /baiTapVN2.py | a4123564c7dfa336d2714212fc79c931f3b2bea1 | [] | no_license | thuongtran1210/Buoi3 | 3abe6040b15f48cf04bb39da10b5588254d7514f | f62fbf75ff0a0de89acfd122a0a70be44162468a | refs/heads/master | 2022-12-28T22:26:21.288946 | 2020-10-04T16:43:23 | 2020-10-04T16:43:23 | 301,168,792 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 331 | py | # ----Bài 02: Viết hàm
# def reverse_string(str)
# trả lại chuỗi đảo ngược của chuỗi str
# --------------------------------------------------------------
def reverse_string(str):
return str[::-1]
str=input("Nhập số nghịch đảo: ")
print(f"Sau khi nghịch đảo: {reverse_string(str)}") | [
"[email protected]"
] | |
f5db65735ebada9140b63f4d29e2e61a85008ae1 | ce55c319f5a78b69fefc63595d433864a2e531b5 | /前后端分离-vue-DRF/houfen_DRF-projects/14day/zhuce_denglu/util/throttle.py | e3aab6ab4c5ccccbd9b04f6a13ac2cc5b000a29b | [] | no_license | Suijng/1809_data | a072c875e8746190e3b715e53f1afe3323f4666b | 45f8a57089f5c30ccc1a3cddb03b76dc95355417 | refs/heads/master | 2022-12-21T12:38:30.458291 | 2019-09-27T01:14:41 | 2019-09-27T01:14:41 | 211,207,071 | 0 | 0 | null | 2022-11-22T03:16:18 | 2019-09-27T00:55:21 | HTML | UTF-8 | Python | false | false | 2,077 | py | from rest_framework.throttling import SimpleRateThrottle
import time
class MyScopedRateThrottle(SimpleRateThrottle):
scope = 'unlogin'
def get_cache_key(self, request, view):
"""
Should return a unique cache-key which can be used for throttling.
Must be overridden.
May return `None` if the request should not be throttled.
"""
# IP地址用户获取访问记录
return self.get_ident(request)
# raise NotImplementedError('.get_cache_key() must be overridden')
# # 节流
# VISIT_RECORD = {}
#
#
# class VisitThrottle(object):
#
# def __init__(self):
# # 获取用户历史访问记录
# self.history = []
#
# # allow_request是否允许方法
# # True 允许访问
# # False 不允许访问
# def allow_request(self, request, view):
# # 1.获取用户IP
# user_ip = request._request.META.get("REMOTE_ADDR")
# key = user_ip
# print('1.user_ip------------', key)
#
# # 2.添加到访问记录里 创建当前时间
# createtime = time.time()
# if key not in VISIT_RECORD:
# # 当前的IP地址没有访问过服务器 没有记录 添加到字典
# VISIT_RECORD[key] = [createtime]
# return True
#
# # 获取当前用户所有的访问历史记录 返回列表
# visit_history = VISIT_RECORD[key]
# print('3.history==============', visit_history)
# self.history = visit_history
#
# # 用记录里的最有一个时间 对比 < 当前时间 -60秒
# while visit_history and visit_history[-1] < createtime - 60:
# # 删除用户记录
# visit_history.pop()
#
# # 判断小于5秒 添加到 历史列表最前面
# if len(visit_history) < 5:
# visit_history.insert(0, createtime)
# return True
#
# return False # 表示访问频率过高
#
# def wait(self):
# first_time = self.history[-1]
# return 60 - (time.time() - first_time)
| [
"[email protected]"
] | |
e2ee0e7695e88092fc028728b0f13572aeebd631 | 5b771c11e8967038025376c6ec31962ca90748dd | /insurance/insurance_reminder/urls.py | f00b885bb1c629961284a04ee7869785729b4efd | [] | no_license | AsemAntar/Django_Projects | 7135eca3b4bcb656fc88e0838483c97d7f1746e1 | 4141c2c7e91845eec307f6dd6c69199302eabb16 | refs/heads/master | 2022-12-10T06:32:35.787504 | 2020-05-26T14:43:01 | 2020-05-26T14:43:01 | 216,863,494 | 0 | 0 | null | 2022-12-05T13:31:53 | 2019-10-22T16:47:28 | Python | UTF-8 | Python | false | false | 222 | py | from django.contrib import admin
from django.urls import path, include
urlpatterns = [
path('admin/', admin.site.urls),
path('', include('guest_registeration.urls')),
path('users/', include('users.urls')),
]
| [
"[email protected]"
] | |
dfece195db40ed9971ed5c97d130ee352f56a42f | 7cca7ed981242788687db90d8f3a108bbcf4c6f9 | /pretrain_CNN_fix_parameter_DQN/pretrain_env.py | 595cbcee11364c4d917fb8941b8da2fce8d8ac1a | [] | no_license | Ryanshuai/robot_round_catch | 7204e1cf9927672257d542afc7a00bd710f5e243 | 1175fb3df0ae7ec395b85dfbfbcbb60a79878024 | refs/heads/master | 2021-09-09T23:08:59.680793 | 2018-03-20T06:32:51 | 2018-03-20T06:32:51 | 94,294,080 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 7,212 | py | """
This part of code is the environment.
Using Tensorflow to build the neural network.
"""
import numpy as np
import tensorflow as tf
import pygame
from random import uniform
FPS = 90
SCREEN_WHIDTH = 672
SCREEN_HEIGHT = 672
# init the game
pygame.init()
FPSCLOCK = pygame.time.Clock()
screen = pygame.display.set_mode([SCREEN_WHIDTH, SCREEN_HEIGHT])
pygame.display.set_caption('hunting')
# load resources
background = (255, 255, 255) # white
hunter_color = [(0, 0, 255), (255, 0, 0), (0, 255, 0), (255, 255, 0)] # B #R #G #Y
escaper_color = (0, 0, 0) # bck
class ENV:
def __init__(self):
self.hunter_radius = 8
self.escaper_radius = 8
self.max_pos = np.array([SCREEN_WHIDTH, SCREEN_HEIGHT])
self.catch_angle_max = np.pi * 3 / 4 # 135°
self.catch_dis = 50.
self.collide_min = self.hunter_radius + self.escaper_radius + 2.
# the center pos, x : [0, SCREEN_WHIDTH], y: [0, SCREEN_HEIGHT]
self.delta_t = 0.1 # 100ms
self.hunter_acc = 20
self.escaper_acc = 10
self.hunter_spd_max = 100 # 5 pixels once
self.escaper_spd_max = 70
self.hunter_spd = np.zeros([4, 2], dtype=np.float32)
self.escaper_spd = np.zeros([2], dtype=np.float32)
self._init_pos()
def _init_pos(self):
# the boundary
x_min = SCREEN_WHIDTH / 3
x_max = 2 * SCREEN_WHIDTH / 3
y_min = SCREEN_HEIGHT / 3
y_max = 2 * SCREEN_HEIGHT / 3
self.escaper_pos = np.array([uniform(x_min + self.collide_min, x_max - self.collide_min),
uniform(y_min + self.collide_min, y_max - self.collide_min)], dtype=np.float32)
self.hunter_pos = np.zeros([4, 2], dtype=np.float32)
self.hunter_pos[0] = [uniform(0, x_min - self.collide_min), uniform(0, y_min - self.collide_min)]
self.hunter_pos[1] = [uniform(x_max + self.collide_min, SCREEN_WHIDTH), uniform(0, y_min - self.collide_min)]
self.hunter_pos[2] = [uniform(0, x_min - self.collide_min), uniform(y_max + self.collide_min, SCREEN_HEIGHT)]
self.hunter_pos[3] = [uniform(x_max + self.collide_min, SCREEN_WHIDTH),
uniform(y_max + self.collide_min, SCREEN_HEIGHT)]
def frame_step(self, input_actions):
# update the pos and speed
self.move(input_actions)
# update the display
screen.fill(background)
for i in range(len(self.hunter_pos)):
pygame.draw.rect(screen, hunter_color[i],
((self.hunter_pos[i][0] - self.hunter_radius,
self.hunter_pos[i][1] - self.hunter_radius),
(self.hunter_radius*2, self.hunter_radius*2)))
pygame.draw.rect(screen, escaper_color,
((self.escaper_pos[0] - self.escaper_radius, self.escaper_pos[1] - self.escaper_radius),
(self.escaper_radius*2, self.escaper_radius*2)))
image_data = pygame.surfarray.array3d(pygame.display.get_surface())
pygame.display.update()
FPSCLOCK.tick(FPS)
robot_state = [self.escaper_pos[0], self.hunter_pos[0][0], self.hunter_pos[1][0], self.hunter_pos[2][0],self.hunter_pos[3][0],
self.escaper_pos[1], self.hunter_pos[0][1], self.hunter_pos[1][1], self.hunter_pos[2][1],self.hunter_pos[3][1],
self.escaper_spd[0], self.hunter_spd[0][0], self.hunter_spd[1][0], self.hunter_spd[2][0],self.hunter_spd[3][0],
self.escaper_spd[1], self.hunter_spd[0][1], self.hunter_spd[1][1], self.hunter_spd[2][1],self.hunter_spd[3][1],]
return image_data, robot_state
def move(self, input_actions):
robot_n = len(input_actions)
for i in range(robot_n - 1):#hunters
if input_actions[i] == 1: # up, update y_speed
self.hunter_spd[i][1] -= self.hunter_acc * self.delta_t
elif input_actions[i] == 2: # down
self.hunter_spd[i][1] += self.hunter_acc * self.delta_t
elif input_actions[i] == 3: # left, update x_speed
self.hunter_spd[i][0] -= self.hunter_acc * self.delta_t
elif input_actions[i] == 4: # right
self.hunter_spd[i][0] += self.hunter_acc * self.delta_t
else:
pass
if self.hunter_spd[i][0] < -self.hunter_spd_max:
self.hunter_spd[i][0] = -self.hunter_spd_max
elif self.hunter_spd[i][0] > self.hunter_spd_max:
self.hunter_spd[i][0] = self.hunter_spd_max
if self.hunter_spd[i][1] < -self.hunter_spd_max:
self.hunter_spd[i][1] = -self.hunter_spd_max
elif self.hunter_spd[i][1] > self.hunter_spd_max:
self.hunter_spd[i][1] = self.hunter_spd_max
else:
pass
self.hunter_pos[i] += self.hunter_spd[i] * self.delta_t
if self.hunter_pos[i][0] < 0:
self.hunter_pos[i][0] = 0
self.hunter_spd[i][0] = 0
elif self.hunter_pos[i][0] > SCREEN_WHIDTH:
self.hunter_pos[i][0] = SCREEN_WHIDTH
self.hunter_spd[i][0] = 0
else:
pass
if self.hunter_pos[i][1] < 0:
self.hunter_pos[i][1] = 0
self.hunter_spd[i][1] = 0
elif self.hunter_pos[i][1] > SCREEN_HEIGHT:
self.hunter_pos[i][1] = SCREEN_HEIGHT
self.hunter_spd[i][1] = 0
#escaper
if input_actions[robot_n - 1] == 1: # up, update y_speed
self.escaper_spd[1] -= self.escaper_acc * self.delta_t
elif input_actions[robot_n - 1] == 2: # down
self.escaper_spd[1] += self.escaper_acc * self.delta_t
elif input_actions[robot_n - 1] == 3: # left, update x_speed
self.escaper_spd[0] -= self.escaper_acc * self.delta_t
elif input_actions[robot_n - 1] == 4: # right
self.escaper_spd[0] += self.escaper_acc * self.delta_t
else:
pass
if self.escaper_spd[0] < -self.escaper_spd_max:
self.escaper_spd[0] = -self.escaper_spd_max
elif self.escaper_spd[0] > self.escaper_spd_max:
self.escaper_spd[0] = self.escaper_spd_max
else:
pass
if self.escaper_spd[1] < -self.escaper_spd_max:
self.escaper_spd[1] = -self.escaper_spd_max
elif self.escaper_spd[1] > self.escaper_spd_max:
self.escaper_spd[1] = self.escaper_spd_max
else:
pass
self.escaper_pos += self.escaper_spd * self.delta_t
if self.escaper_pos[0] < 0:
self.escaper_pos[0] = 0
self.escaper_spd[0] = 0
elif self.escaper_pos[0] > SCREEN_WHIDTH:
self.escaper_pos[0] = SCREEN_WHIDTH
self.escaper_spd[0] = 0
if self.escaper_pos[1] < 0:
self.escaper_pos[1] = 0
self.escaper_spd[1] = 0
elif self.escaper_pos[1] > SCREEN_HEIGHT:
self.escaper_pos[1] = SCREEN_HEIGHT
self.escaper_spd[1] = 0
| [
"[email protected]"
] | |
f96b6f6fb6ba491017ce77ff995c18a718e4bf44 | d2e8ad203a37b534a113d4f0d4dd51d9aeae382a | /django-koldar-utils/django_koldar_utils/django_toolbox/conf/DictSettingMergerAppConf.py | 82a1709767e65cb47e03e5e6f5f95f2f0dbda8dc | [
"MIT"
] | permissive | Koldar/django-koldar-common-apps | 40e24a7aae78973fa28ca411e2a32cb4b2f4dbbf | 06e6bb103d22f1f6522e97c05ff8931413c69f19 | refs/heads/main | 2023-08-17T11:44:34.631914 | 2021-10-08T12:40:40 | 2021-10-08T12:40:40 | 372,714,560 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,166 | py | from appconf import AppConf
class DictSettingMergerAppConf(AppConf):
"""
A derived class of AppConf that automatically merge the configurations from settings.py and the default ones.
In the settings you should have:
.. ::code-block:: python
APPCONF_PREFIX = {
"SETTINGS_1": 3
}
In the conf.py of the django_toolbox app, you need to code:
.. ::code-block:: python
class DjangoAppGraphQLAppConf(DictSettingMergerAppConfMixIn):
class Meta:
prefix = "APPCONF_PREFIX"
def configure(self):
return self.merge_configurations()
SETTINGS_1: int = 0
After that settings will be set to 3, rather than 0.
Note that this class merges only if in the settings.py there is a dictionary with the same name of the prefix!
"""
def merge_configurations(self):
# we have imported settings here in order to allow sphinx to buidl the documentation (otherwise it needs settings.py)
from django.conf import settings
prefix = getattr(self, "Meta").prefix
if not hasattr(settings, prefix):
return self.configured_data
# the data the user has written in the settings.py
data_in_settings = getattr(settings, prefix)
# the data in the AppConf instance specyfing default values
default_data = dict(self.configured_data)
result = dict()
# specify settings which do not have default values in the conf.py
# (thus are requried) with the values specified in the settings.py
for class_attribute_name, class_attribute_value in data_in_settings.items():
result[class_attribute_name] = data_in_settings[class_attribute_name]
# overwrite settings which have default values
# with the values specified in the settings.py
for class_attribute_name, class_attribute_value in default_data.items():
if class_attribute_name not in result:
result[class_attribute_name] = default_data[class_attribute_name]
return result
| [
"[email protected]"
] | |
85d08bd8390cacd47b28abaea8585359bc9b16a8 | d0d3d2b68c7ae9c6b374bf9cc574bb9571076d5e | /models/model_selection.py | a895a9ddcf5a3cc5fddf1da42389f67e5b9bfd99 | [] | no_license | gustafholst/hitmusicnet | f5fda86fef9c3c4684b97d432d4f2403e05b6458 | eb3c43845e5cedde0c19f907cbaf9d7d71530beb | refs/heads/master | 2023-03-20T11:03:56.730327 | 2020-01-27T16:01:22 | 2020-01-27T16:01:22 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 5,272 | py | def select_model(model_val=1):
model_args = {}
if model_val == 1:
model_args = {'model_name': 'model_1_A', 'model_dir': 'saved_models',
'model_subDir': 'feature_compressed',
'input_dim': 97, 'output_dim': 1, 'optimizer': 'adadelta',
'metrics': ["mean_absolute_error"], 'loss': "mse", 'earlyStop': True,
'weights': 'weights.h5', 'plot_loss': True,
'neurons': {'alpha': 1, 'beta': (1/2), 'gamma': (1/3)},
'n_layers': 4, 'weights_init': 'glorot_uniform', 'dropout': .25,
'epochs': 100, 'batch_size': 256, 'early_mon': 'val_mean_absolute_error',
'mode': 'min', 'checkout_mon': 'val_loss'}
elif model_val == 2:
model_args = {'model_name': 'model_1_B', 'model_dir': 'saved_models',
'model_subDir': 'feature_compressed',
'input_dim': 97, 'output_dim': 1, 'optimizer': 'adam',
'metrics': ["mean_absolute_error"], 'loss': "mse", 'earlyStop': True,
'weights': 'weights.h5', 'plot_loss': False,
'neurons': {'alpha': 1, 'beta': (1/2), 'gamma': (1/3)},
'n_layers': 4, 'weights_init': 'glorot_uniform', 'dropout': .25,
'epochs': 100, 'batch_size': 256, 'early_mon': 'val_mean_absolute_error',
'mode': 'min', 'checkout_mon': 'val_loss'}
elif model_val == 3:
model_args = {'model_name': 'model_1_C', 'model_dir': 'saved_models',
'model_subDir': 'feature_compressed',
'input_dim': 97, 'output_dim': 1, 'optimizer': 'adadelta',
'metrics': ["mean_absolute_error"], 'loss': "mse", 'earlyStop': True,
'weights': 'weights.h5', 'plot_loss': False,
'neurons': {'alpha': 1, 'beta': (1/2), 'gamma': (1/3)},
'n_layers': 4, 'weights_init': 'he_normal', 'dropout': .25,
'epochs': 100, 'batch_size': 256, 'early_mon': 'val_mean_absolute_error',
'mode': 'min', 'checkout_mon': 'val_loss'}
elif model_val == 4:
model_args = {'model_name': 'model_1_D', 'model_dir': 'saved_models',
'model_subDir': 'feature_compressed',
'input_dim': 97, 'output_dim': 1, 'optimizer': 'adam',
'metrics': ["mean_absolute_error"], 'loss': "mse", 'earlyStop': True,
'weights': 'weights.h5', 'plot_loss': False,
'neurons': {'alpha': 1, 'beta': (1/2), 'gamma': (1/3)},
'n_layers': 4, 'weights_init': 'he_normal', 'dropout': .25,
'epochs': 100, 'batch_size': 256, 'early_mon': 'val_mean_absolute_error',
'mode': 'min', 'checkout_mon': 'val_loss'}
# ------------------------------------------------------------------------------------------------------------------
elif model_val == 5:
model_args = {'model_name': 'model_1_A', 'model_dir': 'saved_models',
'model_subDir': 'class_feature_compressed',
'input_dim': 97, 'output_dim': 3, 'optimizer': 'adadelta',
'metrics': ["accuracy"], 'loss': "categorical_crossentropy", 'earlyStop': True,
'weights': 'weights.h5', 'plot_loss': True,
'neurons': {'alpha': 1, 'beta': (1/2), 'gamma': (1/3)},
'n_layers': 4, 'weights_init': 'glorot_uniform', 'dropout': .25,
'epochs': 100, 'batch_size': 256, 'early_mon': 'val_acc',
'mode': 'max', 'checkout_mon': 'val_acc'}
elif model_val == 6:
model_args = {'model_name': 'model_2_B', 'model_dir': 'saved_models',
'model_subDir': 'class_feature_compressed',
'input_dim': 97, 'output_dim': 3, 'optimizer': 'adam',
'metrics': ["accuracy"], 'loss': "categorical_crossentropy", 'earlyStop': True,
'weights': 'weights.h5', 'plot_loss': False,
'neurons': {'alpha': 1, 'beta': (1/2), 'gamma': (1/3)},
'n_layers': 4, 'weights_init': 'glorot_uniform', 'dropout': .25,
'epochs': 100, 'batch_size': 256, 'early_mon': 'val_acc',
'mode': 'max', 'checkout_mon': 'val_acc'}
elif model_val == 7:
model_args = {'model_name': 'model_3_C', 'model_dir': 'saved_models',
'model_subDir': 'class_feature_compressed',
'input_dim': 97, 'output_dim': 3, 'optimizer': 'adadelta',
'metrics': ["accuracy"], 'loss': "categorical_crossentropy", 'earlyStop': True,
'weights': 'weights.h5', 'plot_loss': False,
'neurons': {'alpha': 1, 'beta': (1 / 2), 'gamma': (1 / 3)},
'n_layers': 4, 'weights_init': 'he_normal', 'dropout': .25,
'epochs': 100, 'batch_size': 256, 'early_mon': 'val_acc',
'mode': 'max', 'checkout_mon': 'val_acc'}
return model_args
| [
"="
] | = |
0fba8a6c3f9302d8cd7becf379dc74a91b648a1d | c00724308e01332418f539d9a1bedca09696a253 | /setup.py | 5dd977999e08b6a1a2de1dfef1be84c049522d99 | [
"MIT"
] | permissive | felipecolen/pycep-correios | f8b53efc939e48ef71caedcf1136d941d18d4d89 | 7c6c734c4bd3205bdca2f9b1bf4463045a96c8ef | refs/heads/master | 2021-01-22T08:28:18.083461 | 2016-07-31T20:10:47 | 2016-07-31T20:10:47 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,091 | py | # -*- coding: utf-8 -*-
# #############################################################################
# The MIT License (MIT)
#
# Copyright (c) 2016 Michell Stuttgart
#
# 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 setuptools import setup, find_packages
setup(
name='pycep-correios',
version='1.0.0',
keywords='correios setuptools development cep',
packages=find_packages(),
url='https://github.com/mstuttgart/pycep-correios',
license='MIT',
author='Michell Stuttgart',
author_email='[email protected]',
description='Método para busca de dados de CEP no webservice dos '
'Correios',
install_requires=[
'requests',
],
test_suite='test',
classifiers=[
'Development Status :: 5 - Production/Stable',
'Intended Audience :: Developers',
'Topic :: Software Development :: Build Tools',
'License :: OSI Approved :: MIT License',
'Programming Language :: Python :: 3.4',
],
)
| [
"[email protected]"
] | |
edb2a540151d4958fb9579f831a30f731284d00c | bde9a6e8a2aee89572dac4872b8263e42c13a142 | /gestalt/estimator_wrappers/wrap_r_ranger.py | 1a9202cf794666f79f719d6e7aa1ad2e5c8ce4f8 | [
"MIT"
] | permissive | chrinide/gestalt | b1ee66971007139b6e39b5c3dbd43a562bf5caee | f8f24d1fa879851ba989b244f71b348e995e221c | refs/heads/master | 2021-01-20T08:07:18.877738 | 2017-05-01T06:08:26 | 2017-05-01T06:08:26 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,696 | py | # import sklearn BaseEstimator etc to use
import pandas as pd
from rpy2 import robjects as ro
from rpy2.robjects import pandas2ri
from rpy2.robjects.packages import importr
from sklearn.base import BaseEstimator
from sklearn.base import ClassifierMixin
# Activate R objects.
pandas2ri.activate()
R = ro.r
# import the R packages required.
base = importr('base')
ranger = importr('ranger')
"""
An example of how to make an R plugin to use with Gestalt, this way we can run our favourite R packages using the
same stacking framework.
"""
class RangerClassifier(BaseEstimator, ClassifierMixin):
"""
From Ranger DESCRIPTION FILE:
A fast implementation of Random Forests, particularly suited for high dimensional data.
Ensembles of classification, regression, survival and probability prediction trees are supported.
We pull in all the options that ranger allows, but as this is a classifier we hard-code
probability=True, to give probability values.
"""
def __init__(self, formula='RANGER_TARGET_DUMMY~.', num_trees=500, num_threads=1, verbose=True, seed=42):
self.formula = formula
self.num_trees = num_trees
self.probability = True
self.num_threads = num_threads
self.verbose = verbose
self.seed = seed
self.num_classes = None
self.clf = None
def fit(self, X, y):
# First convert the X and y into a dataframe object to use in R
# We have to convert the y back to a dataframe to join for using with R
# We give the a meaningless name to allow the formula to work correctly.
y = pd.DataFrame(y, index=X.index, columns = ['RANGER_TARGET_DUMMY'])
self.num_classes = y.ix[:, 0].nunique()
r_dataframe = pd.concat([X, y], axis=1)
r_dataframe['RANGER_TARGET_DUMMY'] = r_dataframe['RANGER_TARGET_DUMMY'].astype('str')
self.clf = ranger.ranger(formula=self.formula,
data=r_dataframe,
num_trees=self.num_trees,
probability=self.probability,
num_threads=self.num_threads,
verbose=self.verbose,
seed=self.seed)
return
def predict_proba(self, X):
# Ranger doesnt have a specific separate predict and predict probabilities class, it is set in the params
# REM: R is not Python :)
pr = R.predict(self.clf, dat=X)
pandas_preds = ro.pandas2ri.ri2py_dataframe(pr.rx('predictions')[0])
if self.num_classes == 2:
pandas_preds = pandas_preds.ix[:, 1]
return pandas_preds.values | [
"[email protected]"
] | |
bb2e33eeedda684e9759329e952ae418c9db3e73 | b035385c986cadf0dba9dea565800d4e47a7adaa | /tests/test_numba.py | 19e72db682b11b991e839248ce5f755d6cbbf3ae | [
"MIT",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | RahulNagraj444/fluids | 74f3abf23384b76aab95b8be60f5d1adaebc8518 | 36afa5a16c0dbf22bf0541bd06d1cce68a1f7266 | refs/heads/master | 2022-10-03T10:57:36.492863 | 2020-06-07T16:56:37 | 2020-06-07T16:56:37 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 30,579 | py | # -*- coding: utf-8 -*-
'''Chemical Engineering Design Library (ChEDL). Utilities for process modeling.
Copyright (C) 2020 Caleb Bell <[email protected]>
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 __future__ import division
from fluids import *
import fluids.vectorized
from math import *
from fluids.constants import *
from fluids.numerics import assert_close, assert_close1d
import pytest
try:
import numba
import fluids.numba
import fluids.numba_vectorized
except:
numba = None
import numpy as np
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_Clamond_numba():
assert_close(fluids.numba.Clamond(10000.0, 2.0),
fluids.Clamond(10000.0, 2.0), rtol=5e-15)
assert_close(fluids.numba.Clamond(10000.0, 2.0, True),
fluids.Clamond(10000.0, 2.0, True), rtol=5e-15)
assert_close(fluids.numba.Clamond(10000.0, 2.0, False),
fluids.Clamond(10000.0, 2.0, False), rtol=5e-15)
Res = np.array([1e5, 1e6])
eDs = np.array([1e-5, 1e-6])
fast = np.array([False]*2)
assert_close1d(fluids.numba_vectorized.Clamond(Res, eDs, fast),
fluids.vectorized.Clamond(Res, eDs, fast), rtol=1e-14)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_string_error_message_outside_function():
fluids.numba.entrance_sharp('Miller')
fluids.numba.entrance_sharp()
fluids.numba.entrance_angled(30, 'Idelchik')
fluids.numba.entrance_angled(30, None)
fluids.numba.entrance_angled(30.0)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_interp():
assert_close(fluids.numba.CSA_motor_efficiency(100*hp, closed=True, poles=6, high_efficiency=True), 0.95)
# Should take ~10 us
powers = np.array([70000]*100)
closed = np.array([True]*100)
poles = np.array([6]*100)
high_efficiency = np.array([True]*100)
fluids.numba_vectorized.CSA_motor_efficiency(powers, closed, poles, high_efficiency)
assert_close(fluids.numba.bend_rounded_Crane(Di=.4020, rc=.4*5, angle=30),
fluids.bend_rounded_Crane(Di=.4020, rc=.4*5, angle=30))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_constants():
assert_close(fluids.numba.K_separator_demister_York(975000), 0.09635076944244816)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_calling_function_in_other_module():
assert_close(fluids.numba.ft_Crane(.5), 0.011782458726227104, rtol=1e-4)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_None_is_not_multiplied_add_check_on_is_None():
assert_close(fluids.numba.polytropic_exponent(1.4, eta_p=0.78), 1.5780346820809246, rtol=1e-5)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_core_from_other_module():
assert_close(fluids.numba.helical_turbulent_fd_Srinivasan(1E4, 0.01, .02), 0.0570745212117107)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_string_branches():
# Currently slower
assert_close(fluids.numba.C_Reader_Harris_Gallagher(D=0.07391, Do=0.0222, rho=1.165, mu=1.85E-5, m=0.12, taps='flange'), 0.5990326277163659)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_interp_with_own_list():
assert_close(fluids.numba.dP_venturi_tube(D=0.07366, Do=0.05, P1=200000.0, P2=183000.0), 1788.5717754177406)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_C_Reader_Harris_Gallagher_wet_venturi_tube_numba():
assert_close(fluids.numba.C_Reader_Harris_Gallagher_wet_venturi_tube(mg=5.31926, ml=5.31926/2, rhog=50.0, rhol=800., D=.1, Do=.06, H=1), 0.9754210845876333)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_rename_constant():
assert_close(fluids.numba.friction_plate_Martin_1999(Re=20000, plate_enlargement_factor=1.15), 2.284018089834135)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_list_in_list_constant_converted():
assert_close(fluids.numba.friction_plate_Kumar(Re=2000, chevron_angle=30),
friction_plate_Kumar(Re=2000, chevron_angle=30))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_have_to_make_zero_division_a_check():
# Manually requires changes, and is unpythonic
assert_close(fluids.numba.SA_ellipsoidal_head(2, 1.5),
SA_ellipsoidal_head(2, 1.5))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_functions_used_to_return_different_return_value_signatures_changed():
assert_close1d(fluids.numba.SA_tank(D=1., L=5, sideA='spherical', sideA_a=0.5, sideB='spherical',sideB_a=0.5),
SA_tank(D=1., L=5, sideA='spherical', sideA_a=0.5, sideB='spherical',sideB_a=0.5))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_Colebrook_ignored():
fd = fluids.numba.Colebrook(1e5, 1e-5)
assert_close(fd, 0.018043802895063684, rtol=1e-14)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_secant_runs():
# Really feel like the kwargs should work in object mode, but it doesn't
# Just gets slower
@numba.jit
def to_solve(x):
return sin(x*.3) - .5
fluids.numba.secant(to_solve, .3, ytol=1e-10)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_brenth_runs():
@numba.njit
def to_solve(x, goal):
return sin(x*.3) - goal
ans = fluids.numba.brenth(to_solve, .3, 2, args=(.45,))
assert_close(ans, 1.555884463490988)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_lambertw_runs():
assert_close(fluids.numba.numerics.lambertw(5.0), 1.3267246652422002)
assert_close(fluids.numba.Prandtl_von_Karman_Nikuradse(1e7), 0.008102669430874914)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_ellipe_runs():
assert_close(fluids.numba.plate_enlargement_factor(amplitude=5E-4, wavelength=3.7E-3),
1.1611862034509677, rtol=1e-10)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_control_valve_noise():
dB = fluids.numba.control_valve_noise_l_2015(m=40, P1=1E6, P2=6.5E5, Psat=2.32E3, rho=997, c=1400, Kv=77.848, d=0.1, Di=0.1071, FL=0.92, Fd=0.42, t_pipe=0.0036, rho_pipe=7800.0, c_pipe=5000.0,rho_air=1.293, c_air=343.0, An=-4.6)
assert_close(dB, 81.58200097996539)
dB = fluids.numba.control_valve_noise_g_2011(m=2.22, P1=1E6, P2=7.2E5, T1=450, rho=5.3, gamma=1.22, MW=19.8, Kv=77.85, d=0.1, Di=0.2031, FL=None, FLP=0.792, FP=0.98, Fd=0.296, t_pipe=0.008, rho_pipe=8000.0, c_pipe=5000.0, rho_air=1.293, c_air=343.0, An=-3.8, Stp=0.2)
assert_close(dB, 91.67702674629604)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_friction_factor():
fluids.numba.friction_factor(1e5, 1e-3)
assert_close(fluids.numba.friction.friction_factor(1e4, 1e-4, Method='Churchill_1973'),
fluids.friction_factor(1e4, 1e-4, Method='Churchill_1973'))
assert_close(fluids.numba.friction.friction_factor(1e4, 1e-4),
fluids.friction_factor(1e4, 1e-4))
assert_close(fluids.numba.friction.friction_factor(1e2, 1e-4),
fluids.friction_factor(1e2, 1e-4))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_AvailableMethods_removal():
assert_close(fluids.numba.friction_factor_curved(Re=1E5, Di=0.02, Dc=0.5),
fluids.friction_factor_curved(Re=1E5, Di=0.02, Dc=0.5))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_bisplev_uses():
K = fluids.numba.entrance_beveled(Di=0.1, l=0.003, angle=45, method='Idelchik')
assert_close(K, 0.39949999999999997)
assert_close(fluids.numba.VFD_efficiency(100*hp, load=0.2),
fluids.VFD_efficiency(100*hp, load=0.2))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_splev_uses():
methods = ['Rennels', 'Miller', 'Idelchik', 'Harris', 'Crane']
Ks = [fluids.numba.entrance_distance(Di=0.1, t=0.0005, method=m) for m in methods]
Ks_orig = [fluids.fittings.entrance_distance(Di=0.1, t=0.0005, method=m) for m in methods]
assert_close1d(Ks, Ks_orig)
# Same speed
assert_close(fluids.numba.entrance_rounded(Di=0.1, rc=0.0235),
fluids.fittings.entrance_rounded(Di=0.1, rc=0.0235))
# Got 10x faster! no strings.
assert_close(fluids.numba.bend_rounded_Miller(Di=.6, bend_diameters=2, angle=90, Re=2e6, roughness=2E-5, L_unimpeded=30*.6),
fluids.bend_rounded_Miller(Di=.6, bend_diameters=2, angle=90, Re=2e6, roughness=2E-5, L_unimpeded=30*.6))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_fittings():
methods = ['Rennels', 'Miller', 'Crane', 'Blevins']
assert_close1d([fluids.numba.bend_miter(Di=.6, angle=45, Re=1e6, roughness=1e-5, L_unimpeded=20, method=m) for m in methods],
[fluids.fittings.bend_miter(Di=.6, angle=45, Re=1e6, roughness=1e-5, L_unimpeded=20, method=m) for m in methods])
assert_close(fluids.numba.contraction_round_Miller(Di1=1, Di2=0.4, rc=0.04),
fluids.contraction_round_Miller(Di1=1, Di2=0.4, rc=0.04))
assert_close(fluids.numba.contraction_round(Di1=1, Di2=0.4, rc=0.04),
fluids.contraction_round(Di1=1, Di2=0.4, rc=0.04))
assert_close(fluids.numba.contraction_beveled(Di1=0.5, Di2=0.1, l=.7*.1, angle=120),
fluids.contraction_beveled(Di1=0.5, Di2=0.1, l=.7*.1, angle=120),)
assert_close(fluids.numba.diffuser_pipe_reducer(Di1=.5, Di2=.75, l=1.5, fd1=0.07),
fluids.diffuser_pipe_reducer(Di1=.5, Di2=.75, l=1.5, fd1=0.07),)
assert_close(fluids.numba.K_gate_valve_Crane(D1=.1, D2=.146, angle=13.115),
fluids.K_gate_valve_Crane(D1=.1, D2=.146, angle=13.115))
assert_close(fluids.numba.v_lift_valve_Crane(rho=998.2, D1=0.0627, D2=0.0779, style='lift check straight'),
fluids.v_lift_valve_Crane(rho=998.2, D1=0.0627, D2=0.0779, style='lift check straight'))
assert_close(fluids.numba.K_branch_converging_Crane(0.1023, 0.1023, 0.018917, 0.00633),
fluids.K_branch_converging_Crane(0.1023, 0.1023, 0.018917, 0.00633),)
assert_close(fluids.numba.bend_rounded(Di=4.020, rc=4.0*5, angle=30, Re=1E5),
fluids.bend_rounded(Di=4.020, rc=4.0*5, angle=30, Re=1E5))
assert_close(fluids.numba.contraction_conical_Crane(Di1=0.0779, Di2=0.0525, l=0),
fluids.contraction_conical_Crane(Di1=0.0779, Di2=0.0525, l=0))
assert_close(fluids.numba.contraction_conical(Di1=0.1, Di2=0.04, l=0.04, Re=1E6),
fluids.contraction_conical(Di1=0.1, Di2=0.04, l=0.04, Re=1E6))
assert_close(fluids.numba.diffuser_conical(Di1=1/3., Di2=1.0, angle=50.0, Re=1E6),
fluids.diffuser_conical(Di1=1/3., Di2=1.0, angle=50.0, Re=1E6))
assert_close(fluids.numba.diffuser_conical(Di1=1., Di2=10.,l=9, fd=0.01),
fluids.diffuser_conical(Di1=1., Di2=10.,l=9, fd=0.01))
assert_close(fluids.numba.diffuser_conical_staged(Di1=1., Di2=10., DEs=np.array([2,3,4]), ls=np.array([1.1,1.2,1.3, 1.4]), fd=0.01),
fluids.diffuser_conical_staged(Di1=1., Di2=10., DEs=np.array([2,3,4]), ls=np.array([1.1,1.2,1.3, 1.4]), fd=0.01))
assert_close(fluids.numba.K_globe_stop_check_valve_Crane(.1, .02, style=1),
fluids.K_globe_stop_check_valve_Crane(.1, .02, style=1))
assert_close(fluids.numba.K_angle_stop_check_valve_Crane(.1, .02, style=1),
fluids.K_angle_stop_check_valve_Crane(.1, .02, style=1))
assert_close(fluids.numba.K_diaphragm_valve_Crane(D=.1, style=0),
fluids.K_diaphragm_valve_Crane(D=.1, style=0))
assert_close(fluids.numba.K_foot_valve_Crane(D=0.2, style=0),
fluids.K_foot_valve_Crane(D=0.2, style=0))
assert_close(fluids.numba.K_butterfly_valve_Crane(D=.1, style=2),
fluids.K_butterfly_valve_Crane(D=.1, style=2))
assert_close(fluids.numba.K_plug_valve_Crane(D1=.01, D2=.02, angle=50),
fluids.K_plug_valve_Crane(D1=.01, D2=.02, angle=50))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_filters_numba():
assert_close(fluids.numba.round_edge_screen(0.5, 100, 45),
fluids.round_edge_screen(0.5, 100, 45))
assert_close(fluids.numba.round_edge_screen(0.5, 100),
fluids.round_edge_screen(0.5, 100))
assert_close(fluids.numba.round_edge_open_mesh(0.96, angle=33.),
fluids.round_edge_open_mesh(0.96, angle=33.))
assert_close(fluids.numba.square_edge_grill(.45, l=.15, Dh=.002, fd=.0185),
fluids.square_edge_grill(.45, l=.15, Dh=.002, fd=.0185))
assert_close(fluids.numba.round_edge_grill(.4, l=.15, Dh=.002, fd=.0185),
fluids.round_edge_grill(.4, l=.15, Dh=.002, fd=.0185))
assert_close(fluids.numba.square_edge_screen(0.99),
fluids.square_edge_screen(0.99))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_pump_numba():
assert_close(fluids.numba.motor_efficiency_underloaded(10.1*hp, .1),
fluids.motor_efficiency_underloaded(10.1*hp, .1),)
assert_close(fluids.numba.current_ideal(V=120, P=1E4, PF=1, phase=1),
fluids.current_ideal(V=120, P=1E4, PF=1, phase=1))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_separator_numba():
assert_close(fluids.numba.K_separator_Watkins(0.88, 985.4, 1.3, horizontal=True),
fluids.K_separator_Watkins(0.88, 985.4, 1.3, horizontal=True))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_mixing_numba():
assert_close(fluids.numba.size_tee(Q1=11.7, Q2=2.74, D=0.762, D2=None, n=1, pipe_diameters=5),
fluids.size_tee(Q1=11.7, Q2=2.74, D=0.762, D2=None, n=1, pipe_diameters=5))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_compressible():
assert_close(fluids.numba.isentropic_work_compression(P1=1E5, P2=1E6, T1=300, k=1.4, eta=0.78),
fluids.isentropic_work_compression(P1=1E5, P2=1E6, T1=300, k=1.4, eta=0.78),)
assert_close(fluids.numba.isentropic_efficiency(1E5, 1E6, 1.4, eta_p=0.78),
fluids.isentropic_efficiency(1E5, 1E6, 1.4, eta_p=0.78))
assert_close(fluids.numba.polytropic_exponent(1.4, eta_p=0.78),
fluids.polytropic_exponent(1.4, eta_p=0.78))
assert_close(fluids.numba.Panhandle_A(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15),
fluids.Panhandle_A(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15))
assert_close(fluids.numba.Panhandle_B(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15),
fluids.Panhandle_B(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15))
assert_close(fluids.numba.Weymouth(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15),
fluids.Weymouth(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15))
assert_close(fluids.numba.Spitzglass_high(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15),
fluids.Spitzglass_high(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15))
assert_close(fluids.numba.Spitzglass_low(D=0.154051, P1=6720.3199, P2=0, L=54.864, SG=0.6, Tavg=288.7),
fluids.Spitzglass_low(D=0.154051, P1=6720.3199, P2=0, L=54.864, SG=0.6, Tavg=288.7))
assert_close(fluids.numba.Oliphant(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15),
fluids.Oliphant(D=0.340, P1=90E5, P2=20E5, L=160E3, SG=0.693, Tavg=277.15))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_control_valve():
# Not working - size_control_valve_g, size_control_valve_l
# Can take the functions out, but the dictionary return remains problematic
# fluids.numba.control_valve_choke_P_l(69682.89291024722, 22048320.0, 0.6, P2=458887.5306077305) # Willing to change this error message if the other can pass
# fluids.numba.size_control_valve_g(T=433., MW=44.01, mu=1.4665E-4, gamma=1.30,
#Z=0.988, P1=680E3, P2=310E3, Q=38/36., D1=0.08, D2=0.1, d=0.05,
#FL=0.85, Fd=0.42, xT=0.60)
assert_close(fluids.numba.Reynolds_factor(FL=0.98, C=0.015483, d=15., Rev=1202., full_trim=False),
fluids.Reynolds_factor(FL=0.98, C=0.015483, d=15., Rev=1202., full_trim=False))
assert_close(fluids.numba.convert_flow_coefficient(10, 'Kv', 'Av'),
fluids.convert_flow_coefficient(10, 'Kv', 'Av'))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_safety_valve():
assert_close(fluids.numba.API520_round_size(1E-4),
fluids.API520_round_size(1E-4))
assert_close(fluids.numba.API520_SH(593+273.15, 1066.325E3),
fluids.API520_SH(593+273.15, 1066.325E3))
assert_close(fluids.numba.API520_W(1E6, 3E5),
fluids.API520_W(1E6, 3E5))
assert_close(fluids.numba.API520_B(1E6, 5E5),
fluids.API520_B(1E6, 5E5))
assert_close(fluids.numba.API520_A_g(m=24270/3600., T=348., Z=0.90, MW=51., k=1.11, P1=670E3, Kb=1, Kc=1),
fluids.API520_A_g(m=24270/3600., T=348., Z=0.90, MW=51., k=1.11, P1=670E3, Kb=1, Kc=1))
assert_close(fluids.numba.API520_A_steam(m=69615/3600., T=592.5, P1=12236E3, Kd=0.975, Kb=1, Kc=1),
fluids.API520_A_steam(m=69615/3600., T=592.5, P1=12236E3, Kd=0.975, Kb=1, Kc=1))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_packed_bed():
assert_close(fluids.numba.Harrison_Brunner_Hecker(dp=8E-4, voidage=0.4, vs=1E-3, rho=1E3, mu=1E-3, Dt=1E-2),
fluids.Harrison_Brunner_Hecker(dp=8E-4, voidage=0.4, vs=1E-3, rho=1E3, mu=1E-3, Dt=1E-2))
assert_close(fluids.numba.Montillet_Akkari_Comiti(dp=0.0008, voidage=0.4, L=0.5, vs=0.00132629120, rho=1000., mu=1.00E-003),
fluids.Montillet_Akkari_Comiti(dp=0.0008, voidage=0.4, L=0.5, vs=0.00132629120, rho=1000., mu=1.00E-003))
assert_close(fluids.numba.dP_packed_bed(dp=8E-4, voidage=0.4, vs=1E-3, rho=1E3, mu=1E-3, Dt=0.01),
fluids.dP_packed_bed(dp=8E-4, voidage=0.4, vs=1E-3, rho=1E3, mu=1E-3, Dt=0.01))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_packed_tower():
# 12.8 us CPython, 1.4 PyPy, 1.85 numba
assert_close(fluids.numba.Stichlmair_wet(Vg=0.4, Vl = 5E-3, rhog=5., rhol=1200., mug=5E-5, voidage=0.68, specific_area=260., C1=32., C2=7., C3=1.),
fluids.Stichlmair_wet(Vg=0.4, Vl = 5E-3, rhog=5., rhol=1200., mug=5E-5, voidage=0.68, specific_area=260., C1=32., C2=7., C3=1.),)
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_flow_meter():
assert_close(fluids.numba.differential_pressure_meter_beta(D=0.2575, D2=0.184, meter_type='cone meter'),
fluids.differential_pressure_meter_beta(D=0.2575, D2=0.184, meter_type='cone meter'))
assert_close(fluids.numba.C_Miller_1996(D=0.07391, Do=0.0222, rho=1.165, mu=1.85E-5, m=0.12, taps='flange', subtype='orifice'),
fluids.C_Miller_1996(D=0.07391, Do=0.0222, rho=1.165, mu=1.85E-5, m=0.12, taps='flange', subtype='orifice'))
assert_close1d(fluids.numba.differential_pressure_meter_C_epsilon(D=0.07366, D2=0.05, P1=200000.0, P2=183000.0, rho=999.1, mu=0.0011, k=1.33, m=7.702338035732168, meter_type='ISO 5167 orifice', taps='D'),
fluids.differential_pressure_meter_C_epsilon(D=0.07366, D2=0.05, P1=200000.0, P2=183000.0, rho=999.1, mu=0.0011, k=1.33, m=7.702338035732168, meter_type='ISO 5167 orifice', taps='D'))
assert_close(fluids.numba.differential_pressure_meter_dP(D=0.07366, D2=0.05, P1=200000.0, P2=183000.0, meter_type='as cast convergent venturi tube'),
fluids.differential_pressure_meter_dP(D=0.07366, D2=0.05, P1=200000.0, P2=183000.0, meter_type='as cast convergent venturi tube'))
assert_close(fluids.numba.differential_pressure_meter_solver(D=0.07366, D2=0.05, P1=200000.0, P2=183000.0, rho=999.1, mu=0.0011, k=1.33, meter_type='ISO 5167 orifice', taps='D'),
fluids.differential_pressure_meter_solver(D=0.07366, D2=0.05, P1=200000.0, P2=183000.0, rho=999.1, mu=0.0011, k=1.33, meter_type='ISO 5167 orifice', taps='D'))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_core():
# All these had issues
assert_close(fluids.numba.Reynolds(2.5, 0.25, nu=1.636e-05),
fluids.Reynolds(2.5, 0.25, nu=1.636e-05))
assert_close(fluids.numba.Peclet_heat(1.5, 2, 1000., 4000., 0.6),
fluids.Peclet_heat(1.5, 2, 1000., 4000., 0.6))
assert_close(fluids.numba.Fourier_heat(t=1.5, L=2, rho=1000., Cp=4000., k=0.6),
fluids.Fourier_heat(t=1.5, L=2, rho=1000., Cp=4000., k=0.6))
assert_close(fluids.numba.Graetz_heat(1.5, 0.25, 5, 800., 2200., 0.6),
fluids.Graetz_heat(1.5, 0.25, 5, 800., 2200., 0.6))
assert_close(fluids.numba.Schmidt(D=2E-6, mu=4.61E-6, rho=800),
fluids.Schmidt(D=2E-6, mu=4.61E-6, rho=800))
assert_close(fluids.numba.Lewis(D=22.6E-6, alpha=19.1E-6),
fluids.Lewis(D=22.6E-6, alpha=19.1E-6))
assert_close(fluids.numba.Confinement(0.001, 1077, 76.5, 4.27E-3),
fluids.Confinement(0.001, 1077, 76.5, 4.27E-3))
assert_close(fluids.numba.Prandtl(Cp=1637., k=0.010, nu=6.4E-7, rho=7.1),
fluids.Prandtl(Cp=1637., k=0.010, nu=6.4E-7, rho=7.1))
assert_close(fluids.numba.Grashof(L=0.9144, beta=0.000933, T1=178.2, rho=1.1613, mu=1.9E-5),
fluids.Grashof(L=0.9144, beta=0.000933, T1=178.2, rho=1.1613, mu=1.9E-5))
assert_close(fluids.numba.Froude(1.83, L=2., squared=True),
fluids.Froude(1.83, L=2., squared=True))
assert_close(fluids.numba.nu_mu_converter(998., nu=1.0E-6),
fluids.nu_mu_converter(998., nu=1.0E-6))
assert_close(fluids.numba.gravity(55, 1E4),
fluids.gravity(55, 1E4))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_drag():
assert_close(fluids.numba.drag_sphere(200),
fluids.drag_sphere(200))
assert_close(fluids.numba.drag_sphere(1e6, Method='Almedeij'),
fluids.drag_sphere(1e6, Method='Almedeij'))
assert_close(fluids.numba.v_terminal(D=70E-6, rhop=2600., rho=1000., mu=1E-3),
fluids.v_terminal(D=70E-6, rhop=2600., rho=1000., mu=1E-3))
assert_close(fluids.numba.time_v_terminal_Stokes(D=1e-7, rhop=2200., rho=1.2, mu=1.78E-5, V0=1),
fluids.time_v_terminal_Stokes(D=1e-7, rhop=2200., rho=1.2, mu=1.78E-5, V0=1), rtol=1e-1 )
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_two_phase_voidage():
assert_close(fluids.numba.gas_liquid_viscosity(x=0.4, mul=1E-3, mug=1E-5, rhol=850, rhog=1.2, Method='Duckler'),
fluids.gas_liquid_viscosity(x=0.4, mul=1E-3, mug=1E-5, rhol=850, rhog=1.2, Method='Duckler'))
assert_close(fluids.numba.liquid_gas_voidage(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05),
fluids.liquid_gas_voidage(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05))
@pytest.mark.numba
@pytest.mark.skipif(numba is None, reason="Numba is missing")
def test_misc_two_phase():
assert_close(fluids.numba.Beggs_Brill(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, P=1E7, D=0.05, angle=0, roughness=0, L=1),
fluids.Beggs_Brill(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, P=1E7, D=0.05, angle=0, roughness=0, L=1))
assert_close(fluids.numba.Kim_Mudawar(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05, L=1),
fluids.Kim_Mudawar(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05, L=1))
reg_numba = fluids.numba.Mandhane_Gregory_Aziz_regime(m=0.6, x=0.112, rhol=915.12, rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.065, D=0.05)
reg_normal = fluids.Mandhane_Gregory_Aziz_regime(m=0.6, x=0.112, rhol=915.12, rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.065, D=0.05)
assert reg_numba == reg_normal
reg_numba = fluids.numba.Taitel_Dukler_regime(m=0.6, x=0.112, rhol=915.12, rhog=2.67, mul=180E-6, mug=14E-6, D=0.05, roughness=0, angle=0)
reg_normal = fluids.Taitel_Dukler_regime(m=0.6, x=0.112, rhol=915.12, rhog=2.67, mul=180E-6, mug=14E-6, D=0.05, roughness=0, angle=0)
assert reg_numba == reg_normal
assert_close(fluids.numba.two_phase_dP(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05, L=1),
fluids.two_phase_dP(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05, L=1))
assert_close(fluids.numba.two_phase_dP(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05, L=1, P=1e6),
fluids.two_phase_dP(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05, L=1, P=1e6))
'''Completely working submodles:
* core
* filters
* separator
* saltation
* mixing
* safety_valve
* open_flow
* pump (except CountryPower)
* flow_meter
* packed_bed
* two_phase_voidage
* two_phase
Near misses:
* fittings - Hooper2K, Darby3K
* drag - integrate_drag_sphere (odeint)
* compressible - P_isothermal_critical_flow, isothermal_gas (need lambertw, change solvers)
* packed_tower - Stichlmair_flood (newton_system)
* geometry - double quads
Not supported:
* particle_size_distribution
* atmosphere
* friction - Only nearest_material_roughness, material_roughness, roughness_Farshad
* piping - all dictionary lookups
'''
'''
Functions not working:
# Almost workk, needs support for new branches of lambertw
fluids.numba.P_isothermal_critical_flow(P=1E6, fd=0.00185, L=1000., D=0.5)
fluids.numba.lambertw(.5)
# newton_system not working
fluids.numba.Stichlmair_flood(Vl = 5E-3, rhog=5., rhol=1200., mug=5E-5, voidage=0.68, specific_area=260., C1=32., C2=7., C3=1.)
# Using dictionaries outside is broken
# Also, nopython is broken for this case - https://github.com/numba/numba/issues/5377
fluids.numba.roughness_Farshad('Cr13, bare', 0.05)
piping.nearest_pipe -> Multiplication of None type; checking of type to handle in inputs;
dictionary lookup of schedule coefficients; function in function; doesn't like something about the data either
piping.gauge_from_t -> numba type dict; once that's inside function, dying on checking
"in" of a now-numpy array; same for t_from_gauge
fluids.numba.liquid_gas_voidage(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05, Method='Xu Fang voidage')
* some raaguments can be done
fluids.numba.two_phase_dP(m=0.6, x=0.1, rhol=915., rhog=2.67, mul=180E-6, mug=14E-6, sigma=0.0487, D=0.05, L=1)
Most classes which have different input types
Double quads not yet supported - almost!
'''
'''Global dictionary lookup:
Darby3K, Hooper2K,
# Feels like this should work
from numba import njit, typeof, typed, types
Darby = typed.Dict.empty(types.string, types.UniTuple(types.float64, 3))
Darby['Elbow, 90°, threaded, standard, (r/D = 1)'] = (800.0, 0.14, 4.0)
Darby['Elbow, 90°, threaded, long radius, (r/D = 1.5)'] = (800.0, 0.071, 4.2)
@numba.njit
def Darby3K(NPS, Re, name):
K1, Ki, Kd = Darby[name]
return K1/Re + Ki*(1. + Kd*NPS**-0.3)
Darby3K(NPS=12., Re=10000., name='Elbow, 90°, threaded, standard, (r/D = 1)')'''
'''
numba is not up to speeding up the various solvers!
I was able to contruct a secant version which numba would optimize, mostly.
However, it took 30x the time.
Trying to improve this, it was found reducing the number of arguments to secant
imroves things ~20%. Removing ytol or the exceptions did not improve things at all.
Eventually it was discovered, the rtol and xtol arguments should be fixed values inside the function.
This makes little sense, but it is what happened.
Slighyly better performance was found than in pure-python that way, although definitely not vs. pypy.
'''
'''Having a really hard time getting newton_system to work...
@numba.njit
def to_solve_jac(x0):
return np.array([5.0*x0[0] - 3]), np.array([5.0])
# fluids.numerics.newton_system(to_solve_jac, x0=[1.0], jac=True)
fluids.numba.newton_system(to_solve_jac, x0=[1.0], jac=True)
''' | [
"[email protected]"
] | |
4257890a7490b2def67115c1e7771a15801e77b2 | ae652aec76faffce67e85922d73a7977df95b3b6 | /util.py | e7527c2069a3f57700ad3025738fe7bf868ece28 | [] | no_license | wwq0327/note | e75964e0539a9efce0889b7774f78da0bcdff7fb | f893e851cb85b974bfbf5917a7fa5845b2f20eac | refs/heads/master | 2020-05-18T07:57:33.446712 | 2011-11-13T13:40:07 | 2011-11-13T13:40:07 | 2,765,724 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 599 | py | #!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
util
~~~~~~~~~~~~~~~~~~~~
:date: 2011-10-17
"""
def lines(file):
'''在文本的最后一行加入一个空行'''
for line in file: yield line
yield '\n'
def blocks(file):
'''收集遇到的所有行,直接遇到一个空行,然后返回已经收集到的行。
那些返回的行就是一个代码块
'''
block = []
for line in lines(file):
if line.strip():
block.append(line)
elif block:
yield ''.join(block).strip()
block = []
| [
"[email protected]"
] | |
425a35d7f2a14880501a7ed5d0ae0c3945f95335 | 1ca1799ce0abe12e37cf2893af2dd6fcf784317c | /env/bin/easy_install-3.6 | 134cb8672b89aa373c27aab0a51561c722a4558d | [] | no_license | anubishere/projekt_eita15 | 93c542e8c10ada5bc469c8e5cdca48506405f872 | d1bc9b3e11917d6aaf942a95bb2bbdd370e91c45 | refs/heads/master | 2021-02-16T05:36:26.032675 | 2020-03-04T18:10:56 | 2020-03-04T18:10:56 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 286 | 6 | #!/home/victor/skola/kurser/digitala_system/projekt_eita15/env/bin/python3
# -*- coding: utf-8 -*-
import re
import sys
from setuptools.command.easy_install import main
if __name__ == '__main__':
sys.argv[0] = re.sub(r'(-script\.pyw|\.exe)?$', '', sys.argv[0])
sys.exit(main())
| [
"[email protected]"
] | |
4d8a89ad46d29396654cfe3031188c065de896cd | 781b9a4a1098f3ac339f97eb1a622924bcc5914d | /Exercices/S1_04_AlgorithmesDichotomiques/TP05c.py | f1d7d9d939d0575e3055f1da3e04e0ed8b98dfbb | [] | no_license | xpessoles/Informatique | 24d4d05e871f0ac66b112eee6c51cfa6c78aea05 | e8fb053c3da847bd0a1a565902b56d45e1e3887c | refs/heads/main | 2023-08-30T21:10:56.788526 | 2023-08-30T20:17:38 | 2023-08-30T20:17:38 | 375,464,331 | 2 | 0 | null | null | null | null | UTF-8 | Python | false | false | 4,235 | py | ##### TP 5
##### Recherche dans une liste triée.
## I.1
## Q1
# g=0, d=8
# m=4, L[m]=11 et 5 < 11, on pose g=0, d=3
# m=2, L[m]=5. On a trouvé x0
# g=0, d=8
# m=4, L[m]=8 et 8<11, on pose g=5, d=8
# m=6, L[m]=13 et 11<13, on pose g=5, d=5
# m=5, L[m]=10 et 10<11, on pose g=6, d=5. On s'arrête.
## Q2
def dichotomie(x0,L):
Test=False
n=len(L)
g,d=0,n-1
while g<=d and not Test:
m=(g+d)//2
if L[m]==x0:
Test=True
elif L[m]>x0:
d=m-1
else:
g=m+1
return(Test)
## Q3
# Si x0 n_est pas présent, on exécute la boucle tant que g<=d. On sort avec g=d+1.
# A l_entrée du 1er tout de boucle, on a d-g+1=n. A chaque tour, la valeur d-g+1 diminue environ de moitié. Donc après k tours de boucles, la longueur de l_intervalle est de l_ordre de n/2**k.
# De plus, à chaque tour de boucle, il y a 2 comparaisons.
# Au dernier tour numéro k, on a g=d soit lorsque n/2**k = 1 d_ou k=log_2(n).
# On obtient donc un nombre de comparaisons équivalent à 2*ln(n)/ln(2): complexité logarithmique.
# Dans le cas séquentiel, on obtient une complexité linéaire, donc beaucoup moins intéressant.
## I.2
# L'idée est de s'arrêter lorsque d-g=1 avec L[g]\>0>L[d]
def recherche_dicho(L):
n=len(L)
g,d=0,n-1
while d-g>1:
m=(g+d)//2
if L[m]>=0:
g=m
else:
d=m
return(g,L[g])
## I.3
## 1
# Pour une valeur à epsilon près, on s_arrete lorsque 0<d-g<2*epsilon et on renvoie (g+d)/2
## 2
def recherche_zero(f,a,b,epsilon):
g,d=a,b
while d-g>2*epsilon:
m=(g+d)/2
if f(m)*f(g)<=0:
d=m
else:
g=m
return((g+d)/2)
## 3
def f(x):
return(x**2-2)
# print(recherche_zero(f,0,2,0.001)
## 4
# Avec epsilon = 1/2**p, il faut compter combien il y a de tours de boucles. En sortie du kieme tour de boucle, d-g vaut (b-a)/2**k. Il y a donc k tours de boucles avec (b-a)/2**k<=1/2**(p-1) soit k>=p-1+log_2(b-a) soit une complexité logarithmique encore.
##### II. Exponentiation rapide.
import numpy as np
import matplotlib.pyplot as plt
import time as t
import random as r
## 1.(a)
def exponaif(x,n):
p=1
for i in range(n):
p=p*x
return(p)
# Le nombre d'opérations effectuées est exactement n (1 produit à chaque tour)
## 1.(b)
def exporapide(x,n):
y=x
k=n
p=1
while k>0:
if k % 2==1:
p=p*y
y=y*y
k=k//2
return(p)
# A chaque tour de boucle, il y a au plus 1 comparaison et 2 ou 3 opérations. En sortie du ième tour, k vaut environ n/2**k. On sort de la fonction lorsque n/2**k vaut 1 soit k=ln(n)/ln(2).
# Le nombre d_opérations est donc compris entre 2*ln(n)/ln(2) et 3*ln(n)/ln(2): complexité logarithmique en O(ln(n)).
## 2
## 2;(a)
import time as t
def Pnaif(x,n):
S=0
for i in range(n):
S=S+i*exponaif(x,i)
return(S)
# n+n(n+1)/2 ~ n**2/2 opérations. Quadratique
## 2. (b)
def Prapide(x,n):
S=0
for i in range(n):
S=S+i*exporapide(x,i)
return(S)
# O(log(i)) pour chaque i*x**i. Il reste la somme des n termes.
# D'où n+somme des log(i)=O(n.ln(n)).
## 2. (c)
def Phorner(x,L):
"""L est la liste des coefficients"""
n=len(L)-1
S=0
for i in range(n+1):
S=S*x+L[n-i]
return(S)
# 2n opérations. Linéaire mais plus intéressante que ci-dessus.
## 3
# Liste des temps d'exécution pour le calcul de x**n pour n=0..50 :
N=[i for i in range(101)]
# Tracé des temps pour les calculs de P(x) avec n=0..100 avec P(x)=somme des iX**i, i=0..n
def Temps_calcul_P(x):
# Le polynôme est donné par une liste des coefficients.
Tn,Tr,Th=[],[],[]
for n in N:
L=[k for k in range(n+1)]
tps=t.perf_counter()
Pnaif(x,n)
Tn.append(t.perf_counter()-tps)
tps=t.perf_counter()
Sr=0
Prapide(x,n)
Tr.append(t.perf_counter()-tps)
tps=t.perf_counter()
Phorner(x,L)
Th.append(t.perf_counter()-tps)
plt.plot(N,Th,label='méthode horner')
plt.plot(N,Tr,label='méthode rapide')
plt.plot(N,Tn,label='méthode naïve')
plt.legend()
plt.show()
#####
| [
"[email protected]"
] | |
f73d54fdd4af870903d5e22391dbe348021ff86f | ffc1ab091d54635c96cd4ed6098c4bf388222f02 | /nipype/nipype-master/nipype/interfaces/afni/tests/test_auto_Qwarp.py | 2848fe97f8622750e68d5cf9d3e43276808c0a92 | [
"BSD-3-Clause",
"Apache-2.0"
] | permissive | bharathlakshman/brainintensive | fc7833078bb6ad9574e015004f2b3905c85b699e | eec8a91cbec29ba27d620984394d3ee21d0db58f | refs/heads/master | 2021-01-01T19:04:25.724906 | 2017-07-28T01:48:28 | 2017-07-28T01:48:28 | 98,499,935 | 1 | 2 | null | null | null | null | UTF-8 | Python | false | false | 3,792 | py | # AUTO-GENERATED by tools/checkspecs.py - DO NOT EDIT
from __future__ import unicode_literals
from ..preprocess import Qwarp
def test_Qwarp_inputs():
input_map = dict(Qfinal=dict(argstr='-Qfinal',
),
Qonly=dict(argstr='-Qonly',
),
allsave=dict(argstr='-allsave',
xor=['nopadWARP', 'duplo', 'plusminus'],
),
args=dict(argstr='%s',
),
ballopt=dict(argstr='-ballopt',
xor=['workhard', 'boxopt'],
),
base_file=dict(argstr='-base %s',
copyfile=False,
mandatory=True,
),
baxopt=dict(argstr='-boxopt',
xor=['workhard', 'ballopt'],
),
blur=dict(argstr='-blur %s',
),
duplo=dict(argstr='-duplo',
xor=['gridlist', 'maxlev', 'inilev', 'iniwarp', 'plusminus', 'allsave'],
),
emask=dict(argstr='-emask %s',
copyfile=False,
),
environ=dict(nohash=True,
usedefault=True,
),
expad=dict(argstr='-expad %d',
xor=['nopadWARP'],
),
gridlist=dict(argstr='-gridlist %s',
copyfile=False,
xor=['duplo', 'plusminus'],
),
hel=dict(argstr='-hel',
xor=['nmi', 'mi', 'lpc', 'lpa', 'pear'],
),
ignore_exception=dict(nohash=True,
usedefault=True,
),
in_file=dict(argstr='-source %s',
copyfile=False,
mandatory=True,
),
inilev=dict(argstr='-inlev %d',
xor=['duplo'],
),
iniwarp=dict(argstr='-iniwarp %s',
xor=['duplo'],
),
iwarp=dict(argstr='-iwarp',
xor=['plusminus'],
),
lpa=dict(argstr='-lpa',
xor=['nmi', 'mi', 'lpc', 'hel', 'pear'],
),
lpc=dict(argstr='-lpc',
position=-2,
xor=['nmi', 'mi', 'hel', 'lpa', 'pear'],
),
maxlev=dict(argstr='-maxlev %d',
position=-1,
xor=['duplo'],
),
mi=dict(argstr='-mi',
xor=['mi', 'hel', 'lpc', 'lpa', 'pear'],
),
minpatch=dict(argstr='-minpatch %d',
),
nmi=dict(argstr='-nmi',
xor=['nmi', 'hel', 'lpc', 'lpa', 'pear'],
),
noXdis=dict(argstr='-noXdis',
),
noYdis=dict(argstr='-noYdis',
),
noZdis=dict(argstr='-noZdis',
),
noneg=dict(argstr='-noneg',
),
nopad=dict(argstr='-nopad',
),
nopadWARP=dict(argstr='-nopadWARP',
xor=['allsave', 'expad'],
),
nopenalty=dict(argstr='-nopenalty',
),
nowarp=dict(argstr='-nowarp',
),
noweight=dict(argstr='-noweight',
),
out_file=dict(argstr='-prefix %s',
genfile=True,
name_source=['in_file'],
name_template='%s_QW',
),
out_weight_file=dict(argstr='-wtprefix %s',
),
outputtype=dict(),
overwrite=dict(argstr='-overwrite',
),
pblur=dict(argstr='-pblur %s',
),
pear=dict(argstr='-pear',
),
penfac=dict(argstr='-penfac %f',
),
plusminus=dict(argstr='-plusminus',
xor=['duplo', 'allsave', 'iwarp'],
),
quiet=dict(argstr='-quiet',
xor=['verb'],
),
resample=dict(argstr='-resample',
),
terminal_output=dict(nohash=True,
),
verb=dict(argstr='-verb',
xor=['quiet'],
),
wball=dict(argstr='-wball %s',
),
weight=dict(argstr='-weight %s',
),
wmask=dict(argstr='-wpass %s %f',
),
workhard=dict(argstr='-workhard',
xor=['boxopt', 'ballopt'],
),
)
inputs = Qwarp.input_spec()
for key, metadata in list(input_map.items()):
for metakey, value in list(metadata.items()):
assert getattr(inputs.traits()[key], metakey) == value
def test_Qwarp_outputs():
output_map = dict(base_warp=dict(),
source_warp=dict(),
warped_base=dict(),
warped_source=dict(),
weights=dict(),
)
outputs = Qwarp.output_spec()
for key, metadata in list(output_map.items()):
for metakey, value in list(metadata.items()):
assert getattr(outputs.traits()[key], metakey) == value
| [
"[email protected]"
] | |
6ef29292a7e42861fa5c76bb43f7c074044b2706 | 2850d9adba96bc4e73185de5d6adebf363a5c534 | /tce/tcloud/clb/InquiryLBPrice.py | 8d39cc90ea056cc0f7f42b894868a5e5193ddabb | [
"Apache-2.0"
] | permissive | FatAnker/tencentcloud-sdk-python | d8f757b12ad336e78a06b68a789ecc3c86d1d331 | d6f75a41dc7053cb51f9091f4d41b8cb7a837559 | refs/heads/master | 2020-04-30T22:34:16.740484 | 2019-04-28T11:14:11 | 2019-04-28T11:14:11 | 177,122,691 | 0 | 1 | null | 2019-03-22T10:46:01 | 2019-03-22T10:46:01 | null | UTF-8 | Python | false | false | 1,376 | py | # -*- coding: utf8 -*-
from QcloudApi.qcloudapi import QcloudApi
from tce.tcloud.utils.config import global_config
# 设置需要加载的模块
module = 'lb'
# 对应接口的接口名,请参考wiki文档上对应接口的接口名
action = 'InquiryLBPrice'
region = global_config.get('regions')
params = global_config.get(region)
secretId = params['secretId']
secretKey = params['secretKey']
domain =params['domain']
# 云API的公共参数
config = {
'Region': region,
'secretId': secretId,
'secretKey': secretKey,
'method': 'GET',
'SignatureMethod': 'HmacSHA1'
}
# 接口参数,根据实际情况填写,支持json
# 例如数组可以 "ArrayExample": ["1","2","3"]
# 例如字典可以 "DictExample": {"key1": "value1", "key2": "values2"}
action_params = {
'loadBalancerType':2
}
try:
service = QcloudApi(module, config)
# 请求前可以通过下面几个方法重新设置请求的secretId/secretKey/Region/method/SignatureMethod参数
# 重新设置请求的Region
# service.setRegion('shanghai')
# 打印生成的请求URL,不发起请求
print(service.generateUrl(action, action_params))
# 调用接口,发起请求,并打印返回结果
print(service.call(action, action_params))
except Exception as e:
import traceback
print('traceback.format_exc():\n%s' % traceback.format_exc()) | [
"[email protected]"
] | |
becdb112bb47e331e0ba9f6b5eb175b7e8f43035 | 3c6b36eb1f4f9760c52903f6d0ec4a501f948c90 | /osp/test/citations/utils/test_get_text.py | 663abb8fd5fc80e075106a2ff9727effea40b0c3 | [
"Apache-2.0"
] | permissive | davidmcclure/open-syllabus-project | 38444249af845013e3f281a7a713dca83159c56e | 078cfd4c5a257fbfb0901d43bfbc6350824eed4e | refs/heads/master | 2021-06-30T21:47:07.636558 | 2021-06-27T15:15:35 | 2021-06-27T15:15:35 | 50,152,020 | 220 | 14 | Apache-2.0 | 2021-06-27T15:11:15 | 2016-01-22T02:29:57 | Python | UTF-8 | Python | false | false | 501 | py |
import pytest
from osp.citations.utils import get_text
from bs4 import BeautifulSoup
@pytest.mark.parametrize('tag,text', [
('<tag>Article Title</tag>', 'Article Title'),
# Strip whitespace.
('<tag> Article Title </tag>', 'Article Title'),
# Empty text -> None.
('<tag></tag>', None),
('<tag> </tag>', None),
# Missing tag -> None.
('', None),
])
def test_get_text(tag, text):
tree = BeautifulSoup(tag, 'lxml')
assert get_text(tree, 'tag') == text
| [
"[email protected]"
] | |
32273e37f6ed947cad8183262e2fbe2b5511c0bf | e42c337b179ea9e85c41c992d1440dbdd10e4bdb | /solution/leetcode/120.py | 18bddd5d74b8a75dc62e353f0e5eb862930701c7 | [] | no_license | harshraj22/problem_solving | 7733a43e2dcbf507257e61732430d5c0fc1b4cb9 | 2c7d1ed486ae59126244168a446d74ae4fdadbc6 | refs/heads/master | 2023-05-26T12:58:40.098378 | 2023-05-12T17:53:11 | 2023-05-12T17:53:11 | 193,202,408 | 20 | 5 | null | 2022-08-03T16:40:45 | 2019-06-22T06:58:09 | C++ | UTF-8 | Python | false | false | 501 | py | # https://leetcode.com/problems/triangle/
class Solution:
from math import inf
def minimumTotal(self, triangle: List[List[int]]) -> int:
# create a copy
dp = [[inf for _ in row] for row in triangle]
dp[0][0] = triangle[0][0]
for i, row in enumerate(dp[:-1]):
for j, cell in enumerate(row):
try:
dp[i+1][j] = max(dp[i+1][j], dp[i][j] + triangle[i+1][j])
dp[i+1][j+1] = max(dp[i+1][j+1], dp[i][j] + triangle[i+1][j+1])
except IndexError:
pass
return min(dp[-1]) | [
"[email protected]"
] | |
495ce2f9cfe10accb714b8a7ae55e59dcd8e762c | eec105101d7a82d0551503100a3bd9a1a2af3b3c | /Assignments/a5_public/code/char_decoder.py | 180d88968e8b831c9cb4d68b2702a7a64917d69a | [] | no_license | ethanenguyen/Stanford-CS224n-NLP | 807c36cf67f8aade5b1ca7bfd5878ac354e96bbb | 181c659dbb0e0a1a1c3865a336fd74c8ebc5633e | refs/heads/master | 2022-03-28T04:16:01.236240 | 2020-01-14T13:52:21 | 2020-01-14T13:52:21 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 7,318 | py | #!/usr/bin/env python3
# -*- coding: utf-8 -*-
"""
CS224N 2018-19: Homework 5
"""
import torch
import torch.nn as nn
class CharDecoder(nn.Module):
def __init__(self, hidden_size, char_embedding_size=50, target_vocab=None):
""" Init Character Decoder.
@param hidden_size (int): Hidden size of the decoder LSTM
@param char_embedding_size (int): dimensionality of character embeddings
@param target_vocab (VocabEntry): vocabulary for the target language. See vocab.py for documentation.
"""
### YOUR CODE HERE for part 2a
### TODO - Initialize as an nn.Module.
### - Initialize the following variables:
### self.charDecoder: LSTM. Please use nn.LSTM() to construct this.
### self.char_output_projection: Linear layer, called W_{dec} and b_{dec} in the PDF
### self.decoderCharEmb: Embedding matrix of character embeddings
### self.target_vocab: vocabulary for the target language
###
### Hint: - Use target_vocab.char2id to access the character vocabulary for the target language.
### - Set the padding_idx argument of the embedding matrix.
### - Create a new Embedding layer. Do not reuse embeddings created in Part 1 of this assignment.
super(CharDecoder, self).__init__() # Initialize as an nn.Module
self.charDecoder = nn.LSTM(char_embedding_size, hidden_size)
self.char_output_projection = nn.Linear(hidden_size, len(target_vocab.char2id), bias=True)
self.decoderCharEmb = nn.Embedding(len(target_vocab.char2id), char_embedding_size, padding_idx=target_vocab.char2id['<pad>'])
self.target_vocab = target_vocab
self.loss = nn.CrossEntropyLoss(
reduction='sum', # computed as the *sum* of cross-entropy losses of all the words in the batch
ignore_index=self.target_vocab.char2id['<pad>'] # # not take into account pad character when compute loss
)
### END YOUR CODE
# When our word-level decoder produces an <unk> token, we run our character-level decoder (a character-level conditional language model)
def forward(self, x, dec_hidden=None):
""" Forward pass of character decoder.
@param x: tensor of integers, shape (length, batch)
@param dec_hidden: internal state of the LSTM before reading the input characters. A tuple of two tensors of shape (1, batch, hidden_size)
@returns scores: called s_t in the PDF, shape (length, batch, self.vocab_size)
@returns dec_hidden: internal state of the LSTM after reading the input characters. A tuple of two tensors of shape (1, batch, hidden_size)
"""
### YOUR CODE HERE for part 2b
### TODO - Implement the forward pass of the character decoder.
x_emb = self.decoderCharEmb(x)
hidden, dec_hidden = self.charDecoder(x_emb, dec_hidden)
scores = self.char_output_projection(hidden) # i.e. s_t, logits
### END YOUR CODE
return scores, dec_hidden
# When we train the NMT system, we train the character decoder on every word in the target sentence
# (not just the words reparesented by <unk>)
def train_forward(self, char_sequence, dec_hidden=None):
""" Forward computation during training.
@param char_sequence: tensor of integers, shape (length, batch). Note that "length" here and in forward() need not be the same.
@param dec_hidden: initial internal state of the LSTM, obtained from the output of the word-level decoder. A tuple of two tensors of shape (1, batch, hidden_size)
@returns The cross-entropy loss, computed as the *sum* of cross-entropy losses of all the words in the batch.
"""
### YOUR CODE HERE for part 2c
### TODO - Implement training forward pass.
###
### Hint: - Make sure padding characters do not contribute to the cross-entropy loss.
### - char_sequence corresponds to the sequence x_1 ... x_{n+1} from the handout (e.g., <START>,m,u,s,i,c,<END>).
x = char_sequence[:-1] # exclude the <END> token
scores, dec_hidden = self.forward(x, dec_hidden)
targets = char_sequence[1:] # exclude the <START> token
targets = targets.reshape(-1) # squeeze into 1D (embed_size * batch_size)
scores = scores.reshape(-1, scores.shape[-1]) # (embed_size * batch_size, V_char)
ce_loss = self.loss(scores, targets)
### END YOUR CODE
return ce_loss
def decode_greedy(self, initialStates, device, max_length=21):
""" Greedy decoding
@param initialStates: initial internal state of the LSTM, a tuple of two tensors of size (1, batch, hidden_size)
@param device: torch.device (indicates whether the model is on CPU or GPU)
@param max_length: maximum length of words to decode
@returns decodedWords: a list (of length batch) of strings, each of which has length <= max_length.
The decoded strings should NOT contain the start-of-word and end-of-word characters.
"""
### YOUR CODE HERE for part 2d
### TODO - Implement greedy decoding.
### Hints:
### - Use target_vocab.char2id and target_vocab.id2char to convert between integers and characters
### - Use torch.tensor(..., device=device) to turn a list of character indices into a tensor.
### - We use curly brackets as start-of-word and end-of-word characters. That is, use the character '{' for <START> and '}' for <END>.
### Their indices are self.target_vocab.start_of_word and self.target_vocab.end_of_word, respectively.
# initial constant
batch_size = initialStates[0].shape[1]
start_index = self.target_vocab.start_of_word
end_index = self.target_vocab.end_of_word
# initial state
dec_hidden = initialStates
# char for each entry in a batch (1, batch_size) <- unsqueeze for the LSTM dim
current_chars = torch.tensor([start_index] * batch_size, device=device).unsqueeze(0)
decodeTuple = [['', False] for _ in range(batch_size)] # output words for each entry (output string, if this entry has already reached the end)
for t in range(max_length):
scores, dec_hidden = self.forward(current_chars, dec_hidden)
prob = torch.softmax(scores, dim=2)
current_chars = torch.argmax(scores, dim=2) # greedy pick a word with highest score
char_indices = current_chars.detach().squeeze(0) # returns a new Tensor, detached from the current graph
for i, char_index in enumerate(char_indices):
if not decodeTuple[i][1]: # this entry in a batch has not reached the end
if char_index == end_index:
# reach the end
decodeTuple[i][1] = True
else:
# concate the predict word at the bottom
decodeTuple[i][0] += self.target_vocab.id2char[char_index.item()]
decodedWords = [item[0] for item in decodeTuple]
### END YOUR CODE
return decodedWords
| [
"[email protected]"
] | |
8308f1bda2732b3dd68b53bd9a2e8a06d873fe8c | 9ba55397d0d8cad9a40260fc23860d2097a615f9 | /fitter/unimodal.py | 3150fdb0e8d4e7b808f833b263b694e9e52219c2 | [] | no_license | wombaugh/modefit | 32bf927ade786a38309d925e88bde765f3025ab6 | 855cafa799db9fbea724347d0bb9db0d101a6452 | refs/heads/master | 2020-06-20T04:38:32.010125 | 2016-11-27T10:47:45 | 2016-11-27T10:47:45 | 74,881,429 | 0 | 0 | null | 2016-11-27T10:41:51 | 2016-11-27T10:41:51 | null | UTF-8 | Python | false | false | 15,666 | py | #! /usr/bin/env python
# -*- coding: utf-8 -*-
""" Module based on virtualfitter to fit bimodal distributions. Does not have to be a step """
import numpy as np
from scipy import stats
import matplotlib.pyplot as mpl
# - local dependencies
from astrobject.utils.tools import kwargs_update
from .baseobjects import BaseModel,BaseFitter, DataHandler
__all__ = ["normal", 'truncnormal']
# ========================= #
# Main Methods #
# ========================= #
def normal(data,errors,names=None,
masknan=True,**kwargs):
""" Fit the weighted mean and intrinsic dispersion
on the data"""
if masknan:
flagnan = (data!=data) | (errors !=errors)
return UnimodalFit(data[~flagnan],errors[~flagnan],
names=names[~flagnan] if names is not None else None,**kwargs)
return UnimodalFit(data,errors,names=names,**kwargs)
def truncnormal(data,boundaries,
errors=None,names=None,
masknan=True,
**kwargs):
""" Fit a truncated normal distribution on the data
Parameters:
-----------
data: [array]
data following a normal distribution
boundaries: [float/None, float/None]
boundaries for the data. Set None for no boundaries
errors, names: [array, array] -optional-
error and names of the datapoint, respectively
masknan: [bool] -optional-
Remove the NaN values entries of the array if True.
**kwargs
Return
------
UnimodalFit
"""
# ----------
# - Input
if errors is None:
errors = np.zeros(len(data))
if masknan:
flagnan = (data!=data) | (errors !=errors)
fit = UnimodalFit(data[~flagnan],errors[~flagnan],
names=names[~flagnan] if names is not None else None,
modelname="TruncNormal",**kwargs)
else:
fit = UnimodalFit(data,errors,
names=names if names is not None else None,
modelname="TruncNormal",**kwargs)
fit.model.set_databounds(boundaries)
return fit
# ========================== #
# #
# Fitter #
# #
# ========================== #
class UnimodalFit( BaseFitter, DataHandler ):
""" """
PROPERTIES = []
SIDE_PROPERTIES = []
DERIVED_PROPERTIES = []
# =================== #
# Initialization #
# =================== #
def __init__(self,data, errors,
names=None, use_minuit=True,
modelname="Normal"):
""" low-level class to enable to fit a unimodal model on data
the given their errors.
Parameters
----------
data: [array]
The data that potentially have a bimodal distribution
(like a step). In case of Cosmological fit, this could be
the Hubble Residual for instance.
errors: [array]
Errors associated to the data.
names: [string-array/None] - optional -
Names associated with the data. This enable to follow the data
more easily.
In Development: If provided, you will soon be able to use
interactive ploting and see which points corresponds to
which object.
use_minuit: [bool] - default True -
Set the technique used to fit the model to the data.
Minuit is the iminuit library.
If not used, the scipy minimisation is used.
modelname: [string] - deftault Binormal -
The name of the class used to define the bimodal model.
This name must be an existing class of this library.
Return
-------
Defines the object
"""
self.__build__()
self.set_data(data,errors,names)
# -- for the fit
# use_minuit has a setter
self.use_minuit = use_minuit
self.set_model(eval("Model%s()"%modelname))
# =================== #
# Main #
# =================== #
# -------- #
# SETTER #
# -------- #
def set_data(self,data,errors,names=None):
""" set the information for the fit.
Parameters
----------
data: [array]
The data that potentially have a bimodal distribution
(like a step). In case of Cosmological fit, this could be
the Hubble Residual for instance.
errors: [array]
Errors associated to the data.
names: [string-array/None] - optional -
Names associated with the data. This enable to follow the data
more easily.
In Development: If provided, you will soon be able to use
interactive ploting and see which points corresponds to
which object.
Returns
-------
Void
"""
# ------------------------ #
# -- Fatal Input Errors -- #
if len(errors)!= len(data):
raise ValueErrors("data and errors must have the same size")
# -- Warning -- #
if names is not None and len(names) != len(data):
warnings.warn("names size does not match the data one. => names ignored")
names = None
self._properties["data"] = np.asarray(data)
self._properties["errors"] = np.asarray(errors)
self._side_properties["names"] = np.asarray(names) if names is not None else None
def _get_model_args_(self):
return self.data[self.used_indexes],self.errors[self.used_indexes]
def get_model(self, parameter):
""" Model distribution (from scipy) estiamted for the
given parameter. The model dispersion (scale) is the
square-root quadratic sum of the model's dispersion
and the median data error
Return
------
a scipy distribution
"""
return self.model.get_model(parameter, np.median(self.errors))
def show(self, parameter, ax=None,savefile=None,show=None,
propmodel={},**kwargs):
""" show the data and the model for the given parameters
Parameters
----------
parameter: [array]
Parameters setting the model
ax: [matplotlib.pyplot Axes] -optional-
Where the model should be display. if None this
will create a new figure and a new axes.
savefile: [string] -optional-
Save the figure at this location.
Do not give any extention, this will save a png and a pdf.
If None, no figure will be saved, but it will be displayed
(see the show arguement)
show: [bool] -optional-
If the figure is not saved, it is displayed except if show
is set to False
propmodel: [dict] -optional-
Properties passed to the matplotlib's Axes plot method for the model.
**kwargs goes to matplotlib's hist method
Return
------
dict (plot information like fig, ax, pl ; output in self._plot)
"""
from astrobject.utils.mpladdon import figout
# ----------- #
# - setting - #
# ----------- #
import matplotlib.pyplot as mpl
self._plot = {}
if ax is None:
fig = mpl.figure(figsize=[8,5])
ax = fig.add_axes([0.1,0.1,0.8,0.8])
elif "plot" not in dir(ax):
raise TypeError("The given 'ax' most likely is not a matplotlib axes. "+\
"No imshow available")
else:
fig = ax.figure
# ------------- #
# - Prop - #
# ------------- #
defprop = dict(fill=True, fc=mpl.cm.Blues(0.3,0.4), ec=mpl.cm.Blues(1.,1),
lw=2, normed=True, histtype="step")
prop = kwargs_update(defprop,**kwargs)
# ------------- #
# - Da Plots - #
# ------------- #
# model range
datalim = [self.data.min()-self.errors.max(),
self.data.max()+self.errors.max()]
datarange =datalim[1]-datalim[0]
x = np.linspace(datalim[0]-datarange*0.1,datalim[1]+datarange*0.1,
int(datarange*10))
# data
ht = ax.hist(self.data,**prop)
# model
prop = kwargs_update(dict(ls="--",color="0.5",lw=2),**propmodel)
model_ = self.get_model(parameter)
pl = ax.plot(x, model_.pdf(x),**prop)
# ------------- #
# - Output - #
# ------------- #
self._plot["figure"] = fig
self._plot["ax"] = ax
self._plot["hist"] = ht
self._plot["model"] = pl
fig.figout(savefile=savefile,show=show)
return self._plot
# =================== #
# Properties #
# =================== #
# ========================== #
# #
# Model #
# #
# ========================== #
class ModelNormal( BaseModel ):
"""
"""
FREEPARAMETERS = ["mean","sigma"]
sigma_boundaries = [0,None]
def setup(self,parameters):
""" """
self.mean,self.sigma = parameters
def get_model(self,parameter, dx):
""" Scipy Distribution associated to the
given parameters
Parameters
----------
parameter: [array]
Parameters setting the model
dx: [float]
Typical representative error on the data. This is to estimate the
effective dispersion of the gaussian
Return
------
scipy.norm
"""
mean, sigma = parameter
return stats.norm(loc=mean,scale=np.sqrt(sigma**2 + dx**2))
# ----------------------- #
# - LikeLiHood and Chi2 - #
# ----------------------- #
def get_loglikelihood(self,x,dx, pdf=False):
""" Measure the likelihood to find the data given the model's parameters.
Set pdf to True to have the array prior sum of the logs (array not in log=pdf) """
Li = stats.norm.pdf(x,loc=self.mean,scale=np.sqrt(self.sigma**2 + dx**2))
if pdf:
return Li
return np.sum(np.log(Li))
def get_case_likelihood(self,xi,dxi,pi):
""" return the log likelihood of the given case. See get_loglikelihood """
return self.get_loglikelihood([xi],[dxi])
# ----------------------- #
# - Bayesian methods - #
# ----------------------- #
def lnprior(self,parameter):
""" so far a flat prior """
for name_param,p in zip(self.FREEPARAMETERS, parameter):
if "sigma" in name_param and p<0:
return -np.inf
return 0
# ----------------------- #
# - Ploting - #
# ----------------------- #
def display(self, ax, xrange, dx, bins=1000,
ls="--", color="0.4",**kwargs):
""" Display the model on the given plot.
This median error is used.
"""
x = np.linspace(xrange[0],xrange[1],bins)
lpdf = self.get_loglikelihood(x,np.median(dx), pdf=True)
return ax.plot(x,lpdf,ls=ls, color="k",
**kwargs)
class ModelTruncNormal( ModelNormal ):
""" Normal distribution allowing for data boundaries
(e.g. amplitudes of emission lines are positive gaussian distribution
"""
PROPERTIES = ["databounds"]
def set_databounds(self,databounds):
""" boundaries for the data """
if len(databounds) != 2:
raise ValueError("databounds must have 2 entries [min,max]")
self._properties["databounds"] = databounds
def get_model(self,parameter, dx):
""" Scipy Distribution associated to the
given parameters
Parameters
----------
parameter: [array]
Parameters setting the model
dx: [float]
Typical representative error on the data. This is to estimate the
effective dispersion of the gaussian
Return
------
scipy.norm
"""
mean, sigma = parameter
tlow,tup = self.get_truncboundaries(dx, mean=mean, sigma=sigma)
return stats.truncnorm(tlow,tup,
loc=mean, scale=np.sqrt(sigma**2 + dx**2))
# ----------------------- #
# - LikeLiHood and Chi2 - #
# ----------------------- #
def get_loglikelihood(self,x,dx, pdf=False):
""" Measure the likelihood to find the data given the model's parameters """
# info about truncnorm:
# stats.truncnorm.pdf(x,f0,f1,loc=mu,scale=sigma))
# => f0 and f1 are the boundaries in sigma units !
# => e.g. stats.truncnorm.pdf(x,-2,3,loc=1,scale=2),
# the values below -2sigma and above 3 sigma are truncated
tlow,tup = self.get_truncboundaries(dx)
Li = stats.truncnorm.pdf(x,tlow,tup,
loc=self.mean, scale=np.sqrt(self.sigma**2 + dx**2))
if pdf:
return Li
return np.sum(np.log(Li))
def get_truncboundaries(self,dx, mean=None, sigma=None):
"""
"""
if mean is None:
mean = self.mean
if sigma is None:
sigma= self.sigma
min_ = -np.inf if self.databounds[0] is None else\
(self.databounds[0]-mean)/np.sqrt(sigma**2 + np.mean(dx)**2)
max_ = +np.inf if self.databounds[1] is None else\
(mean-self.databounds[1])/np.sqrt(sigma**2 + np.mean(dx)**2)
return min_,max_
# ----------------------- #
# - Ploting - #
# ----------------------- #
def display(self, ax, xrange, dx, bins=1000,
ls="--", color="0.4", show_boundaries=True,
ls_bounds="-", color_bounds="k", lw_bounds=2,
**kwargs):
""" Display the model on the given plot.
This median error is used.
The Boundaries are added
"""
if show_boundaries:
xlim = np.asarray(ax.get_xlim()).copy()
if self.databounds[0] is not None:
ax.axvline(self.databounds[0], ls=ls_bounds,
color=color_bounds, lw=lw_bounds)
if self.databounds[1] is not None:
ax.axvline(self.databounds[1], ls=ls_bounds,
color=color_bounds, lw=lw_bounds)
ax.set_xlim(*xlim)
return super(ModelTruncNormal, self).display( ax, xrange, dx, bins=1000,
ls=ls, color=color,**kwargs)
# ========================= #
# = Properties = #
# ========================= #
@property
def databounds(self):
return self._properties["databounds"]
@property
def _truncbounds_lower(self):
""" truncation boundaries for scipy's truncnorm """
if self.databounds[0] is None:
return -np.inf
return (self.databounds[0]-self.mean)/self.sigma
@property
def _truncbounds_upper(self):
""" truncation boundaries for scipy's truncnorm """
if self.databounds[1] is None:
return np.inf
return (self.mean-self.databounds[1])/self.sigma
| [
"[email protected]"
] | |
7ba7298644ea801b42016afbaa37ceaaefd61d96 | f642c054451aa3c87bb18fa63037eea0e6358bda | /my_django_app/cache/views.py | 5860e516f6bed9a965ced0893aa975acc095d93b | [] | no_license | devendraprasad1984/python | 30f3a539e92be13d893246ad28a42907457a38d5 | 0f1badabba07fbe7f5f792b7e543c0748eecd6c7 | refs/heads/master | 2023-07-21T08:22:45.193077 | 2021-08-27T15:09:28 | 2021-08-27T15:09:28 | 254,812,552 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 104 | py | # from django.shortcuts import render
# Create your views here.
def get_mod1(req):
return 'cache1'
| [
"[email protected]"
] | |
bb5554675b64f4e7bfbfe07ba6ff2472ec4f1c0e | ac0c96ad280ac43de9c06ba21a1cbe2b1679b2f9 | /minidump/streams/HandleOperationListStream.py | 3e3e7422e7caf3d7beec41f6aea2c8b0d753690a | [
"MIT"
] | permissive | mkorman90/minidump | 5cfc9e7119f68e91e77e0039b7c364d46b769e39 | 749e6da56d0ea414450c287caa4ecfb292197b59 | refs/heads/master | 2020-05-09T23:39:29.089331 | 2018-06-17T14:51:30 | 2018-06-17T14:51:30 | 181,508,823 | 3 | 0 | MIT | 2019-04-15T14:53:20 | 2019-04-15T14:53:20 | null | UTF-8 | Python | false | false | 668 | py | #!/usr/bin/env python3
#
# Author:
# Tamas Jos (@skelsec)
#
class MINIDUMP_HANDLE_OPERATION_LIST:
def __init__(self):
self.SizeOfHeader = None
self.SizeOfEntry = None
self.NumberOfEntries = None
self.Reserved = None
def parse(dir, buff):
mhds = MINIDUMP_HANDLE_OPERATION_LIST()
mhds.SizeOfHeader = int.from_bytes(buff.read(4), byteorder = 'little', signed = False)
mhds.SizeOfEntry = int.from_bytes(buff.read(4), byteorder = 'little', signed = False)
mhds.NumberOfEntries = int.from_bytes(buff.read(4), byteorder = 'little', signed = False)
mhds.Reserved = int.from_bytes(buff.read(4), byteorder = 'little', signed = False)
return mhds
| [
"[email protected]"
] | |
c3418c0bc14439f3a396442041af6a15d8b775f9 | ca7aa979e7059467e158830b76673f5b77a0f5a3 | /Python_codes/p03096/s362138423.py | 0610f35f78b278535f070e6f3b9519ef3b0d4fe8 | [] | no_license | Aasthaengg/IBMdataset | 7abb6cbcc4fb03ef5ca68ac64ba460c4a64f8901 | f33f1c5c3b16d0ea8d1f5a7d479ad288bb3f48d8 | refs/heads/main | 2023-04-22T10:22:44.763102 | 2021-05-13T17:27:22 | 2021-05-13T17:27:22 | 367,112,348 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 754 | py | MOD = 10**9+7
N = int(input())
C = []
C.append(int(input()))
for i in range(N-1):
c = int(input())
if c == C[-1]:
continue
C.append(c)
#print(C)
N = len(C)
lis = [[0] for i in range(max(C)+1)]
for i in range(N):
lis[C[i]].append(i+1)
for i in range(len(lis)):
lis[i].append(MOD)
def binary_search(lis,i):
ok = 0
ng = len(lis)-1
while ng-ok > 1:
mid = (ok + ng)// 2
if lis[mid] < i:
ok = mid
else:
ng = mid
return lis[ok]
#print(binary_search([0,1,2,3,4],3))
#print(lis)
dp = [0] * (N+1)
dp[0] = 1
for i in range(1,N+1):
dp[i] += dp[i-1]
p = binary_search(lis[C[i-1]],i)
if p != 0:
dp[i] += dp[p]
dp[i] %= MOD
#print(p)
print(dp[-1])
| [
"[email protected]"
] | |
88cc90c811bf40584e981843c0665460c3140aad | 3ae288daabf10b5f3dd5f09bb7bb974a6caacdaf | /processimage/cropimage/urls.py | 24083c8f8536913662bc82f1876b785f6dd67890 | [
"MIT"
] | permissive | singh1114/image-processor | 62ab01f9b87b6deda5debb010feeb4c74135c39b | a2b6e8fcb64b1449859a06775b2d7b3a0205e952 | refs/heads/master | 2022-12-13T21:44:56.316988 | 2019-02-04T06:13:05 | 2019-02-04T06:13:05 | 167,675,243 | 0 | 0 | MIT | 2022-12-08T01:35:03 | 2019-01-26T10:12:44 | Python | UTF-8 | Python | false | false | 483 | py | from django.urls import path
from cropimage.views import (
ImageUploadView,
ShowMainImagesView,
ShowCroppedImagesView
)
app_name = 'cropimage'
urlpatterns = [
path('upload_image/', ImageUploadView.as_admin_view(), name='upload'),
path('show_main_images/',
ShowMainImagesView.as_admin_view(), name='show_main_image'),
path('show_cropped_images/<uuid:main_image_uuid>',
ShowCroppedImagesView.as_admin_view(), name='show_cropped_images'),
] | [
"[email protected]"
] | |
13eb9d5df7bd1b66c602bda0c55492a22a3cfd1b | 0f946e4bbad3a44339e75893fbd185ae1fb25f67 | /lesson13/utils.py | 1444b0df757759af65c486ab2bbd1f438df459bd | [] | no_license | kirigaikabuto/distancelesson2 | e53dda7d8a07ea5c4ec2e7a39a47619b533a5df8 | 24cf61d34334fa2d6a736a81d4bc75170db2a2ad | refs/heads/master | 2022-07-03T07:16:47.588461 | 2020-05-13T13:50:54 | 2020-05-13T13:50:54 | 254,647,334 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 355 | py | def create_student(line):
parts=line.split(",")
name = parts[0]
age = int(parts[1])
marks_str = parts[2]
marks_str_arr = marks_str.split(" ")
marks_int_arr = [int(i) for i in marks_str_arr]
d={}
d['name']=name
d['age']=age
d['marks']=marks_int_arr
return d
def print_arr(arr):
for i in arr:
print(i) | [
"[email protected]"
] | |
1a46c8d568402db84e611a414452edb434b00e39 | 8982f5d9072aa9a2c7fb9466144b07760551a94e | /data/data_process.py | 21ff0c5fa4521ab1108d8895d591b5fc7458814e | [] | no_license | qw1085209368/SSLDPCA-IL-FaultDetection | 965442eac03ad996a28127c9d5513780b2738b17 | b68aa835cc127fc00ef29100908e8261ddc76998 | refs/heads/master | 2023-05-08T02:48:23.299522 | 2021-06-03T03:16:16 | 2021-06-03T03:16:35 | null | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 11,244 | py | #!/usr/bin/env python
# @Time : 2021/3/2 15:44
# @Author : wb
# @File : data_process.py
'''
数据处理页面,将数据处理成需要的格式
'''
import h5py
import pandas as pd
import numpy as np
import os
import scipy.io as scio
import matplotlib.pyplot as plt
from PIL import Image
from matplotlib import image
from pyts.image import GramianAngularField
from tqdm import tqdm
from tslearn.piecewise import PiecewiseAggregateApproximation
from config import opt
class DataProcess(object):
'''
处理CWRU,凯斯西储大学轴承数据
CWRU原始数据分为驱动端与风扇端(DE,FE)
正常 4个
12K采样频率下的驱动端轴承故障数据 52个 没有第四种载荷的情况
48K采样频率下的驱动端轴承故障数据*(删除不用)
12K采样频率下的风扇端轴承故障数据 45个
每个采样频率下面三种故障直径,每种故障直径下面四种电机载荷,每种载荷有三种故障
内圈故障,外圈故障(三个位置),滚动体故障
总共101个数据文件
'''
def CWRU_data_1d(self, type='DE'):
'''
直接处理1d的时序数据
:type: DE或者FE,驱动端还是风扇端
:return: 保存为h5文件
'''
# 维度
dim = opt.CWRU_dim
# CWRU原始数据
CWRU_data_path = opt.CWRU_data_root
# 一维数据保存路径
save_path = opt.CWRU_data_1d_root
# 读取文件列表
frame_name = os.path.join(CWRU_data_path, 'annotations_mini.txt')
frame = pd.read_table(frame_name)
# 数据
signals = []
# 标签
labels = []
# 数据块数量
data_num = []
for idx in range(len(frame)):
mat_name = os.path.join(CWRU_data_path, frame['file_name'][idx])
raw_data = scio.loadmat(mat_name)
# raw_data.items() X097_DE_time 所以选取5:7为DE的
for key, value in raw_data.items():
if key[5:7] == type:
# 以dim的长度划分,有多少个数据块
sample_num = value.shape[0] // dim
# print('sample_num', sample_num)
# 数据取整
signal = value[0:dim * sample_num].reshape(1, -1)
# print('signals', signals.shape)
# 把数据分割成sample_num个数据块,(609,400,1)
signal_split = np.array(np.split(signal, sample_num, axis=1))
# 保存行向量
signals.append(signal_split)
# (123,)一维的label
labels.append(idx * np.ones(sample_num))
# 保存每个类别数据块的数量
data_num.append(sample_num)
# squeeze删除维度为1的维度,(1,123)->(123,)
# axis=0为纵向的拼接,axis=1为纵向的拼接
# (13477200,)
signals_np = np.concatenate(signals).squeeze()
# (33693,)
labels_np = np.concatenate(np.array(labels)).astype('uint8')
data_num_np = np.array(data_num).astype('uint16')
print(signals_np.shape, labels_np.shape, data_num_np.shape)
# 保存为h5的文件
file_name = os.path.join(save_path, 'CWRU_mini_' + type + '.h5')
f = h5py.File(file_name, 'w')
# 数据
f.create_dataset('data', data=signals_np)
# 标签
f.create_dataset('label', data=labels_np)
# 每个类别的数据块数量
f.create_dataset('data_num', data=data_num_np)
f.close()
def CWRU_data_2d_gaf(self, type='DE'):
'''
把CWRU数据集做成2d图像,使用Gramian Angular Field (GAF),保存为png图片
因为GAF将n的时序信号转换为n*n,这样导致数据量过大,采用分段聚合近似(PAA)转换压缩时序数据的长度
97:243938
:type: DE还是FE
:return: 保存为2d图像
'''
# CWRU原始数据
CWRU_data_path = opt.CWRU_data_root
# 维度
dim = opt.CWRU_dim
# 读取文件列表
frame_name = os.path.join(CWRU_data_path, 'annotations.txt')
frame = pd.read_table(frame_name)
# 保存路径
save_path = os.path.join(opt.CWRU_data_2d_root, type)
if not os.path.exists(save_path):
os.makedirs(save_path)
# gasf文件目录
gasf_path = os.path.join(save_path, 'gasf')
if not os.path.exists(gasf_path):
os.makedirs(gasf_path)
# gadf文件目录
gadf_path = os.path.join(save_path, 'gadf')
if not os.path.exists(gadf_path):
os.makedirs(gadf_path)
for idx in tqdm(range(len(frame))):
# mat文件名
mat_name = os.path.join(CWRU_data_path, frame['file_name'][idx])
# 读取mat文件中的原始数据
raw_data = scio.loadmat(mat_name)
# raw_data.items() X097_DE_time 所以选取5:7为DE的
for key, value in raw_data.items():
if key[5:7] == type:
# dim个数据点一个划分,计算数据块的数量
sample_num = value.shape[0] // dim
# 数据取整,把列向量转换成行向量
signal = value[0:dim * sample_num].reshape(1, -1)
# PAA 分段聚合近似(PAA)转换
# paa = PiecewiseAggregateApproximation(n_segments=100)
# paa_signal = paa.fit_transform(signal)
# 按sample_num切分,每个dim大小
signals = np.split(signal, sample_num, axis=1)
for i in tqdm(range(len(signals))):
# 将每个dim的数据转换为2d图像
gasf = GramianAngularField(image_size=dim, method='summation')
signals_gasf = gasf.fit_transform(signals[i])
gadf = GramianAngularField(image_size=dim, method='difference')
signals_gadf = gadf.fit_transform(signals[i])
# 保存图像
filename_gasf = os.path.join(gasf_path, str(idx) + '.%d.png' % i)
image.imsave(filename_gasf, signals_gasf[0])
filename_gadf = os.path.join(gadf_path, str(idx) + '.%d.png' % i)
image.imsave(filename_gadf, signals_gadf[0])
# 展示图片
# images = [signals_gasf[0], signals_gadf[0]]
# titles = ['Summation', 'Difference']
#
# fig, axs = plt.subplots(1, 2, constrained_layout=True)
# for image, title, ax in zip(images, titles, axs):
# ax.imshow(image)
# ax.set_title(title)
# fig.suptitle('GramianAngularField', y=0.94, fontsize=16)
# plt.margins(0, 0)
# plt.savefig("GramianAngularField.pdf", pad_inches=0)
# plt.show()
def CWRU_data_2d_transform(self, type='DE'):
'''
使用数据拼接的方式,将一个长的时序数据拆分成小段,将小段按按行拼接
如果直接进行拼接的话样本数量比较少,采用时间窗移动切割,也就是很多数据会重复
这样可以提高图片的数量
未完成
:param type:DE or FE
:return:
'''
# CWRU原始数据
CWRU_data_path = opt.CWRU_data_root
# 维度
dim = opt.CWRU_dim
# 读取文件列表
frame_name = os.path.join(CWRU_data_path, 'annotations.txt')
frame = pd.read_table(frame_name)
# 保存路径
save_path = os.path.join(opt.CWRU_data_2d_root, type)
if not os.path.exists(save_path):
os.makedirs(save_path)
# 转换生成的图像文件目录
transform_path = os.path.join(save_path, 'transform')
if not os.path.exists(transform_path):
os.makedirs(transform_path)
for idx in tqdm(range(len(frame))):
# mat文件名
mat_name = os.path.join(CWRU_data_path, frame['file_name'][idx])
# 读取mat文件中的原始数据
raw_data = scio.loadmat(mat_name)
# raw_data.items() X097_DE_time 所以选取5:7为DE的
for key, value in raw_data.items():
if key[5:7] == type:
# dim个数据点一个划分,计算数据块的数量
sample_num = value.shape[0] // dim
# 数据取整,并转换为行向量
signal = value[0:dim * sample_num].reshape(1, -1)
# 归一化到[-1,1],生成灰度图
signal = self.normalization(signal)
# 按sample_num切分,每一个块dim大小
signals = np.split(signal, sample_num, axis=1)
# 生成正方形的图片,正方形面积小,能生成多张图片
pic_num = sample_num // dim
pic_data = []
for i in range(pic_num-1):
pic_data.append(signals[i * dim:(i + 1) * dim])
# pic = np.concatenate(pic_data).squeeze()
# 展示图片
plt.imshow(pic_data)
plt.show()
def normalization(self, data):
'''
归一化
:param data:
:return:
'''
_range = np.max(abs(data))
return data / _range
def png2h5(self):
'''
将保存好的png图片保存到h5文件中,需要大量内存
:return: h5文件
'''
# 根目录
img_root = opt.CWRU_data_2d_DE
# 全部的图片的ID
imgs_path = [os.path.join(img_root, img) for img in os.listdir(img_root)]
# 图片数据
imgs = []
# 标签值
labels = []
for path in tqdm(imgs_path):
img = Image.open(path)
# img是Image内部的类文件,还需转换
img_PIL = np.asarray(img, dtype='uint8')
labels.append(path.split('/')[-1].split('\\')[-1].split('.')[0])
imgs.append(img_PIL)
# 关闭文件,防止多线程读取文件太多
img.close()
imgs = np.asarray(imgs).astype('uint8')
labels = np.asarray(labels).astype('uint8')
# 创建h5文件
file = h5py.File(opt.CWRU_data_2d_h5, "w")
# 在文件中创建数据集
file.create_dataset("image", np.shape(imgs), dtype='uint8', data=imgs)
# 标签
file.create_dataset("label", np.shape(labels), dtype='uint8', data=labels)
file.close()
if __name__ == '__main__':
data = DataProcess()
data.CWRU_data_1d(type='DE')
# DE(33693, 400) (33693,)
# FE(33693, 400) (33693,)
| [
"[email protected]"
] | |
5474853aa0063918f02b655556ab3268ea02e12a | edb699b1a63c3412e5a8788e32b26690c707ce2e | /rdconf.py | 1c57f37d1fefcab9072488d13dec9db4abe06cb2 | [
"MIT"
] | permissive | dkoes/rdkit-scripts | 518fe55058524ddd3a4f5ad4f0dd3d125a73f01a | 71cf2ccc4b26eb1541cc63690f40aa24b195fe8d | refs/heads/master | 2022-07-14T19:04:18.760183 | 2022-07-01T12:39:32 | 2022-07-01T12:39:32 | 72,130,300 | 48 | 32 | MIT | 2019-04-15T18:46:27 | 2016-10-27T17:09:14 | Python | UTF-8 | Python | false | false | 6,117 | py | #!/usr/bin/python3
import sys,string,argparse
from rdkit.Chem import AllChem as Chem
from optparse import OptionParser
import os, gzip
'''Given a smiles file, generate 3D conformers in output sdf.
Energy minimizes and filters conformers to meet energy window and rms constraints.
Some time ago I compared this to alternative conformer generators and
it was quite competitive (especially after RDKit's UFF implementation
added OOP terms).
'''
#convert smiles to sdf
def getRMS(mol, c1,c2):
rms = Chem.GetBestRMS(mol,mol,c1,c2)
return rms
parser = OptionParser(usage="Usage: %prog [options] <input>.smi <output>.sdf")
parser.add_option("--maxconfs", dest="maxconfs",action="store",
help="maximum number of conformers to generate per a molecule (default 20)", default="20", type="int", metavar="CNT")
parser.add_option("--sample_multiplier", dest="sample",action="store",
help="sample N*maxconfs conformers and choose the maxconformers with lowest energy (default 1)", default="1", type="float", metavar="N")
parser.add_option("--seed", dest="seed",action="store",
help="random seed (default 9162006)", default="9162006", type="int", metavar="s")
parser.add_option("--rms_threshold", dest="rms",action="store",
help="filter based on rms (default 0.7)", default="0.7", type="float", metavar="R")
parser.add_option("--energy_window", dest="energy",action="store",
help="filter based on energy difference with lowest energy conformer", default="10", type="float", metavar="E")
parser.add_option("-v","--verbose", dest="verbose",action="store_true",default=False,
help="verbose output")
parser.add_option("--mmff", dest="mmff",action="store_true",default=False,
help="use MMFF forcefield instead of UFF")
parser.add_option("--nomin", dest="nomin",action="store_true",default=False,
help="don't perform energy minimization (bad idea)")
parser.add_option("--etkdg", dest="etkdg",action="store_true",default=False,
help="use new ETKDG knowledge-based method instead of distance geometry")
(options, args) = parser.parse_args()
if(len(args) < 2):
parser.error("Need input and output")
sys.exit(-1)
input = args[0]
output = args[1]
smifile = open(input)
if options.verbose:
print("Generating a maximum of",options.maxconfs,"per a mol")
if options.etkdg and not Chem.ETKDG:
print("ETKDB does not appear to be implemented. Please upgrade RDKit.")
sys.exit(1)
split = os.path.splitext(output)
if split[1] == '.gz':
outf=gzip.open(output,'wt+')
output = split[0] #strip .gz
else:
outf = open(output,'w+')
if os.path.splitext(output)[1] == '.pdb':
sdwriter = Chem.PDBWriter(outf)
else:
sdwriter = Chem.SDWriter(outf)
if sdwriter is None:
print("Could not open ".output)
sys.exit(-1)
for line in smifile:
toks = line.split()
smi = toks[0]
name = ' '.join(toks[1:])
pieces = smi.split('.')
if len(pieces) > 1:
smi = max(pieces, key=len) #take largest component by length
print("Taking largest component: %s\t%s" % (smi,name))
mol = Chem.MolFromSmiles(smi)
if mol is not None:
if options.verbose:
print(smi)
try:
Chem.SanitizeMol(mol)
mol = Chem.AddHs(mol)
mol.SetProp("_Name",name);
if options.etkdg:
cids = Chem.EmbedMultipleConfs(mol, int(options.sample*options.maxconfs), Chem.ETKDG())
else:
cids = Chem.EmbedMultipleConfs(mol, int(options.sample*options.maxconfs),randomSeed=options.seed)
if options.verbose:
print(len(cids),"conformers found")
cenergy = []
for conf in cids:
#not passing confID only minimizes the first conformer
if options.nomin:
cenergy.append(conf)
elif options.mmff:
converged = Chem.MMFFOptimizeMolecule(mol,confId=conf)
mp = Chem.MMFFGetMoleculeProperties(mol)
cenergy.append(Chem.MMFFGetMoleculeForceField(mol,mp,confId=conf).CalcEnergy())
else:
converged = not Chem.UFFOptimizeMolecule(mol,confId=conf)
cenergy.append(Chem.UFFGetMoleculeForceField(mol,confId=conf).CalcEnergy())
if options.verbose:
print("Convergence of conformer",conf,converged,cenergy[-1])
mol = Chem.RemoveHs(mol)
sortedcids = sorted(cids,key = lambda cid: cenergy[cid])
if len(sortedcids) > 0:
mine = cenergy[sortedcids[0]]
else:
mine = 0
if(options.rms == 0):
cnt = 0;
for conf in sortedcids:
if(cnt >= options.maxconfs):
break
if(options.energy < 0) or cenergy[conf]-mine <= options.energy:
sdwriter.write(mol,conf)
cnt+=1
else:
written = {}
for conf in sortedcids:
if len(written) >= options.maxconfs:
break
#check rmsd
passed = True
for seenconf in written.keys():
rms = getRMS(mol,seenconf,conf)
if(rms < options.rms) or (options.energy > 0 and cenergy[conf]-mine > options.energy):
passed = False
break
if(passed):
written[conf] = True
sdwriter.write(mol,conf)
except (KeyboardInterrupt, SystemExit):
raise
except Exception as e:
print("Exception",e)
else:
print("ERROR:",smi)
sdwriter.close()
outf.close()
| [
"[email protected]"
] | |
e7e80f2adc30dd1979a333284f8ab5df5124745d | f533840d313af1a7be73c63f42d211c8c337aa92 | /ginga/misc/plugins/Pipeline.py | afdf9d3cf9f4577d8f65613dfaf14277eb8a0831 | [
"BSD-3-Clause"
] | permissive | godber/ginga | 2d0b5c73fa168ad33bbf7dbe0c5fd2e1b0e54900 | acb32ed422aa604681c63c5a9494ffb0ad96cf2e | refs/heads/master | 2021-01-22T18:28:04.235890 | 2014-11-20T01:09:51 | 2014-11-20T01:09:51 | 27,312,287 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 10,032 | py | #
# Pipeline.py -- Simple data reduction pipeline plugin for Ginga FITS viewer
#
# Eric Jeschke ([email protected])
#
# Copyright (c) Eric R. Jeschke. All rights reserved.
# This is open-source software licensed under a BSD license.
# Please see the file LICENSE.txt for details.
#
from __future__ import print_function
import numpy
from ginga import AstroImage
from ginga.util import dp
from ginga import GingaPlugin
from ginga.misc import Widgets
class Pipeline(GingaPlugin.LocalPlugin):
def __init__(self, fv, fitsimage):
# superclass defines some variables for us, like logger
super(Pipeline, self).__init__(fv, fitsimage)
# Load preferences
prefs = self.fv.get_preferences()
self.settings = prefs.createCategory('plugin_Pipeline')
self.settings.setDefaults(num_threads=4)
self.settings.load(onError='silent')
# For building up an image stack
self.imglist = []
# For applying flat fielding
self.flat = None
# For subtracting bias
self.bias = None
self.gui_up = False
def build_gui(self, container):
top = Widgets.VBox()
top.set_border_width(4)
vbox1, sw, orientation = Widgets.get_oriented_box(container)
vbox1.set_border_width(4)
vbox1.set_spacing(2)
self.msgFont = self.fv.getFont("sansFont", 12)
tw = Widgets.TextArea(wrap=True, editable=False)
tw.set_font(self.msgFont)
self.tw = tw
fr = Widgets.Frame("Instructions")
vbox2 = Widgets.VBox()
vbox2.add_widget(tw)
vbox2.add_widget(Widgets.Label(''), stretch=1)
fr.set_widget(vbox2)
vbox1.add_widget(fr, stretch=0)
# Main pipeline control area
captions = [
("Subtract Bias", 'button', "Bias Image:", 'label',
'bias_image', 'llabel'),
("Apply Flat Field", 'button', "Flat Image:", 'label',
'flat_image', 'llabel'),
]
w, b = Widgets.build_info(captions, orientation=orientation)
self.w.update(b)
fr = Widgets.Frame("Pipeline")
fr.set_widget(w)
vbox1.add_widget(fr, stretch=0)
b.subtract_bias.add_callback('activated', self.subtract_bias_cb)
b.subtract_bias.set_tooltip("Subtract a bias image")
bias_name = 'None'
if self.bias != None:
bias_name = self.bias.get('name', "NoName")
b.bias_image.set_text(bias_name)
b.apply_flat_field.add_callback('activated', self.apply_flat_cb)
b.apply_flat_field.set_tooltip("Apply a flat field correction")
flat_name = 'None'
if self.flat != None:
flat_name = self.flat.get('name', "NoName")
b.flat_image.set_text(flat_name)
vbox2 = Widgets.VBox()
# Pipeline status
hbox = Widgets.HBox()
hbox.set_spacing(4)
hbox.set_border_width(4)
label = Widgets.Label()
self.w.eval_status = label
hbox.add_widget(self.w.eval_status, stretch=0)
hbox.add_widget(Widgets.Label(''), stretch=1)
vbox2.add_widget(hbox, stretch=0)
# progress bar and stop button
hbox = Widgets.HBox()
hbox.set_spacing(4)
hbox.set_border_width(4)
btn = Widgets.Button("Stop")
btn.add_callback('activated', lambda w: self.eval_intr())
btn.set_enabled(False)
self.w.btn_intr_eval = btn
hbox.add_widget(btn, stretch=0)
self.w.eval_pgs = Widgets.ProgressBar()
hbox.add_widget(self.w.eval_pgs, stretch=1)
vbox2.add_widget(hbox, stretch=0)
vbox2.add_widget(Widgets.Label(''), stretch=1)
vbox1.add_widget(vbox2, stretch=0)
# Image list
captions = [
("Append", 'button', "Prepend", 'button', "Clear", 'button'),
]
w, b = Widgets.build_info(captions, orientation=orientation)
self.w.update(b)
fr = Widgets.Frame("Image Stack")
vbox = Widgets.VBox()
hbox = Widgets.HBox()
self.w.stack = Widgets.Label('')
hbox.add_widget(self.w.stack, stretch=0)
vbox.add_widget(hbox, stretch=0)
vbox.add_widget(w, stretch=0)
fr.set_widget(vbox)
vbox1.add_widget(fr, stretch=0)
self.update_stack_gui()
b.append.add_callback('activated', self.append_image_cb)
b.append.set_tooltip("Append an individual image to the stack")
b.prepend.add_callback('activated', self.prepend_image_cb)
b.prepend.set_tooltip("Prepend an individual image to the stack")
b.clear.add_callback('activated', self.clear_stack_cb)
b.clear.set_tooltip("Clear the stack of images")
# Bias
captions = [
("Make Bias", 'button', "Set Bias", 'button'),
]
w, b = Widgets.build_info(captions, orientation=orientation)
self.w.update(b)
fr = Widgets.Frame("Bias Subtraction")
fr.set_widget(w)
vbox1.add_widget(fr, stretch=0)
b.make_bias.add_callback('activated', self.make_bias_cb)
b.make_bias.set_tooltip("Makes a bias image from a stack of individual images")
b.set_bias.add_callback('activated', self.set_bias_cb)
b.set_bias.set_tooltip("Set the currently loaded image as the bias image")
# Flat fielding
captions = [
("Make Flat Field", 'button', "Set Flat Field", 'button'),
]
w, b = Widgets.build_info(captions, orientation=orientation)
self.w.update(b)
fr = Widgets.Frame("Flat Fielding")
fr.set_widget(w)
vbox1.add_widget(fr, stretch=0)
b.make_flat_field.add_callback('activated', self.make_flat_cb)
b.make_flat_field.set_tooltip("Makes a flat field from a stack of individual flats")
b.set_flat_field.add_callback('activated', self.set_flat_cb)
b.set_flat_field.set_tooltip("Set the currently loaded image as the flat field")
spacer = Widgets.Label('')
vbox1.add_widget(spacer, stretch=1)
top.add_widget(sw, stretch=1)
btns = Widgets.HBox()
btns.set_spacing(3)
btn = Widgets.Button("Close")
btn.add_callback('activated', lambda w: self.close())
btns.add_widget(btn, stretch=0)
btns.add_widget(Widgets.Label(''), stretch=1)
top.add_widget(btns, stretch=0)
container.add_widget(top, stretch=1)
self.gui_up = True
def close(self):
chname = self.fv.get_channelName(self.fitsimage)
self.fv.stop_local_plugin(chname, str(self))
self.gui_up = False
return True
def instructions(self):
self.tw.set_text("""TBD.""")
def start(self):
self.instructions()
def stop(self):
self.fv.showStatus("")
def update_status(self, text):
self.fv.gui_do(self.w.eval_status.set_text, text)
def update_stack_gui(self):
stack = [ image.get('name', "NoName") for image in self.imglist ]
self.w.stack.set_text(str(stack))
def append_image_cb(self, w):
image = self.fitsimage.get_image()
self.imglist.append(image)
self.update_stack_gui()
self.update_status("Appended image #%d to stack." % (len(self.imglist)))
def prepend_image_cb(self, w):
image = self.fitsimage.get_image()
self.imglist.insert(0, image)
self.update_stack_gui()
self.update_status("Prepended image #%d to stack." % (len(self.imglist)))
def clear_stack_cb(self, w):
self.imglist = []
self.update_stack_gui()
self.update_status("Cleared image stack.")
def show_result(self, image):
chname = self.fv.get_channelName(self.fitsimage)
name = dp.get_image_name(image)
self.imglist.insert(0, image)
self.update_stack_gui()
self.fv.add_image(name, image, chname=chname)
# BIAS
def _make_bias(self):
image = dp.make_bias(self.imglist)
self.imglist = []
self.fv.gui_do(self.show_result, image)
self.update_status("Made bias image.")
def make_bias_cb(self, w):
self.update_status("Making bias image...")
self.fv.nongui_do(self.fv.error_wrap, self._make_bias)
def subtract_bias_cb(self, w):
image = self.fitsimage.get_image()
if self.bias == None:
self.fv.show_error("Please set a bias image first")
else:
result = self.fv.error_wrap(dp.subtract, image, self.bias)
self.fv.gui_do(self.show_result, result)
def set_bias_cb(self, w):
# Current image is a bias image we should set
self.bias = self.fitsimage.get_image()
biasname = dp.get_image_name(self.bias, pfx='bias')
self.w.bias_image.set_text(biasname)
self.update_status("Set bias image.")
# FLAT FIELDING
def _make_flat_field(self):
result = dp.make_flat(self.imglist)
self.imglist = []
self.show_result(result)
self.update_status("Made flat field.")
def make_flat_cb(self, w):
self.update_status("Making flat field...")
self.fv.nongui_do(self.fv.error_wrap, self._make_flat_field)
def apply_flat_cb(self, w):
image = self.fitsimage.get_image()
if self.flat == None:
self.fv.show_error("Please set a flat field image first")
else:
result = self.fv.error_wrap(dp.divide, image, self.flat)
print(result, image)
self.fv.gui_do(self.show_result, result)
def set_flat_cb(self, w):
# Current image is a flat field we should set
self.flat = self.fitsimage.get_image()
flatname = dp.get_image_name(self.flat, pfx='flat')
self.w.flat_image.set_text(flatname)
self.update_status("Set flat field.")
def __str__(self):
return 'pipeline'
#END
| [
"[email protected]"
] | |
db508cd4bcd3fa891bbd1f0067a4bb8269d2f093 | 3378bf2ebcd3cd794b26b74f033932cb0c6a6590 | /tuframework/network_architecture/cotr/DeTrans/ops/functions/ms_deform_attn_func.py | ce8862f5fc39e40bd00747c8d9c65fcffb6118b3 | [
"Apache-2.0"
] | permissive | Magnety/tuFramework | d3d81f0663edbffbdd9b45138cbca82ffb78f03e | b31cb34d476ef306b52da955021f93c91c14ddf4 | refs/heads/master | 2023-05-01T04:36:04.873112 | 2021-05-18T01:07:54 | 2021-05-18T01:07:54 | 361,652,585 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 1,271 | py | import torch
import torch.nn.functional as F
from torch.autograd import Function
from torch.autograd.function import once_differentiable
def ms_deform_attn_core_pytorch_3D(value, value_spatial_shapes, sampling_locations, attention_weights):
N_, S_, M_, D_ = value.shape
_, Lq_, M_, L_, P_, _ = sampling_locations.shape
value_list = value.split([T_ * H_ * W_ for T_, H_, W_ in value_spatial_shapes], dim=1)
sampling_grids = 2 * sampling_locations - 1
# sampling_grids = 3 * sampling_locations - 1
sampling_value_list = []
for lid_, (T_, H_, W_) in enumerate(value_spatial_shapes):
value_l_ = value_list[lid_].flatten(2).transpose(1, 2).reshape(N_*M_, D_, T_, H_, W_)
sampling_grid_l_ = sampling_grids[:, :, :, lid_].transpose(1, 2).flatten(0, 1)[:,None,:,:,:]
sampling_value_l_ = F.grid_sample(value_l_, sampling_grid_l_.to(dtype=value_l_.dtype), mode='bilinear', padding_mode='zeros', align_corners=False)[:,:,0]
sampling_value_list.append(sampling_value_l_)
attention_weights = attention_weights.transpose(1, 2).reshape(N_*M_, 1, Lq_, L_*P_)
output = (torch.stack(sampling_value_list, dim=-2).flatten(-2) * attention_weights).sum(-1).view(N_, M_*D_, Lq_)
return output.transpose(1, 2).contiguous() | [
"[email protected]"
] | |
ef258bb106bc53bf5ed4c1a06b980d66154f5206 | 09e57dd1374713f06b70d7b37a580130d9bbab0d | /data/cirq_new/cirq_program/startCirq_Class783.py | 22d75780c4d05107a506bcec34d8229140243599 | [
"BSD-3-Clause"
] | permissive | UCLA-SEAL/QDiff | ad53650034897abb5941e74539e3aee8edb600ab | d968cbc47fe926b7f88b4adf10490f1edd6f8819 | refs/heads/main | 2023-08-05T04:52:24.961998 | 2021-09-19T02:56:16 | 2021-09-19T02:56:16 | 405,159,939 | 2 | 0 | null | null | null | null | UTF-8 | Python | false | false | 2,189 | py | #!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Time : 5/15/20 4:49 PM
# @File : grover.py
# qubit number=4
# total number=20
import cirq
import cirq.google as cg
from typing import Optional
import sys
from math import log2
import numpy as np
#thatsNoCode
def make_circuit(n: int, input_qubit):
c = cirq.Circuit() # circuit begin
c.append(cirq.H.on(input_qubit[0])) # number=1
c.append(cirq.H.on(input_qubit[1])) # number=2
c.append(cirq.H.on(input_qubit[1])) # number=7
c.append(cirq.H.on(input_qubit[2])) # number=3
c.append(cirq.H.on(input_qubit[3])) # number=4
c.append(cirq.H.on(input_qubit[0])) # number=17
c.append(cirq.CZ.on(input_qubit[3],input_qubit[0])) # number=18
c.append(cirq.H.on(input_qubit[0])) # number=19
c.append(cirq.H.on(input_qubit[0])) # number=14
c.append(cirq.CZ.on(input_qubit[3],input_qubit[0])) # number=15
c.append(cirq.H.on(input_qubit[0])) # number=16
c.append(cirq.Z.on(input_qubit[1])) # number=13
c.append(cirq.SWAP.on(input_qubit[1],input_qubit[0])) # number=8
c.append(cirq.SWAP.on(input_qubit[1],input_qubit[0])) # number=9
c.append(cirq.SWAP.on(input_qubit[3],input_qubit[0])) # number=10
c.append(cirq.SWAP.on(input_qubit[3],input_qubit[0])) # number=11
c.append(cirq.Z.on(input_qubit[2])) # number=12
# circuit end
return c
def bitstring(bits):
return ''.join(str(int(b)) for b in bits)
if __name__ == '__main__':
qubit_count = 4
input_qubits = [cirq.GridQubit(i, 0) for i in range(qubit_count)]
circuit = make_circuit(qubit_count,input_qubits)
circuit = cg.optimized_for_sycamore(circuit, optimizer_type='sqrt_iswap')
circuit_sample_count =2820
info = cirq.final_state_vector(circuit)
qubits = round(log2(len(info)))
frequencies = {
np.binary_repr(i, qubits): round((info[i]*(info[i].conjugate())).real,3)
for i in range(2 ** qubits)
}
writefile = open("../data/startCirq_Class783.csv","w+")
print(format(frequencies),file=writefile)
print("results end", file=writefile)
print(circuit.__len__(), file=writefile)
print(circuit,file=writefile)
writefile.close() | [
"[email protected]"
] | |
59e7efd7c9f67741580d7402f2235895e4b25a95 | eff638e128276c5d7de4fca5b0acde312e9a8a8d | /single line if-else.py | 846752636af516206408659f87bedf230522f61b | [] | no_license | Sahil4UI/Python_Jan_12-1_Regular2021 | 81e274ef2129fe43da8fbea172c055861dcda4d2 | 8e78457c2215d6bc652b14957d73423aecdd5c41 | refs/heads/main | 2023-03-04T09:22:48.582757 | 2021-02-18T07:26:47 | 2021-02-18T07:26:47 | 334,865,411 | 0 | 0 | null | null | null | null | UTF-8 | Python | false | false | 82 | py | x = int(input("Enter Number : "))
res = "Even" if x%2==0 else"Odd"
print(res)
| [
"[email protected]"
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.