content stringlengths 5 1.05M |
|---|
# -*- coding: utf-8 -*-
# Generated by Django 1.9.5 on 2016-07-02 08:29
from __future__ import unicode_literals
from django.db import migrations, models
class Migration(migrations.Migration):
dependencies = [
('pyday_calendar', '0001_initial'),
]
operations = [
migrations.RemoveField(
model_name='event',
name='day',
),
migrations.RemoveField(
model_name='event',
name='month',
),
migrations.RemoveField(
model_name='event',
name='year',
),
migrations.AlterField(
model_name='event',
name='from_time',
field=models.IntegerField(),
),
migrations.AlterField(
model_name='event',
name='importance',
field=models.CharField(choices=[('NO', 'not important'), ('SH', 'should be done'), ('MI', 'midly important'), ('I', 'important'), ('VI', 'very important'), ('EI', 'extremely important')], default='1', max_length=20),
),
migrations.AlterField(
model_name='event',
name='to_time',
field=models.IntegerField(),
),
]
|
import json
from copy import deepcopy
from dataclasses import asdict
from functools import wraps
from typing import TYPE_CHECKING
import numpy as np
import pyarrow as pa
import xxhash
from .info import DatasetInfo
from .utils.py_utils import dumps
if TYPE_CHECKING:
from .arrow_dataset import Dataset
def hashregister(t):
def proxy(func):
Hasher.dispatch[t] = func
return func
return proxy
class Hasher:
"""Hasher that accepts python objets as inputs."""
dispatch = {}
def __init__(self):
self.m = xxhash.xxh64()
@classmethod
def hash_bytes(cls, value):
value = [value] if isinstance(value, bytes) else value
m = xxhash.xxh64()
for x in value:
m.update(x)
return m.hexdigest()
@classmethod
def hash_default(cls, value):
return cls.hash_bytes(dumps(value))
@classmethod
def hash(cls, value):
if type(value) in cls.dispatch:
return cls.dispatch[type(value)](cls, value)
else:
return cls.hash_default(value)
def update(self, value):
self.m.update(f"=={type(value)}==".encode("utf8"))
self.m.update(self.hash(value).encode("utf-8"))
def hexdigest(self):
return self.m.hexdigest()
# Register a new hasher can be useful for two possible reasons:
# 1 - optimize the hashing of large amount of data (e.g. pa.Table)
# 2 - take advantage of a custom serialization method (e.g. DatasetInfo)
@hashregister(pa.Table)
def _hash_pa_table(hasher, value):
def _hash_pa_array(value):
if isinstance(value, pa.ChunkedArray):
return hasher.hash_bytes(c.to_string() for c in value.chunks)
else:
return hasher.hash_bytes(value)
value = "-".join(col + "-" + _hash_pa_array(value[col]) for col in sorted(value.column_names))
return hasher.hash_bytes(value.encode("utf-8"))
@hashregister(DatasetInfo)
def _hash_dataset_info(hasher, value):
return hasher.hash_bytes(json.dumps(asdict(value)).encode("utf-8"))
def generate_fingerprint(dataset):
state = dataset.__getstate__()
hasher = Hasher()
for key in sorted(state):
if key == "_fingerprint":
continue
hasher.update(key)
hasher.update(state[key])
return hasher.hexdigest()
def update_fingerprint(fingerprint, transform, transform_args):
hasher = Hasher()
hasher.update(fingerprint)
hasher.update(transform)
for key in sorted(transform_args):
hasher.update(key)
hasher.update(transform_args[key])
return hasher.hexdigest()
def fingerprint(inplace, use_kwargs=None, ignore_kwargs=None, fingerprint_names=None, randomized_function=None):
assert use_kwargs is None or isinstance(use_kwargs, list), "use_kwargs is supposed to be a list, not {}".format(
type(use_kwargs)
)
assert ignore_kwargs is None or isinstance(
ignore_kwargs, list
), "ignore_kwargs is supposed to be a list, not {}".format(type(use_kwargs))
assert not inplace or not fingerprint_names, "fingerprint_names are only used when inplace is False"
fingerprint_names = fingerprint_names if fingerprint_names is not None else ["new_fingerprint"]
def _fingerprint(func):
assert inplace or all(
name in func.__code__.co_varnames for name in fingerprint_names
), "function {} is missing parameters {} in signature".format(func, fingerprint_names)
if randomized_function: # randomized function have seed and generator parameters
assert "seed" in func.__code__.co_varnames, "'seed' must be in {}'s signature".format(func)
assert "generator" in func.__code__.co_varnames, "'generator' must be in {}'s signature".format(func)
@wraps(func)
def wrapper(*args, **kwargs):
self: "Dataset" = args[0]
args = args[1:]
kwargs_for_fingerprint = dict(kwargs)
kwargs_for_fingerprint.update(zip(func.__code__.co_varnames, args))
# keep the right kwargs to be hashed to generate the fingerprint
if use_kwargs:
kwargs_for_fingerprint = {k: v for k, v in kwargs_for_fingerprint.items() if k in use_kwargs}
if ignore_kwargs:
kwargs_for_fingerprint = {k: v for k, v in kwargs_for_fingerprint.items() if k not in ignore_kwargs}
if randomized_function: # randomized functions have `seed` and `generator` parameters
if kwargs_for_fingerprint.get("seed") is None and kwargs_for_fingerprint.get("generator") is None:
kwargs_for_fingerprint["generator"] = np.random.default_rng(None)
# compute new_fingerprint and add it to the args of not in-place transforms
if inplace:
new_fingerprint = update_fingerprint(self._fingerprint, func, kwargs_for_fingerprint)
new_inplace_history_item = (func.__name__, deepcopy(args), deepcopy(kwargs))
else:
for fingerprint_name in fingerprint_names: # transforms like `train_test_split` have several hashes
if fingerprint_name not in kwargs:
kwargs_for_fingerprint["fingerprint_name"] = fingerprint_name
kwargs[fingerprint_name] = update_fingerprint(self._fingerprint, func, kwargs_for_fingerprint)
# Call actual function
out = func(self, *args, **kwargs)
# Update fingerprint of in-place transforms + update in-place history of transforms
if inplace: # update after calling func so that the fingerprint doesn't change if the function fails
self._fingerprint = new_fingerprint
for inplace_hist_per_file in self._inplace_history:
inplace_hist_per_file["transforms"].append(new_inplace_history_item)
return out
wrapper._decorator_name_ = "fingerprint"
return wrapper
return _fingerprint
|
from genie.ops.base import Base
class Lisp(Base):
exclude = [] |
"""Correct for Earth rotation (Sagnac effect) drift
Description:
------------
This model is used for correcting Doppler shift observations by receiver velocity determinition (in Eq. 6-22 in
:cite:`zhang2007`). Correction is done either based on precise or broadcast orbits.
"""
# External library imports
import numpy as np
# Midgard imports
from midgard.collections import enums
from midgard.dev import plugins
from midgard.math.constant import constant
# Where imports
from where import apriori
@plugins.register
def gnss_earth_rotation_drift(dset: "Dataset") -> np.ndarray:
"""Determine earth rotation drift based on precise or broadcast satellite clock information
The correction is caluclated after the description in Section 6.2.9 in :cite:`zhang2007`.
Args:
dset (Dataset): Model data.
Returns:
numpy.ndarray: GNSS earth rotation drift for each observation
"""
correction = np.zeros(dset.num_obs)
if "site_vel" not in dset.fields:
# TODO: This should be replaced by dset.site_posvel
dset.add_float("site_vel", val=np.zeros([dset.num_obs, 3]), unit="meter/second")
for sys in dset.unique("system"):
idx = dset.filter(system=sys)
omega = constant.get("omega", source=enums.gnss_id_to_reference_system[sys])
correction[idx] = (
omega
/ constant.c
* (
dset.site_vel[:, 0][idx] * dset.sat_posvel.trs.y[idx]
- dset.site_vel[:, 1][idx] * dset.sat_posvel.trs.x[idx]
+ dset.site_pos.trs.x[idx] * dset.sat_posvel.trs.vy[idx]
- dset.site_pos.trs.y[idx] * dset.sat_posvel.trs.vx[idx]
)
)
return correction
|
"""
Copyright 2017-2019 Fizyr (https://fizyr.com)
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.
"""
from . import Submodel
from ... import initializers
from ...losses import focal
from ...utils.config import set_defaults
import tensorflow as tf
def default_classification_model(
num_classes,
num_anchors,
pyramid_feature_size=256,
prior_probability=0.01,
classification_feature_size=256,
name='classification_submodel'
):
""" Creates the default regression submodel.
Args
num_classes : Number of classes to predict a score for at each feature level.
num_anchors : Number of anchors to predict classification scores for at each feature level.
pyramid_feature_size : The number of filters to expect from the feature pyramid levels.
prior_probability : Probability for the bias initializer of the last convolutional layer.
classification_feature_size : The number of filters to use in the layers in the classification submodel.
name : The name of the submodel.
Returns
A tensorflow.keras.models.Model that predicts classes for each anchor.
"""
options = {
'kernel_size' : 3,
'strides' : 1,
'padding' : 'same',
}
if tf.keras.backend.image_data_format() == 'channels_first':
inputs = tf.keras.layers.Input(shape=(pyramid_feature_size, None, None))
else:
inputs = tf.keras.layers.Input(shape=(None, None, pyramid_feature_size))
outputs = inputs
for i in range(4):
outputs = tf.keras.layers.Conv2D(
filters=classification_feature_size,
activation='relu',
name='pyramid_classification_{}'.format(i),
kernel_initializer=tf.keras.initializers.RandomNormal(mean=0.0, stddev=0.01, seed=None),
bias_initializer='zeros',
**options
)(outputs)
outputs = tf.keras.layers.Conv2D(
filters=num_classes * num_anchors,
kernel_initializer=tf.keras.initializers.RandomNormal(mean=0.0, stddev=0.01, seed=None),
bias_initializer=initializers.PriorProbability(probability=prior_probability),
name='pyramid_classification',
**options
)(outputs)
# Reshape output and apply sigmoid.
if tf.keras.backend.image_data_format() == 'channels_first':
outputs = tf.keras.layers.Permute((2, 3, 1), name='pyramid_classification_permute')(outputs)
outputs = tf.keras.layers.Reshape((-1, num_classes), name='pyramid_classification_reshape')(outputs)
outputs = tf.keras.layers.Activation('sigmoid', name='pyramid_classification_sigmoid')(outputs)
return tf.keras.models.Model(inputs=inputs, outputs=outputs, name=name)
submodel_defaults = {
'name' : 'classification',
'num_classes' : 0
}
class ClassificationSubmodel(Submodel):
""" simple classification submodel, performing multi-class prediction.
"""
def __init__(self, config, **kwargs):
""" Constructor for classification submodel.
Args
config : Defines the configuration of the submodel.
It should contain:
name : The name of the submodel.
num_classes : Number of classes to classify.
If not specified, default values indicated above will be used.
"""
config = set_defaults(config, submodel_defaults)
if config['num_classes'] < 1:
raise ValueError("Please indicate a positive number of classes for classification submodel.")
self.name = config['name']
self.num_classes = config['num_classes']
super(ClassificationSubmodel, self).__init__()
def get_name(self):
""" Return the name of the submodel.
"""
return self.name
def __repr__(self):
""" Return a description of the model.
"""
return 'ClassificationSubmodel({})'.format(str(self.num_classes))
def size(self):
""" Returns the size of the submodel (number of classes).
"""
return self.num_classes
def create(self, **kwargs):
""" Create the actual (keras.models.Model) submodel.
"""
return default_classification_model(num_classes=self.size(), **kwargs)
def loss(self):
""" Define a loss function for the regression submodel.
"""
return focal()
|
import argparse
import logging
import logging.config
from logging import Logger
from .utils import split_urls
from . import settings
from .factories import MoneroFactory
from pathlib import Path, PurePath
settings.init()
path = str(PurePath(Path(__file__).parent.absolute(), settings.logging_config_file))
logging.config.fileConfig(path)
logger: Logger = logging.getLogger(__name__)
def add_args():
try:
parser = argparse.ArgumentParser(description="Publish transactions")
requiredNamed = parser.add_argument_group("required named arguments")
requiredNamed.add_argument(
"-p",
"--payment_provider",
dest="payment_provider",
type=str,
help="Provide the payment provider that you're notifying on",
required=True,
)
requiredNamed.add_argument(
"-x",
"--tx_id",
dest="tx_id",
type=str,
help="Pass %s, for tx-notify",
required=True,
)
requiredNamed.add_argument(
"-u",
"--urls",
dest="urls",
type=str,
help="Specify the apprise url(s) that you would like to use for notification(s), "
"use a comma for multiple"
"Pushbullet example: pbul://o.gn5kj6nfhv736I7jC3cj3QLRiyhgl98b"
"E-mail example: mailto://myuserid:mypass@gmail.com",
required=True,
)
parser.add_argument(
"-b",
"--body",
dest="body",
type=str,
help="Specify the url encoded body/msg of the notification you would like to receive, "
"hint: try {amount_in_usd} placeholder to convert to fiat"
"hint #2: Go to https://www.urlencoder.org/ for easy url encoding",
default="Check%20your%20wallet%20for%20more%20details",
)
parser.add_argument(
"-t",
"--title",
dest="title",
type=str,
help="Specify the title of the notification you would like to receive"
"This argument is ignored when using Amazon SNS.",
default="Received%20transaction%20from%20%7Bpayment_provider%7D",
)
parser.add_argument(
"-s",
"--security_level",
dest="security_level",
type=int,
help="-1 - notifies when tx is in mem_pool or block\n"
"0 - notifies when tx is in mem_pool\n"
"1:n - notifies when tx has been added to a block and has n confirmations",
default=settings.BlockchainSecurity.MEM_POOL_ONLY,
)
parser.add_argument(
"-c",
"--server_config",
dest="server_config_file",
type=str,
help="To retrieve additional data about the transaction, we need to query a server. See the README",
default=None,
)
parser.add_argument(
"-a",
"--attach",
dest="attach",
type=str,
help="To retrieve additional data about the transaction, we need to query a server. See the README",
default=None,
)
parser.add_argument(
"--get_tx_details",
default=False,
dest="get_tx_data",
action="store_true",
help="Specify this argument if you would like the details of the transaction "
"I.e. amount, receiver, etc"
"If you use placeholders such as {amount_in_usd} then you need to have this argument",
)
parser.add_argument(
"--get_raw_tx_data",
default=False,
dest="get_raw_data",
action="store_true",
help="Specify this argument if you are forwarding the data to another server"
" via json, xml, sns. "
"You should be using a redis queue if you want the python object to be passed",
)
parser.add_argument(
"--debug",
default=False,
dest="debug",
action="store_true",
help="Enable additional logging",
)
return parser.parse_args()
except Exception as e:
logger.exception(e)
exit(1)
def main():
args = add_args()
logger.info(
f"PaymentProvider: {args.payment_provider} TXID: {args.tx_id} "
f"Status: Script executing Action: Processing"
)
if args.debug:
logging.root.setLevel(logging.DEBUG)
else:
logging.root.setLevel(logging.INFO)
settings.security_level = args.security_level
payment_providers = {"Monero": MoneroFactory}
if args.payment_provider in payment_providers:
transaction_factory = payment_providers[args.payment_provider](
server_config_file=args.server_config_file
)
else:
logger.critical("The supplied payment provider is not supported")
exit(1)
try:
transaction = transaction_factory.get_transaction(
tx_id=args.tx_id,
get_tx_data=args.get_tx_data,
get_raw_data=args.get_raw_data,
)
except Exception as e:
logger.exception(e)
exit(1)
try:
apprise_result = transaction.notify(
urls=split_urls(args.urls),
body=args.body,
title=args.title,
attach=args.attach,
)
if apprise_result:
logger.info(
f"PaymentProvider: {transaction.payment_provider} TXID: {transaction.tx_id} "
f"Status: Notification(s) sent via apprise"
)
except Exception as ae:
logger.exception(ae)
exit(1)
|
from DeepRTS import Engine, Constants
from DeepRTS.python import GUI
from DeepRTS.python import Config
from DeepRTS.python import DeepRTSPlayer
import numpy as np
import random
import os
import argparse
import gym
dir_path = os.path.dirname(os.path.realpath(__file__))
class Game(Engine.Game):
def __init__(self,
map_name,
n_players=2,
engine_config=Engine.Config.defaults(),
gui_config=None,
tile_size=32,
terminal_signal=False
):
# This sets working directory, so that the C++ can load files correctly (dir_path not directly accessible in
# c++)
os.chdir(dir_path)
# Override map
try:
# This sometimmes fails under ray
parser = argparse.ArgumentParser(description='Process some integers.')
parser.add_argument('--map', action="store", dest="map", type=str)
args = parser.parse_args()
if args.map is not None:
map_name = args.map
except:
pass
# TODO
if engine_config:
engine_config.set_terminal_signal(terminal_signal)
# Disable terminal signal
engine_config.set_terminal_signal(terminal_signal)
# Call C++ constructor
super(Game, self).__init__(map_name, engine_config)
# Event listeners
self._listeners = {
"on_tile_change": []
}
self._render_every = 1
self._view_every = 1
self._capture_every = 1
self.gui = GUI(self, tile_size=tile_size, config=gui_config if isinstance(gui_config, Config) else Config())
self._py_players = [] # Keep reference of the py object
for i in range(n_players):
player = DeepRTSPlayer(self)
self.insert_player(player)
self._py_players.append(player)
# Select first player as default
self.set_player(self.players[0])
# Define the action space
self.action_space = LimitedDiscrete(Constants.action_min, Constants.action_max)
# Define the observation space, here we assume that max is 255 (image) # TODO
self.observation_space = gym.spaces.Box(
0,
255,
shape=self.get_state().shape, dtype=np.float32)
self.start()
@property
def players(self):
return self._py_players
@staticmethod
def sample_action(self):
return int(Engine.Constants.action_max * random.random()) + Engine.Constants.action_min
def update(self):
self.tick()
if self.gui.config.input:
self.event()
super().update()
self.caption()
if self.gui.config.render:
self.render()
if self.gui.config.view:
self.view()
def _render(self):
if self.get_ticks() % self._render_every == 0:
self.gui.render()
def view(self):
if self.get_ticks() % self._view_every == 0:
self.gui.view()
def event(self):
self.gui.event()
def capture(self):
if self.get_ticks() % self._capture_every == 0:
return self.gui.capture()
return None
def get_state(self, image=False, copy=True):
if image:
return self.gui.capture(copy=copy)
else:
return np.array(self.state, copy=copy)
def _caption(self):
pass
def _on_unit_create(self, unit):
pass
def _on_unit_destroy(self, unit):
pass
def _on_episode_start(self):
pass
# for tile in self.tilemap.tiles:
# self.gui.gui_tiles.set_tile(tile.x, tile.y, tile.get_type_id())
def _on_episode_end(self):
pass
def _on_tile_deplete(self, tile):
# TODO
pass
# self.gui.gui_tiles.set_tile(tile.x, tile.y, tile.get_type_id())
def _on_tile_change(self, tile):
self.gui.on_tile_change(tile)
def set_render_frequency(self, interval):
self._render_every = interval
def set_player(self, player: DeepRTSPlayer):
self.set_selected_player(player)
def set_view_every(self, n):
self._view_every = n
def set_capture_every(self, n):
self._capture_every = n |
import os
os.system("make")
check_solution("python3 sol.py", flag)
|
# -*- coding:utf-8 -*-
"""
Author:
Weichen Shen,wcshen1994@163.com
"""
import tensorflow as tf
from tensorflow.python.keras import backend as K
from tensorflow.python.keras.initializers import Zeros, glorot_normal
from tensorflow.python.keras.layers import Layer
from tensorflow.python.keras.regularizers import l2
from .activation import activation_fun
class LocalActivationUnit(Layer):
"""The LocalActivationUnit used in DIN with which the representation of
user interests varies adaptively given different candidate items.
Input shape
- A list of two 3D tensor with shape: ``(batch_size, 1, embedding_size)`` and ``(batch_size, T, embedding_size)``
Output shape
- 3D tensor with shape: ``(batch_size, T, 1)``.
Arguments
- **hidden_size**:list of positive integer, the attention net layer number and units in each layer.
- **activation**: Activation function to use in attention net.
- **l2_reg**: float between 0 and 1. L2 regularizer strength applied to the kernel weights matrix of attention net.
- **keep_prob**: float between 0 and 1. Fraction of the units to keep of attention net.
- **use_bn**: bool. Whether use BatchNormalization before activation or not in attention net.
- **seed**: A Python integer to use as random seed.
References
- [Zhou G, Zhu X, Song C, et al. Deep interest network for click-through rate prediction[C]//Proceedings of the 24th ACM SIGKDD International Conference on Knowledge Discovery & Data Mining. ACM, 2018: 1059-1068.](https://arxiv.org/pdf/1706.06978.pdf)
"""
def __init__(self, hidden_size=(64, 32), activation='sigmoid', l2_reg=0, keep_prob=1, use_bn=False, seed=1024, **kwargs):
self.hidden_size = hidden_size
self.activation = activation
self.l2_reg = l2_reg
self.keep_prob = keep_prob
self.use_bn = use_bn
self.seed = seed
super(LocalActivationUnit, self).__init__(**kwargs)
self.supports_masking = True
def build(self, input_shape):
if not isinstance(input_shape, list) or len(input_shape) != 2:
raise ValueError('A `LocalActivationUnit` layer should be called '
'on a list of 2 inputs')
if len(input_shape[0]) != 3 or len(input_shape[1]) != 3:
raise ValueError("Unexpected inputs dimensions %d and %d, expect to be 3 dimensions" % (
len(input_shape[0]), len(input_shape[1])))
if input_shape[0][-1] != input_shape[1][-1] or input_shape[0][1] != 1:
raise ValueError('A `LocalActivationUnit` layer requires '
'inputs of a two inputs with shape (None,1,embedding_size) and (None,T,embedding_size)'
'Got different shapes: %s,%s' % (input_shape))
size = 4 * \
int(input_shape[0][-1]
) if len(self.hidden_size) == 0 else self.hidden_size[-1]
self.kernel = self.add_weight(shape=(size, 1),
initializer=glorot_normal(
seed=self.seed),
name="kernel")
self.bias = self.add_weight(
shape=(1,), initializer=Zeros(), name="bias")
super(LocalActivationUnit, self).build(
input_shape) # Be sure to call this somewhere!
def call(self, inputs, **kwargs):
query, keys = inputs
keys_len = keys.get_shape()[1]
queries = K.repeat_elements(query, keys_len, 1)
att_input = tf.concat(
[queries, keys, queries - keys, queries * keys], axis=-1)
att_out = MLP(self.hidden_size, self.activation, self.l2_reg,
self.keep_prob, self.use_bn, seed=self.seed)(att_input)
attention_score = tf.nn.bias_add(tf.tensordot(
att_out, self.kernel, axes=(-1, 0)), self.bias)
return attention_score
def compute_output_shape(self, input_shape):
return input_shape[1][:2] + (1,)
def compute_mask(self, inputs, mask):
return mask
def get_config(self,):
config = {'activation': self.activation, 'hidden_size': self.hidden_size,
'l2_reg': self.l2_reg, 'keep_prob': self.keep_prob, 'use_bn': self.use_bn, 'seed': self.seed}
base_config = super(LocalActivationUnit, self).get_config()
return dict(list(base_config.items()) + list(config.items()))
class MLP(Layer):
"""The Multi Layer Percetron
Input shape
- nD tensor with shape: ``(batch_size, ..., input_dim)``. The most common situation would be a 2D input with shape ``(batch_size, input_dim)``.
Output shape
- nD tensor with shape: ``(batch_size, ..., hidden_size[-1])``. For instance, for a 2D input with shape ``(batch_size, input_dim)``, the output would have shape ``(batch_size, hidden_size[-1])``.
Arguments
- **hidden_size**:list of positive integer, the layer number and units in each layer.
- **activation**: Activation function to use.
- **l2_reg**: float between 0 and 1. L2 regularizer strength applied to the kernel weights matrix.
- **keep_prob**: float between 0 and 1. Fraction of the units to keep.
- **use_bn**: bool. Whether use BatchNormalization before activation or not.
- **seed**: A Python integer to use as random seed.
"""
def __init__(self, hidden_size, activation='relu', l2_reg=0, keep_prob=1, use_bn=False, seed=1024, **kwargs):
self.hidden_size = hidden_size
self.activation = activation
self.keep_prob = keep_prob
self.seed = seed
self.l2_reg = l2_reg
self.use_bn = use_bn
super(MLP, self).__init__(**kwargs)
def build(self, input_shape):
input_size = input_shape[-1]
hidden_units = [int(input_size)] + list(self.hidden_size)
self.kernels = [self.add_weight(name='kernel' + str(i),
shape=(
hidden_units[i], hidden_units[i+1]),
initializer=glorot_normal(
seed=self.seed),
regularizer=l2(self.l2_reg),
trainable=True) for i in range(len(self.hidden_size))]
self.bias = [self.add_weight(name='bias' + str(i),
shape=(self.hidden_size[i],),
initializer=Zeros(),
trainable=True) for i in range(len(self.hidden_size))]
super(MLP, self).build(input_shape) # Be sure to call this somewhere!
def call(self, inputs, training=None, **kwargs):
deep_input = inputs
for i in range(len(self.hidden_size)):
fc = tf.nn.bias_add(tf.tensordot(
deep_input, self.kernels[i], axes=(-1, 0)), self.bias[i])
# fc = Dense(self.hidden_size[i], activation=None, \
# kernel_initializer=glorot_normal(seed=self.seed), \
# kernel_regularizer=l2(self.l2_reg))(deep_input)
if self.use_bn:
fc = tf.keras.layers.BatchNormalization()(fc)
fc = activation_fun(self.activation, fc)
#fc = tf.nn.dropout(fc, self.keep_prob)
fc = tf.keras.layers.Dropout(1 - self.keep_prob)(fc,)
deep_input = fc
return deep_input
def compute_output_shape(self, input_shape):
if len(self.hidden_size) > 0:
shape = input_shape[:-1] + (self.hidden_size[-1],)
else:
shape = input_shape
return tuple(shape)
def get_config(self,):
config = {'activation': self.activation, 'hidden_size': self.hidden_size,
'l2_reg': self.l2_reg, 'use_bn': self.use_bn, 'keep_prob': self.keep_prob, 'seed': self.seed}
base_config = super(MLP, self).get_config()
return dict(list(base_config.items()) + list(config.items()))
class PredictionLayer(Layer):
"""
Arguments
- **activation**: Activation function to use.
- **use_bias**: bool.Whether add bias term or not.
"""
def __init__(self, activation='sigmoid', use_bias=True, **kwargs):
self.activation = activation
self.use_bias = use_bias
super(PredictionLayer, self).__init__(**kwargs)
def build(self, input_shape):
if self.use_bias:
self.global_bias = self.add_weight(
shape=(1,), initializer=Zeros(), name="global_bias")
# Be sure to call this somewhere!
super(PredictionLayer, self).build(input_shape)
def call(self, inputs, **kwargs):
x = inputs
if self.use_bias:
x = tf.nn.bias_add(x, self.global_bias, data_format='NHWC')
output = activation_fun(self.activation, x)
output = tf.reshape(output, (-1, 1))
return output
def compute_output_shape(self, input_shape):
return (None, 1)
def get_config(self,):
config = {'activation': self.activation, 'use_bias': self.use_bias}
base_config = super(PredictionLayer, self).get_config()
return dict(list(base_config.items()) + list(config.items()))
|
# Resolve the problem!!
import re
def run():
encoded_text = ""
with open('encoded.txt', 'r', encoding='utf-8') as f:
encoded_text = f.read()
character_find = re.findall("[a-z]",encoded_text)
hidden_word = ''.join(character_find)
print(hidden_word)
#[ESTE ES EL MENSAJE OCULTO] -> christianvanderhenst
if __name__ == '__main__':
run()
|
# Generated by Django 2.0.13 on 2019-05-24 09:51
from django.db import migrations, models
import django.db.models.deletion
class Migration(migrations.Migration):
dependencies = [("terra_layer", "0001_initial")]
operations = [
migrations.AlterField(
model_name="filterfield",
name="field",
field=models.ForeignKey(
on_delete=django.db.models.deletion.CASCADE,
related_name="filter_field",
to="django_geosource.Field",
),
),
migrations.AlterField(
model_name="filterfield",
name="filter_type",
field=models.IntegerField(default=0),
),
]
|
# -*- coding: utf-8 -*-
"""Command line interface for Axonius API Client."""
from ...context import CONTEXT_SETTINGS, click
from ...options import AUTH, add_options
OPTIONS = [
*AUTH,
click.option(
"--for-next-minutes",
"-fnm",
"for_next_minutes",
help="Consider data stable only if next discover will not run in less than N minutes",
type=click.INT,
default=None,
show_envvar=True,
show_default=True,
),
]
def get_stability(data, for_next_minutes=None, **kwargs):
"""Pass."""
if data.is_running:
if data.is_correlation_finished:
return "Discover is running but correlation has finished", True
return "Discover is running and correlation has NOT finished", False
next_mins = data.next_run_starts_in_minutes
reason = f"Discover is not running and next is in {next_mins} minutes"
if for_next_minutes:
if data.next_run_within_minutes(for_next_minutes):
return f"{reason} (less than {for_next_minutes} minutes)", False
return f"{reason} (more than {for_next_minutes} minutes)", True
return reason, True
@click.command(name="is-data-stable", context_settings=CONTEXT_SETTINGS)
@add_options(OPTIONS)
@click.pass_context
def cmd(ctx, url, key, secret, **kwargs):
"""Return exit code 1 if asset data is stable, 0 if not."""
client = ctx.obj.start_client(url=url, key=key, secret=secret)
with ctx.obj.exc_wrap(wraperror=ctx.obj.wraperror):
data = client.dashboard.get()
reason, is_stable = get_stability(data=data, **kwargs)
click.secho(f"Data is stable: {is_stable}, reason: {reason}")
ctx.exit(int(is_stable))
|
#coding:utf-8
import sys
from PySide6.QtUiTools import QUiLoader
from PySide6.QtWidgets import QApplication, QPushButton, QFileDialog, QStatusBar
from PySide6.QtCore import QFile, QIODevice
from PySide6 import QtGui
version = "1.0"
#Autoincrement & arrangement of int
def autoIncrementArrangement(list : list, line : str):
line = line.replace('auto_increment', 'AUTOINCREMENT')
if "int(" in line:
numDeb = line.find("int(")
for i in range(numDeb, len(line)):
if line[i] == ')' :
line = line.replace(line[numDeb:i],'INTEGER')
line = line.replace(')','')
elif "INT(" in line:
numDeb = line.find("INT(")
for i in range(numDeb, len(line)):
if line[i] == ')' :
line = line.replace(line[numDeb:i],'INTEGER')
line = line.replace(')','')
elif "int" in line:
line = line.replace('int','INTEGER')
return line
#Convert method
def Convert(importPath : str, exportPath : str, namePY : str, nameDB : str):
#---------------------------HEADER-------------------------#
finalScript = """"""
finalScript += "#coding:utf-8\n"
finalScript += "import sqlite3\n"
#Read the sql file line by line and store them into lines[]
lines = []
with open(importPath, mode="r", encoding="utf-8") as f:
lines = f.readlines()
lines.append(' ')
#Remove all escape characters in files[]
escapes = '\b\n\r\t\\'
for i in range(0, len(lines)):
for c in escapes:
lines[i] = lines[i].replace(c, '')
#Create .db and create a connection with the DB + create a cursor
finalScript += "\n"
finalScript += f"con = sqlite3.connect('{nameDB}.db')\n"
finalScript += f"con = sqlite3.connect('{nameDB}.db', timeout = 1000)\n"
finalScript += "con.rollback()\n"
finalScript += "cur = con.cursor()\n"
finalScript += "\n"
#----------------------------BODY--------------------------#
tempLine = ""
comBool = False
comTemp = ""
for line in lines:
#Formatting of quotation marks
line = line.replace('"', "'")
#Retirement of spaces at the beginning of the line
line = line.lstrip()
#-----------PART OF THE AUTOINCREMENTS & INT-----------#
#AutoIncrement & arrangement of int
line = autoIncrementArrangement(lines,line)
#-------------------PART OF SCHEMES--------------------#
#Del all schema (not compatible with sqlite3)
if "CREATE SCHEMA" in line :
line = ""
#-------------------PART OF COMMENTS-------------------#
#Replaces comments on multiple lines
if (line.find('/*') != -1 and line.find('*/') == -1 or comBool == True):
comBool = True
comTemp += line
if line.find('*/') != -1:
comBool = False
comTemp = comTemp.replace('/*','#')
comTemp = comTemp.replace('*/','')
finalScript += '\n' + comTemp + '\n'
comTemp = ""
#Replaces comments on one line
elif ("/*" and "*/") in line :
line = line.replace("/*", "#")
line = line.replace("*/", "")
finalScript += '\n' + line + '\n'
#-------------------PART OF SELECT-------------------#
# For SELECT operator
elif ("SELECT" or "select") in line :
if (line[-1:] == ";") :
line = line.replace(line[-1:], "")
if tempLine == "" :
finalScript += '\n' + 'cur.execute("' + line + '")' + '\n'
else :
finalScript += '\n' + 'cur.execute("' + tempLine + " " + line +'")' + '\n'
finalScript += 'print(cur.fetchall())' + '\n'
else :
tempLine += line + " "
#-------------------PART OF CREATION & INSERTION-------------------#
#arrange the line if the instruction is on a line
elif (line[-1:] == ";" and tempLine == " "):
line = line[:-1]
line = 'cur .execute("' + line + '")'
finalScript += line + '\n'
#The next two conditions allow you to arrange an instruction on several lines
elif (line[-1:] == ";" and tempLine != ""):
line = line[:-1]
line = 'cur.execute("' + tempLine + line + '")'
finalScript += line + '\n'
tempLine = ""
else:
tempLine += line
f.close()
#---------------------------FOOTER-------------------------#
finalScript += "\ncon.commit()\n"
finalScript += "cur.close()\n"
finalScript += "con.close()\n"
finalScript += 'print("DB crée !")\n'
finalScript += 'input()\n'
#---------------------------EXPORT-------------------------#
#Export in python file
if exportPath[-1:] == "/":
exportPath = exportPath[:-1]
exportScript = open(exportPath+"/"+namePY+".py", mode="w", encoding="utf-8")
exportScript.write(finalScript)
exportScript.close()
#Import Path File
def importFile():
fname = QFileDialog.getOpenFileName(filter='*.sql')
fileBrowseFile.setText(fname[0])
#Export Path Directory
def exportFile():
fname = QFileDialog.getExistingDirectory()
fileBrowseExport.setText(fname)
#Launch of the conversion
def running(importPath : str, exportPath : str, namePY : str, nameDB : str):
try:
Convert(importPath=importPath, exportPath=exportPath, namePY=namePY, nameDB=nameDB)
statusBar.showMessage("Conversion completed at " + exportPath)
except FileNotFoundError:
statusBar.showMessage("File or directory not found")
#MAIN
if __name__ == "__main__":
app = QApplication(sys.argv)
ui_file_name = "./graph/graphs.ui"
ui_file = QFile(ui_file_name)
if not ui_file.open(QIODevice.ReadOnly):
print(f"Cannot open {ui_file_name}: {ui_file.errorString()}")
sys.exit(-1)
loader = QUiLoader()
window = loader.load(ui_file)
convertButton = window.convertButton
browseButtonFile = window.browseButtonFile
browseButtonExport = window.browseButtonExport
fileBrowseFile = window.fileBrowseFile
fileBrowseExport = window.fileBrowseExport
lineNameScript = window.lineNameScript
lineNameDB = window.lineNameDB
statusBar = window.status
statusBar.showMessage("Version " + version)
browseButtonFile.clicked.connect(importFile)
browseButtonExport.clicked.connect(exportFile)
convertButton.clicked.connect(lambda: running(importPath=fileBrowseFile.text(), exportPath=fileBrowseExport.text(), namePY=lineNameScript.text(), nameDB=lineNameDB.text()))
ui_file.close()
if not window:
print(loader.errorString())
sys.exit(-1)
window.show()
sys.exit(app.exec())
|
#!/usr/bin/env python3
"""
Python command line tool for taking command of your crypto coins
Command line tool to fetch and display information from the coinmarketcap API
"""
import argparse
import os
import time
from modules import API
from modules import Displayer
__author__ = "Jasper Haasdijk"
__version__ = "1.0.0"
def parse_args():
parser = argparse.ArgumentParser()
parser.add_argument("-v", "--version", action="version", version=__version__)
parser.add_argument("-c", help="convert to your preferred fiat currency", choices=API.currencies, default="USD",
metavar="currency")
parser.add_argument("-f", help="only display your desired coins", default=None, metavar="list")
parser.add_argument("-r", help="automatically refresh information every <rate> seconds", default=0, metavar="rate")
parser.add_argument("-t", help="display the first <top> currencies", default=10, metavar="top")
args = parser.parse_args()
if args.f: # if we are focusing on a specific coin, we want to look further than the top 10 listings
args.t = 0
default_iteration(args.t, args.c, args.f, args.r)
def default_iteration(top, convert, find, refresh):
response = API.get_response(top, convert)
data = API.parse_response(response)
output = Displayer.display_information(data, convert.lower(), find)
print(output)
while refresh:
os.system('cls' if os.name == 'nt' else 'clear')
default_iteration(top, convert, find, refresh=False)
time.sleep(float(refresh))
if __name__ == '__main__':
parse_args()
|
# 1493. Longest Subarray of 1's After Deleting One Element
# User Accepted:3497
# User Tried:3867
# Total Accepted:3616
# Total Submissions:6849
# Difficulty:Medium
# Given a binary array nums, you should delete one element from it.
# Return the size of the longest non-empty subarray containing only 1's in the resulting array.
# Return 0 if there is no such subarray.
# Example 1:
# Input: nums = [1,1,0,1]
# Output: 3
# Explanation: After deleting the number in position 2, [1,1,1] contains 3 numbers with value of 1's.
# Example 2:
# Input: nums = [0,1,1,1,0,1,1,0,1]
# Output: 5
# Explanation: After deleting the number in position 4,
# [0,1,1,1,1,1,0,1] longest subarray with value of 1's is [1,1,1,1,1].
# Example 3:
# Input: nums = [1,1,1]
# Output: 2
# Explanation: You must delete one element.
# Example 4:
# Input: nums = [1,1,0,0,1,1,1,0,1]
# Output: 4
# Example 5:
# Input: nums = [0,0,0]
# Output: 0
# Constraints:
# 1 <= nums.length <= 10^5
# nums[i] is either 0 or 1.
# TLE
class Solution:
def longestSubarray(self, nums: List[int]) -> int:
if sum(nums) == len(nums):
return sum(nums) - 1
def helper(nums):
cnt = 0
res = 0
for i in range(len(nums)):
if nums[i] == 1:
cnt += 1
if nums[i] == 0:
res = max(res, cnt)
cnt = 0
res = max(res, cnt)
return res
t = 0
r = 0
fwd = [0] * len(nums)
bwd = [0] * len(nums)
leave = [0] * len(nums)
for i in range(len(nums)):
fwd[i] = helper(nums[:i])
bwd[i] = helper(nums[i+1:])
leave[i] = helper(nums[:i]+nums[i+1:])
res = [0] * len(nums)
if nums[0] == 0:
res[0] = bwd[0]
if nums[-1] == 0:
res[0] = fwd[0]
tmp = [1] * len(nums)
if nums[0] == 0 and nums[1] == 0:
tmp[0] = 0
if nums[-1] == 0 and nums[-2] == 0:
tmp[0] = 0
for i in range(1, len(nums)-1):
if (nums[i] == 0 and nums[i+1] == 0) or (nums[i] == 0 and nums[i-1] == 0):
tmp[i] = 0
# print(tmp)
for i in range(1, len(nums)-1):
if nums[i] == 0 and tmp[i]:
res[i] = leave[i]
elif nums[i] == 0:
res[i] = max(fwd[i], bwd[i])
if nums[i] == 1:
res[i] = max(fwd[i], bwd[i])
# for i in range(len(nums)):
# res[i] *= tmp[i]
# print(fwd, bwd, res)
return max(res) |
from cemc.mcmc import MCObserver
from cemc.mcmc import ReactionCrdInitializer, ReactionCrdRangeConstraint
import numpy as np
class DiffractionUpdater(object):
"""
Utility class for all objects that require tracing of a fourier
reflection.
:param Atoms atoms: Atoms object
:param array k_vector: Fourier reflection to be traced
:param list active_symbols: List of symbols that contributes to the
reflection
:param list all_symbols: List of all symbols in the simulation
"""
def __init__(self, atoms=None, k_vector=[], active_symbols=[],
all_symbols=[]):
MCObserver.__init__(self)
self.orig_symbols = [atom.symbol for atom in atoms]
self.k_vector = k_vector
self.N = len(atoms)
self.k_dot_r = atoms.get_positions().dot(self.k_vector)
self.indicator = {k: 0 for k in all_symbols}
for symb in active_symbols:
self.indicator[symb] = 1.0
self.value = self.calculate_from_scratch(self.orig_symbols)
self.prev_value = self.value
def update(self, system_changes):
"""
Update the reflection value
"""
self.prev_value = self.value
for change in system_changes:
f_val = np.exp(1j*self.k_dot_r[change[0]])/self.N
self.value += self.indicator[change[2]]*f_val
self.value -= self.indicator[change[1]]*f_val
def undo(self):
"""
Undo the last update
"""
self.value = self.prev_value
def reset(self):
"""
Reset all values
"""
self.value = self.calculate_from_scratch(self.orig_symbols)
self.prev_value = self.value
def calculate_from_scratch(self, symbols):
"""Calculate the intensity from sctrach."""
value = 0.0 + 1j*0.0
for i, symb in enumerate(symbols):
value += self.indicator[symb]*np.exp(1j*self.k_dot_r[i])
return value / len(symbols)
class DiffractionObserver(MCObserver):
"""
Observer that traces the reflection intensity
See docstring of :py:class:`cemc.mcmc.diffraction_observer.DiffractionUpdater`
for explination of the arguments.
"""
def __init__(self, atoms=None, k_vector=[], active_symbols=[],
all_symbols=[], name="reflect"):
MCObserver.__init__(self)
self.updater = DiffractionUpdater(
atoms=atoms, k_vector=k_vector, active_symbols=active_symbols,
all_symbols=all_symbols)
self.avg = self.updater.value
self.num_updates = 1
self.name = name
def __call__(self, system_changes):
self.updater.update(system_changes)
self.avg += self.updater.value
def get_averages(self):
return {self.name: np.abs(self.avg/self.num_updates)}
def reset(self):
self.updater.reset()
self.avg = self.updater.value
self.num_updates = 1
class DiffractionRangeConstraint(ReactionCrdRangeConstraint):
"""
Constraints based on diffraction intensity
See docstring of :py:class:`cemc.mcmc.diffraction_observer.DiffractionUpdater`
for explination of the arguments.
"""
def __init__(self, atoms=None, k_vector=[], active_symbols=[],
all_symbols=[]):
ReactionCrdRangeConstraint.__init__(self)
self.updater = DiffractionUpdater(
atoms=atoms, k_vector=k_vector, active_symbols=active_symbols,
all_symbols=all_symbols)
def __call__(self, system_changes):
"""
Check if the constraint is violated after update.
"""
new_val = np.abs(self.updater.update(system_changes))
self.updater.undo()
return new_val >= self.range[0] and new_val < self.range[1]
def update(self, system_changes):
self.updater.update(system_changes)
class DiffractionCrdInitializer(ReactionCrdInitializer):
"""
Diffraction coordinate.
See docstring of :py:class:`cemc.mcmc.diffraction_observer.DiffractionUpdater`
for explination of the arguments.
"""
def __init__(self, atoms=None, k_vector=[], active_symbols=[],
all_symbols=[]):
ReactionCrdInitializer.__init__(self)
self.updater = DiffractionUpdater(
atoms=atoms, k_vector=k_vector,
active_symbols=active_symbols,
all_symbols=all_symbols)
def get(self, atoms, system_changes=[]):
"""
Get the value of the current reflection intensity
"""
if system_changes:
value = np.abs(self.updater.update(system_changes))
self.updater.undo()
return value
return np.abs(self.updater.value)
def update(self, system_changes):
self.updater.update(system_changes)
|
# -*- coding: utf-8 -*-
# Resource object code
#
# Created: Mon Sep 2 09:51:50 2019
# by: The Resource Compiler for PySide2 (Qt v5.13.0)
#
# WARNING! All changes made in this file will be lost!
from PySide2 import QtCore
qt_resource_data = b"\
\x00\x00\x02\xa4\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02VIDATx\x9c\xed\
\x9a\xbdn\xd4@\x14F\xcfl\x88\x92&t)x\x16\
^\x82\x06\xb4K\x02e\xa0\x80\x92f7\x12B\xc8\xfb\
\x04AJJ~\xc2FP \x9e\x85\xe7@B\xa2A\
Hd(\xb2\x853\x9ed\x93\xf1\x9d\xf1\xbd^_i\
\x0b\xdb\xd7\x9f\xe6\x1c\xad\xed\xd1h`\xa8\xa1\x86Z\xe7\
r]\x0f {\x1d\xfa\x07x*\xe0\x17#\x9e\xf3\xd6\
\xfd\xa8_\xbe\xd3\xd1\xb0\xca\xd4\xd4\x8f\xf1\x9c\x02#\x00\
\xce9\x06\xee\xd7[F\x1d\x0c\xabLM\xfd\x18W\x83\
\xbf\xa8\xbba[?\x05\xc4\xe1\xff\x01\x87ak\xff\x04\
\x5c\x0d?\xa1r\xdf\xc3\xf6~\xbd\x04\xaf\x87\xff\x1a\xbb\
\xa5?\x02\x12\xe0\xa1/\x02\x12\xe1\xa1\x0f\x02Z\xc0\x83\
u\x01-\xe1\xc1\xb2\x00\x01x\xb0*@\x08\x1e,\x0a\
\x10\x84\x07k\x02\x84\xe1\xc1\x92\x80\x0c\xf0`E@&\
x\xb0 #<h\x17\x90\x19\x1e4\x0b(\x00\x0f\
Z\x05\x14\x82\x07\x8d\x02\xa4\xe1g\xfe!\xf0ny\xf4\
\x8c\xca}\xab_\xd6\xb5 \x22\x0d?\xf5c\xe0\x0c\xd8\
]\xfeN\xc2\x16=\x02r\xc07\xf3\x1a\xa5C@\x19\
\xf8s</\xc2\xd6\xee\x05\x94\x82\x87\xa7\xcc\xdd\x97\xb0\
\xbd\xdb\x97`I\xf8\xca\x9d\xc6n\xe9N\x80\x02x\xe8\
J\x80\x12x\xe8B\x80\x22x(-@\x19<\x94\x14\
\xa0\x10\x1eJ\x09(\xf7\x9d\x7f\xc2\xdc}\xbeMT~\
\x01\x8a\xe1!\xb7\x00\xe5\xf0\x90S\x80\x01x\xc8%\xc0\
\x08<\xe4\x10`\x08\x1e\xa4\x05\x18\x83\x07I\x01\x06\xe1\
AJ\x80Qx\x90\xd8&Wn\x86\xb7\xcf\xdc-\x12\
\xf2\x1e\xe18Z\x1e\x09\xaf\x09\x96\x84\xaf\x92\xe0\xf7q\
,\xc8\xb2&h\x03\xfe=+\x18\xd3\x1e\x01\xed\xf03\
\xbf\x07\x0dx\xa15A\x1b\xf0\x1f\x22y\x02k\x82\x96\
\xe1[\xaf\x09j\x87\x9f\xfa\xc78>6\xf2V|:\
o&\xa0\xa7\xf0p\x13\x01\xe5&9{\xcc\xddYB\
^2<\xac\x12\xd0sx\xb8N\x80v\xf8\x99\x9f\x00\
\x9f\x1ay\xb7|\x8c\xe2\x02\xd6\x04\x1eb\x02.\xe6\xce\
\x0b\xe4\xe0cym\xfe\xf6\xf1\xbc\xc4\x17\xe8e\x01\x07\
~\x93]~\x02;\xb5\xb3\xe9\xf0\xf1\xbctx\xe9<\
\xc2\x99\xe0=6\x80\xad\xda\x99v\xdbR\x9ay\xad\x06\
+\x9eG(\xe0\x8d\xfb\x03\xbc\x02\xfe\x02\xbfq\x8c[\
\xed\xc9\x09\xf3<\x936\x83\x15\xcf\xbb\xb2^\xfa-\x0e\
\xfc\xa6\xda\xbc\xd7~[4o\xa8\xa1\xd6\xb7\xfe\x03a\
\xba*E\x0f\xf7\x80}\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x03\xcb\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03}IDATx\x9c\xed\
\x98\xcbk\x13Q\x14\xc6\xbf3i\xac \x11\x8a\xee\xfc\
\x0b\x5cW\x04i]TD|\x80(\x95\xa2\xcbi:\
\x99I\x94\xee|\x82H\xb1\x82u\xe1\xb6\xde\x09\xa1\xba\
\x11\x04\xa9\x8f\x85\x0a\x22\xd8\xb5\xe8\xd6\xd6\x9d\x8f\xa6\xe0\
cU\x17\x9d63\xc7E\x93\xd2N\xee\xd4\xb4\x99I\
\xab=\xbf\xe5=\xf7\x9es\xbes\xef\xdc\xdc\x13@\x10\
\x04A\x10\x04A\x10\x04A\x10\x04A\xd8ZPx@\
)u\x03\xc0u\x00)\x00\x01\x00nuR1C\x00\
\x0c\x00>\x80\x9b\xb6m\x0f-7\xb6i\x16\xd4\xc4\xa3\
\xba\xf0\x7f!\x85Em+\x0a\xf0?\x09\x5c\x17\xba\x02\
\x0c\x13\xd1\xbf~\xec\xeb\xa8j\x1a\xae\x1b\xd7MVJ\
\xf5\x00x\x06 \x1321\x16\xef\x85M\x0b\x11\x19\xcc\
\x1c\xd65\x1b\x04\xc1\xc9|>\xff\xb6n~\x94\xa3b\
\xb1\xd8\x19\x04\xc1+\x00\xbbC\xa6M[\x84\x08\xf1?\
\x0d\xc38jY\xd6{\xdd\x9a\xc8;\xc0\xb2\xac\xf7\xbe\
\xefw\x03\xf8\x1a\x8e\xb3\xda\xba\x8d\x22B\xfc\x17\xdf\xf7\
\xbb\xa3\xc4\x03\x7f\x11R(\x14\xa6*\x95J\x17\x80\xc9\
\xfax\xb4i\x8a\x10!~\xb2R\xa9t\x17\x0a\x85\xa9\
U\xd76\x12@)\xb5\x1b\xc0K\x00\xfb4\xc1}\xe6\
\x0d\xbd3S\x9a\xb1w\x00\x8e\xdb\xb6\xfd\xf3o\x8b\x1b\
*\x00\x00\x94J\xa5\xcc\xc2\xc2\xc2S\x22:\xa41\xfb\
\x8d\xfa\x89\x91\xa8O\xf1M[[\xdb\xe9l6;\xdb\
\x88\x93\x86\x8fq6\x9b\x9dmoo?\xc1\xccO4\
\xe6\x94\xe6\x08&F5\x96.\xf7q\xcf\xf3N4*\
\x1e\x11N\x221Msnff\xa6\x8f\x88Ja[\
\xc4w\x18;\xcc\xac\xbd\x7f\x88\xa8\xd4\xd1\xd1\xd178\
8\xe8\xad\xc5\xdf\xba\x12ffr]w\x04\xc0E\x8d\
-H\xf0!\x15\xb5\xf3wr\xb9\xdc\x95\xf5\xc4mj\
\xc7\x94R\x97\x00\x8chLI4QQ\xe2/\xdb\xb6\
}\xa7\x19\xa7M\xa1\x94\x1a\x00\xa0P\x9f\x5c\x9cE\xd0\
\x89\x0f\x989\xe78N\xdd\xe7\xb8V\xc7M\xe3\xban\
/3?\x04\xb0-dj\xfa\xd5\x18q\xb7\xcc3\xf3\
9\xc7q\xc6\x9b\xf1\x0d\xc4T\x00\x00p]\xf703\
?\x05\xb0#dj\xa6\x08\x06\xeas\xfc\xcd\xcc\xa7\x1c\
\xc7y\xb3N\x9f+\x88\xf5\xd6\x1e\x1d\x1d\xddo\x18\xc6\
\x0b\x00\xbbV\x04!bf^S\x11\x22v\xfe\x17\x11\
\x1d\xcb\xe5r\xef\x9a\xcdu)N\x5c\x8ej\x14\x8b\xc5\
\xbdA\x10\xbc\x06\xb0gE\xa0\xb5\x15A\xb7\xf3\xdf\x0c\
\xc38bY\xd6\xc78\xf2\x5c\x1e(V,\xcb\xfa\x98\
J\xa5\xba\x00|Z>^{\xbc\x10\xad^\xf3\xeao\
|x\xd2'\x00]q\x8b\x07\x12\xea\xea\x06\x06\x06>\
\x07Ap\x10\xc0\x87\x90\x89\x98Y\xf7vG\xb50\xba\
\x17\xe5\x87t:\xddm\xdb\xf6\x97\x04RM\xae\xad\xcd\
\xe7\xf3\xdf=\xcf\xeb\x010\xa11\xa7\xc2'AW\x18\
\x22z\xeby^O\x7f\x7f\xff\x8f\x84\xd2\x8c\xff\x0e\x08\
366\xb6}~~\xfe\x11\x80\x93a[\xedN\x88\
x\xda>K\xa7\xd3gM\xd3\x9cK2\xbf\xc4{z\
\xd34\xe7\xca\xe5r/\x80\x07a\x1b\x11\x19:\xf1\xcc\
|\x7fzz\xfaL\xd2\xe2\x01}/\x1d;\x13\x13\x13\
Agg\xe7\xf3L&\xb3\x13\xc0\x81\xd5\xe6\x12\xd1\xdd\
r\xb9|ahh\xa8%-v\xcbZX`\xa9\x89\
\xba\x0a\xe0\x966\x19\xa2k\x96e\xddn\xe5\xbf\xd2-\
-@\x0d\xa5\x94\x0d\xe0\xde\xb2!ff\xc7q\x1c\xb7\
\xd5\xb9lH\x01\x00@)5\x02 \x0b\xc0g\xe6\xf3\
\x8e\xe3<\xde\xa8\x5c\x04A\x10\x04A\x10\x04A\x10\x04\
A\x10\x84\xad\xc4\x1f\x98p@\xf0\x8bh\xc6\xbb\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x03\xc4\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03vIDATx\x9c\xed\
\x9bKhSA\x14\x86\xbfs\x1b\x1f ucq#\
\xe2\xce\xc7V\xc5\xadPlE\xc1\x07E\xc4\x85 \xf8\
@A\x5c(R\xb0\x89\xc6\xd2$\xb4\x08\x0a\x0a>\x8a\
\x82\x0bQtU\x8b\xa8(B\xc1\x8d \x08.D\x10\
\x17\x22\x22X\x10Q|A\x93\x1c\x17\xb7-\x9a;\xd1\
\xc6\xce\xcc\x1d1\xdf\xae\x09\xcc\x7f\xce\x97\x99\x9b\x99\xdc\
[h\xd2\xa4\xc9\xff\x8cX\x1b\xa9G\x8f#\xe4\x00E\
(P\x90^kc;\xc4\x9e\x80\xacV\x80\x08\x00E\
\x89h\xa7 #\xd6\xc6wD\xe4d,AP\x869\
\xaa+,\x8e\xef\x04\x9b\x02\xaa5\x7f\xb7R\xe5.9\
]b1\xc3:6\x05\xa8\xe1\xb56\x94\xfbdu\xa1\
\xc5\x1c\xab\xd8\x14P\x8f\x85\xc0=\xf2\xda\xe6!\xaba\
|\x08\x00XJ\x99;tk\xab\xa7\xbc)\xe3R@\
\xed\x92X\xc9\x0c\x868\xa0\xb3\x1cf6\x8cK\x01U\
\x92\x12\xdai\xe5*y\xcd8\xccm\x08\xd7K )\
A\xe8\xa2\xccyP{{\x90i\xe0\xe3\x1a`\x9a\x09\
\xbb\xc8\xd2\xef!\xfb\x8f\xf8\xb9\x08Jb\x8f\x00\xd0M\
V\xbb\xbd\xe4\xff\x06?\x02\xe2\xcf\xbfbxg\x80\x1e\
\xdd\xed\xa5\x86:\xf8\xfa\x1a\x9c 9\x13\x84\x0b\xe4\xb4\
\xcbs\x1d\x93\xf8\x16\xa0$%D(\xd7\xc8\xe9\x1a\xcf\
\xb5\x8c\x87\xfbG\x0d\xd7\x84\x99(Cdu\x95\xefb\
\xd2\x10\x10\x1f\x97\x933a\x0ep\x9b\x9c.\xf3YJ\
:\x02bL3a\xde\xf8\xe1i\x91\xaf\x22\xd2\x14P\
o&, ><\xcd\xf7QB\xba\x02bt\x5c\xc4\
\xcf,\xa6\xcc\x1d\xf2:\xd7ux\x08\x02&6J\xb5\
\x12\x96Sa\x98\xbc\xcev\x19\x1d\x86\x80\x98jb&\
(\xab\x19\xe3\xba\xcb\xc3SH\x02\xcc3A\xd8H\x99\
\x8b\xe4\xd5I\xada\x09\x88I\xce\x04\xd8A\x99\x13.\
N\x90!\x0a\xa8wx:D\x96#\xb6\xa3\xc2\x14\x10\
S1\xfc\xccZ$\xa7{m\x86\x84,\xc0<\x13\x94\
s\xe4t\x8b\xad\x88\xb0\x05\x98\x0fO\x82r\xc6V@\
\xe8\x02\xeaa\xedk\xf1_\x10\x90\xacQ\xb8dk\xf0\
`~\x9d\xadC\x8b\xe1\xb5\xfd\x14\xe4\xac\xad\x80\x90\x05\
$\x9bW\x8eQ\xb2\xd7<\x84\xba\x04\xd4X\xd7iJ\
\x14lG\x858\x03\x22\xa4\xe6\xb9\x05\xe1\x0a-\x1c\x04\
1\xdd\x80\x9d\x16a\x09PC\xf3p\x8bQv2(\
\xa6\xdd\xe1\xb4\x09g\x09\x98\x9a\x17\x1e\xf2\x95\xad\x0c\xca\
\x98\xab\xd80\x04\x98?\xf9\xa7\x8c\xb1\x81S\xf2\xcde\
t\xfaK n\xbc\xb6\xf9\x97(k\x19\x90\x8f\xae\xe3\
\xd3\x16 \x89+\xbe\xf2\x96*\x1d\xf4\xcb;\x1f\x05\xa4\
\xb9\x04\xc4\x90\xff\x81\x16:\xe9\x97W\xbe\x8aHK\x80\
\xa9\xf9/\xc0z\xfa\xe4\x99\xcfB\xd2\x10`j~\x0c\
\xa1\x8b\xa2<\xf2]\x8c\xefk\x80\xa9yE\xd9NQ\
\xeey\xae\x05\x0c\xc5\xf8\xcfS\xf6Q\x92\x1b\x9e\xeb\x98\
\xc4\xd7\x03\x12`>\xdc\xf4P\x92A/5\xd4\xc1\x8f\
\x80\xaa1\xe7$\xa5\xf4\x1f\x93\xf1!\xc0\xb4\xcb\xbbL\
\x91\xc3.\x0e7\x8d\xe2Z@Dr\x97w\x93\x0c{\
Bh\x1e\xdc\x0a05?B\x86m\xf4J\xd9an\
C\xb8\x14P\xdb\xfc\x132l\xa2W\xbe;\xccl\x18\
__\x83/\xc8\xb0\x8e^\xf9\xe4)o\xca\xb8\xdf\x08\
)o\xa8\xd0AQF\x9dg\xfd\x056g\x80\xe9\xc6\
\xe5{\x22:\x19\x90\xd7\x16s\xac\xe2\xe6_fb>\
\x13\xb1\x8e\x82<\xb7\x98a\x1d{\x02\xf4\x97[X\x8a\
\xb2\x99>ylm|G\xd8\x13\x10QD\xa9\x10?\
\x12\xdbGI\x1eX\x1b\xbbI\x93&M\x1c\xf1\x03\xe0\
\xcb\xd6\x07q\xbd'\xa8\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x00u\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00'IDATx\x9c\xed\
\xc1\x01\x0d\x00\x00\x00\xc2\xa0\xf7Om\x0e7\xa0\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x80w\x03\
@@\x00\x01\x8f\xf2\xc9Q\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x01F\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xf8IDATX\x85\xed\
\xd2!N\x03A\x14\x87\xf1\xdf\xdbl+8\x00\xc1V\
`\xd0\x1c\x02SG\xc2\x11\x10\xdc\x00\x1a\x12B\x8b\x22\
!\xe1\x00(\x04\x02\x8b\xc1p\x06$\x06\x83&!A\
T\x00\x1d\xc46\xcd\x0a\xca\xee\xd6\x11\xe6K\xc6L\xde\
|\xf3\x7f3\x8fL&\x93\xc9\xfcw\xa2\xb1\xe20=\
\x09\x9b\xc2\x87$\xb5\xf6\x86R\xf2jb\x83\x98-+\
,[\xc8\xfa\x08I\xbf\xe5\xe5\x15U\xd4^SY\xd1\
(\x9a\xda\x92\xdc\xd6vf\xf8Z\xb2\xea\x9d>(\x0d\
~\xeb\xbe]\x80\x8b\x98\xea\xd9\xc3\xf9\xe2L\xfc\xf8u\
\xb1\xf0\x85k\xa5\x1d'\xf1\xd6\xa4o\x9e\x81:\xa3t\
\xb9D!Ib\xd1qQs\x8dM\x1c\x13\xad\xe6\
\xa5[\x008JC\xdc`\x8d\xf9XV/\xf2)\xd9\
w\x16W]t\xdd\x03T!\xb6q\x87\xf5\xf9\xce\xbb\
\xb0k\x1c\xf7]U\xab\x05\x80Q\x1aH\x9e\xf1\xa20\
t\x1a\x8f+\xbbV'E\xb52\x99L&\xf3\x87\xf9\
\x06\xb3\xc7:\x90\x074\x9cX\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x00\x83\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x005IDATX\x85\xed\
\xce\xb1\x11\x000\x0c\x021_\x06d\xffm\xec!H\
\xa9\xef\xe14S\x94d\x93l\xf3\xf1\x9a\xf1\x8f\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\xa9f\
\x04\x11}U\x96\x09\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x00\x90\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00BIDATX\x85\xed\
\xd5\xb1\x0d\x000\x08\x03A;\xfb/\xe0m\xb2\x19\x19\
\xc2\x91h\xfez\xd0\x8b\x06\xa9\x90d\x92L\xb3\xe34\
\xc3?\x10@\x00\x01\x04\x10@\xc0z\x80\x9b\xe1\xf6\x15\
K\xe5\x05l\xdf6\x00\x00\x00\xac{;\xf2\x09A\xf4\
\x1a[\x1b\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x03\x94\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03FIDATx\x9c\xed\
\x9b\xbfO\x14A\x18\x86\x9f\xcf\xdb\x84\x1a\x1b\x0a\x0c\x89\
\x05\xa24\x16\x18\x82\xbd\xdaH\x8c\x0dRHaci\
$6\xca\x92x9\x02\x87Z\x18\x8d\x7f\x80\x9aP\x88\
v\x04\x1a\xf4O\xd0D%\xc1\x10bb\x10B\xb0\xc0\
V\x10\xf2Y\xec\x11n\x7f\x1c,7s; \xfbt\
3;\xbc\xfb\xce{\xbb;\xc3d\x06rrr\x8e3\
\x92\xaaUQ=\xb6\xb9\x06\xf4\xa3\x5c\x00Z\x81\xa6F\
\x1a\xab\x83\x0d`\x05\xe1#0I\x81)J\xb2\xb5\xdf\
\x1f\xed\x1f\x80\xaf\x97\x11\x9e\x03\xe7\xcc=f\xca<\xca\
ey\xbfW\xa3\x13\xb5/\xa90\xac>\xc2,G\
\xaf\xf3\x00\x9d\x08\xb3\xf8:\x04Z\xf3\x87\xae\x1d\xc00\
C\xc0X#\x9ce\x8aP\xc6\xe7A\xed\xcbI\x04\x8f\
\xfdl\xa4\xf67\xf0\x10a\x86\x05\x96x'\xdb\x16m\
\x9a\xd3\xa7\x05:hC\xb9\x0a\x8c\x00\xcd\xa1\xeb\xca\x95\
\xa4\xd7!\x1e@Q=\xb6\xf8J\xf8\xb1\xff\x802@\
Y\xd6\xec\xban\x10\xbe\xb6 L\x00\x97\xaaj\xe7\xf1\
8\x1f\xfd0\xc6_\x81\xe0k_\xdd\xf9u<n\x1e\
\x99\xce\x03\x94e\x0de\x80\xe0\xa9\xdd\xa1\xb3\xd2\xb7\x10\
I\xdf\x80\xfeH\xb9HI~\xd9\xf4\x97\x09eYC\
(Fj\xa3}K\x08 \x18\xe7w\x11f\xac\x1a\xcb\
\x96\xe9PI\xe9\x8a6Hz\x02ZC\xa5\x05\x96\xac\
Z\xca\x92\xb8\xf7S\xd1&I\x01\x84gx\x87\xedk\
\x7f\x10\xe2\xdec\xb3\xd7=&B\xc7\x83<\x00\xd7\x06\
\x5c\x93\x07\xe0\xda\x80k\xf2\x00\x5c\x1bpM\x1e\x80k\
\x03\xae\xf1\xac)\x05\xffF\xdf\x03n\x01\xa7I\xbb\xde\
\x98\x1e\x05~\x00/\xf1x\x9af\xbd/\x0dv\x02\xb8\
\xafml\xf3\x06\xb8hE\xaf6g\x81\xc7ls\x9d\
a\xedgL~\x9a\x0a\x9a\xbf\x02E\xf5\xf0\x98D\x1b\
\xde\xf9]\x82{\xbd\xa5O\x0b\xa6R\xe6\x01\xfc\xe5.\
\xd0c\xacspzhg\xd0T\xc4<\x00\xe1\xb6\xb1\
\x86\xc3{\xdb\x18\x05\xda-h\xd4\xcb\x19S\x01\x1b\x01\
\xb8\x1cJ\x8dG\x9ac?\x0f\xc8\x03pm\xc056\
\x02P\x0b\x1a\xce\xb0\x11\xc0w\x0b\x1a\xce\xeem#\x80\
\xd7\x164\xea\xe5\x95\xa9\x80y\x00\x1eO\x80/\xc6:\
\x07\xe7s\xe5\xdeF\x98\x07P\x92M\x84>`\xceX\
+=s\x087(\xc9\xa6\xa9\x90\x9dQ`T\x16\xf1\
\xe8F\x18\x07V\xadh&\xb3\x8a0\x8eG7\xa3\xb2\
hC\xd0\xdez@I\xfe\x00>\xe0sG\x9b8i\
y=`\x1d\xe5\x85lX\xd5\xc4f\x00\xd54\xc0h\
\xa3\xc8'B\xae\x0d\xb8&\x0f\xc0\xb5\x01\xd7\xe4\x01\xb8\
6\xe0\x9a<\x00\xd7\x06\x5c\x93\x14@x\x12ca\xed\
\xdd\x19q\xef\xb1\x09ZR\x00+\xa1R\x07m\x16-\
eK\xdc\xfbr\xb4I<\x80`\xbf\xfd.\xc1\xde\xdb\
\xa3Jo\xa8$|\x8a6Hz\x02&#\xe5\x11|\
m\xb1h*\x1b|mA)Ej\xa3}K\x08\xa0\
\xc0\x14\xf0\xad\xaa\xa6\x19a\xe2H\x85\xb0\xbbY\xbaz\
\xc7\xf8|\xa5o!\x0e\xb6]>\xd8{;}\xa8\xb7\
\xcbCo\xe5\x97\xafs\xbb\xfc\x0e\xc3\xea\xf3?\x1c\x98\
\x00P|\xca2\x9et\xa9\xf6<`\x8cq\x14\xbfa\
\xa6\xb2A\x81!\xca<\xaa\xd5 \xed\xa1\xa9g@\xa7\
EcY\x90\xea\xd0T=\xc7\xe6\xba\x08v]\x1f\xc6\
cs\xcb\x95\xa1.\xf5\xb1\xb9\x9c\x9c\x9c\xe3\xcd?\xda\
/\xc3\xffG\xb5\xad\xb3\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x01\xbd\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01oIDATX\x85\xed\
\xd4\xb1N\x14Q\x14\x80\xe1\xef\xeel\x0c\xb1\x00m\xb4\
\xa0\xa1\xd0z\xad1<\x80\x91\xd2\xc6h\xe2\x03\x18\xb1\
\x85\xdd5\xeb<\x02\xc4\xca\xcaD\x13\x1b\x0bM4&\
t$\xcbsheccE\xc32\xc7\x82q\x16\xb2\
\x8b\xc0\xb8\xa8\xc5\xfc\xdd=\xe7\xcc=\xff\xb97wh\
hhh\xf8\xc7\xa4\xda_\xf6b\x11\x9f\xd0\xd1\xb6(\
O\xdf\xeal\xd3\xaa\xd5\xbc\x1f71D\x07\x8c\xecZ\
\x8f\x1b\x7fG\xa0\x1b\xb7\x84!\x96\x8eD\x97d\x86\x9e\
E\xe7b\x056bE\xb2\x83k\x08\x1c\xe0@\x08\x5c\
W\xd8\xb1\x11+\x17#\xd0\x8fU-\xdb\x98/\x9b\x17\
U.)\xca\xd8\x82\x96m\xdd\xb8;[\x81n<\x14\
\xdecn\xa2\xf9\x98\xa2<\x899\xc9\x07\xbdx0\x1b\
\x81^\xacI^#+\x1bLk~\xc8\xf8$2\xbc\
\xd1\x8f'\x7f \x10I/rl\x96\x81\xa2lp\x1a\
\xe3\xba\xb0\xa5\x1f\xcf\x89\x13\x9f\xfb\xf4\xc4 Z\xf6m\
I\x1eW\x9b\x1eNvv\x92$\xaa\x01_h{*\
O\x13\x03L\x0a\x0c\xe2\x92\x91W\xb8_V\xfc\xba\xdb\
\xf3s\x5c\xe2\xad\xef\x1ey\x99\xf6O\x16\x18\xc4e#\
\xefp\xa7\x8c\x9c\x7f\xf2i\x1a\xe3\xab\xfe\xac\xed\x9e<\
\xedM\x0a\xac\xc7U\x99\x8fX.3\xf5'\xff\x9dD\
\xb2+\xb3*O?\xa0]\x95d\xbe`\xa1ZG\xcd\
\xdf\xf4i\x84\xdbF\xbe\xe2\x0aG_\xc1\xacf=\x9b\
DCCC\xc3\xff\xc3O\x80\xb1p\xa5\xe9?\xaeF\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01,\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xdeIDATx\x9c\xed\
\xd6\xb1M\xc3P\x14\x85\xe1\xff\x11W\x14T\xa1\xcf\x02\
H\x14\xec\x00\x030G\x1a\x06\xb0\xdc\xd0e\x89\xf4\x94\
H0\x06\x1bP!\xa1t\x14Q\x8a\xc4/-z\xcf\
I\xe7\x8b\x84\xff\xaf<\xd7\xc5\xf1il\x90$I\x92\
$I\x92$I\x92&!\x9d?\xe7D\xcb,\xa6\xca\
hz\xba\xd4\x9f:\x0e\x0f\xd0\xe69\x07Vd\x1e\x81\
\xcb\xb1\x9a\x05\xd9\x01\xaf4,\xe9\xd2Wy\xac\x07h\
\xf3\x15{>\x80\xc5\xf8\xddBm\xc8\xdc\xf0\x9c\xbe\x7f\
\x87\x17\xd5c{:\xfe\xdf\xcb\x03\x5c\x93X\x95a=\
\x00\xdc\x07\x94\xf9+\x0fe04\xc0\xa4\x0c\x0d\xf0\x1e\
\xde\x22\xce[\x19\xd4\x034\xb4\xc0g@\x99h\x1b2\
OeX\x0f\xd0\xa5\x1fz\xeeH\xac\x81mD\xb3\x91\
\xed\x80\x17\x1an\xcb/\x00\xf8#$I\x92$I\x92\
$I\x92$M\xc5\x11j\xe3&\x99J3F.\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\xb4\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02fIDATx\x9c\xed\
\x98\xbf\x8b\x13A\x14\xc7\xdf\x1b7\x90(H:[+\
\xc1\xc2\xce?\xc0\xc6\xe6\x10\xb9\xc2K\xa1\x10P\x98\x09\
\x12\x0cZ\x08\x22\x96\xa7Xx\x08\xb1\x88\xb3\x8b\x0a\x01\
-\x82 \xc8iagoga+hc\x17\x04M\
B\xd6}\x16\xeeA\x98\x1d\xbc\x1c8o\x16|\x1fH\
3E\xbe\xdf\xf9\xce\x8f\xb7o\x00\x04A\x10\x04A\x10\
\x04A\x10\x04A\xf8\xdf\xc0\xd0\x02\xd6\xdam\x00\xb8\x05\
\x00KD\xdc2\xc6\xec\x86\xd6<\x08A\x03\xb0\xd66\
\x10qAD{:\xf3<\xcfO\xf4\xfb\xfd/!u\
\x0f\x82\x0a\xfc\xff\x87W&\x0f\x00\xd0L\x92\xe4\xcdp\
8<\x1aXwm\x82\x06\x90\xe7\xf9/\xcf\xf0\xa9f\
\xb3\xf9\xd2Z\xdb\x08\xa9\xbd.\xa1w\x80\x17\x22:\x0b\
\x00\x8f\x9d\xdd\x11\x85(\x01\x94\x5cI\xd3\xf4vD}\
\x00`\x0e\x80\x88\xdc\xa1\xed4M/qzpa\x0d\
\x00\x11+\x09\x10\xd1\xb3\xd1ht\x86\xd3\xc7*\xecG\
\x80\x88\x0ag\xa8\xa1\x94z\x95e\xd9In/\x00\x11\
\x02@D\xf2\x84\xd0.\x8a\xe2m\x96e\xc7\xb8\xfdD\
\xb9\x04\xcb\xa3\xe0\x86p\xbc(\x8a\xdd\xf1x|\x84\xd3\
K\xcc*@\xe5o\x95\xd3\xb3\xd9\xec\xc5d29\xc4\
e\x22f\x00\x00\x00\x85\xe7b<?\x9dN\x1fr}\
#\xc4\x0e\x00\x88\xa8\x12\x02\x11]K\xd3\xf4:\x87~\
\xf4\x00\x00\xbc\x95\x01\x00`\xc7Z\xbb\x19Z\xbb\x16\x01\
\x94\xb8}\x03\x02\xc0\xfd\xd0\xa2\xb5\x09\x00\xd1{\xe4}\
;\xe3\x9fR\x9b\x00\x88\xa8r\xf3#\xe2\xd3\xd0\xba\xb5\
\x08\x00\x11+>\x10\xf1\xa61\xe6Ah\xed:\x04\xa0\
\xdc\x92\x87\x88\x8f\xb4\xd6;,\xe2\x1c\x22\xfb\xe8\xbb\x87\
\xffu\xbb\xdd\xbe\xe1k\x9cB\x19\x88B\xb9\xea\xee\xe4\
?\xb4Z\xad\x8b\x9dN\xc7\xf7\x92\x14\x84X/B\xe8\
9\xf7\x9f\x95R\xe7\xba\xdd\xee\x0fN/1\xdaa\xdf\
\xe4\xa7J\xa9\x0d\xad\xf57n?1\xdaaWs\x89\
\x88\x9bZ\xebO\xdc^\x00\xf8\x9f\xc4*_;\x88x\
\xd9\x18\xf3\x9e\xd3\xc7*\xdcOb\xee\xd0\x1dc\xccs\
N\x0f.\xd1\xaa\x00\x22>1\xc6\xdc\x8b\xa5\xbfG\xac\
\x00\xde\x11\xd1U\xaeZ\xff7\x82\x06\x90$\x89\xefe\
\xe7\xe3b\xb1\xd8\xea\xf5z\xcb\x90\xda\xeb\x12z\x07\xfc\
tVy\xae\x94\xda\x18\x0c\x06\xdf\x03\xeb\xaeM\xd0\x00\
\xcaU\xbe\x0b\x7fz\xfd9\x00\x5c\xd0Z\x7f\x0d\xa9)\
\x08\x82 \x08\x82 \x08\x82 \x08\x82\xb0\x1f\xbf\x01<\
\x98\xb7a\xae\xf8\xf9.\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x01+\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xddIDATx\x9c\xed\
\xd0\xb1\x0d\xc20\x18\x05\xe1g\x86\xc8X)X\x81\x8a\
\x89\xb2\x05\x85GJ\xc5\x184n\xa3H\xd8\xf1!q\
\x9f\x84d\xa4_\xf0t\x89\xa4\x7fV\xae\xfe\x83u]\
\xefI\xb6\xf6\xf5Yk}\x8d\xbc\xefu\xbb\xf2\xc7\x9b\
-\xc9\xd2>\xdb\xc9\xed7\xf7]f\x04X\x0e\xde\xa3\
\xee\xbb\xcc\x08\xf0\xd3\x0c@\x0f\xa0\x19\x80\x1e@3\x00\
=\x80f\x00z\x00\xcd\x00\xf4\x00\x9a\x01\xe8\x014\x03\
\xd0\x03h\x06\xa0\x07\xd0\x0c@\x0f\xa0\x19\x80\x1e@3\
\x00=\x80f\x00z\x00\xcd\x00\xf4\x00\x9a\x01\xe8\x014\
\x03\xd0\x03h\x06\xa0\x07\xd0\x0c@\x0f\xa0\x19\x80\x1e@\
3\x00=\x80f\x00z\x00\xcd\x00\xf4\x00\x9a\x01\xe8\x01\
4\x03\xd0\x03h\x06\xa0\x07\xd0\x0c@\x0f\xa0\xcd\x08\xf0\
>x\x8f\xba\xefry\x80R\xca#\xc9\x9edo\xef\
\xa1\xf7\x92\xd4\xe3\x03QG\x16<\xb2e4l\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x0c\xd6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x0c\x88IDATx\x9c\xe5\
\x9b[o[\xc7\x11\x80\xbf%E\x8a\x94(\x89\x92\xad\
\xbbd\xc9N\x9a\xc2A\xe0&E\xd1\xa0H\x0a\xf4\xa9\
}\xe9{\x81\x16\xfd\xa3}*P\xb4\x0fA\x906N\
R i\x92\xc6\x96l\xc97]HI\xa4.\xe4\xf4\
a\xf6\x1c\xee\xd93\x87\xa4\xe4\xf4\xc9\x03\x10$w\xf7\
\xcc\xce\xcc\xee\xcem\xe7\x00\xb2\x05\xe2x\xe3@\x9c\xf2\
\x9e\xfex\x93\x84\x90\xe3\xf9M\x12B\x96W\x97\xed\xe0\
\x0e\xf0\x18\x9c\x14<\xdc\x00n\x19\x1d%`2\x8b/\
m\xaf\x0d\xa1f\x12\x10\xe0b\xc8\x98s\xa0g\xb4w\
\x81\xbe\xd1\xfe\x12\xdc\xa9\x8d*\xcf\xa3\x1b5\x00d\x1b\
\xb8\xed\x09=\x01^\xf8\x89\xa7\x809\xdf.\xc0Y\xd0\
>\xeb\xdb\xfa\xbe\x1d\x8f\xa3\x0a4\x81\x8a\xef?\xf74\
T\xfd\xf7%p\x04\x97\xa7P9\xf2mS\xa8 \x9d\
\x9f\xff\xc4\xff\x9f\xf2m\x0eh\x01\xa7\xbe})\xe8{\
\x01\xeeq1o\x85R\x92-\x90\x09\x90\x8f@V\x8d\
1k \x0bF\xfb\x06\xc8\xbc\xff=\x05r\x0f\xe4\xae\
\xff\xcc\x80\xdc\x01\x19\xb2#\xa4\xee\xc7,\xa8\xe0\xe5\xae\
\xc71\xe1\xfb\xe7@6\xf3GU\x9a\x05\xed\x1b \xbf\
\x06)_\xf3\x88\xcb\x04\xc8\x9f\xf5\xc1\x5c\xdf6H\xc5\
h\x7f\xdb?\xb7\xe2'[\x8e\xf0\xdd\x1bsr<\xe3\
%\xff\xdbyF\xb6\xa0uK\xdb\xe5-\x83\xd92\xc8\
O\x8c\xf6\x09\x90?\xda\xbc\x14\x13\xf0\x91\x7f0\x92\x9a\
\xac\x170\x7f\xc7\x7f\xb6\xed\x15\x96\xedkLN`\xa2\
\xe2\xf6Y\x15N{I\xe7\xcb\xf5\x97\xb3\xcf\xa5\xbb\xb9\
\x02\xf2\xabq'\xdf\x1el\xfbPc\xca\x14\xc8mc\
\xfc*\xc8\x07\xba}M|\xf3^y^\x13dV\xb7\
\xbc\xd97\x07\xf2\x00d\xd1\xe8k\xfag#\xcb&\x9b\
\xfa\xc9\x82q&\xe4\x17\xe0>\x0d\xfe'\xca\xa3\x07\xec\
\x01!\xa3\xabpy\x0b*_\x0e\xe1d\x0dxZ\xd0\
\x97\xda\xe1\x1b<\x0b\xf0\x00\xbaO\xa0\xf6*h\xeb(\
]\x94\xc9)\xbc\x987\x980\x90\xc6\xc44P\xe6\x1f\
\xa0Z\xbd\xed\xc7l\x01/T\xa1\x0f\x05\xf1\xc4,\xf9\
\xff\x89\xe9J4x\xd8F\xd0\xf6\xc2\xa0%\x86\x17 \
\x822\xbc\xe7\x9f]\x02~\x06|\x0e\xcc\xa0\x16\x22\x81\
\x9c\xd9\x8c\x04 \x0d\xd4\xcc$\xff7\x806\xb8]?\
Q\x055]\x9b\xc0\xd7\xe0\xae\xf4|\xb9\x13r \xce\
\x8f\x9bB}\x81oG\x98\x9f\xf8\xd9E`\x1a5\xa9\
{\xf6\xb3\xd2\x86\xfa\x0b\xd4\x9fX\x01~\x00\x16\x80\xcf\
\x80\xe7\x80\xb7<\xec\xf8\xe7{\xaa\xdb\xdcU\xd1\xc4[\
\x03\xf3&[Y\xcd)\x1b^\x0f|\x1c)F\xcbL\
.\xa1\xa6rF?7\x05Y\xf5\xcax=kU\xd2\
\xfe\x99\x81~\x91\x09\x90\xdfx+\x11\xb6\x07\x8aQ\xee\
\xaa\x8e\x18@\xc9\x98\xb5\xaf\x13\xb2\x0b\xae\x17\x8d]\x03\
\xfe\x0e\xdc\x09\x84\x10\xac\xccaS\x19\xe7\x10\xdcS\xdf\
7\xe6\xaa\x9b\xe0\x9fuO\x80\x03\xc5}\xd8\xcc\xf7\x8b\
\x03\xd6\x81\xbf\x01\xf7\xb2s\xba\x9e\xf2\x22\xeb\x18G\xc0\
\x12\xc0\x14p\x161\x0fz\xe6\xbf\xf3[\xe91Y!\
\xa0\x1a\xb9\xd9W\xc6\xdd\xe5\xf8<\x8e\x0b\xeeRq7\
\xfb\xd1n\x08=\xbc\x1e\xf0\x04=z\xe1\x90\x1e\xea)\
N\xc7X-%8\xe7W/\x00\xd9F\x95L)0\
w\x07\xc0}\xe0\xd2\x9b\xabW\xe8\xee\x09M\x9e\x9f\xd0\
\xdc\x04%\xe8\xfa\xe3V;\xc4\xf6\xf7\xa7\x81.Hx\
f\xfb:V\xee\x03G\xe8\xca\x7f\xadc\x05\xa0\x03\x9d\
\x13\xa8/\x92\xd1g\xee\x08\xe4\xa7\xf1\x04cX\x01y\
\x0b.*P\x9dF\x15\xd3)\x83\xad\xbd\x0b\xfc\x0e\xf8\
K\x01\x03\x01t\xe6\xa1\x9e\x04?>N\xa8\x1d\xf9\xce\
y\xd4R\xf8\x1d\xd59\x87\xfa\xe1\x10d]\xd4<\xfe\
\x06\xf8$\xa0\xd9+\xcfz\x0d\xb8\x0dr\x1e-fn\
%b\x01\xc4\xd1\xe1]`\x1a&\x1f\xaa\x12t\xfb\xd9\
\xe1\xb2\x0e\xfc\x03\x0dp\x8c C\x80\xeem\xa8M@\
\xfd%\xb8N\x01CG\xd9\xbfR\x07\x16\xe0\xa2\x06\xd5\
\x93\xbc\xd6N}\x93\xbf\x02k\xe0\xf6\x82\xce6\xc8\x09\
\xbac\xdf\xf6\x9ekB[\x9f\xe8\xd8\xc7:\xa0\x0a\x9c\
\xfb\x09\xee\xa1\xab\xf2\x85M\xb3,\xa1\xdb\xbe\x87\xad\x13\
\xa6\x81U\xa8\xb5U\x89\x152o\x80\xeb\xe83\xd5\xb6\
2\x18\x1e\xab0\xaa\xa3\x87\xfa\x02+\x05\x88\xbe\xf1c\
\xee\xf9\xe7:d\x1d\xb9\x22+\xc0\x06\xf0\x0c\xf5\x01\x8c\
\x03|\xd8\x04\xba\xe0\xba\x9e\xe0H1\x1e\xcdC\xbb\x86\
\xae\xc2\xf9X<\xdbp\x01<\x85\xf6$\x1c/`\x87\
\xb4]\xe0L\xe7\x8c\xc1\x9d\xa1\x8b\xfa\x83\xe7)\xc7\x8b\
%\x80\x06\xea=-\xe6\xb7|\x02\xcd)p\xadl[\
\x22\x84\xcb\xf7a\xae\x07\xb3\xaf\xccGo\x04\xb3\xaf`\
\xf6Rq[G\xcd\xb5`\xae \x16a\x075\xdf-\
\xd4\xc2e\xc0\x12\xc04\xaa=\x0b\x94\x9a,\xa3n\xaa\
\x01\xc7M\xa8|\x0f\xcc3~\xec=\x06\x88\x03\x16\xa0\
\xf2\x9d\xcea\xc2s\xdbYr\x97@\x19\xdc1\xba\xb8\
\x19\xb0\x04 \xa8i\xd9) d\xc2\xb6\xf32\x05\xa5\
d\x22\x7f\x1c\xac`\xeb\xda\x10n\xfb\x16\x94J^\xbf\
\xc4\xc3\xae\x946\xb1x:\xd4#4\xda\x0a\x94\x07\x83\
L\xbf}\x13\xd5\xb2\xe1*\xcc\x82t\x81\x15\x98\xd9\x0f\
\xfaZ\xc0\xbb\xc0\x13\xd2\x8cN\x06\x92\xd4\x19\xa8Oa\
\xe5\x05\xe7\xd0@\xe7\x07\xfd-\xa0;s\x03\xe4\x19\x03\
?#\xc1\x7f\xa6}\x1cd\xd1\xb8c\xef\x0e'\x81Y\
\x0a1a5rIH\x99G\x83\x8deOd\x84\x9c\
\x1etf\xa1~\x00\xc4A\xc6#O\xd0\xd7\xc1\xe4+\
@\x1f:gP\xdf\x05\x1ctoA-\xc9/>\xf3\
\xdf\xce\xcf\xf9\x05\x9a+\x0c\xe1\x15tf\xa0\x9e\x08-\
\x9c\xb7\x89*\xbe\xbe\xee\x86TW%y\xcbL\xc2\xc6\
Z\x99E\xe0K\x90\xaa'\xe0%\xb8C4\xd3s\x96\
\x8f\xfc\xa4\x01\xf52\xb8\xe7yT\x82g~\x018F\
W\xec\x1bcw\xb5\xfd\xf82\xba\xe2\x07\x9e\x8e\xffh\
_.z;\xf1\xa6\xcfg\x7fC\x9ad\x1f\x15\x98\x17\
\x9al\x02O\xe0\xa4\x03\x8d)\xb2\xe1\xb1\xa9\x03J\xa8\
\x04o\x83\xdb\x09\xec\xf7-l\xe57\x0dG\x05ih\
\xa5\x00\xcd\xf4n\x01O\x87\x87\xc4\xa9/\x7f\x1f\x0dg\
\x87\x05R'\x18\xbe\xbd_\x08\x9f\xb9r'\xa8\xb7\xba\
\x01\x8d\x03\xf4He\xa0H\x09.\xe5\xe3\x01( \xbe\
\x01\xf3GF{\x02e%\xb4\xf2\x90\x9c\xb3\x94\x9b:\
Qx\x9fa\xdf?\x84\xb4\x14\x08 7N|j|\
\xcd\xea\xb5\x04\xb0\x00X\xf6\xdf\xba\x84\x18\x07V\x18$\
4\x0c\x8f1\x81\x9c\x93\xf3\x12.\x8c\xd4{\x06\x8a\x84\
i\xd1\xfa\x0aC`\x05G\xe0Z\xe1\xec(\xc1\xf4\x07\
;\xa70\x946<<\xd7\x85\xea\xa8|\xdb5r\x0d\
\xee\x0cU\xe6\x19\x88\x050AqTw\x13\x9b^\x83\
nd\xdeb!\x0c\xbd\xb1\xb9\xa9\x1fQ\xf4\x5c\xae=\
\xb6\x02\xcbpei\xf3\xc0?\xc8\xb4\x97\xec\xf6\x14\x9a\
P{f\xd0! \x8f\xd1$\x0b\xc0\xa3\x02\xfd2b\
\x85\xbb}\x8d4s\xd0\xc3\xce\xd6\x8e\x8a\x05z\x15\x98\
\xb8\xce\xf6O\xecu\x11\xf4G\xf4\xbf&\xd4\x1c\xc5G\
p\xacy#\x01\x94\x9f\xa1\xf67\xc6\xd5\xb3\x11\x8e\xcc\
\xf2\x1e\x90\x9a\xa4\x10\xd2m\xff\xc8\x7fFX\x87B(\
\x12@\x19\xdb\xb3\xcc\xcd\x11\xeb\x80.Q\xbc\x1c@\x11\
\xb3\xc3\x08\xbf\xca\xcf\x11\x9f\xf9Q\xd6a(\x14\x8d\x1f\
[9\xc6\x02Hr\xe79my\x03\x22\x12\xe8\x93\xde\
'\x16)<K\x082C\xea\xe9\xddx\xee\x00\xc4\xe7\
\x17\xb3`\x99\xc1#\x06\xb78?\x06<\x07VFh\
{\x22!\x94P\xaf\xcd\xb8p\xc9\xc0\x98\xbeI\x12N\
\xe7\x05j\x09\xc0\x01\xfb\xe4/\x12\x8b\xa4}\x00mC\
od\xe0%\xf0!#\x8b\x13\x9c\xa0a\xf8G\x0c\xbf\
\x13\xc4g\x80\x8e\x8b\x10\x0d~\x8aC\xad\xcd.c\xe8\
\x00\x00\xf1\x8e\xd0S\x15Bz\xb3s\x80y\x1b\xcb%\
4\xaaC(M\xee\xeb\xfe\x05lj\xde\xa0\x08d\x8e\
\xc1\xe5\xcb\xa6E\xf0\x00\xe6&1\xd3m\xedE\xd2\x88\
U\x9ahn\xe3\x91\xc752\x1f\x00\x9a\xe7\x9f\x04w\
\x0e\xec(\x12\xd9@\xad\xc3\xbc\x8f\xbdCDK\xc0\x19\
\xc8;D\x91\x16\x9a\x81YC\xa3\xba&p\x01\x17[\
^\xc7XN\xcf)\x1a\x19.\xe9X\x1e\x00\xff\x06\x89\
Ms\x92\xd9I\xf2\x01\xc9\xff$\x84\xeex\xfc{z\
\xaf\x09>\x83\x9d\xf3Ib\x01t|\xdb2z\x1e\xd1\
\x0b\x05\x8e<\xbd\x02\xecg\xb7\xb1\xa0\xb9CY\xcf\xe6\
\x10\xd3s\xf7Op\xed`\x8e\x82<\xa3\x05\x02\x9a8\
\xd9\x8d\xe6\x5c\xd3`-a<\x09\x87\xc5\xa1\xbb\xfa8\
\xdb\x0e\x0c\x0a\xb62\xd9\xe9\xf8\x08\x84W\xd7\x16\xec\xa1\
\xc1\x8d\x05\xcf\xc8\x14V\xe0oe_\xfbn0\xb6\x0e\
+\x14\xe6$\x93\xc0\xcb\x84\xe4:>\xa38\x8b\x94\xe0\
\x85m\x0a]_\x89\xb2\xeam\xdc\x15\xd0\xf2g0\xc9\
\xdb\xbf\x0e\xf3\x09\x04Bh\xddF\x13$VN\xb2\x1c\
\xd0\x18\xf7-\xa3\xd6h,%\xd8F\xed\xa5\x19?\xfb\
mnd_\x018\x83\xc62\x9c\x9c\x8d\xe1%^\x03\
\x9c(\xce\x99\x15\x06ew1,S|\xbc\x92\x1a\x85\
\x9cY\xb5\x04p\x86*\x97rA\x86\x158\xee\x90\xbb\
\xf7O\xb7\xfdW\xd08\xd3s\xfac\x81\xac*N\xbe\
\xc2\xf4\x18\xa5\x01\xad\xae-t\x99\x83\xb3.\xcaSN\
xE\xf9\x80\xc4f\xbem\x13\xd4<T\x84\xc91\xc9\
\xb9\xb7\xa7\xe8\x96[\x85NA\xa1\xd38p>\xab8\
\x92\xeaO\xd3m\x9e\x04fa.N\xd6&\xb0\x02S\
\xd3\x01O\x19\x88\x05pA\x9a4p\xdet\xc9\xba\x8d\
\xd7\xed+rJ\xd8\xee\xed\x15\xb0\x07\xf5KU\x5c\xb2\
8\x9e\xaf/\xce\x8f]\x81I\x8f#<\xf3\xa1\x10(\
\x01\xabv\xfa\x0e\xd44_T\xc0}\xeb\x1b\xeaDV\
6\x83\xf1\x95\xd3'h9\x1a\xc02Z'\xd4\x0f\
\xc6]\x02\xbfE\xaf\xc7\x97\x0d\x9d\x97\xa4\xa0N\xd1\xf8\
\xfc=/\x84a\x89\x0f!\xad5\xa0\x81\xba\xd1VM\
\xcf%\xf0{\xe0S\x06\x97\xa3\x89\x19L\xcak'\xf5\
f;\x85\x12\xc3\xddg\xd9B\x0b\x0f\xc2\xb6\x86\xf7\x08\
7\xa2\xf6\xa4\x0eo\xcd\x7f\x1bVC\x1a\xdc\xa8F0\
}~\x05\xf3RE\xaah\x09\xed\x1c\xc8\xbb\xb6N\x90\
\xf7\xf3\xd6J>d\x8c\x1a\xa1C\x90 #\xebN\xe0\
\xa4\xab\xf5\x80)\xa2\xf0\x8a\xba\x0f\xee\x11\xea%\xbe\x06\
\xb3\xe3\x82\xcc\xa0)\xfb\xef\xd1\xcc\xcf\x0ey\xc5\xb8\x81\
\xa6\xe0\xc3\x0b\x9e\xe4n\x22\x03\x96\x00\xba@\x95LI\
\xec\xcc\x0b\xa8Lz\xc9\x16\x85\xb4\xfb\xd0\xaa\xaa\xce\xb8\
V]\xee\x98 e\xc5\xdd\xaa\x90\xaf\xfa\x08\x14c{\
\x11\xba\x1d2\x1a_*\xa8n\xcb\xd5(X\xb1@\x09\
\xdc\x9enyy\x16(\xa0\xa7\xa8F\xee\x01\xff\x0d\x98\
\x0f$?w\xe0\x05\x94\x84\xbf\xa1\x0b|\x13H\xbc\xbf\
U\x94\xd1\xa70'Q\xbf\x049\xc6\xfb\xd0h\x91\xb9\
\xbe\x93\x8a\xd2\xe3v@\xee\x1a\xccf\xe0%i.\xc0\
\xed\xa2u6\xc9\xd6\x17T\xf1T\xc8f\x8d\x22\x1cN\
T\x80\xec\xa3\xb5?\xf7\xc6\x08\x97\x0dh\xddF\x9d\x9b\
%\xe0\xb9\xee\xb0\x9c\x9d\x9f&]\xd5\xe3&\xba\xeae\
Tyv\xd0\xda\xe6%e\x1e\xd0\xcb\xd8\x8c3\x14\xed\
\x00w\x9a\x0dW\xdd\x1eZ\xc3\xbf\x81Ff\x9f\xa3B\
x\x00\xe7'P=R\x22\x0b\xcd[_\xe7h$\x15\
\x9bI\x1b\x80\x83\x0b\xbf\xbb\xaa\xc9\x0b\x14!\x1c{f\
\xbc\xa93\x1d\xcbe\xc5/K\x1eo\x12#|\x00<\
\x04\x0e\xc0\xbd\x0c\xc6\x97\xe3{F\xeb\x08\xc4\xcct=\
!\x0f\xd1\x82E\xd0+\xefe\xdf\xbe\x1f\xb4\x1b b\
\xf7\x8b\x83\xea\xa4g\xb0S\xe0\xc5\xad\x8f\xc0}\x05L\
\xc1\xd1\xf7\xd9\xeb9q\x9e\xb6\xf8\xcc\x8f\x93B\x93;\
\x03\xe7'S._\xcfZ\x07\xf0f\xe8}\xecDI\
2\xe6\xffP.\x0f\xba\x00\xf2\xf3\xbc\xf9\x95\xa6Z\x8a\
\x5c\xb9\xfc\x1d\xcc\xb2^\x1b\xf9\xc7\xd8/L\xac\x92{\
aB\x1c\xfa\x82\x85\xf1\x02C:f{\xcc\x89C\x9c\
\x05\xcf\x88C\xdf\x18\xf9\xa5\xd1W\xce\xfa+\xa9\x10\xaa\
\x8c\xff\xc2D\x8a\xe8O\x05N\xc8F^\x08\x00\xf2\x1e\
\xfa\xcaJ\xee\xa5\x04^\xeb\x95\x99\xb4\xad\xe4\x9d\x9f\xb7\
@\xde1\x9c\x9f\xb2\xa5\xe5=\xf3\x7f\xc8\xe3+\x9e<\
\x91ZY\xa5\x16{\x80\xe0w\x82q}-\x1b~k\
\xde\xd3O+t\x9e*\x8c~ij\xca\x8f\x09\x04/\
+\x0c^\xbe*z9j\x1e3f\x91-\xcfC)\
\xbf\x9b\x15bD\x86\x93#\x9b\xa8\xb6\xf55\xba\xb4\xfc\
\xef\x1aj\xe6\x1cz\x01r\xc1\xe0\xb5\xb9\x19@\xa07\
\x0d\xe5\xc4)JJd{\xc1\xff\xe4\xf6&ym.\
(\x97M\xe9\xeb\xfaq\x0e5a\xa7\xfe\xf7$\xaa\xc4\
}\x01\x06\x1dT\xa1\xce\x06x\xf6\x06N\x93\xed\xc0\x8d\
\xb8\xa2\x8eA&0J\xcd<\x9e:y-\x1b\xbf8\
YB\xaf\xca\x92#Te\xe0_\xe0\x998$k\xf3\
\xac\x17'\x85A\xe23\x06\xa3\xb46}\xac\x88\xc77\
\xf7\xd5Y\xab\xe1\x0d\x80\x0c\xcfo\x1a\xf3\x09\xa8\x10\xfe\
\x07\xb4\x0a\xfd~\xcf\x22[\xc2\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x0ap\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x0a\x22IDATx\x9c\xed\
[}\x8c\x5cU\x15\xff\x9d;3o\xdc\xd6\xdaY\xf9\
rwJ\x04\x8c\x04\x82%\x01\x8a\x82\xa9\x8bT\x0d\x88\
|C*\x1f\xa1\xecv\x99y\xbb\xdb\xb2j#($\
2\x1d\x04SQ\x96\xda\xb0\xcc\xbcy\xdd\xb5li\xc4\
G\x02D\x0c\x1fM@\xb0*\x04jQ\x02\x02A\xf9\
(\xed\x14\x85\xed[Z\xb6vw\xe6\xbd\xe3\x1f3K\
\xde\xdcy\xf3\xde\x9b\x9d\x99\x8d\xd1\xfe\x92\xf9c\xce\xfd\
\xdds\xcf=s\xe7\xbe{\xcf9\x0f8\x84C8\x84\
\xffg\xd0\x5c\x0c2::zD\xb1X\xecb\xe6\xc5\
\x00N\x00p\x1c\x80\x18\x80O\x01\x08\x01\xd8W\xfe\xec\
$\xa2Wm\xdb\xfe[(\x14\xda\x96H$\xdej\xb5\
m-s\x80\xa6i\x9f#\xa2nf\xbe\x10\xc0\xc9\xb3\
T\xf3\x163?&\x84\xd8\x94H$\xb6\x13\x117\xd3\
F\xa0\xc9\x0e`f\xd24\xed\x1c\x22\xba\x11\xc0\xd9\xcd\
\xd4\x0d\xe0ef\x1e\x22\xa2\xfbTU-4Ki\xd3\
\x1c\xa0i\xda\xd9\x00\xee\x00\xb0\xa4Y:k\xe0m\x00\
k\x93\xc9\xe4X3VD\xc3\x0e\xd0u\xfd(\xcb\xb2\
\xee$\xa2\xab=h63\xff\x91\x88\x9e\x06\xf0\x1a\x80\
\x7f0\xf3^\xcb\xb2\xf6\xb7\xb5\xb5Y\x07\x0f\x1e\x5c@\
D\x0b\x89\xe8X\x22:\x1e\xc0\x99\x00\xbe\x01\xa0\xad\x96\
Bf\xde&\x84\xe8O&\x93\xaf4b\x7fC\x0e\xc8\
d2_\x14B<\x0c\xa0\xc3\xa5y?\x80G\x89\xe8\
\x91\xe9\xe9\xe9\xc7W\xaf^=^\x8f\xee\xa1\xa1\xa1\xb6\
\xf9\xf3\xe7/\x03p\x01\x80\x0bk\x8cq\x90\x99W\xf6\
\xf5\xf5\xfd\xaan\xe3\xcb\x98\xb5\x034M\xbb\x0a\xc0(\
\x80\xa8l\x14\x80\x0d\x96e\xad\x1b\x18\x180g\xab\xdf\
\x09\xc30\x14\xd34\x13\x00n\x01p\xa4\x0b\xe5\xf6|\
>\x7fK:\x9d\xb6\xeb\xd5]\xb7\x03R\xa9\x94\xe8\xe8\
\xe8\xb8\x8d\x88n\x92\x9al\x00\xa3B\x88t\x22\x91\xd8\
U\xaf\xde \x18\x19\x19YP,\x16\xd7\x00\xf8>\x80\
OJ\xcd\x0f\x17\x8b\xc5kV\xadZ\xf5Q=:\xeb\
r@*\x95\x12\x9d\x9d\x9d[\x00\x5c!5\xe5m\xdb\
\xbe\xa4\xbf\xbf\xff\xf9z\xf4\xcd\x16\xba\xae/\xb2m\xfb\
!To\xb8/NMM}uppp_P]\
\xa2\x9e\x81;;;\xd7B\x9a<3?\x07`\xc9\x5c\
M\x1e\x00\x12\x89\xc4\xae\xc9\xc9\xc9.f\xde\x225\x9d\
\xa2(\xca\x16\xc30BAu\x05^\x01\xd9l\xf6\xdb\
Dt\xbf$\xbeWQ\x94\xbe\x9e\x9e\x9e\x83A\xf54\
\x13\xccL\xb9\x5c\xee\x06\x00\xebP9\x97;TU\xfd\
A\x10\x1d\x81\x1c\x90\xcdf\x97\x10\xd16\x00\x9fp\x88\
\xefK&\x93+Zq:\xab\x17\x9a\xa6}\x17\xc0]\
N\x193_\xdb\xd7\xd77\xe6\xd7\xd7\xd7\x01w\xdf}\
\xf7a\x91H\xe4\xaf\x00\xe2\x1fw\x22z>\x12\x89\x9c\
U\xef/\xaf\xeb\xfa\x89\xb6m_\x02\xe0d\x22Z\xc4\
\xcc\x8b\x00X\x00v\x95?;\x84\x10\x0f\xd6{\x07(\
\xaf\x84\x11\x00=\x0e\xf14\x803UU\xdd\xe1\xd5\xd7\
\xd7\x01\x9a\xa6\x8d\x00X\xe9\x10\xe5\xc3\xe1\xf0\xe9\xbd\xbd\
\xbd\xf9 \xc6\x19\x86\xa1LLL\xf43s\x1fJ\x17\
\xa1 x\x91\x886\xc4b\xb1\xcd\xcb\x97/\xb7\x82t\
\xd8\xb0aC4\x1a\x8d>\x05\xe0\xcb\x0e\xf1\x8e|>\
\xff\xa5t:]\xac\xd5\xcfs\x13\xd44m)*'\
\xcfB\x88\xcb\x82N^\xd3\xb4\x8bM\xd3|\x85\x99\xd7\
#\xf8\xe4\x01\xe0\x14f\xfe\xa5i\x9a\xdbu]_\x16\
\xa4\xc3\xe0\xe0\xe0\x94\x10\xe2R\x00\x1f8\xc4\xa7vv\
v\x0ex\xf5\xab\xb9\x02\xca\xcb\xea\xf7\x00\x96:\xc4\xf7\
\xa9\xaaz\x8d\x9f1\x9a\xa6E\x98y=\x11y\x0e^\
\x07\xd2\xf9|\xfe\xd6 \x07\x1d\x97\xfd\xe0\x83\xb6\xb6\xb6\
cV\xacX1\xe9\xc6\xaf\xb9\x02t]\xefB\xe5\xe4\
\x0b\x96e\xa5\xfc\x0c\xb8\xe7\x9e{\xda\x01<\xd6\xc4\xc9\
\x03@*\x1e\x8f\xffZ\xd3\xb4y~DEQ\xb2\x00\
v:D\x87\x1f8p@\xad\xc5\xaf\xe9\x00f\xbeA\
\x12i\x03\x03\x03oz\x0dn\x18\x86\x12\x0a\x85\x1e\x06\
\xf05?C\xeb\x053_\x0e`,\x95Jy\xfem\
{zz\x0e\x12Q\xc5\x0fEDkj\x9d\x0d\x5c\x95\
\x0d\x0f\x0f\x7f\x06\xc0\xb9\x0eQA\x08q\x9b\x8f\x81d\
\x9a\xe60\x80./^\x83\xb8\xac\xa3\xa3\xc3w\x15\xc6\
b\xb1\xcd\x00\xdep\x88\xe2\x13\x13\x13_w\xe3\xba:\
\x14\x0a]\x85R\xa8\x0a\x00\xc0\xccO%\x12\x89\x7f\
z\x0d\xaai\xda\xd5\x00\xae\xf33\xaeQ\x10\xd1-\xb9\
\x5c\xceu23(?9\x1e\x90\xc4\xd7\xbaq]\x1d\
\x84\xb8@\xfa\xfe\x1b\xaf\x015M\x9bGD\xeb\xbc\
8\xcd\x043\x0f\x058\xeeV\xd8\xcc\xcc\xe7\xb9\xf5\xa9\
r\xc0\xd8\xd8\xd8|fv>K\xc1\xcc\xbf\xf51h\
\x0d\x1c\x07\xa59\xc0\xe2\xbd{\xf7v{\x11\xf2\xf9\xfc\
\x0b\x00\x9c\xabv\xe1\xf8\xf8\xf8i2\xaf\xca\x01\x07\x0e\
\x1c8\x03\x80\xe2\x10\xfdEU\xd5\x9d2o\x06\x86a\
\x84\x88h\xd0\xd7\xe4&\x83\x88\xbe\xe3\xd5\x9eN\xa7m\
\x22\xaa\xf8\xe1\x88\xa8*NY\xe5\x00!\xc4\x17\xa4N\
\xdb\xbc\x06\x1a\x1f\x1f\xff\x0a\x80#<\xadm\x0d\x16g\
\xb3\xd9\xcf{\x11\x98\xb9\xc2v\x22:I\xe6T9\x80\
\x99Ot~\xb7m\xfb\x0d\x99S\xa1@\x88\xcb\xbd\xed\
l\x1d\x88\xe82\x9fv\xd9\xf6\x13e\x8e\x9b\x03\x8e\x91\
\x94x>\xfb\xd1\xfa(pM\x10Q\xd5\x7f\xda\x89B\
\xa1 \xdb~\xac\xcc\xa9r\x00\x11-p~\xb7m{\
\xc2\xc7\x8e\xb9\xdc\xfc*`\xdb\xf6\x22\xaf\xf6y\xf3\xe6\
\xc9\xb6/\x909n\x8f\xc1\x0a\x12\x11\xd5\x8c\xb1\x95O\
en\xd1\xda9\x01\x11y:\xa0\xbb\xbb{\x0a\x80\xf3\
&\xa8\x18\x86\xe1\xdc\xe0]\x1dPqA\x0a\x85B^\
\x01\x0fQC\xc7\x5c!\xd2\xa8\x027\xe3\xf7;\xbf\x14\
\x8b\xc5\xaae3\x83\xf2=\xdb\xf3\x84\xd8J0\xb3g\
\xf4y\xd3\xa6MQ\x00a\x87hz\xf9\xf2\xe5\xd3N\
\x8e\xdb&X\x11Q\x15B\xc4|\x8c\xd8\xedojk\
\x84\xf0t@\xb1X\x5c(\x89\xf6\xcb\x1c\xb7M\xf0\
\x1dIT\xb5sJ\xfc\x97\xbd\xda[\x09f\xf6\x1c\xdb\
\xb2\xac\xe3$\xfe\xdb2\xc7\xed/\xf0\xaa\xf4\xdd\xf3\xb0\
AD\x0fz\xb5\xb7\x18~c\xcb\xb6\xbf&\x13\xdc\xfe\
\x02r\xb2q\xa9\xccq\x22\x12\x89l\x05PW6\xa6\
Ix'\x99L\xbe\xe8\xc3\xa9\xb0\xddm\xb5V9\xc0\
\xb2\xacg\x018\xf3\xef\xa7\xea\xba^\xf3qS\x8e\x0c\
o\xf21\xa4\x15\xc8y\x85\xe4S\xa9\x94 \xa2\xf3\x9d\
2!\xc4\xd32\xaf\xca\x01\xe5\xdc\xda\xb3N\x99eY\
\xe7\xcb<'\x22\x91\xc8\xad\x00>\xf41\xb8\x99xw\
rr\xf2./B<\x1e?\x0d\x95g\x94}\xbbv\
\xed\xda.\xf3j=\xc3\xe5[\xd4\x85^\x83\xad\x5c\xb9\
\xf2}\x22\xf2\x8c\x185\x13\xcc|\xf3\x9a5k\xfe\xed\
C\xab\xb0\x99\x99\x1fw\x0b\x8f\xbb: \x1c\x0eoA\
)\xdb;\x83e\xa3\xa3\xa3\x9e7\xbe\xdd\xbbw\xafg\
\xe6'|\x8cj\x066\xab\xaa*\xe7\x04+\x90J\xa5\
D9\x86\xe8\xc4\xbdn\x5cW\x07\x94\xe3\xfe[\x1d\xa2\
h\xa1P\x90\xd3\xe1\x15H\xa7\xd3\xc5h4z\x05\x80\
\xd7\xbdx\x8d\x80\x99\x9fS\x14%\xe9\x97\x8e\x8b\xc7\xe3\
W\xa22\x0f\xf1\xde\x9e={\xb6\xbaq\xbd\xa2\xc2?\
\x97D\xab6n\xdc\xf8Y\xaf\x81{zz&,\xcb\
:\x0f\xadq\xc2\xf6P(t\xb1_:\xce0\x0c\x85\
\x99\x7f,\x89\xef\xaa\x95\x1d\xaa\xe9\x00UU\x9fB\xe5\
f\xa8\x14\x8b\xc5\xb5~V\x0e\x0c\x0c\xbc\xa9(\xca\x19\
\xa8\x5cA\x8d\xe2\xfe\xc9\xc9\xc9.\xbf\xc0,\x00\x98\xa6\
\x99D\xe5\xe1mo8\x1c\xce\xd4\xe2\xd7t\x00\x11\xb1\
m\xdb7K\xb2\x15\xba\xae{\xde\xc1\x81\xd2J\xc8\xe7\
\xf3\xdfb\xe6\x1f\xc2\xe5\xf8Y\x07>`\xe6\xfed2\
yU\x80M\x0f\x9a\xa6\x1d\x0e\xe0G\x92\xf8'\xbd\xbd\
\xbd5m\x08\x92\x1c\x1d\x03\xe0L\x87\xbd+\x848=\
\xc8\xaf\x01\x00\x99L\xe6H!\xc4Z\x94\xc2\xd2\xbe\x99\
\x9d2>\x04\x90\x01\xb0NU\xd5@\x8f\xd7r\x1d\xd1\
V\x00g9\xc4/\x01X\xe2UW\xe8\xeb\x80\xf2\x04\
^\x02p\x94C\xfc\xa7\xa9\xa9\xa9e\x83\x83\x83SA\
\x8c\x03J\xa1sf>\xb7\x1c\xc6Z\x8cR \xe5\xd3\
\xe5\xe6\xf7\x01\xe4\x01\xec \xa2\x07b\xb1\xd8\x93\xf2\xad\
\xcd\x0f\xb9\x5c.S\xce@\xcf\xa0`\xdb\xf6R\xbf\xca\
\x95@\x05\x12\xba\xae\x9fa\xdb\xf6\xd3\xa8\xac\x08\x1bM\
&\x93\xd75R 144\xd4\x16\x0e\x87\xedz\x1c\
\xe9\x86\x5c.7\xc0\xcc\xc3N\x193_\xd7\xd7\xd77\
\xe2\xd77p\x89L.\x97\xbb\x86\x99\xe5\x8a\x8b\x5c{\
{\xfb\xf5\xf5\xfeZ\xcdB9\x83}=J\xd9`\xe7\
~\xb6^U\xd5\xef\x05\xd1\x118\x9a\x93L&7\xa3\
T\x0a[!6Msky\xf3\x99S\x18\x86\xa1\xe8\
\xba\xae\x03\xf8\x05\x1c\xf3`\xe6'\xf2\xf9\xbc\x9c\xd8\xad\
\x89\xba\xc2Y\xed\xed\xed73\xf3C\x92\xf8,\x00/\
h\x9a\xb6\xb8\x1e]\x8d \x93\xc9\x1ci\x9a\xe6\x93\xcc\
\xdc+5\xbd\x12\x8dF\xaf\xf0\xaa\x08\x91Qw\xa1\xa4\
a\x18!\xd34\x7f\x06@^b\x05\x00\x19\xdb\xb6o\
\xef\xef\xef\xffW\xbdz\x83\xa0\x5c>\xbb\x1a\xc0M\x00\
\xda\xa5\xe6\xc7\x00\x5c\x19\xf4\xa91\x83Y\x97\xcaf\xb3\
\xd9^\x22\xca\xa0:0\xf9\x11\x80;\xa7\xa6\xa6\x86\xea\
)X\xf4B*\x95\x0awvvv\x03X\x0b\x970\
<\x11\x0d\xc5b\xb1\x1b\x83\xd6\x13U\xf4m\xc4\xb0l\
6\xdbU\x8e\x08\x1d\xe6\xd2l\x12\xd1#\xb6m?2\
==\xbd\xb5^g\x94\x8b\xab\xba\x98\xf9\x02\x00\x17\x01\
p;\x86\x17\x98\xb9?\xc8n_\x0b\x0d\x97\xcb\x0f\x0f\
\x0f\x1f\x1d\x0e\x87\xd7\x03\xb8\xd4\x83V\x00\xf0\x0c\x80\xdf\
\x11\xd1\xeb\xb6m\xff\xdd\xb2\xac\xbdD\xf4Q\xb1X\xb4\
\x22\x91\xc8\xc7\xe5\xf2\x00f\xca\xe5\xcfA\xe9\x95\x9aZ\
xA\x08\xd1\x9fH$\xfe\xdc\x88\xfdM{a\x22\x97\
\xcb}\x93\x99\x7f\x8a\xd2!\xa7\x95\xc8\x03\xb8\xb5\xbd\xbd\
}\xe3l\x96\xbc\x8c\xa6\xbe2\x93J\xa5D<\x1e\xbf\
\x88\x99o\x02pz3u\x03x\x13\xc0\x90\xa2(#\
\xcd,\xcdm\xd9KS\xb9\x5c\xee$\xdb\xb6\xbb\xcb\xd1\
\xa4\xe3g\xa9\xe6=\x00\x8f2\xf3\xbd{\xf6\xec\xf9\xc3\
l\xde\x07\xf0\xc3\x9c\xbc67<<|t(\x14:\
\xbb\x9c\x9f?\x01\xa5\xeb\xeaB\x94\xfe\xe3a\x94.?\
\xfb\x00\xbc\x8bR\xe8\xfa5f~FU\xd5W\xff\x1b\
j\x91\x0f\xe1\x10\x0e\xe1\x7f\x17\xff\x01\xf2\xb6\xd3\x83\xa1\
9>\x15\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x03J\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xfcIDATX\x85\xe5\
\xd7Mh\xdcE\x18\xc7\xf1\xcf\xb3\xbb\xa9\xb7(R4\
\xc5\x84\xd6\xd0j\xed\xc9C)x\xf0\x95b\x0f\xa5M\
\x05ED\xb0P|9\x88\x17A\xdct\x85e\xc9v\
\x1b\xf1\xa4\x14\x05\x11D\xd1\xab\xc1D\xab\x16\x94\xf6$\
\x12\xb1\xf4\xa0\x14\x84\x08\x9a\x17\xc5\x83(\xad\x87t\xcd\
x\xd8\xffn7\xaf\xcd\x9a\x8d\x97>\x97\xff0\xf3\xec\
\xfc\xbe\xf3\xb03\xf3\x1b\xae\xf7\x88\x8e\xb2Ki@8\
b\xc1~a\x00\xfd\xc8a\x06\xd38'\x8c\xa9\xc6\x8f\
\xdd\x05(\xa5}\x18\xc5\x83\xeb\xcaO&1\xac\x16_\
n\x0c\xe0\xe5t\xa3\x82\xb7\xf0D\xd63\x87\x09\xe13\
\x0b\xa6$sXP\xd0\xe7\x1f;\x84\x871\x84\xedY\
\xfei\xc91\xb5\xf8\xads\x80b\xda)o\x1cwa\
N(\xcb{W%\xeakB\x97SN\xdd\xe3\xa8b\
P\xf8Y8l$.\xac\x1f\xa0\x98\x06\xe5}\x83\xad\
\xf8X\xc1S*\xf1\xd7\x9a\xc2K\xe3\x85t\x83^o\
\xe2\x18.\xcb\xb9\xd7H\x9c\xbf6@9\xf5\xaa\xfb\x1a\
{$\xaf\xeb\xf1\xa2J,t$\xde\x8a\x14\x8e+\x0a\
5\xc94\xf6\xa9\xc5\x5c{Fn\xd9o\xeaNa\x0f\
&6&\x0e\x91\xd4\x8c\xe2\x1d\xa1_\xf8\x80\xb4h\xd1\
\x8b+PJ{1\x89\xdf\xd5\xed\xf2j\xfc\xf9\xdf\xc5\
\xdb\xa2\x9c\xb6\xa8\xbb\x80\xdd\xc2A\xd58\xdd\x1cZZ\
\x81\x93\x19\xd6H\xd7\xc4\xa1\x12\xf3B\x09$\xa3\xedU\
\xb8Z\x81\xe3i\x9b0\x83?\x14lS\x89\xf9\xae\x01\
4\x94C\xc9\x0f\xd8-\xe7\xee\xe6\xaeh\xaf\xc0\xa1\x0c\
\xe8\xd3\xee\x8bC$\x8c7X<\xd2\xec\xbd\x0a\x10\x1e\
\xc8\x06?\xef\xbexK\xe3\x8b\xac\xf5\xd0r\x00\x062\
\x80\x9f6\x0d\xa0n*\xd3\xe8_\x09\xa0?\x1b\x5c\xb4\
O\xbb\x1a\x97[s\xdf\xd6\xfc#.?\x07\xfe\xaf(\
[\x02\xd0\xd8\x01\xe4\xf5m\x9ahok\xee\xd9\xe6\x01\
\xd7^\x81_\xb2\xef\xed\x9b\x06\x90\x0cf\xad\xe9fW\
;\xc0\xd9\xec{`\xd3\x00\x1a\xd75|\xb5\x1c o\
\x22k\x1d\xf4l\xea\xe9\xbez\x0a\x1cn4\x8d-\x07\
\xa8\xc4lF\xb6\xd5-\x9e\xee\xba\xfe+\x0ei\x5cr\
\xdf\xabiy\x83\xc5\xbb \xa7\x98\x11\x96\x95So\xd7\
\xc4\xcbi\x8b\x94\xdd3\x0cg\xa7\xe2\x0a\x00#1\x89\
\x0fq\xab\xba\xf7\x95S\x17\xb6i\x0aW\xbc\xa1\xb1\xfa\
\xb3N\xf8\xa4}t%?\xf0<.bH\xddk\x1b\
\x83H\xa1\xe4%\xe19\xc9\xac\x82'\xdbW\xcf\xea\x96\
lgf\xc9n\x96|\xa4\xc7Q\x95\xb8\xd4\x91v\xc3\
\x03\x9c\xc23\xf8\x1b\xf7;\x11\xdf.M[\xdd\x94\x0e\
\xa7;\xe4\x8c\xe3N\xccd\xa6\xf4\xbdu\x99\xd2+\x1e\
\x15\xaa\xd8\x95Y\xb1!\xb5\xf8n\xa5\xf4\xb5my9\
\xdd\xa4\xeem<\x06\xd9d\x0d[\x9e3%\x97\xd9\xf2\
y}\xc2v\x1c\x10\x86h\x1d8g\x14\x1cU\x89_\
W\x93X\xdf\xc3d8\xdd#g\x14\xf7\xad+\x9f\xf3\
BQ5\xce\x5c+\xb1\xb3\xa7Y1\xed\x90w\x04\xfb\
i=\xcd\xf2\x1aG\xeb\xb4\xe4\x9cd\xcc\xc9\xb8\xd8\xd1\
\xbc\xd7u\xfc\x0b_\x13\xdc\xccf\xa3\x7f\xf7\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x00\xca\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00|IDATx\x9c\xed\
\xd7\xb1\x11Aa\x10\x85\xd1\xef)\xc2\xa8K\x0b\x22=\
\x08\xf5\xf0:Q\x93\xd1\x04\xa9\xf1K=\xc6;'\xbc\
\xb3\xc1\xdd\xcd\xb6\x00\x00\x00\x00\x00X\x8fiHN\xf7\
}\xf7\xe6j\xbb|\x9d\x8f\xba6u\xe8<]\x9e\xc3\
\xcd0\xf6\x9f\xcbW\xed\xaa\xf95\x1c\x0f\xb02\xe3\x01\
\xa6\x8e\xd5m\xf9*\x1fw\xad\x8e\xdf.\x01\x00\xfc\x0e\
\xbf\xc00\xf6\x9f\xcb\x97_\xe0=\xbf\x00\x00\x00\x00\x00\
\x00\x00+\xf1\x00;\xcd\x16\x0fT\xa3\xf4\xea\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x00\x9a\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00LIDATX\x85\xed\
\xd7\xc1\x09\x00!\x10C\xd1\x8cX\x98\x0d\xa4c\xc1\xd6\
\xec@\xcd\xb2\xc7\xff\x8f\x81\x81w\x1d\x89\xc2l/\xdb\
\xebu\xbf\xd5\xd3\x83\xaa\x1a\xc9~\xab}9\xfa3\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x88?#I\
3\xdc\xe9\xd8\x06K\x1d\x08\xd1\xb1\xb5\xc8,\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x00\x9a\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00LIDATX\x85\xed\
\xd7\xc1\x09\x00!\x10C\xd1 \x16f\x9d\xa9e\xc1\xd2\
\xc6\x0e\xd4,\x1e\xff?\x06\x06\xdeu$\x0a\xb3=m\
\xcf\xdb\xfdTO\x0f\xaaj$\xfb\xa9\xf6\xe7\xe8e\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x10\x7fF\x92\
\xbep\xa7m\x0b\x8a\x16\x12aRi\x16)\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x08h\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x08\x1aIDATx\x9c\xed\
[\x7f\x8c\x1ce\x19~\xdeo\xf7\xe6lk\xed]\xf8\
ewi\x14\x8c\x04\x82\x98X\xaaQ\xd2\x14K4\xa8\
\xa1E\xd0\x9c\x80\x01\xee\xb8\xcc\xce\xee\xb5\x5c\x94\x00\xa6\
$0=\xa5\x8aU\x0e\xdap\xde\xceN{\xb6W\x1a\
\xcdhhc\x0d`\x13\xb1\xa4*\x84b4\x06l\x0d\
\x0aX\x9b=$\xb6{\xf4\xc7\xe5\xf6v\xe6{\xfdc\
\xb7f\xf6\xdb\xd9\xbd\xdd\xbd\xd9\xebU\xefI\xf6\x8fy\
\xbew\xde}\xe6\xd9o\xbe\xf9\xe6\xfb\xde\x05\xe61\x8f\
y\xfc?\x83f\xe3KFFF.r]w\x153\
_\x03\xe0J\x00\x97\x03\xe8\x00\xf0\x01\x00\x11\x00'K\
\x9f\xa3DtXJ\xf9\x97H$rP\xd7\xf5\xb7Z\
\xad\xade\x06X\x96\xf5\x11\x22\xeaf\xe6\xb5\x00>\xde\
d\x9a\xb7\x98\xf99!\xc4\x0e]\xd7_%\x22\x0eS\
#\x10\xb2\x01\xccL\x96e\xddHD\x0f\x02X\x1df\
n\x00\xaf1\xf3 \x11=m\x18F!\xac\xa4\xa1\x19\
`Y\xd6j\x00\x9b\x01\xac\x08+g\x15\xbc\x0d`c\
\x22\x91\x18\x0d\xa3G\xcc\xd8\x00\xdb\xb6/\xf1<\xefq\
\x22\xfaz\x8d0\xc9\xcc\xbf#\xa2\x03\x00\x8e\x00\xf8;\
3\x9f\xf0<\xef\xd4\x82\x05\x0b\xbc\xc9\xc9\xc9\xc5D\xb4\
\x84\x88.#\xa2+\x00|\x06\xc0\xe7\x01,\xa8\x96\x90\
\x99\x0f\x0a!R\x89D\xe2\xf5\x99\xe8\x9f\x91\x01\xc3\xc3\
\xc3\x9f\x12B\xec\x05\xb04\xa0\xf9\x14\x80g\x89h\xdf\
\xd4\xd4\xd4\xf3\xeb\xd7\xaf?\xdeH\xee\xc1\xc1\xc1\x05\x8b\
\x16-\xba\x01\xc0\x1a\x00k\xab|\xc7$3\xdf\x93L\
&\x7f\xd2\xb0\xf8\x12\x9a6\xc0\xb2\xac;\x00\x8c\x00h\
WE\x01\xd8\xeay\xdec}}}\xb9f\xf3\xfb\xe1\
8\x8e\x96\xcb\xe5t\x00\x8f\x00\xb88 dS6\x9b\
}d``@6\x9a\xbba\x03L\xd3\x14K\x97.\
}\x94\x886(M\x12\xc0\x88\x10b@\xd7\xf5c\x8d\
\xe6\xad\x07\xdb\xb7o_\xec\xba\xee}\x00\xee\x07\xf0~\
\xa5y\xaf\xeb\xbaw\xae[\xb7\xeet#9\x1b2\xc0\
4M\x11\x8b\xc5v\x03\xb8Mi\xcaJ)oI\xa5\
R\xaf4\x92\xafY\xd8\xb6}\xa9\x94r\x0f*\x07\xdc\
?\xe6\xf3\xf9\xcf\xf6\xf7\xf7\x9f\xac7\x97h\xe4\x8bc\
\xb1\xd8F(\x17\xcf\xcc/\x03X1[\x17\x0f\x00\xba\
\xae\x1f;s\xe6\xcc*f\xde\xad4}B\xd3\xb4\xdd\
\x8e\xe3D\xea\xcdUw\x0fH\xa7\xd3_#\xa2\x9f*\
\xf4NM\xd3\x92===\x93\xf5\xe6\x09\x13\xccL\x99\
L\xe6\x01\x00\x8f\xa1\xfcZ6\x1b\x86\xf1\xadzr\xd4\
e@:\x9d^AD\x07\x01\xbc\xcfG?\x9dH$\
\xeej\xc5\xec\xacQX\x96\xf5\x0d\x00O\xf89f\xbe\
;\x99L\x8eNw\xee\xb4\xb7\xc0SO=u\x01\x11\
\xed\x85\xef\xe2\x89\xe8\x15M\xd3\xf4\xb9p\xf1\x00\x90H\
$\xb6\x00\xf8\xb1\x9f#\x22\xdb\xb2\xac\xe5\xd3\x9d;\xad\
\x01mmm\x9b\x01\xc4}T6\x12\x89\xdcr\xae\xba\
}\x10\x88\x88\xf3\xf9|\x0a\xc0\xef}\xb4\x06\xc06M\
3Z\xeb\xdc\x9a\x06X\x96\xb5\x12\xc0=>\x8a\x85\x10\
_\xe9\xed\xed\xcd6\xad\xb6E\xe8\xef\xef\xcf\x0b!n\
\x05\xf0o\x1f\xbd<\x16\x8b\xf5\xd5:\xaf\xaa\x01\xccL\
\x00\xbe\xa7\xd0\xbbu]\x7f\xb9y\x99\xad\x85\xae\xeb\xff\
\x02\xb0I\xa1\x1f\x1e\x1d\x1d]T\xed\x9c\xaa\x06\xd8\xb6\
\xbd\x0a\xc0J\x1fU\xf0<\xcf\x9c\x99\xc4\xd6C\xd3\xb4\
4\x80\xa3>\xea\xc2\x89\x89\x09\xa3Z|\xad\x1e\xf0\x80\
BY}}}o\xceP_\xcb\xd1\xd3\xd33ID\
e?\x14\x11\xddWmn\x10h\xc0\xd0\xd0\xd0\x07\x01\
|\xc1G\x15\x84\x10\x8f\x86'\xb3\xb5\xe8\xe8\xe8\xd8\x05\
\xe0\x0d\x1f\x15\x1f\x1f\x1f\xff\x5cPl\xa0\x01\x91H\xe4\
\x0e\x14\x97\xaa\x00\x00\xcc\xfcB\xe9\xfe:/\xd0\xd5\xd5\
\xe5\x01\xf8\x99B\xdf\x1d\x14\x1bh\x80\x10b\x8dr\xfc\
\x8bp\xa4\xcd*\xca43\xf3\x97\x82n\x83\x0a\x03F\
GG\x171\xf3u\xca\xc9\xbf\x0c__k\x91\xcdf\
\x0f\x01\xf0\xf7\xda%\xc7\x8f\x1f\xbfV\x8d\xab0`b\
b\xe2\xd3(N\x22\xce\xe2O\x86a\x1cU\xe3\xe6:\
\x06\x06\x06$\x11\x95\xfdpDT\xb1NYa\x80\x10\
\xe2c\xcaI\x07\xc3\x977;`\xe62\xedDt\xb5\
\x1aSa\x003_\xe5?\x96R\xbe\xa1\xc6\x9c/ \
\x22U\xfbUjL\x90\x01\x1fV\x92\xcc\xf9g\x7f5\
\x14\x0a\x05U\xfbejL\x85\x01D\xb4\xd8\x7f,\xa5\
\x1c\x0fY\xd7\xaca\xe1\xc2\x85\xaa\xf6\xc5jL\xd0c\
\xb0,\x88\x88\x1aZc\x9bK\xe8\xee\xee\xce\x03p}\
\x94\xe68\x8e\x7f\x80\x0f4\xa0l\x91$\x12\x89\xcc\x89\
w\xfeV!\xc8\x80S\xfe\x03\xd7u+\xba\xcd\xf9\x82\
\x1d;v\xb4\x03\xf0\xaf\x07LuuuM\xf9c\x82\
\x06\xc1\xb2\x15U!DGk\xe4\xb5\x1e\xae\xeb.Q\
\xa8SjL\xd0 \xf8\x0f\x85\xaa\x189\xcf\x17x\x9e\
w\xb9\xff\x98\x99\xdfVc\x82n\x81\xc3\xca\xf1GC\
\xd44\xdbP\xb5\x1fQ\x03\x82n\x01u\xb3q\xa5\x1a\
s\x1e\xa1L;\x11\xbd\xa6\x06T\x18\xe0y\xdeK\x00\
\xfc\xfb\xef\xcbm\xdb\xbe4|m\xad\x85i\x9a\x82\x88\
n\xf2sB\x88\x03j\x5c\x85\x01\xa5\xbd\xb5\x97\xfc\x9c\
\xe7y7\xa9qs\x1d\xf1x\xfcZ\x94\xef(\x9f<\
v\xec\xd8\xabj\x5c\xb5%1\xf5-jm\x88\xdaf\
\x0be\x9a\x99\xf9\xf9\x81\x81\x01W\x0d\x0a4 \x1a\x8d\
\xeeFq\xb7\xf7,n\x18\x19\x19\xb9(\x5c}\xad\x83\
i\x9a\x82\x99\xbf\xaa\xd0;\x83b\x03\x0d(\xad\xfb\xef\
\xf7Q\xed\x85BA\xdd\x0e\x9f\xb3\x88\xc7\xe3\xb7\xa3X\
\x8dv\x16\xef\x8c\x8d\x8d\xed\x0f\x8a\xad\xb5*\xfcC\x85\
Z\xb7m\xdb\xb6\x0f\x85\xa0\xaf\xa5p\x1cGc\xe6\xef\
(\xf4\x13A\xdd\x1f\xa8a\x80a\x18/\xa0|0\xd4\
\x5c\xd7\xdd8s\x89\xadE.\x97K\xa0|\xf2v\x22\
\x1a\x8d\x0eW\x8b\xafj\x00\x11\xb1\x94\xf2!\x85\xbb\xcb\
\xb6\xed\x8au\xb5\xb9\x02\xcb\xb2.\x04\xf0\xb0B\x7f\xb7\
\xb7\xb7\xb7b\x0a|\x165\xf7\x06S\xa9\xd4\x01\x00\xbb\
\xfc\xf1R\xca=\xb6m_\xd2\xb4\xca\x16\xa1\xf4\x9a\xfb\
s\x94\xd7\x10\xfd\x19\xc0\xd6Z\xe7M\xbb;,\xa5\xbc\
\x1f\xe5\xab\xab\xcb\xa4\x94\xcfl\xdd\xbaU-\x8e:\xa7\
\x18\x1f\x1f\xdf\x02\xe0z\x1fU\x90R\xea\xd3\x15UN\
k@*\x95zW\x08\xf1e\x00y\x1f}]{{\
\xfb\x8fJ\x1b\xa8\xe7\x1c\x99L\xa6\x8f\x99\x93~\x8e\x99\
S\xf5\x94\xed\xd4}\x01\x99L\xe6NfV+.2\
\x9d\x9d\x9d\xf7\xaa\xef\xd8\xb3\x85R\x89\xcc\xbd(V\x87\
\xf8\x7f\xcc'\x0d\xc3\xf8f=9\xea.\x92J$\x12\
\xbbP,\x85-\xa3s\xb9\xdc\xfe\xd2\xe03\xabp\x1c\
G\xb3m\xdb\x06\xb0\x05\xbe\xeb`\xe6_e\xb3Yu\
c\xb7*\x1a\xaa\x12\xeb\xec\xec|\x88\x99\xf7(\xf4\xf5\
\x00\x0eY\x96uM#\xb9f\x82\xe1\xe1\xe1\x8bs\xb9\
\xdc\xaf\x99\xb9Wiz\xbd\xbd\xbd\xfd\xb6j\xcf\xfc \
4|\x0f;\x8e\x13\xc9\xe5r?\x00\xa0v\xb1\x02\x80\
a)\xe5\xa6T*\xf5n\xa3y\xebA\xa9|v=\
\x80\x0d\x00:\x95\xe6\xe7\x00\xdcn\x18\xc6{\x8d\xe4l\
z\x10K\xa7\xd3\xbdD4\x0c\xa0Mi:\x0d\xe0\xf1\
|>?\xd8H\xc1b-\x98\xa6\x19\x8d\xc5b\xdd\x00\
6\xa2\xbc^\x09\x00@D\x83\x1d\x1d\x1d\x0f\x96v\x85\
\x1b\xc2\x8cF\xf1t:\xbd\x8a\x88\x9e\x01pA@s\
\x8e\x88\xf6I)\xf7MMM\xedo\xd4\x0c\xc7q\xb4\
\xf1\xf1\xf1U\xcc\xbc\x06\xc0\xcd\x00\x82\xa6\xe1\x05fN\
%\x93\xc9\xedM\xc8\x07\x10B\xb9\xfc\xd0\xd0\xd0\xb2h\
4\xfa$\x80[k\x84\x15\x00\xbc\x08\xe07D\xf4W\
)\xe5\xdf<\xcf;AD\xa7]\xd7\xf5\xda\xda\xda\xfe\
[.\x0f\xe0l\xb9\xfc\x8d(\xfe\xa5\xa6\x1a\x0e\x09!\
R\xba\xae\xffa&\xfaC{\x8eg2\x99/2\xf3\
\xf7\x01\xb4z0\xcc\x02\xf8vgg\xe7\xb6f\xba\xbc\
\x8aP'2\xa6i\x8ax<~33o\x00\xf0\xc9\
0s\x03x\x13\xc0\xa0\xa6i\xdb\xc3\xacQl\xd9L\
.\x93\xc9\x5c-\xa5\xec.\xad&]\xd1d\x9aw\x00\
<\xcb\xcc;\xc7\xc6\xc6~\xdb\xcc\xff\x01\xa6\xc3\xacL\
e\x87\x86\x86\x96E\x22\x91\xd5\xa5\xfd\xf9+Q|]\
]\x82\xe2=\x1e\x05\xf0\x1e\x8a\x7f\x9b\xfb'\x8aK\xd7\
G\x98\xf9E\xc30\x0e\xcf\x95r\xdcy\xccc\x1e\xff\
\x9b\xf8\x0f\xd4\xa1\xd7P\x1e\xa13\xaa\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x01\x9c\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01NIDATX\x85\xed\
\x97\xcfJ\xc3@\x10\xc6\xbf\x19\xf6\xec\xc1R_\xa5\x05\
\xc5\x17\x88\xf8\x14\xa1\xa1\x10z\x92\xfa\x0c\x11<X\x16\
\xf2\x87\x5c\xa4\xcf\xd0\x17\x10\x84\xf6UZ\x14\xbc\x87Y\
\x0f\xcd\x96E\xd3\xf6\x90\xc4\x8b\xfb\x9d\x86\xd9a\xbf\xdf\
n\x162\x03\xfcw\xd1\xcfD\x9a\xa6\xd7\xcc\xfc\x08`\
\x0c`\xd8\x91\xcf\x0e\xc0ZD\x92\xe9t\xfa~\x14\xa0\
(\x8a\x07c\xccS\x13XG\x12\x00\xf3(\x8a\x9e\x7f\
\x01\xe4y~\x03\xe0\x0d\xc0\x17\x11\xcd\x98y\x15\x86\xe1\
g\x17\xaeeY^\x8aH`\x8cY\x00\xb8\x10\x91[\
{\x13\xca\xa9\x9b\x03 \x22\x9aM&\x93e\x17\xc6V\
\xf5A\x96Y\x96\x11\x11\xbd\xd6\x9f\xf8\x1e\x00\xd8\xa9\x1b\
\x03\x003\xaf\xba4wUU\x95\xdd{ds.\xc0\
\xd0\xa1\xedEq\x1c\x7f\xd4\xe1\x95\xcd\xa9#\xb5\x07\xe5\
yn\xda\x98FQt\xf2A\xf3\xa9\xc5\xbf\x90\x07\xf0\
\x00\x1e\xc0\x03x\x00\x0f\xe0\x01\xce\xf6\x03\xe7\xfe\xe7m\
\xe5\xde\xc0\x0e\xd87\x90}\x99i\xad\x07u\xb8m\x02\
X\x03\x80\x88\x04}\x01(\xa5\xec\xde\x9bC\xce\x06\x22\
\x920\xf3\x9d1f\x91e\x19UU\xb5rz\xb8V\
\xd2Z\x0f\x94R\x01\x11\xbd\xec\xad$\xb1kM\x83I\
\x82\xfe\x1e\xe7\xf1\xc1\xc4\xca\x19\xcdFp\xba\xd7\x96\xda\
\x02\xd84\x8df^\xdf`\xc6sf\xa1O\x0a4\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\x02\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xb4IDATX\x85\xed\
\x96\xbfK\xc3@\x14\xc7\xbf\xef\x14\xaeP\xf0\x1fP\xea\
\xda\xad\xab\x08\xe2\x96\xa99$R\xc4\xc5\x7f@\x97\x82\
\x88K\xa7\x0e\x0e\x82KqrtQJ\x0b\xbdvs\
\x11\xa4\xe0\xda\xb1\xa38\xb8\xb8\xe8 \x04\xea=\x07M\
Ik\x93&\xa6?\x06\xfb\x9d.\xc9\xcb\xfb~r\xf7\
\xee\xe5\x80\xff.\x0a{hYVZJY\x16B8\
\xcc\xbc\x9e\xc8\x88\xe8\x89\x99k\xc6\x98R\xab\xd5\xfa\x18\
\x0b`YV:\x95J\xb5\x01\xe4\x92\x18\x8fP\xc7\x18\
\xb3\xe9A\x88\xa0()ey\x0a\xe6\x00\x90\x13B\x94\
\xbd\x8b@\x00!\x843\x05s\x00\x00\x11\xedz\xe3\xe5\
\xa0\xa0\xe15\xd7Z\x87\xd6\xcb8)\xa5xT\xee\xc0\
\x19\x98\x95\x16\x00\xbfj \x9f\xcfg\x88h{\xf8\xbe\
R\xea((\x093\x1b\x22\xeaH)\x1f\xab\xd5\xea\xe7\
\x9f\x01l\xdb>&\xa2\xb3Q`\x00*AI\x88\xbe\
\xeb\xd3u\xdd\x07\xc7q\xf6\xea\xf5\xfaKT\x80\xfe\x12\
\xd8\xb6\xbdOD\xe7\x01\xe6Q\xb5\xd5\xeb\xf5n\x0b\x85\
\xc2Rl\x00\x22:I`<\x00\xe1\xba\xeeF\xd4`\
\xff\xd7\x0ew\xbd\xcb\x18\xa6;\x00V\xbd\x0bf\xce\x01\
h\xc7\x05\x18h4Z\xeb\xc0\xa2\x1b\x96R\x0a\x00\x0e\
\xfb\x89\x88\x22\xef\xae\xb9o\xc3\x05\xc0\x02`\xee\x00I\
\xba^\x98*J\xa9\xb0\xd6\xfd\xe4\x8d\xe72\x03\xcc\x5c\
\x9b'@\xc7\x18S\x9a9\xc0\xcf\xb4_\xf8O\xc4\x80\
\xaf\xfd*\xa5\xde\x00\xacL\xc2\x8c\x99\x0f\x9a\xcd\xe6u\
\x94X\xff\xdf\xf0n\x12\xe6\x00zB\x88\xfb\xa8\xc1\xfe\
%(\x02x\x9d\x00\xc0i\xa3\xd1x\x8e\x1a\xdc?8\
t\xbb\xdd\xf7l6{CD\x19\x00k\x00d\x0cS\
\x06\xd0\x01P\xd4Z_\xc5xo!|\x01|0z\
\x97\x18+{\x1e\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x03\xba\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03lIDATx\x9c\xed\
\x9bM\x88\x8da\x14\xc7\x7f\xe7\xce;\x22\xa4\x84\x8d\xb0\
\x12\xd9)Y*b\x90L>\x8a\x95D\x14\x0b1\x85\
i\xe6\xde\xban\xee\xbd3JYH>\xb2\xb1 \xac\
\xa6)_\x83\x85R\xcaB)Y(\xc9\x82D!E\
j\xee\xdccqg4\xefs\xdfP\x9e/\xe6\xfe\x97\
\xe7_\xcf9\xe7\xff\x9c\xe7<\xcf\xf3~@\x0b-\xb4\
0\x91!\xa1\x03\xf8c\x14\xb4\x88R\x00\x04\xa5LU\
\x8e\xd9\x18\xf6\xdf\x10\xa0WW\x02\xf7\x91\x9f\xf1\xd6\xa9\
H\x9b\x8d\xa1\x13\x1b\x838E^\x97\x01\x83\xa4'+\
gkxk\x039A\x8f.\x06n\x01\xd3\x0c\xa6n\
\xcbE\xbc\x02t\xeb|r\x0c\x01\xb32X\xb5\xe5&\
\xce%\xd0\xa3\xb3G\x93\x9f\xe7\xdaU|\x15pT\xa7\
\x93\xe3&\xb0\xc8\x87\xbb\xb8\x04(\xead\xda\x19\x00\x96\
\x19\x8c\xb5\x927\x11\x8f\x00EM\xa8q\x05Xe0\
\x8a\xc5\xa6g\x22\x12\x01T\xa8q\x1e\xd8l\x128L\
\x1eb\x11\xa0\xc0\x09`w\xca\xa6\xee\x93\x87\x18\x04\xe8\
\xd5n\x94#M\xf6\x9c\xfb\xe4\x1bnB\xa2\xa0{\x11\
\xfa3\x98\x11wm/\x8dp\x02\xe4u+\xca\xb9\x0c\
\xc6\xcb\xcc\x8f!\x8c\x00\x05]\x0d\x5c\xc9\xf0_\xc7\xe1\
\x96\x97\x05\xff\x02\xe4u9\xca\x000\xc9`\xbc'\x0f\
\xbe\x05\xe8\xd1%4.7S\x0d&H\xf2\xe0\xf3.\
\x90\xd7\x05\xc0\x1003e\x17\xea\xa3[^\x10\xf8\xa9\
\x80\xa2\xce\x01\xee\x02sS\xf6\xc0\xc9\x83\x0f\x01\xbau\
\x065n\x03\x0b\x0dFC'\x0f\xae\x05\xe8\xd2)$\
\x0c\x02KSvO\xa7\xbc?\x81\xbb\x1eP\xd4\x84a\
\xae\x02+\x0cF\x918\x92\x07W\x15P\xd4\x1c5.\
\x22t\x1aL43?\x06\x07\x02\xa80\xccI`\xa7\
I\x10Y\xf2\xe0B\x80^z\x11\xba2\x98\xe8\x92\x07\
\xdb\x02\xe4u\x1fB9ek\xf4\xf9\x11\xab~,\xc2\
\x9e\x00\x05\xed\x07\xce6\xd9#jxY\xb0'\x80\x1a\
\x0f4`,\xf9\xe0{\xfd\xaf`s\x09D[\xe6\xbf\
\x82\xcd\x0a8\x889\xdb\x1a\xc1\x13\xa7\xdf\xc0^\x80U\
\xb9\x8ep \x83\xb1\xf2\x12\xd3\x15\xec\xcePY\xce\x00\
\xc5\x0c&Z\x11\xec\x97h\x85\xe3(\xa7\xbd\xf8\xb2\x00\
\x07A\x89\xd2\xce!\xe0\xb2I\xb8\xf1\xf7wp\x13P\
I\xea|`\x17p\xc3`$\xb6\xc6\xe8.\x98\x0b2\
L\xc26\xe0a\xca.q\x89\xe06\x90\x92|#a\
#\xf04e\x97x\x96\x83\xfb J\xf2\x99\x84u\xc0\
K\x83\x11\x22\xf8F\xc9\xcf,\x94\xe4\x1d\xc2\x1a\x94\xb7\
M\xfe%\xac\x08\xfe\xca\xb0,\xaf\x80\xb5\xc0\xa7\x94\xbd\
\xd1\x0f\x82\x89\xe0w\x1dV\xe5\x19u6\x00\xdf\x9a\xe2\
\x08T\x09\xfe\x1bQ\x9f<B\xd9\x02\x0c\xa7\xec\x81*\
!L'\xae\xca\x1d`\x07\xcdWe\xef\x22\x84\xdb\x8a\
*r\x0da\x7f\x93\xdd\xf3\x19!\xec^\x5c\x96\xf3@\
>ek\xcc\xbf\xb7\xcbS\xf8\xc3H\x85>\x94SM\
vO\x95\x10^\x80\xc6\xe5\xe90p)m\xf6sZ\
\x8c@\x00\x1a\x97\xa7\x84=(\x83\x06\xe3\x5c\x848\x04\
\x00(I\x8dv\xb6#<0\x18\xa7\x22\xc4#\x00@\
I\xbe\xd3F'\xf0\xc4`\x9cm\x8dq\x09\x00P\x92\
/$\xac\x07^\xf8p\x17\x9f\x00\x00%y\x0ft\x00\
o\x5c\xbb\x8aS\x00\x80\x8a\xbc\xa6N\x07\xf01\x83\xb5\
\xb6$\xe2\x15\x00\xa0O\x9e\x03\xeb\x81\xaf\x063A~\
\x99\x01\xa8\xc8c\x84M\x8c\xbf7\xe8D\xf8ef<\
\xcar\x0f8N\xe3\x13\xda\x11rTB\x87\xd4B\x0b\
-\xfc\x1f\xf8\x01\xb0\x8b\xcd\xab\xb2\x0d9U\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x01F\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xf8IDATX\x85\xed\
\xd2!N\x03A\x14\x87\xf1\xdf\xdbl+8\x00\xc1V\
`\xd0\x1c\x02SG\xc2\x11\x10\xdc\x00\x1a\x12B\x8b\x22\
!\xe1\x00(\x04\x02\x8b\xc1p\x06$\x06\x83&!A\
T\x00\x1d\xc46\xcd\x0a\xca\xee\xd6\x11\xe6K\xc6L\xde\
|\xf3\x7f3\x8fL&\x93\xc9\xfcw\xa2\xb1\xe20=\
\x09\x9b\xc2\x87$\xb5\xf6\x86R\xf2jb\x83\x98-+\
,[\xc8\xfa\x08I\xbf\xe5\xe5\x15U\xd4^SY\xd1\
(\x9a\xda\x92\xdc\xd6vf\xf8Z\xb2\xea\x9d>(\x0d\
~\xeb\xbe]\x80\x8b\x98\xea\xd9\xc3\xf9\xe2L\xfc\xf8u\
\xb1\xf0\x85k\xa5\x1d'\xf1\xd6\xa4o\x9e\x81:\xa3t\
\xb9D!Ib\xd1qQs\x8dM\x1c\x13\xad\xe6\
\xa5[\x008JC\xdc`\x8d\xf9XV/\xf2)\xd9\
w\x16W]t\xdd\x03T!\xb6q\x87\xf5\xf9\xce\xbb\
\xb0k\x1c\xf7]U\xab\x05\x80Q\x1aH\x9e\xf1\xa20\
t\x1a\x8f+\xbbV'E\xb52\x99L&\xf3\x87\xf9\
\x06\xb3\xc7:\x90\x074\x9cX\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x03\xb2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03dIDATx\x9c\xed\
\x99=L\x14A\x14\xc7\xffo\xbd\xf3,\xd4\x84\x88\x0d\
\x88\xadZ+\xbd\x1f\x91\x18*\xa0\xa0\xb0\x83\xcb\xdd\x1a\
H\xa8Tba6\xc4\xc4\xf8\xd1\x91\x10ff\xf9\xa8\
\x8c\x85F\xad$1Q\x12\xb5S{m5\xa1\xd1\xce\
F\x0en\x9e\xc5q\x86\xdb\x9b\xf3\x8e\xdb\xbd\x05\xf4\xfd\
\xaa\xcb\xbc\x9d\x99\xff\xfb\xcf\xec\xce\xbc\x1c \x08\x82 \
\x08\x82 \x08\x82 \x08\x82 \xfc_\xd0nMl\x8c\
\x19f\xe69\x00\x1e\x11\x85\xc5b\xf1\xf6n\xe8\xd8\x15\
\x03\x8c1\x05fV\x00\xbcm\xcd\x05\xdf\xf7\x17\xd2\xd6\
\xe25\x7f$Y\x94R\xd3\xccl\x1cs\x87Z\xeb\x9b\
i\xebIm\x0703i\xad\x1f\x10\xd1\xf5&\x8f>\
,\x16\x8b\xd3D\xc4i\xe8J\xc5\x80 \x082==\
=\x06\xc0X\x8b]\x96\xd6\xd6\xd6\xfc\x99\x99\x99\xcdN\
\xea\x02R0`yy\xf9P\xa9Tz\x0c`\xc8\x11\
\xb6\xcc\x0c\x22\xaa{\x15\x99\xf9y.\x97\xbb:66\
\xf6\xab\x93\xfa:j\xc0\xec\xec\xec\xd1\x5c.\xf7\x02\xc0\
\x85\xba\x89\x89\xca\xcc\x5c\xfd\x0df>\x10}\x86\x99\xdf\
d\xb3\xd9\xa1|>\xff\xb3S\x1a;f\xc0\xd2\xd2\xd2\
\xf1R\xa9\xb4BDg\x1d\xe1r\x9d\x90\x06&\x00\xf8\
\x98\xcdf\x07\xc7\xc7\xc7\xbf'\xaf\xb2C\x06h\xadO\
\x02x\x05\xe0T\xcdd\x95\x0f\x9b\xad\xae\xbcS\x10\x91\
\xc7\xccQ]_677/ONN~KZk\
\xe2\x06\x84ax\xc6Z\xfb\x0a\xc0\x89\x9a\x89\x88\x98\x99\
m\x8b\xc3x\x0em\xdf\x00\x0c\xf8\xbe\xff9\x01\x995\
\x13%\x861\xa6\xdfZ\xfb\x0e\xf1\x92\x07\x00\x0b \xba\
M\xfa\x00\xbcWJ\x9d\x8b)\xb3\x86\xc4\x0cPJ]\
b\xe67\x00\x8eEB;M\xbe\x8a\xcb\x84cD\xb4\
\x1a\x86\xe1\xc5\xb6D:H\xc4\x00\xa5\xd4\x08\x11\xbd\x04\
px{{\xf5\x9d\x8f1\xb4\xcb\x84\xc3\xd6\xda\x15c\
\xccp\x8cq\xff\x10\xdb\x00\xa5T\x9e\x88\x9e\x008\x18\
\x09\xd96W>\x8aE\xbd\x89\x07\x99\xf9\xa91f<\
\xee\xe0\xb1\x0c\xd0Z\xdf \xa2\x05\xc78\xae\x95\x8b\x83\
k'y\xcc\xbch\x8civ\xb5\xfe+m\x9d\x02\xcc\
L\xc6\x98{\x00\x5c\xc5K\xd2\xc9o\x87\xe0X4\x22\
\xba_(\x14n\xb5S?\xec\xd8\x80 \x082\xbd\xbd\
\xbd\x8a\x99\xf3\x8ep'\x93\xaf\xe24\x01\xc0BWW\
\xd7\xb5\xd1\xd1\xd1\xbaKV\xb3\xc1Zf\xeb^\xff\x08\
\xc0\x88#\x9cF\xf2U\x1a\x99\xf0l}}\xfd\xea\xd4\
\xd4\xd4\xfaN\x06j\x89\xc5\xc5\xc5#\x1b\x1b\x1b/\x88\
\xa8\xe6\x08\xda*f\xd2L\xbe:/\xb9\x8a(\x00\xaf\
3\x99\xccp\xab\xf5CK\x06h\xad\xbb\x01\xac\x00\xa8\
\xb9\x84l%\xbf\xa3-\x974\xcc|\x80\xa8.\x8d\x0f\
\x00\x06}\xdf\xff\xd1\xac\x7f\xd3S`nn\xae\x0f\xc0\
;D\x92\x07\xc0\xbb\x9d<P\xa9*\x1d\x1f\xbf~\x00\
o\xc30<\xe1\xeaS\xd3\xffoA\xad\xf5iT\x8a\
\x9a\xbeH(\xee\x05'Q\xb6v\x80\xab\x88\xfaZ.\
\x97\x07&&&\xbe4\xec\xdb(\xa0\x94:GD+\
\x00\xba#\xa1=\x95|\x04W\x11\xf5\xc3\xf3\xbc+\x85\
B\xe1S\xa3\x0euh\xad/\x10\xd1*\xf6W\xf2\x80\
\xfb$\xea\xb6\xd6\xae\xce\xcf\xcf\x9fwu\xa8\xdb\x01Z\
\xeb\xdb\x00f\x5c\xb1}\x0e\x03\x08|\xdf\xbf\xb3\xbd\xd1\
\xb5\x03\x02\xfc{\xc9\x03\x95\x9c\x82hc\xea\xff\x0b\xec\
5\x5c\x06\xdc\xc5\xde~\xcf\xdb\xc5\xa2\x92\x9b \x08\x82\
\x08\x82 \x08\x82 \x08\x82\xf0_\xf3\x1b\x0fa7\
\xe8\x93V\x9d\xa1\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x00u\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00'IDATx\x9c\xed\
\xc1\x01\x0d\x00\x00\x00\xc2\xa0\xf7Om\x0e7\xa0\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x80w\x03\
@@\x00\x01\x8f\xf2\xc9Q\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x01\x00\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xb2IDATx\x9c\xed\
\xda1\x0a\x800\x10\x00\xc1D\xfc\xb5\xb5\xef\x8e\x9d \
>`\x04w\xbbT\xb7,\xd7]\xe6P\x1ck=\xde\
\xe7\x9cBc\x13C\xbfD\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00\
-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\xe4\x22\
;\xc6x_\x87\x11\xbf\xdf\x80\x02h\x01\xcd\xae\x05n\
\xfa!b(\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00\
-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\
\x02\x9a\x02h\x01M\x01\xb4\x80\xe6\x02\x91L\x06\x81\x9f\
\xdf\xb1\xa8\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\x0c\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xbeIDATX\x85\xe5\
\x96\xb1\x8b\xd4@\x14\x87\xbf\x97\x88Y\x10\x14-l\xac\
\xed-\xaf\xba2\x82&\xd9E\x88V\x0av6\x07\xf7\
\x07\x1c\x16b/\x82`)h\xa5\x01\xd9\x9d\xc4\xc2\xb5\
\xb3\xb2\x14[A,\xb4\xb1\xf3@v\x13\xb8y\x16\x97\
\x85\xeb\xccL\x86\x15t\xba\x81\xbc\xdf\xf7ef\xf22\
\xf0\xbf\x0f\x09\x1dX\x96\xe5\x85\xae\xeb\xbe\xa8\xaa\x1ac\
\xce\xff\xe9\xf9S!\xe1i\x9a\x9ei\xdb\xf6\x0dpn\
hM0\x81\xb2,Ow]\xf7ZUw\x5c\xea\xa2\
@\xf0x\xbd^?W\xd5\xd4\xb56\x84\x80\xb4m\xfb\
DDn\xf5s\xbbU\x81\xa2(\x1e\x00\xf7N\xc0u\
k\x02y\x9e\xef\x03\x07\xbe\xf0Q\x02y\x9e\xdf\x16\x91\
G\x00\x22\xe2\x05\xf7\x16\x98N\xa7\xb9\x88<\xeb\xa7V\
U\xbd\xe0^\x02EQ\xec\xaa\xea+ \xee\xc1\xdep\
g\x81\xd9lv\x05\xa8\x81\x89\xaaj\xbf\xf4\xa3\xc6`\
\x81,\xcb.[k\xdf\x02gC\xc1\x07\x0bdYv\
)\x8e\xe3w\xc0\xc5\x90p\x18\xd8\x8a\xa3(\xfa\xb69\
g!\xe10|\x0b>\x85\x84:\x0bXk\xaf\x01_\
\x01T5\xc8\xff\xc3I\xa0i\x9a\xef\xd6\xda\x14\xf8!\
\x22\x12RbpP\xd34\x9f\xa3(\xba\x0a\x1c\x8a\x88\
\xb8\xd4\x06\x11\x00\x98\xcf\xe7\x1f\x81\x1cXs|\x9b\x1a\
-\xe1\x1c`\x8cy/\x227\x81\xa3^b\xd4\xb5\xce\
\xeb\x0d\x16\x8bE\xad\xaawOdxKx/a]\
\xd7/\x80\xfd\xb1\x12\xa3\xf6\xd0\x18\xf3\x18x\xb8\xc9\xea\
\x0f\xe7\xf6\x04z\x89\xfb\xc0S8\xee\x11\xae\x12!>\
%M\x92dOU_n$\xb6-@UUG\x93\
\xc9\xe4\x8e\x88,]k\x83u\xb4\xaa\xaa\xba\xd5ju\
\x03\xf8\xf0W\x04\x00\x96\xcb\xe5\xaf$I\xae\x03\x87\xc0\
\xcf\x90\xd9\xff\xee\xf8\x0dK/\xa6\xe1<6C\x0f\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x82\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x004IDATX\x85\xed\
\xceA\x11\x000\x0c\xc3\xb0\xdch\x17|\x0a\xa2{\xca\
\x00|J.M\x9bi/\x8bw\x02|\x08\x00\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00`\x01\x84v\x05\
1\x15\x00\xaeh\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x03T\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\x06IDATx\x9c\xed\
\x98=LSQ\x14\xc7\x7f\xa7}\xb8\x18&\xdd\x0cq\
\xf3c6q\x92\x01\xa3\x04Bb4\x1a\x12W1j\
\xe2,j[b^h\xab0\xe8\xe0\xa2&$\xba8\
\x19\x04\x07c4$8\xa3\xac~M\x82\x93\x1f\x0b8\
\xa0\xd2\x1e\x87\x96@\xdf\xbb\x85\xd2\xbeW\xaa\x9c\xdfx\
\xce\xbb\xe7\x9e\xff\xb9\xf7\xdd/0\x0c\xc30\x0c\xc30\
\x0c\xc30\x0c\xc30\xb6\x17\x12\xb2\xa4\xf4\x060\x84\x90\
\x04\x8a\x806;\xa9\x88\x11 \x81R\x00\x86\xc9\x8b\x1f\
tV\x92\xd2\xe5\xb2\xf8\xff\x0f\xa5@^\xbc\xb5\xa6\xc4\
V\xe5\xd2*\xb8\x0a\x90\xe5\xdf\x9f\xf6.\x94\x92\xb6\x0a\
\xc2\xbf\x00@J\xbb\x10&\x81\xf6@\x08E(\xc6\x91\
]\x84$\x08\xebZD8AV\xa6\x83\x1f\xbb\x0b\x00\
0\xa4\x87(\xf2\x02\xd8]ao\xed\x22\xb8\xc4\x7f'\
A\x0f\xc3\xf2\xd6\xd5\xa0z\x01\x002\xba\x1f\xe5\x15\xd0\
\x11\xf0(\xb4\x5c\x11\xc2\xe2\x859\xa0\x9b\xac|\xa8\xd6\
h\xfd\x02\x00\xa4\xb5\x03x\x09\x1c\xa8\xb0\xb7\xd2LP\
\x12HH\xcb{\xa0\x9b\x9c\xcc\xaf\xd7t\xe3] '\
\xf3xt\x02o*\xec\xa5\x0e[a\xbbL\x86\xc4+\
3xtn$\x1ej\x99\x01+\x0cj;mL\x00\
G\x1d\xdeB\xcdq\xa2\xa3t\xc0\x093\xc5\x1fN1\
*\x8b\xb5\x04\xa9\xfd\x1c0*\x8bx\xf4\x01O\x1d\xde\
\xf0(\xc4\x89T\x11\xaf\x8c\xb3@_\xad\xe2q\x06Y\
\x0f_\x96\xf0\xe8\x07\xc6\x1c\x9d\xbbV\xe08\x90r_\
A\xc6\xf8D?w\xe5\xd7\xe6\x82\xd5\x85\x0a\x19FP\
\xae8\x22\x16\xd1\xd8\x0eR\xd5\xa6\xfd(9\xae\x81l\
\xba\xdf\xc6F,\xad\x83\xc0\x88#j\x1cE\xa8&\xfe\
*9\x19m$hc\xa4\xf4<\xc2}\x82\xc9E[\
\x04\x97\xf8\x22\xc2\x05\xb2\x12\xfe\x1d7\x19\xb8q\xd2z\
\x1ax\x0c\xec\x08x\xa280\xb9\xd6\x96\xdf\x08g\xc9\
\xcax\x83\xb1#\x5c\xb42z\x0ce\x02\xd8\x19\xf0\xd4\
_\x04\xf7\x01\xe7'\xcaI\xf22UW\xcc\x00\xd1\xae\
\xdai=\x0c<\x07v\x05<\xf5\x14\xc15\xf2?H\
\xd0\xcb\xb0\xcc\xd4\x99a\x88\xe8\xb7\xad\x8c\x1e,\xdf\x1f\
\xf6\x04<\x9b)BX\xbc\xf2\x85\x04\xddd\xe5]\xe3\
I\xae\x12\xcf\xbe\x9d\xd6\xbd\x94\xee\x0f\xfb*\xec\xb5\xdd\
\x1f\x5c#\xff\x91e\x8e3\x22s\xd1%\xb9\xdaY\xf4\
\xe4\xe4s\xf9\xfe0[a\xdf\xf8\xfe\x90$,~\x96\
\x22G\xe2\x10\x0fq>\x89\xf9\xf2\x15\x8f.\x84\xd7!\
\x9f:\x8b\xe0\xb2M\xe3\xd1\xc5M\xf9\x16y~e\xe2\
}\x13\xf4e\x81$=(\xcf*\xec\xa51^\x19\xed\
j\xb3b\x12\x8f^|Y\x883\xc5\xf8\x1fE}Y\
\xa2\x8d\xd3\xc0\xa3*\xfd\xbbrx\x88\xc7\x19|Y\x8a\
7\xb9f\xbd\x0a\xfb\xb2\x8c\xc79\x94;5|}\x1b\
\x8f\x01|Y\x8e=/\x9as{[\x83\x0ai\xae\x03\
9\xb7\x9b\x14yn\xd5s\xa9\xa9\x97&\x17\xa0LF\
/\xa2\xdc[cQ\x94K\xe4\xe5A\xb3S\xd9\x9a\x02\
\x00\xa4u\x04\x18\x00\x0a\x08\x97\xc9\xca\x93-\xcb\xc50\
\x0c\xc30\x0c\xc30\x0c\xc30\x0c\xc3\xd8F\xfc\x05\xc8\
\x8f\xbez\x94\xe2\x88\xbe\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x02\x16\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xc8IDATX\x85\xe5\
\x96\xb1\x8b\x13A\x14\xc6\x7f_.\x88AP\xd7\xc2\xc6\
\xda\xde\xd2\xca\xf2\x04\xe5\x1a\x8b\xb52`\x91aR\x08\
\xf7\x07\x88\x85\xd8\x8b d\xb3\x09\x08\xb1r\x0b\x9b\xc3\
B\xed\xac,\xc5V\x10\x8b\xbb\xc6&\xf1@\x22\x92\xe4\
Y\xdc\x1e\x5c\xe7\xce\xce\xa0\xa0\xaf\x9be\xbe\xf7\xfd\xde\
{3\xcb\xc0\xff\x1eJ\x9dp:\x9d^X\xaf\xd7\x9f\
%\x99s.\xfb\xdd\xfeNJ\xf3\xd9lvf\xb5Z\
\xbd\x02\xce\x99\xd9\xf9&\x9ad\x00UU\x9dZ.\x97\
/%]\x0d\xd1%\x01\xa8\xaajk>\x9f\xcf\x80m\
3\x0b\xd2F\x03\x98\x99\x16\x8b\xc5S\xe0v\xfdi\xf3\
G\x01&\x93\xc9C3\xf3\xc7\xe6\x92\x82Z\x10\x050\
\x1e\x8fw\xcd\xec\xfe\xb19\x10\xd6\xff\x18\x80\xb2,\xef\
\x00\x8f\x01\xcc\xac\x95yk\x80\xa2(v\xcc\xecY\xbd\
\x0cn{\x14@Q\x14\xd7$U\xc0\x16GU\xb76\
\x0f\x06(\xcb\xf2\x8a\xa4=\xe0t]u\xd0\x89\x8f\x02\
(\x8a\xe2\xb2\x99\xbd\x06\xceJ\xb2z\xee\xd1\xd1\x08`\
4\x1a]\x92\xf4\x16\xb8\x08$3\x07\xe86\xd9\xd4\xe9\
t\xf6O,\x93\x99C\xf3\x11|Li\x1a\x0c\xb0\xd9\
ln\x00_B4I\x01\x86\xc3\xe1\x81\x99m\x03_\
\x01IJ\x06\xd18\x91\xf7\xfe\x93\xa4\xeb\xc0\xa1\x99)\
D\x9b\x04\x00\xc09\xf7\xc1\xccv\x80\x1f\x1c\xbd\xa6\xa2\
!\x82\x13x\xef\xdf\x99Y\x0e\xack\x88\xa8g]\xab\
\x0a\xbc\xf7{\x92\xee\x9e\xc8\xd1\x1a\xa2u\x0b\x9ds\xcf\
%\xed\xc6BD\xcd\xd09\xf7D\xd2\xa3\x18\x88\xe8C\
4\x18\x0c\x1e\x00\xa3\xb6\x10\xd1\x00\x92,\xcb\xb2{\xc0\
\x8b69\x93\xdc\xe5<\xcf\xd7Y\x96\xf5\x817\xa1\xda\
d\x7f\xb4<\xcf\x7f\xf6z\xbd[f\xf6\xfe\xaf\x00\x00\
\xf4\xfb\xfd\xef\xddn\xf7&p\x08|K\x99\xfb\xdf\x8d\
_\x04\xef\x9b\x1a\xa8\x99\xf5y\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x01\x1c\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xceIDATx\x9c\xed\
\xd0\xb1\x89\xc3@\x14E\xd1/\x17\xe1\xb2\x14\xb8\x05G\
[\x91\xbap\xa0\x92\x1cm\x19N\x94\x1aG\xabc\xd8\
{@0\x03\x82y\xdc\x99$\xff\xd9\xa2\x1e^\xd7\xf5\
63\xdbq\xfd\xd9\xf7\xfd!v\x5c\xc4\xa3\x87mf\
\xae\xc7\xb7}\xf8\xf7\xcf\xc8\x00\xd77\xe7S\xc9\x00_\
\xa1\x00z\x80V\x00=@+\x80\x1e\xa0\x15@\x0f\xd0\
\x0a\xa0\x07h\x05\xd0\x03\xb4\x02\xe8\x01Z\x01\xf4\x00\xad\
\x00z\x80V\x00=@+\x80\x1e\xa0\x15@\x0f\xd0\x0a\
\xa0\x07h\x05\xd0\x03\xb4\x02\xe8\x01Z\x01\xf4\x00\xad\x00\
z\x80V\x00=@+\x80\x1e\xa0\x15@\x0f\xd0\x0a\xa0\
\x07h\x05\xd0\x03\xb4\x02\xe8\x01Z\x01\xf4\x00\xad\x00z\
\x80&\x03\xfc\xbe9\x9f\x8a\x05X\x96\xe5>3\xcf\x99\
y\x1e\xe7$9\xdd\x0b\xce#\x0bV/\xa8\xdf\x98\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x04\x1f\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xd1IDATx\x9c\xed\
\x9bA\x88\x14G\x14\x86\xff\xea\x9e\xc9\x08b_\x94\xb0\
\x10\x96\xdcbr]\x83W\x07\x89\xca,\xbb\xd5=\x8b\
\x84\x1c\x02\x015D\xf0\xa4\x04!\x12\xb3Y\xa2`\x08\
\xe4\x90@\x12\x17\x85\x1cD\xd19\xec\xa4\xaa\xc9\xc8\x8a\
0\x90K \xe0\xe2!\x04\xc4C\x08\x22$\x10\xc2.\
\x09\x11\xdc\xa9\x97\x83\xe3\x22\xd35\xe8\xb8U\xaf\x0b2\
\xdfm\xfbP\xff\xabo\xaak_M\xf7\x00c\xc6\x8c\
\xf9?#\x5c\x0d$\xa5\xfc\x18\xc0\x87\x00\x08\xc0\x19\xa5\
\xd4\x82\xab\xb1}\x129\x1c\xeb4\x80\x18@\x85\x88\xe6\
\xb3,\xab;\x1c\xdb\x1b.\x05l\x8c%\x84\x10\xc6\x18\
\x95e\xd9.\x87\xe3{\xc1\xa5\x003\xf0\xf76c\xcc\
u)\xe5N\x87\x19\xceq)\x80,\xd7v\x00\xb8\x91\
\xa6\xe9\xa4\xc3\x1c\xa7\xb8\x140\x8cI\x22Z\x9e\x99\x99\
\xd9\xc1\x9052\x1c\x02\x00\xe0\xd5(\x8a:R\xcam\
Ly\xcf\x8c7\x01D4xK\xbc\x0e\xa0\xddh4\
j\xbe2\x9f\x07o\x02\x84\x10\x06\xc5}ao\xb5Z\
\xbd\x5c\xaf\xd7+\xberG\xc5\xf7-`\x930\x97$\
\xc97p\xd8\x84m\x06\x8e=\xc0&\xe1\xb0\x94\xf2\x1c\
C\xf6S\xe1\xda\x04\x07{\x04\x008)\xa5<\xc9\x94\
?\x14.\x01\x00\xd0\xb3\x5c\xfb4M\xd3#\x8c5\x14\
\xe0\x14\x00XV\x02\x11\x9d\x97R\xce1\xd7\xb1\x01\xb7\
\x00BQB\x04\xe0J\x9a\xa6o0\xd7\xb2\x11\xce\x8d\
M\xc2\x0bD\xd4\xce\xb2l7w1e\x08\x00\xec\x12\
\xb6\x1ac\xbeo6\x9b\xafq\x16R\x96\x00\xc0.a\
{\xaf\xd7\xbb1==\xfd2W\x11e\x0a\x00\xec\x12\
^\xaaT*\xcb\xcdf\xf3E\x8e\x02\xca\x16\x00<\x92\
0\xd8(\xbd\xd2\xeb\xf5:\x8dF#\xf1\x1d\x1e\x82\x00\
\xc0\xde-NU\xabUU\xaf\xd7\xb7\xf8\x0c\x0eE\x00\
`\x97\xb0'I\x92\xab>\x0fO!\x09\x00\x00c9\
F\xcb$I.\xcc\xcf\xcf{\xa954\x01\xc3\x8e\xd1\
\xef\xac\xac\xac|\x06\x0f'\xc8\xe0\x04\xf4\xb1\x1d\x9eN\
\xcc\xce\xce~\xe0:(T\x01\x80\xe5\xf0$\x848\x9b\
\xa6\xe9{.CB\x16\x00\xd8\x0fO_\xa7iz\xd0\
U@\xe8\x02l\x8d\x92 \xa2/]\x05\x84.\x00B\
X\xf7=g\xff\x16\x83\x17`\x8c)\xd4(\x84\xb8\xe8\
j\xfc`\xbe\x9d\x1dB<\xb8\x02\x88\xe8\x98R\xea+\
W\x01!\xaf\x80\xd8r\xed#\xad\xb5\xb3\xc9\x03\xe1\xae\
\x80\xc2\x07CD_h\xad\xcfx\x0f\x0a\x80\x08\xc5\x8e\
\xef\xd2\xd4\xd4\xd4q\xd8\x1f\xc0n:,$l\x93\xcf\
'&&\x0e-,,\xd8\xbaC'\x81\xa1`\x9b\xfc\
\x0f\xb5Z\xed\xcd\xc5\xc5\xc5\x87>CK\x87\x88l\x93\
\xbf]\xab\xd5f[\xad\xd6\xbf>\xb3C\x10 D\xb1\
\xdb\xb9\x0b\xe0@\xab\xd5Z\xf5\x1d^\xaa\x80\xfe\xc4\x07\
k\xb8\x1fE\xd1>\xa5\xd4\xef\x1c5\x94&@\x08!\
\xfaK\xffI\xfe\x22\xa2\xfd\xedv\xfbW\xae:J\x11\
0d\xf2\xff\x10\xd1\xb4\xd6\xfag\xceZ\xcah\x84l\
\x93\x7fh\x8c\x99\xcb\xf3\xfcG\xeeb\xb8W\x80\xed\x9e\
'\x22z;\xcf\xf3e\xe6Z\x00K1\xecyDt\
Tk}\x8d\xb9\x8e\x0d8\x05\xd8\x0e7\xa7\xb4\xd6\x8b\
\x8c5\x14\xe0\x12`\xcb\xf9\x5c)U\xfak2\x1c\x02\
\x0a]\x9e\x10\xe2[\xa5\xd4\xfb\xf0p\xb8\x19\x15\xdf\x02\
l-\xeew\xab\xab\xab\xef\x22\x80\xc9\x03~_\x94,\
L\x9e\x88\xbakkkou\xbb\xddu_\xb9\xa3\xe2\
\xf3E\xc9\xc1O\xfe\xd6\xfa\xfaz\xda\xedv\x1f\xf8\xca\
|\x1e\xb86\xc1;q\x1c7:\x9d\xce\x1aS\xde3\
\xc3\xd1\x09\xde3\xc6\xecSJ\xfd\xc1\x9052.W\
\x80\xed\x0b\xfc?\xe38\xde\x9f\xe7\xf9o\x0es\x9c\xe2\
\xe5'3}\xfe&\xa2\xc6\xd2\xd2\xd2/\x0e3\x9c\xe3\
L@\xff\xb1\xf6c\xc8\x18\x93i\xad\x7fr5\xbe/\
\x9c\x09 \xa2\xb3x\xf4D\xb7'\x84\xf8$\xcf\xf3\x9b\
\xae\xc6\x1e3f\xcc\x18_\xfc\x07\xda\xb9(\xbfV\x8f\
_\xb8\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x87\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x009IDATx\x9c\xed\
\xd0\x81\x09\x00 \x10\x03\xb1\xea\xda\x0e\xffN!\x05I\
&8.\x01\x00\x00\x00\x00\x00\x00\xe0\x7f+g\xa6\x1d\
\xd1\xb4\xdb\x01m\x06\xb4\x03\x00\x00\x00\x00\x00\x00\x00\xe0\
\xbd\x0b\x86@\x02\x81I\x17\xac\xcf\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x01\xf2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xa4IDATX\x85\xed\
\x96\xb1N\xc2P\x14\x86\xffC\xddL\x5c\x18M\xf4\x11\
H\x9c\x8c\x89\xf1\x15\x8c&\x18\x16G\xeeP\x17\x13c\
\x5c\x98\x18\x1c\x8c.\xc4\x84\xc3\x88\x93$<\x81\x8b\x89\
!q\x94G \x0c.B\xa2\x83\x0c\xb4\xfe\x0eR\x02\
\x95B\x0bh\x07\xf8\xa7{\xdb\xd3\xfb\x7f\xf7\xdcsO\
\x0a,\xbad\xdc\xcbr\xb9\xbc\xda\xe9t\xf2\x00\x0e\x00\
l\xce\xe8\xd5\x10\x91*\xc9\x9c1\xe6s\x22@\xcf\xbc\
\x06 5\xa3\xb1_u\x00;\x1eD\x22(\xaa\xb7\xf3\
y\x9b\x03@JD\xf2\xde$\x10\x00?i\xff\x13\x91\
<\xf4\xc6+c\xe2\x86\xce\xdc\x183\xb6^&IU\
9j\xedq\x19\xf8\x17-\x01~\xd5\x80\xaan\x88\xc8\
\x1eI\xff\xf3\x93\xa0ED\xe4\xcbu\xddz2\x99|\
N\xa7\xd3\xee\xd4\x00\xa5R\xe9\x8c\xe4%\xc9Q\xc5Y\
\x08Z\x84$\x12\x89\x04\xda\xed\xf6\x93\xaa\x1e\x19c^\
\xc3\x02\xf4\x8f\xa0X,fH^\xf9\xa1\xa2HDv\
I\xdeW*\x15+2\x80\x88\x9cOk\xec\x87h\xb5\
Z\xdba\xe3\x07w\xeb\xefz\xb7\x11|\xf7\x01\xac{\
\x13\xcb\xb2R\x00jQ\x01\x86\x1a\x8d1&\xb0\xe8\xfc\
RU\x00\xb0\xbd9\xc9\xd0\xb7+\xf6k\xb8\x04X\x02\
\xc4\x0e0u\xd7\x9b\xa0\x82\xaa\x06\xb6n\x00\x0do\x10\
K\x06D\xa4\x1a'@\x9dd.\x0e\x80\x86\x88\xdc`\
\xe0\x8f\x18\x18h\xbf\xaa\xfa\x0e`m\x1eN\x22r\x9c\
\xcdf\xef\xc2\xc4\x0ef\xe0a\x1e\xe6\x00\x9cn\xb7\xfb\
\x186\xb8\x0f\xe08\xce)\x80\xb79\x00\x5c\xd8\xb6\xdd\
\x8c\x0c`\xdbv\xd3q\x9c-\x00U\x00\x1f\x11M\x09\
\xe0ED2\xc6\x98\xeb\x88\xdf.\xb8\xbe\x01\xf5\xfb\x86\
\xdc&:Y\xda\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x02v\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02(IDATx\x9c\xed\
\xd8\xb1kSQ\x14\xc7\xf1\xefI\x13)\x0a\xa2Cq\
uQp\xe8\xe6\x1f\xe0\xe2RD:\x98E\xa7:\x14\
\x1c\x04\x05\x0b%} \x85\xe4\xd5\xa1\xc5\xc1E\x0a\xea\
\xa4\x8b\x82P\xaa\x83\x9b\xbb\x9b\x83\x83\x8b\xa0\x8b8T\
\x04%5\x9a\xe3\x90\x0e\xc9{W\x9b@\xcf\xbd\x0f<\
\x9flo\xc8\xef\xe4\xc7\xcd}\xef]p\xce9\xe7\x9c\
s\xce9\xe7\xdc\xffF\xcc\x132m\xa3,\x03=\x84\
&m\xd96\xcf\x9c\x80m\x01\x8b\xda`\x86\xdd\xa1\x9c\
.p\x9a\x8e|4\xcd\x9d@\xcd\xf4\xdb\x8fs\x98\xd1\
\x92\xa7\x81\x17\xdc\xd6\xa3\xa6\xb9\x13\xb0-`\x9a\xdf\x81\
\xab\xb3\xfc\xe2\x19\x8b\xda0\xcd\x1e\x93m\x01\x7fw\x9e\
\x19\xee\x83\xda\xefA\xfbHU\x00\xc0UZ\xb4\x12\xe6\
\x03i\x0b\x00\xa1\xcd\x8a^I9B\xdc\x02\x14\x0d\x5c\
}D\xa6\xe7\xa2\xce1$\xfe\x0a\x10\xfa\x85+\x0d\x94\
\xe7dz&\xfa,\xa4(@\xd1@\x09\xc7P^\xd2\
\xd2\x13\xb1\xc7I\xb3\x07\x84K8\x89\xb0\xcd-=\x12\
s\x94t\x9b\xa0\xee}F\x9d\xe5\x10Oh\xeaT\xac\
1R\xdf\x05\xfaP(A\xb8\xc8)\xee\xc6zFH\
[\xc0@\xa8\x84\xebd\xdc\x88\x11^\x85\x02\x80\xd2~\
\x00\xca\x06\x99\xce[\x07W\xa5\x00\xa0\xf4\xde (w\
\xacC\xabT@Hye\x1c\xb0*\x15\x10\xda\xf9\x1f\
Z\x87V\xa5\x80\xd0\x1cKtd\xdd:\xb8n\x1d0\
\x86\x1a\xc5\x93)\xe5\x1e9\x1b\xb1\xc2\xd3\xd1\xe0\x8f\xdf\
\xe2=7AB/N\x07.e\x01\x82\x94\xce$\xdf\
\xf0\x93\xcb<\x95\xd0I\x92\x894\x05\x0c~x1\xfb\
\x03\xca\x05\xd6\xe5{\xccQR\x14 {K\x7f\xd8W\
\x849r\xf9\x1c{\x98\xf8\x9b\xa0R+,\xfc\x1e}\
\xe6Y\x93w\xd1g!v\x01\xe5\xff<\xc0\x02k\xf2\
:\xea\x1cC\xd2\xde\x06\x95\x8c\x5c\x1e\xa7\x1c!\xe5]\
\xe0\x019y\xc2| ]\x01\xaf\xf8\xc2\xb5X\xf7\xfa\
\x7f\xb1-\xa0\x1b|\xbe\x7fK\x9d&\x9b\xd23\xcd\x1e\
\x93m\x01;\xfc`\xf4\xb0\xa3K\x9d9V\xe5\x9bi\
\xee\x04l\x0b\xd8\x94\x1e5:\x0c\xde\xf5\xbbLq\x89\
U\xf9d\x9a\xe9\x9cs\xce9\xe7\x9cs\xce9\xb7\x8f\
?e\x0ds\x1e\xf1\xdc\xef\xbb\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x01A\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xf3IDATx\x9c\xed\
\xd61J\xc4P\x14\x85\xe1s\x13^ca5\xf6n\
@\xb0\xb0O:'\x90\xd2u\xd8\xb8\x00\xc9\x02f\x13\
\xf66\x0f$\xce2\xdc\x81\x95 \xd3Y\xc8@`\x9e\
\xad\xbc\xa7X\xe5\x0e\x98\xff+\xcfMqr\x9aD\x02\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x16\xc1\xfe\xba\xb7m[\
\xbb4\x99I\xd34\x87a\x18\x0e\xbf\xdd\x7f\x1c\xa0\xef\
\xfbUUU\x1bI7\x92N\xe6*\xe7dofO\
)\xa5\xdb\x18\xe3[~,\x06\xe8\xba\xee4\x84\xf0\x22\
\xe9\xdc\xa3\x9d\xa3\x9d\xa4\x8b\x18\xe3\xfb\xf7\xb0\xca\x9f\x0a\
!\x0c\xfa\x7f//Ig\x926yX\x0c\x90R\xba\
v\xa9s\x1c\xeb<(\x06X\x9ab\x003\xdb\x1e\xa3\
\x88\x93\xe7<(\x06\x98\xa6\xe9^\xd2\xabG\x1bg;\
IwyX\x0c0\x8e\xe3G]\xd7W\x92\x1e$}\
:\x14\x9b\xdb\xde\xcc\x1e%]\xe6_\x00\x89\x1f!\x00\
\x00\x00\x00\x00\x00\x00\x00\x00`)\xbe\x00cG/\xd4\
\x80\x05\xfd\xa5\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x01\xd6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x88IDATX\x85\xe5\
\xd61h\x15A\x10\xc6\xf1\xdf\x98\x87\x08\x82\xa2\x85\x8d\
\xb5\xa9-\xad,#(i\x04\xb5R\xb0\xb3\x11RX\
y\xc1\xa0\xbcg%\x88 X\x0aZ\xa9`\x13,\xd4\
\xce*\xa5\xd8\x06\x82\x856v\x06\x04\x95\x97\x8c\xc5;\
C:o\xef\x96\x08\xba\xd5-\xdc|\xdf\x7ffv\x87\
\xe5\x7f_Q]q%\x8f\x9a\xda\x10\xd28\x8e\xfc\xe9\
\xf7QU\xf3\x1by\xd0\xd4+\x1c\x96\xddB\xea\x01\xac\
\xe4~S/q\xaa$l_\x15\xf3\x0b9g\xea\x09\
\x16JC+\x00d\x98\xf7\x10\x97@\xd8\xde[\x80\xc6\
\x1d\x5ckw\xdb\xb2k\xf7k\x004\xb9\x84e\xfc\xce\
\xbc\xc8|\x18@\x93\x97q\xbf\xdd\x15g>\x0c\xa0\xc9\
E<\xde1\xef\x91y\x7f\x80&O\xe39\xe6\xda\xac\
{\x9b\x97\x03\xdc\xcc\x93X\xc5\x01d\xe9\x89\x1f\x06\xb0\
\x9c'\x84\xd78d\x96\xf5`\xf3\xee\x00M\x1e\x97\xde\
\xe2XMs\xba\x8f\xe2O\xbb\xbe\xab\x99\xd3\xbd\x05\x1f\
j\x9a\xf6\x018\x8b\x8f\x851\x15\x01&\xf1YX\xc0\
\x17\xb37D5\x88\xeeB\xe3X\x97\xce`\x13!\xeb\
@\x94\x89\xdc\x8d\xf7X\xc4wQ\xa7\x12\xe5\x02\x93x\
\x87\x8b\xd8B\xb4 {\x080\x83X\xc5Uh[\xd1\
\x1b\xa2\x7f\x09'\xf1TX\xda\xd1\xe9Y\x89a=\x1c\
\xc7\x03\x8c\xd1\xbb\x12\xc3O\xf2\xc4-\xe9\xd1.\xbd\x22\
\x88\x0aW)\xd2\xba\xebx\xd6G\xb3\xce@y\x11[\
F\xae\xe0Mih\xbd\xb1z;~\xfa\xe1<\xd6\xfe\
\x0e\x00\xdc\x8boF\xce\x09\x9b\xf8ZU\xfb\x9f]\xbf\
\x00B\xf6`\x06\x0b\xeaS\x17\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x03\xe4\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\x96IDATx\x9c\xed\
\x98\xcfk\x14I\x14\xc7\xbf\xaf\x9c0#\x9a\xc9\xc1x\
\x08\x18\x0f9\xa4g\xc3zX\x7f\x5c\xa5U\x14[\xba\
\xab{\x02\x1e\x16\x0f\xb2\x88\xe8? \x9e\xfcq\x12\x96\
=-\x8b *\x0az\x10\xc9\xc5i\x82\x01\xd1$\xa8\
\xd9\xcb\x8a^S!\x87\xe0\x8f\xdb\xee%\x22^v\xaa\
\xf60\x930\xf6\x94\x99\xc9\xf4\xf4$\xab\xef\x03s\x98\
z]\xaf\xde{\xf5\xad\xea7\x030\x0c\xc30\x0c\xc3\
0\x0c\xc30\x0c\xc30\xdf\x17\xb4Q\x0b\x87aX6\
\xc6\x5c\x07 \x00\xdc\x8a\xe3\xf8\xd2F\xc4\xb1e#\x16\
\x95R\x9e\x05p\x0f@\x11\xc0v\x00\x07K\xa5\xd2\x07\
\xa5\xd4\xeb^\xc7\xd2\xf3\x02\x04Ap\x91\x88~G\xb3\
\xfa\xa4\xe38\x9f\x95Rs\xbd\x8c\xa7\x97\x05\xa00\x0c\
\x7f\x03py\x8dg\x8e:\x8e\xb3M)\xf5\xb4gA\
\xf5b\x11\xd7us\xfd\xfd\xfd7\x89\xe8\x976\xa7\xdc\
Y^^>7;;\xfbo\xa6\x81\xa1\x07\x0ap]\
\xb7000\xf0\x10\xc0\xcf\x16\xb3&\x22\x83\xe6\x8d\xf8\
)\x9f\xcf\xef\x19\x1a\x1a\xaa,--eZ\x84L\x15\
\xe0y^\xb1\xaf\xaf\xef\x11\x80C\x8d\xe3\xc6\x18\x08!\
\xaa\xc6\x98Z\x10D0\xc6\xd86c\x1a@\x14\xc7\xf1\
\xc7\xacb\x14Y9\xf6<og.\x97\x9b\x86%y\
\x22ZM~e\x0c\xc0\x17cu\x0e\x03\x98\xf6<o\
gVqf\xa2\x00\xdf\xf7w\x0b!\x9e\x00p\x12&\
\x03@\xb7\x98.,q)\x22:Z\xa9T\xdeu+\
\xc6\xc6\xc5\xbaJ\xb9\x5c\xfeA\x081\x87D\xf2\xa6\xb6\
\xbd\xad\x92G\xfd\x99\xa4\x14\x1cc\xcc\x9c\xef\xfb\xa5.\
\x85\xb9JW\x15\x10\x04\xc1\x01\x22\x9a\x02\xb0#aj\
7\xf9FlJ\xf8\x07\xc0\xf18\x8e_u\x18\xa2u\
\x91\xae\xe0\xfb\xfe\x11\x22\x9aFw\x92\x07\xecJ\xd8\x01\
`&\x08\x82\xc3\x1d\xf8\xb3\xd2\x95\x02H)\xc7\x85\x10\
\x8fQkkWY\x87\xec\xbf\x866\xcd7\xe3v\x22\
\x9a\x0a\xc3\xb0\x9c\xc2\xef*\xa9\xfb\x80 \x08\xce\x10\xd1\
}\x00\xb9\x84i\xe5\x1d\x9f\x8a\x06\x1f\x8d\xc7a\x0b\x80\
\x93\x8e\xe3\xbcWJ\xbdI\xe3?U\x01\xa4\x94\x17\x88\
\xe8\x0f4\x9fU\x9b|SADH\xacC\x00\xc2\xd1\
\xd1\xd1O\x0b\x0b\x0b\x7fv\xea\xb7\xd3\x02\x90\x94\xf2W\
\x00W-\xb6\xae'\x9f\x5c\xfb\x8b/D\xc7J\xa5\xd2\
V\xa5\xd4\xb3\xd4\xce\xda\xc1u\xdd\x5c\xb1X\xbc\x01\xe0\
\x8c\xc5\x9cu\xf2 \x222\xc64\xdd]\xc6\x98\xdb\x85\
B\xe1\xfc\xc4\xc4Du=\xfe\xd6\xa5\x00\xd7u\x0b\xc5\
b\xf1\x01\x80S\x16s\xe6\xc9'H*ao\xb5Z\
\xfdqdd\xa4\xb2\xb8\xb8\xd8v\x11\xdaV\x80\x94\xb2\
\x1f\xc0#\xd4\xda\xd3$\xbdN\x1e\xa8\xc5\xde\xa4\x04\x22\
zf\x8c)\xb7\xfb\xfb\xa1\xad\x02\xf8\xbe?(\x84\x98\
\x02\xb0\xdfb^\x97\xe42\xc0\xa6\xe2\xbf\xb4\xd6'&\
''\xffn5\xb9e\x1f\x10\x86\xe1\xb0\x10\xe2\x05\x12\
\xc9\xd7\xdf\xcf\x1b\x9d<P\x8b!\xa9\xbe\x03D\xf4|\
|||W\xab\xc9k*\xc0\xf7\xfdR\xfdG\xcdp\
\xe3\xb81\xc6\x10Q\x9a\x06'\x0bl\xad\xf3[\x00\xc7\
\xe28VkM\xb2\x22\xa5\xdc_\xdf\xf9\xe1\x84i3\
&\x0f\xd8\xef\xa1\xdd\x00^FQ\xb4\xefk\x93\xac\x05\
\x90R\x1e\x020\x03`0aJ\xdb\xdaf\x8d\xad\x08\
\x83Z\xeb\x99(\x8a\x5c\xdb\x84\xa6\x0b$\x8a\xa2KZ\
\xeb\xbbD\x94\xb7<\xbfr\xf3n\xe6\x8f\xedX\xe7\xb5\
\xd6\xa7\xc7\xc6\xc6\xf4\xfc\xfc\xfc\xf3FC\x93\x02\xb4\xd6\
W\xa8\xdew~K\x10\x11i\xad\xaf$\xc73\xfbK\
\xec\xff\x82\xad\x00\xd7\xb0\xb9\xcfy\xa7h\xd4rc\x18\
\x86a\x18\x86a\x18\x86a\x18\x86a\xbek\xfe\x03\x16\
9\x0e\x93\xd4\xb9e\x8d\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x01\x1a\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xccIDATx\x9c\xed\
\xd0\xc1\x0dAA\x18F\xd1\xff)BaZ\xb0\xd2\x83\
\xa5\x1et\xa1(+]\xb0\xf0b\xc5\xd6\x91\xb8'\x99\
dv\xf3\xcd\x9dI\xf2\xcf\x16\xf6\xf2\xf1\xbe\x9b\xfb\x9c\
\xd7\x15\x879-\x171c#\x1e\x9d\x99Y?\xbf\x9d\
\x99\xed+\x04\xe0\x02<?\xff\xee\xfeU2\xc0O(\
\x80\x1e\xa0\x15@\x0f\xd0\x0a\xa0\x07h\x05\xd0\x03\xb4\x02\
\xe8\x01Z\x01\xf4\x00\xad\x00z\x80V\x00=@+\x80\
\x1e\xa0\x15@\x0f\xd0\x0a\xa0\x07h\x05\xd0\x03\xb4\x02\xe8\
\x01Z\x01\xf4\x00\xad\x00z\x80V\x00=@+\x80\x1e\
\xa0\x15@\x0f\xd0\x0a\xa0\x07h\x05\xd0\x03\xb4\x02\xe8\x01\
Z\x01\xf4\x00\xad\x00z\x80V\x00=@+\x80\x1e\xa0\
\xc9\x00\xb7\x0f\xf7\xafr\x01\x96\xd9\xcf2\xd7\xf5\xec\xd9\
\x8e$\x7f\xed\x01\xe0\x86\x0dRU\xd8\x8a3\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x03a\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\x13IDATx\x9c\xed\
\x9a\xbdk\x14A\x18\xc6\x9fw\xf7\xe0 $6\x22\x22\
\xa60$\x16\x82 \xa4\xb2\x14\xbf@\x0b\xbb XD\
\x12r\xec\x1e\x07i\x83\x7f\x81\xb1\xf4p\xb9\xd9\xbd\x90\
\xd2&Z\x88\x90\x08j\x11\xb0\xb0\x15,,\x14,\x8e\
\x88\x88ED\x8b\xc3\xdb}m\x8e@n\xf7>vg\
'\x93s\xe7W\xce\x0d\xcf\xfb\xecs\xb33\xc3\xec\x00\
\x06\x83\xa1\xc8\x90\xac\x80\xe7y\x93\xb6m\xd7\x00,\x10\
\xd1E\x00ey[R\xb4\x99\xf9#\x80\xad0\x0c\xbd\
Z\xad\xf6{Pg\xa9\x00\x84\x107\x88h\x13\xc0\xb4\
\x8c\x8eBZ\xcc\xbc\xec\xba\xee\xeb~\x1d\xac\xac\xcaA\
\x10,\x13\xd1+\x1c\xdf\x87\x07\x80i\x22\xda\x11B,\
\xf5\xeb\x90i\x04\xf8\xbe\x7f\x13\xc0\x0e$\x02<bB\
f\xbe\x954\x12R\x07\xe0y\xded\xa9T\xfa\x04\xe0\
l.\xd6\x8e\x8eV\xa7\xd3\xb9\xd0;'\xa4\xfe\x07\xbb\
\x13\xde\xb8=<\x00Lw\xbd\x1f\x22\xcb\x10^\xc8\xc1\
\x8c.b\xdeS\x07\xd0]\xea\xc6\x92$\xef\xa5\x0c:\
\x03\xd7y\xc7q\xa4\xf7\x162\xf8\xbe\xcf\x03~\x8ey\
\x1f\x97Y\x5c\x19&\x00\xdd\x06tc\x02\xd0m@7\
&\x00\xdd\x06tS\xf8\x00\x86n\x84|\xdf?\x03\xa0\
\x0a\xe0\x1a\x80\xd3#\xf4\xff,\xe1\x87\x89\xa8\xc5\xcc\xdb\
\xedv\xdb_]]\xfd%\xa15\x12\x03\x03\x08\x82\xe0\
\x0e3o\x028\x99BsV\xc6\x103\xcf\x01\xb8R\
.\x97\xab\xcdf\xf3^\xa5Ry/\xa37\x8c\xbe\xaf\
@\x10\x04\xeb\xcc\xfc\x02\xe9\x1e>Of\xa2(z'\
\x84pU\x16I\x0c@\x08q\x97\x99\xd7T\x16\x1e\x11\
\x9b\x88\x9e4\x9b\xcd\xcb\xaa\x0a\xc4\x02h4\x1a\xe7\x88\
(PU0\x03v\x14EO\xeb\xf5\xfa\x09\x15\xe2\xb1\
\x00,\xcbz\x00@I1\x09f\xca\xe5\xb2\xa3B8\
\xe9\x15\xb8\xad\xa2\x90,D\xa4\xc4WR\x00\xc7\xf2\x94\
\x97\x99\x95\xf8J} b\xdb\xf6y\x15F:\x9d\xce\
\x1c\x11\xed\x0c\xe8\xa2\xe4\xa0%u\x00+++2\x1b\
\x9d\xbelll \x0cC\x15\xd2\x03)\xfcV\xd8\x04\
\xa0\xdb\x80nL\x00\xba\x0d\xe8\xc6\x04\xa0\xdb\x80nL\
\x00\xba\x0d\xe8\xc6\x04\xa0\xdb\x80nL\x00\xba\x0d\xe8&\
\xcb\xfd\x00]\xcc\x0e\xf9\xf6?\x0a\xed\xde\x86B\x8d\x80\
\xee\x05\xcaC\x14*\x00\x00[\xbd\x0dE\x0a\xa0\x15\x86\
\xa1\xd7\xdbX\x94\x00Bf^N\xba7\x5c\x84\x00B\
f\xae\xf4\xbb/<N\xab@\x16\x86^\x96\xfe\x1f\x03\
8\xb8.?11\xf1dqq\xf1\xcf\xa0\xce\xb1\xa3\
\xe6\x1c\xd6ZU|q\x1cg.o\xd1\xa49\xe0G\
\xdeEr\xe2\xbb\x0a\xd1X\x00D\xf4FE\xa1\x1cx\
\xabB4\x16@\x14E\x8f\x00\xfcUQL\x82\x9f\x00\
\x1a*\x84c\x01\xb8\xae\xfb\x01\xc0q\xb8\x1bp\x003\
/9\x8e\xf3M\x85v\xe2>`oo\xef1\x11=\
SQ0\x03\xeb\xae\xeb\xbeT%n'5\xee\xee\xee\
\xf2\xfc\xfc\xfc\xf3\xa9\xa9\xa9}\x00W\xfb\xf5S\xcc>\
\x11\xddw\x1c\xa7\xae\xb2\xc8\xd0/\xaeB\x88K\x96e\
\xad1\xf3u\x00\xa7T\x9a\xe9\xd2\x02\xb0\x1dE\xd1\xc3\
j\xb5\xfa\xf5\x08\xea\x19\x0c\x86\x02\xf3\x0f\xe0\xf1\xdb)\
1d\x09\xe3\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x03t\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03&IDATx\x9c\xed\
\x9bOk\x13A\x18\xc6\x9f\xd9&$\x87R\x0f\x22\x22\
\xf6`i\x85\x08\x82=z\x14\xff\x12I&\xa5\xb0\x18\
z\x11\x02\xa2\xc5\x0fP\xfc\x04\xd6\xa3\xd2\x22z\xe8\xd1\
\x83Q\xc8\xeeB\x03Q\x0f\x01\x0f^\x04\x0f\x1eLQ\
\x10\xcc%\x88\x87J\x85,I;\x1e\x1a\x84&\x9b\xa4\
\xbb\xb3o\xa6q\xe7w\xdc\x1d\x9e\xf7\xd9'\xb3\xb3\x93\
\xd9Y@\xa3\xd1D\x19&+`\x9a\xe6d\xb3\xd9\xbc\
\x0f\xc0d\x8c\x9d\x07\x90\x90\xb7%\x85+\x84\xf8\x0c\xa0\
\x98L&\xd7\x8b\xc5\xe2\xce\xa0\xc6R\x01p\xce\xaf\x01\
\xd8\x000-\xa3CH\x1d@\xc1\xb6\xed7\xfd\x1aL\
\x04U\xe6\x9c\x17\x00\xbc\x04p,\xa8\xc6\x08\x98\x02\xb0\
\x94J\xa5~\xd4j\xb5O^\x0d\x02\xf5\x80L&s\
\xdd0\x8c2\x00C\xc6\xdd\x08\xd9\x05\x90\xf6\xea\x09\xbe\
\x030Ms\xd2u\xdd/\x00N\x87\xe1l\x84\xd4\x13\
\x89\xc4\xb9\xee1\xc1\xf7/\xd8\x19\xf0\xc6\xed\xe2\x01`\
\xba\xe3\xfd\x00A\xba\xb0\x19\x82\x19U\xf4x\xf7\x1d@\
\xe7Q7\x96xy\x8f\x05\xd0\x19\xf8\x9c\xb7m[z\
n!\x03\xe7\x5c\x0c8\xdd\xe3}\x5cFq2t\x00\
\xaa\x0d\xa8F\x07\xa0\xda\x80jt\x00\xaa\x0d\xa8&\xf2\
\x01\x0c\x9d\x08-..\x9ej\xb7\xdb\xcb\x00\xae\x008\
9\xac=\xe7\xfc\xab\x84\x1f!\x84\xa83\xc66[\xad\
\xd6\xb3r\xb9\xfc[B\xebP\x0c\x0c\x80s\xce\xdb\xed\
\xf6\x06\x80\xe3>4ge\x0c1\xc6\xe6\x00\x5c\x8a\xc7\
\xe3\xcb\xd9lv\xc9q\x9c\x0f2z\xc3\xe8{\x0b\xe4\
r\xb9U\x00\x16\xfc]|\x98\xcc0\xc6\xdes\xce\xef\
Q\x16\xf1\x0c \x97\xcb\xdd\x12B\xacP\x16>$\x13\
\x00\xd6\xb2\xd9\xecE\xaa\x02=\x01,,,\x9c\x11B\
<\xa7*\x18\x80\x09\xc6\xd8\x8bt:=E!\xde\x13\
\xc0\xde\xde\xde\x03\xec\xaf\xa5\x1d%f\xe2\xf1\xf8]\x0a\
a\xaf[\xe0&E!Y\x84\x10$\xbe\xbc\x028\x92\
K\xdc\x8c1\x12_A\x16D\xce\x86\xeeb\x9f9\x00\
\xe5\x01\xe7I\x16Z|\x07`\xdb\xb6\xccD\xa7/\x9c\
s\x0a\xd9\xa1D~*\xac\x03Pm@5:\x00\xd5\
\x06T\xa3\x03Pm@5:\x00\xd5\x06T\xa3\x03P\
m@5:\x00\xd5\x06T\x13\xe4\xef\xb0*f\x87\xbc\
\xfb?\x0cn\xf7\x81H\xf5\x80\xce\x06\xca\x03D*\x00\
\x00\xc5\xee\x03Q\x0a\xa0\x9eL&\xd7\xbb\x0fF%\x80\
]\x00\x05\xaf}\xc3Q\x08`\x971v\xa7\xdf~\xe1\
qz\x0a\x04\xa1\x0e\xa0`YV\xdf\xcd\xd2\xffc\x00\
\xff\xb6\xcb\xbb\xae\xbbV\xa9T\xfe\x0cj\xdc\xb3\xd4\x1c\
\xc2\xb3\x96\x8ao\xb6m\xcf\x85-\xea5\x06\xfc\x0c\xbb\
HH4(D\xbd\x02xKQ(\x04\xdeQ\x88z\
\xbd\x1c}\x04\xa0EQL\x82_\xb1X\xec)\x85p\
\xcf\x17#[[[\x8dT*\xb5\x03\xe0\x06E\xc1 \
0\xc6\xf2\xa5R\xe9#\x85\xb6\xe7<`~~\xfe1\
\x80W\x14\x05\xfd\x22\x84X\xb5,\xcb\xa1\xd2\xf7\xfcf\
\xa8Z\xad\x8a|>\xff\xba\xd1hl\x03\xb8\xdc\xaf\x1d\
1\xdbB\x88\xdb\x8e\xe3<\xa1,2\xf4\x8dk&\x93\
\xb9`\x18\xc6\x0a\x80\xab\x00NP\x9a\xe9P\x07\xb0i\
\x18\xc6\xc3R\xa9\xf4}\x04\xf54\x1aM\x84\xf9\x0b\xd6\
a\xc8\xb5: \xbe\xa6\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x04:\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xecIDATx\x9c\xed\
\x9bOh\x5cU\x14\xc6\xbfsg\xe2\x14J\xddX\x5c\
d(\xee\xfc\xb3U\xe9V\x11\xdb\xd2B\xb5\x04\x91.\
\x04\x89\xf5\xbe\x97A\x084H\xa1R\x1d\x87\xb6\xd0R\
p1%y\xf3\xde$\xa4\x0bQtU\x8b\xb4\x92R\
(tS\x10\x0a]\x14A\x5c\x88\x94\x04\x05\x11\x8b\xa6\
!\xe3\xdc\xe3\x22\xd3\x12\xde\xbbC;\xe4\xdc;\x17:\
\xbf\xdd\xbc\xc5\xf9\xce\xfd8\xf7\xddsf\xee\x00#F\
\x8cx\x92!\xa9@i\x9a~\x0e\xe0\x0433\x11\x9d\
\x8a\xe3\xb8!\x15\xdb%J0\xd6\xa7\x00JDT\x06\
PO\x92\xe4u\xc1\xd8\xce\x904`s,RJ]\
j\xb7\xdb\xaf\x08\xc6w\x82\xa4\x01&\xf7y\x871\xe6\
\x87\xb9\xb9\xb9\x17\x045\xc4\x914\x80-\xcfv\x96J\
\xa5\xab\xb3\xb3\xb3\xbb\x04uD\x914\xa0\x1f\xbb\xca\xe5\
\xf2R\x9a\xa6;=h\x0d\x8c\x0f\x03\x00\xe0E\x00W\
\x16\x16\x16vx\xd2{l\x5c\x1a\x90\xdf\x12\xafv:\
\x9d\x8b\xcdf\xb3\xe2Ps`\x5c\x1a`\x903\x81\x88\
\xde\xa8T*_\xd5\xeb\xf5\xb2C\xdd\x81p\xbd\x05\x0c\
\x11\xe5+a\xa2Z\xad\xb6\x98Y\xac\x09\xdb\x0a>\xde\
\x01\x85J`\xe6#Y\x96\x9d\xf1\xa0\xfdH\x9c\x1b\xc0\
\xcc@\xb1G\x00\x80ci\x9a\x1es\xad\xff(|\x9d\
\x02\x00\xd0\xb5<;\x9b\xa6\xe9\x87\x1es(\xe0\xd3\x00\
0\xb3\xe9U\xc4f\xd2V\xab5\xe13\x8f\xcdx5\
\xa0\xf7B\xcco\x07ED_gY\xf6\xa6\xcf\x5c\x1e\
\x8a\xfb\x16$\x22f\xe6\xbc\x09O1\xf3\xc5$Iv\
\xfb\xce\xc7\xbb\x01@\xdfJ\xd8\xae\x94\xba\xdcn\xb7_\
\xf2\x99\xcbP\x0c\xe8a3\xe1\x19c\xcc\xd5\xf9\xf9\xf9\
\xe7|%1L\x03\x00\xbb\x09\xd5n\xb7\xbb\x94$\xc9\
\xb3>\x12\x18\xb6\x01\xc0\x86\x09\xf9\xa3\xe1y\xa5\xd4\x95\
f\xb3\xf9\xb4k\xf1\x10\x0c\x00,\xdd\x22\x80\x97+\x95\
\xca\xa5\xc5\xc5\xc5m.\x85C1\x00\xb0\x9b\xf0\xda\xfa\
\xfa\xfa7.\x87\xa7\x90\x0c\x00\xec&\xbc5>>>\
_\xaf\xd7\x9d\xe4\x1a\x9a\x01\x80}\x82|\xbfZ\xad\x9e\
s1A\x86h\x80\xb5ef\xe6\x99,\xcb\x8eKk\
\x05i\x00\x00\x10Q\xd727\x9cN\xd34\x96\xd4\x09\
\xd6\x80\x1e\xb61:i\xb5Z\xefH\x09\x04m@\x9f\
\x96\x99\x88\xe8\xbc\x94F\xd0\x06\x00\x0f\xbfP\xc9#v\
,\x06o\x00\x11\x15r$\xa2\x05\xa9\xf8\xc1|;\x9b\
\x87\x88\xc0\xcc%\xcb\xf3\x8f\xa2(\x9a\x93\xd2\x09\xb6\x02\
l\x8b\x07\xf0\x99\xe4\xe2\x81@\x0d\xb0\x95=\x80f\x14\
E\xa7\xa4\xb5B4@Y:\xbe/\x97\x97\x97\x8fZ\
:\xc4\xad\x8bI\x07\xdc\x22\x0a\xb9[+\xcc\xfc=\x80\
\x0f\x1a\x8d\x86\xad'\x10\x11\x0c\x05\xdb\xe2o\xac\xae\xae\
\xbe\x1b\xc7q\xc7\xa5h\x08\x14\x16\x0f\xe06\x11\x1d\x9c\
\x99\x99\xb9\xefR8\x84c\x90P\x5c\xfc/J\xa9}\
Z\xeb\xbf]\x8b\x0f\xb5\x02z/\xbb|\x0e\xcb\xc6\x98\
=Z\xeb\xdf}\xe404\x036n\xd3\x15\x8e\xbb\xbf\
\x88ho\xadV\xfb\xd5W\x1e\xc3\xda\x02\xb6\xc5\xff\xab\
\x94:\xa0\xb5\xbe\xe33\x11\xef\x15\xd0\xa7\xec;\x00&\
\xb4\xd67}\xe7\xe3\xb5\x02\xfa\x94=\x13\xd1{Q\x14\
-\xf9\xcc\xe5\x01\xbe\x7f\x1c-\xe81\xf3T\x14E\xdf\
\xfa\xccc3>+\xc06\xd9}\x12\xc7q\xe61\x87\
\x02\xce+\x80\x88\xfa\xcd\xf4_h\xad\x87~M\xc6\xc7\
\x16(\x0c7\xcc|Ak\xfd\xb1\x8b\xe1fP\x5c\x1b\
PX<\x11}\xb7\xb2\xb2\xa2CX<\xe0\xd6\x80B\
\x7fOD\xd7\xc7\xc6\xc6\x0e7\x1a\x8d\xff\x1c\xea\x0e\x84\
K\x03\xf2\xfd\xfd\xad\xb5\xb5\xb5\xb7'''\xd7\x1cj\
\x0e\x8c\xafc\xf0gc\xcc\xfe\xe9\xe9\xe9{\x9e\xf4\x1e\
\x1b\x1f\x06\xdc\x05\xb0\xa7V\xab\xfd\xe1Ak`$\xfb\
\x00\xdb\x0f\x97\x7f*\xa5\xf6j\xad\x7f\x13\xd4\x11\xc5\xd5\
_f\x00\xe0\x1f\x22\xda\xaf\xb5\xfeIPC\x1c'\x7f\
\x99\xe9]\x85;\x14E\xd1\x8f\x82\xf1\x9d i\xc0i\
l\x5c\x87\xed\x1acNNMM]\x13\x8c=b\xc4\
\x88\x11N\xf8\x1fOL7\x96\x03:\x89e\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x06m\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x06\x1fIDATx\x9c\xed\
\x9bKs\x5c\xc5\x15\xc7\x7f\xa7GUVp\x10\xd8\xbc\
R\x95\x15\x0b/\x9c\xf02\x18\x08\x81J\xb0l$9\
s_\x1f\x80\xe2C\xb0J\x16dAy\xc1\x86\xaf\xc1\
\xc6\x9b\xb9\x0f![\xcf\x10\x08\x86\x02\xaax$U.\
S\x14\x8b\xecB\x0cX\xc6XB\x9e>,t\xc7\x16\
w\xc6\xba}g\xee\x95D\xa1\xffFU\xdd\xa7O\x9f\
\xffO\xdd}\x1f3\x03\xfb\xda\xd7\xbe~\xc9\x92A\x8d\
SSS\x07\xc7\xc7\xc7_\x06|`\x1c\xb8\xa0\xaa\xaf\
\xa5i\xfa\xe5\x8eV7\xa4|\xdf\x7fPD\xfe\x0a<\
\x03\xac\x01\xb3\x07\x0e\x1cx\xfd\xec\xd9\xb3\xdf\x15c\xfb\
\x00\x04Ap'\xf0\x16p\xac\xd0uED\xa6\xe38\
~\xbf\x89\xa2\xeb\x92\xef\xfbO\x8a\xc8\x02pW\xa1\xeb\
\x93\x8d\x8d\x8d?\xcd\xcd\xcd\xadnm4\xc5\x049\xb9\
\xa2y\x80\xbbTu>\x0c\xc3\xa7\xeb+\xb7^mc\
\x1e\xe0\xd1\xb1\xb1\xb1\xbf\x15\x1b\xfb\x00\x00\xc16sL\
\xecU\x08%\xe6{\x0a\x8b\x0d}\x00T\xf5W%s\
M\xa8\xea|\x14EOU\xac\xb11\x05Ap\xdc\xc1\
<\x222^l\x1b\xb4\x02\xfe\xe50\xe7\x84\xb5va\
/@\x08\x82\xe08\xb0H\x89\xf9\x5c}\xde\xfa\x00X\
k\xcf\x00W\x1c\x92\xed:\x84\x8a\xe6W\xad\xb5\xaf\x16\
\x1b\xfb\x00dY\xf6\xb91f\x0aw\x08\xbb\xb2\x1dr\
\xf3\xa5\xcb>\xd7\xaa\xaaNgY\xf6y\xb1c\xe0}\
\x00@\x14EOYk\x17\x80\x09\x87\x09\xae\xa8\xea\x0b\
i\x9a~\xe0\x10;\xb2\xa2(z\xc2Z\xbb\x08\xdc\xed\
\x10~UU\xa7\xd24}oP\xe7m\x01\xe4\x13\xed\
9\x08u\x9a\x87\x12\x00\xf9\x84{\x06B\xdd\xe6\xc1\x01\
\x00@\x18\x86O\xab\xea<\x8e\x10\x80SI\x92|\xe8\
\x92\xdbU\x9e\xe7=n\x8cY\x04\x0e9\x84_\xb5\xd6\
NgYv\xa1,\xd0\x09\x00\xec.\x84\xa6\xcc\xc3\xe0\
\xfb\x80\x81\x8a\xe3\xf8}U\x9d\x06VK\x837O\xe6\
\xc5\xfc\xa4\x1eIU\xcd\x8b\xc8\x8c\xaby\xa8\xb0\x02z\
\xf2}\xff\x0f\x222\x0f\xdc\xe9\x10\xfe-\xf0\xc2\xb0+\
\xa1\xa2\xf9\xef\xf2\x87\xb5w\xab\xcc\xe1\xbc\x02zJ\xd3\
\xf4=U\x9d\x02\xae:\x84\xdf\x0d,DQ\xf4D\xd5\
yv\xc2<\x0c\xb1\x02z\xaa\xba\x12\x8c1\xa7:\x9d\
\xceG.\xb9\x83 8\x06,\xd1\xb0y\x18\x01\x00\x80\
\xe7y\xcf\x18c\xceS#\x84\xaa\xe6\x81\x99$I\x5c\
\x9e_\x06j$\x00P/\x84\x9d6\x0fC\x9c\x01E\
eYvADfp<\x13\xac\xb5\x0b\x9e\xe7=^\
\xec\x08\x82\xe0\x98\xaa:\xefyk\xed\xe9Q\xcdC\x0d\
\x00\x00\xe28~7\x87\xd0\xf7\xcem\x80\x0e\x19c\x16\
\xb7B\x88\xa2\xe81U]\x14\x91\xc3\x0e\xe3\xafYk\
OgY\xf6\xce\xd0\x05o\xd1\xc8[`\xab\xc20\xfc\
\xa3\xaa\x9e\x07~\xed\x10\xfe\x8d\xb5\xf6\xd4\xd8\xd8\x98\xed\
v\xbbK\x15\xcc\xcf\xd4e\x1ej\x06\x00\x95!\xac\xaa\
*\x22\xe2rwY\xbbyh\x00\x00@\x10\x04\xcf\x02\
\xe7p\x83\xe0\xa2k\x22r:\x8e\xe3\xb7k\xcawS\
\x8d\x00\x80Z!4f\x1e\x1a\x04\x00\xe0y\xdes\xc6\
\x989\x86\x87p\x0d\xf8K\x92$\xff\xac\xb1\xac\x9f\xa8\
Q\x00p\x13\xc29\xe0`\xc5\xa1\x8d\x9b\x87\x1d\x00\x00\
7!\xcc\x03e\xaf\xdc{Z\x03\xa6\x9b6\x0f5\xdd\
\x07\x94Nb\xcc*\xf0\x83k\xbc\xaa\xfe\x90\x8fi\x5c\
\x8d\x03\x08\x82\xe0\x11`\x19\xb7\xb7\xb7\x00\x88\xc8D\xb7\
\xdb]\x8a\xa2\xe8\xb1\xe6*\xcb\xe7j2\xf9\x16\xf3\xf7\
\x0c3^U\xbfn\xb5Z';\x9d\xce\xc7\xf5Vv\
KM^\x06\x1fa\xf3\xc1\xe6\xdeQ\xf2\xa8\xea\xd7\xaa\
:\x99e\xd9'\xf5T\xf6S5\xb2\x05\xc20|\x98\
\x1a\xcc\x03\x88\xc8a\x11Y\xf6<\xef\xd1\xd1+\x1b\x90\
\xbf\xee\x84a\x18>\xac\xaa\xcb\xb8\x99_\xcf\xff\x1ep\
\x88\xbdl\xad=Y\xf7J\xa8u\x05T4\x7f\xdd\x18\
3\x03L\x01\xdf;\xc4\xdfc\x8cY\xaa{%\xd4\xb6\
\x02\xda\xed\xf6C\xadVk\x05G\xf3@;I\x92\x15\
\x00\xdf\xf7\xff,\x22o\x02w8\x8c\xbd\x0cL&I\
\xf2\xe9\xf0\xd5\xdeR-\x00F1\xdf\xd3nA\x18y\
\x0bT5\xaf\xaa^\xd1<@\x9a\xa6o\x19c\xda8\
n\x07`9\xbf\xd2\x8c\xa4\x91\x00\xe4\xe6\x9d\xf7\xbc\xaa\
zi\x9a.\xdf.\xa0\xd3\xe9\xfc\xa3\x22\x84\xa5Q!\
\x0c\xbd\x05\xb6\x98\xbf\xcf!\xfc\xba\xb5\xd6\xcf\xb2l\xc9\
%w\x14E\xcf[k\xdf\xc4\xed\xd9\xe1\xff\x222\x19\
\xc7\xf1g.\xb9\x8b\x1a\x0a\x80\xef\xfb\xbf\x17\x91\x15\xdc\
\xcc\xafYk=W\xf3=\xed\x14\x84a>\x1ak\xdc\
|OA\x10\x9c\x00fi\x10B\xa53 7\xef\xba\
\xecG2\x0f\x90\x1f\x96m6\xaf\x1ce\xbaWU\x97\
\xdb\xed\xf6CU\xe6p\x06\xb0\xc5\xfc\xfd\x0e\xe1k\x22\
\xe2\xbc\xe7\xb7S\x92$+\xaa\xea\xe1\x08\xa1\xd5j\xad\
T\x81\xe0\xfa\x05\x89\xdf\xa9\xea\x0a\x15\xcc\xc7q\xbc\xe8\
Z\x84\x8b|\xdf\x9f\x14\x91\x0c\xc7\xed\xd0\xedvO\xcc\
\xce\xce\xfe\xbb,\xb0\x14@U\xf3@\x90$\xc9\x82C\
ley\x9ew\xd2\x18\x93\xe2\x06\xe1\xabn\xb7;Y\
\x06a[\x00{\xc9|O9\x84\x8c\xcdo\xb1\x97\xa9\
\x14\xc2m\x01\xe4\xe6\x97\x81\x07\x1c&Z\xb3\xd6\x86Y\
\x96\xcd;\xc4\x8e\xac\xaa\x10T\xf5D\x9a\xa6\xff\x19\xd4\
9\x10@E\xf3\xeb\xd6\xda`\xa7\xcc\xf7T\x17\x84>\
\x00\x9e\xe7\xfd\xd6\x18\xf3!\xf0\x1b\x87\xc4\xbbb\xbe\xa7\
0\x0cO\xa9j\x8a\x1b\x84\xff\x89\xc8\xf18\x8e\xff\xbb\
\xb5q\xd0\xef\x05^\xe1g`\x1e \x8e\xe3E\x11\xf1\
\xd9<\x7f\xcat\xbf\xb5\xf6\xef\xc5\xc6A\x00\x9ewH\
\xb6.\x22;\xb6\xe7\xb7S~\xb9\x0dp\x80 \x22'\
\x8am\x83n\x84\xba%y\xd6E$\x8c\xe3\xf8\xbc[\
\x89\xcd+\xbf\xf2\xb8@\xe8\xf36\x08\xc0v\xff\xd5u\
\xdaK\xe6{J\x92d\xc1Z\x1b\xb2\x0d\x04U=\
Wl\xeb\x03\xd0j\xb5\xce\x00_\x0c\x18\xbf\x0eDI\
\x92\xf4%\xd9+\xca\xb2l~\x1b\x08_\xde\xb8q\xe3\
L\xb1\xb1Ul\xb8x\xf1\xe2\xf5#G\x8e\xbc!\x22\
\x07E\xe4\x016?\xd2Z\xb2\xd6\xbe\x94\xa6i#\x1f\
Q\xd7\xa9K\x97.}q\xf4\xe8\xd1Y6\x0f\xf2C\
\x22rYD\xde\xd8\xd8\xd8xqnn\xee\xab\xdd\xae\
o_\xfb\xda\xd7\xde\xd2\x8f\xcd\x17\x1c9\xe5\x04x\xd3\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x83\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x005IDATX\x85\xed\
\xce\xb1\x11\x000\x0c\x021_\x06d\xffm\xec!H\
\xa9\xef\xe14S\x94d\x93l\xf3\xf1\x9a\xf1\x8f\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\xa9f\
\x04\x11}U\x96\x09\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x01\xdc\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x8eIDATX\x85\xed\
\xd6!H\x03Q\x1c\xc7\xf1\xef\x7fw\xa8 \xa8M\xd0\
\x22\xa2Y\xab\xc1(+3\xc9\xb0\x08Z\x0d\xb2b\xd0\
1\x19\xc3\x9d\x1a\x0c\xa2`\x161\x08b\x1b\xa2\x18\x0d\
f\xbb\xc1$X\x94\x05a\xc8v\x7f\xc3\xbbm\xce\xe2\
\xdd\xedx\x06\xfd\xc3\xc1\x85\xf7\x7f\xbf\xcf{\xf78\x1e\
\xfc\xf5\x92P\xa3\x0a\xfa\x86\x22\xb8\x8cS\x92\xd7$\x01\
\xa9P\xa3\x94!`\x90\x06\x15\xd6\xb5\xdf>\xa0\x0d\x99\
\xa1\x97K\x8a\xda\xf3;\x00Si\xea\x9c\x92U\xe77\
\x00>\xa0\xc0\x22\x93\x1c\x81\x86;C\x09\x024x@\
X\xa5@\xc96\xc0 \x04?x\xdb\xa2\xa09\xdb\x00\
\xd0\x0e\xc4\x01y]\xb2\x0b\xf8\x8e\x10N(h\xc6.\
\xa0\x890g\xc2A\xb9`Sg\xed\x02L\xf9\x01\xa4\
\x8f\x14\x15\xf2:m\x1b@\xf0)\x14\x18@\xb8fC\
'\xec\x02L5wb\x18\x87[\x8a:b\x1b@\xeb\
P\xc2\x18u\xae\xec\x03:k\xca>@[\xf3=\xe1\
2\x1a\xa6\xc5M0>\x85 \xc0\x0b\x0d\xe6\xf0\xe49\
\x5cSR\xe1\xe6rS%E\x9a=y\x0c\xdb\xd8\xfd\
\x0ehk\xe55|\xe6\xf1\xe4!J{\xb7; A\
x\x03!\xcb\xae\xdcE\x9d >\xc0\x04\x9b~e\x85\
\xb2T\xe2L\x13\x17 _N|\x8e\x1d9\x8b9O\
,@{\xe5\xc26\x9e\x1c\xc6\x0d\x8f\x03h\x87\xc31\
e\x8a\xdd\x84G\x07hk\xe5\xe7\xb8\xac\x81\xa8]\x80\
\xb9\x82\xde\xe0\xb0LI\xfc\x1fF\x87\xaah\xff\x01\xe1\
\x9e\x1a\x0bx\xf2\x91Dx\x14@\x15Ap\xc8\xb0/\
\xefI\x85\xff\x17\xc0'\xe0\x96e[\x92E\xd0\xc2\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\xbc\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00nIDATx\x9c\xed\
\xd0\xb1\x0d\xc2@\x10\x04\xc0}\x8a@\xd4E\x0b$O\
E|%\xd4d\xd1\xc49q\x00vlY\xc23\xe1\
\xea\x82\xddK\x00\x00\x00\x00\x00\x00\x803h\xeb`\x8c\
qo\xad\xbd\x92\x5c\x0f\xe8\xb3\xa7\xa9\xaa\x1e\xbd\xf7\xf7\
wxY_\xfd\xe9\xf8$\xb9-\xdb~l\x1ep6\
\x9b\x07T\xd53\xc9\xe7\x80.{\x9b\x96m\x00\x00\x00\
\x00\x00\x00\x00\xc0\xc9\xcc\x9ec\x13\x085\xba\xb8u\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01`\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x12IDATX\x85\xed\
\xd71N\x02A\x18\x86\xe1g\x0c\xc1Rl\xf0\x0c\x5c\
\x80\x13\x98\xc0\x1d8\x05\x96\x88\x12\xc4X\xca)8\x83\
1\xf1\x04\x5c\x80;\xd0\xb0\x96\x10\x92\xb1`\x89\xab\x80\
\x8d\xbb\xb1p\xbe\xf2\xcfd\xde73\xcd\xff\xf1\xdf\x13\
\x0e&\x83\xd8\x11\xdc\xa0\x8dFI\x9c\x0cs\xd1\xb3\xa7\
\xf0zZ\xe06N0\xc4\x1a\x0b\xc1{)\xf8\xe8\x02\
-\x9c\x0b&\x1e\xc3\xfd\xa1\xc00vE/xS\xd3\
3\x0e\xcbR\xe0\xfb\x8cb\xd3\xd6\x0c\xd7\xa2\xee\xfe%\
\xce\x0a\x96}\xac+\x81\xc38,\xd5\xf4\xb0\x11\xf4\xf7\
\xe3\xb3\xc2\x916\x16\x95\xc0\x8b\x12,r\xd6\x81@\xa3\
\xb4?\xff)A\x86\xcbc\x02\x7f\x92$\x90\x04\x92@\
\x12H\x02I \x09$\x81\xa2@\x96o\xaf\xd5&j\
`uL`\x8e\x96QlV\x06\xdf\xdd\xdd\xcaY\xdf\
\x04\xa2g\x9c\xdb\x9aU\x221\x88W\xf9Z^\x17M\
\xf7\xe3\xaf\xc5d\x18\x1fDw\xd8\xd8\x15\x93\xac\x14\xf8\
\xee\xd9[\xa8\x9f.&\x9f\xa6\x9d|oo+l\xaf\
\xbf\xcc\xca\xae\x9aM\xbfW\xb3\x94\x0f(\x07L-F\
a\x19l\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01s\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01%IDATX\x85\xed\
\x97AJ\xc3@\x14@\xdf\x0fY\xbb\xb0\xe8UZP\
\xbc@\xbd\x82\x1e\xc1\x95(\xe9,\xc4\x85\x96\x08.\xec\
Q\x0a\xb9\x80 \xb4WiQp/\xf3]$i\x06\
;&\x8bL\xdc8o5\xfc!\xf3\x1f\x7f\x06\xf2?\
\xfcwd/\x92\xe9\x09\x09\xb7\xc0\x048\x0a\x94g\x0b\
\xac\xb0\xe4\xcc\xe5\xedw\x01\xa3\xd7\xc0\x93W,\x0c\x16\
\xe5\x86Gy\xde\x170z\x0a\xbc\x02\x9f\xc0\x15)\x05\
\xf7\xf2\x11$\xed\x9d\x1e\xf2\xc5\x14X\x00\x07X\xce~\
V\x02\x8c.1\xaa\x18\xbd\x08\x92\xd4\xc7L/\xab\x1c\
\xcb:\x948\xdb\x13\x00R\x8a\xc1\x04tw\xf6\xd8'\
P>\xb8Pe\xf71\x97\xf7ju\x5c\x87\xd2\xce\x8f\
\x8cj\xaf\xa4\x0f\xd2\xfa\xa0\x93\xb6\xcd\xbf \x0aD\x81\
(\x10\x05\xa2@\x14\x88\x02\xdd\xfd@\xc7\xff\xbc/n\
\x05\xb6@\xd9@\x0eE\xa6\xa3j\xb5\xf1\x09\xac\x00\xaa\
\xeeu\x18dw\xf6\xba\x0e5W`\xc9I8\x07\x16\
\xccTP\x0a\xa7\x87\xebG\xa6#\x84)\xc2\x0b`\xb1\
\xe4\x8d\x93K9\x98\xe4\x0c\xf78[\x06\x93\xc6\xb6\x1e\
\xcd\xc68\xddkO6\xc0\xda7\x9aE\xbe\x012D\
P\xafj9\xd5n\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x00u\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00'IDATX\x85\xed\
\xceA\x01\x00 \x0c\xc3\xc0\x82m\xc4\x0f\x19\xdd\xe3\xce\
@\x92\x00\x00e'o\xa69p\x9bq\x00`\x85\x0f\
P\xa6\x02}\xb4\xe1b\xcd\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x00\xc8\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00zIDATX\x85\xed\
\xd2\xb1\x0d\x021\x10D\xd1?K\x0fHtC'\x04\
$.\xc3]\x98\x80\x98\x1a\xe8\x08\xe9z\xc0Kt'\
$$\xb2\xb3\x93y\xd9:\xf9\x13\x18\xcc\xcc\xcc&\xd3\
\xf7\x91\x99\xaa\xb5\x1e\xf6\x0c\xd6Z\xdf\x92\xf2g@k\
\xed\x1c\x11\x0f\xe0\xb4\xe7\x00`\xc9\xccK)\xe5\x09\x10\
\xebkD\xdc\x06\xc4\x01\x8e\x92\xee[w@\xf0\xafm\
@\xef\xbd\x00\xaf\x01\xcdE\xd2u=\xa6\x7fB33\
\xb3\xe9>\xab\x1d \x0f\xe3~/\xbc\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x00u\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00'IDATx\x9c\xed\
\xc1\x01\x0d\x00\x00\x00\xc2\xa0\xf7Om\x0e7\xa0\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x80w\x03\
@@\x00\x01\x8f\xf2\xc9Q\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x02=\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xefIDATx\x9c\xed\
\xd7\xb1k\x13a\x18\xc7\xf1\xef\x93^\xa1\xa2\xe0\xec\x22\
tr\xe8\xe4f\xdb\xcdAP\xb0\x7f\x80\x94\x8aKw\
q\x10\xd2HhI\x88\x1dD\x8a\xe0\xa0\x93S\x87\x0a\
\x9d\xdaN]\x04E\xff\x05+\x0a\xae\x96\xa2\x0e\xb6\x85\
\xe6\x1e\x87\xc6b\x9a\xb7\x92\xde{w\x01\xfb\xfb@ \
\xbcw\xf7\xbc\xbf\xf7\xb9p\xef\x05DDDDDD\
DDDDD\xe4\xac\xb0\xe8\x0a5\x9f\xc2Y\x06\xce\
\x01\xfb\x9dO\x91\x86\x81\x11\xa0\x0d4h\xdaBL\xb1\
\xf8\x06\xcc\xf9w\xe0bt\x9d,\x1cg\x9b\x0b\xbc\xb0\
_YKTr\x88\x11\xdf\xc4\x01\x8ao@\xca]\x9c\
\x83\x1c\xb2\x9c\x96\x03\x0b1w\x1f\xf2\xba{5\x1f\xc5\
\xd9\x00\xaet\x8d;`\xa4\x9doYU\xe8\xcd\xb9C\
\xca\x14-{\x1bQ\xf7\xa8x\xbc\x86}!a\x02x\
\xd35nGsdi\xb4\x01C\x81k?\x932\x9e\
\xc7\xe2!\xaf\x06\x00\xcc\xdb\x0e?\xb9\x01,\x07\xe7\xb1\
S5\xc1\x08es>\x90r\x8d\x96}\xcc\x982\x10\
,O\xcfl\x9f\x84i\x8cV\xcf1\xa7\xd2\xe7|\xe1\
\xc5\xc3*\xc3\x5c\xa7e\xdf\x22S\xf6LV\x8c\xaa\xcf\
b<\xe7\xf0g\xfc7\x07\xd2\x13\xd2X\xa7Q\xc7\xaf\
Xb\x8b\x07\xacX;\xef\x98\xc5naU\xbf\x89\xb1\
\x02\x9c?v$\xd4\x84\xd0\xb3\xc21\xee\xd3\xb0\xa5\xa2\
\x22\x16\xbf\x87?\xf2\xab\xa4\xac\x01\x97\x02G\xff\xdc\xd1\
\xd0\xe2\xf7\x80;4m\xb5\xc8x\xe5\xbc\xc4<\xf4\xcb\
$\xac\x03c}^\xb1\x0d\xdc\xa6i\xef\x0bL\x05\xe4\
\xfd\x10<\xc9\xa2}\xe5\x80I`\xb3\x8f\xb3\xb7h3\
^\xc6\xe2\xa1\xac\x06\x00,\xda\x0f\x12n\x01\xaf\xfeq\
\xd6;\x12&xl\x9f\xca\x8a5\x80\xf7x7j\xd4\
q\xea\xdd\xc3\xbcf\x97\x19\x9e\xdan\x99i\x06\xf7G\
f\xce_\x02\xf78|\xd2?a\x88*\xf3\x16\xde\x1e\
\xff[uO\xa8\xfb\xc8\xa0c\x88\x88\x88\x88\x88\x88\x88\
\x88\x88\x88\x88\x9c\x11\xbf\x01\xb5)l\x86Q0\x85\x87\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x049\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xebIDATx\x9c\xed\
\x9bO\x88#E\x14\x87\xbf\x97\x09\xa2\xa8\x11De@\
\xd4\x93(\x9e\xc6a\xf1(Qtu\xc6\xa4zF\x89\
\x9eD\x14\x05=\x88\x0a\x8a\xe0\x1fb\xd8\x15W\x10<\
\x88\xe8\x0e^<\xb8\xa8\x97I'\x99DW\x0f\x11\x04\
\xc1\xc3\x80 \x1e\x04\x11\x0f\x8axP\x09\xb8\x18&\xdd\
\xcf\xc3&\xd0\x96\x8d\xeeBWu\xe1\xe6w|?\xe8\
\xf7\xea\xabz]Ui\x02K-\xb5\xd4\xb9,)\xbb\
\x803\x951\xa6\x0d\xbc\xc0\xe9\x9a\x8f\xf6z\xbd\x97\x8a\
xn\xa5\x88\x87\xb8\x961\xe6\x16Um\x03U`\x05\
x\xb1\xa8g\x07\x0f\xc0\x18s\x08\xe8\x89Hv\xb5\x16\
Vw\xd0\x00\x1a\x8d\xc6\xf5\xc0\x08\xb8\xc8\xb2\xd2\xa2r\
\x04\x0b\xa0\xd1h\x5c]\xa9TN\x02\x97\xe5\xd8ZT\
\x9e \x01lll\x5c>\x1f\xfcU\xaesU]'\
8[\x19c.\x06\x86\xc0u>\xf2\x05\xb5\x02\xea\xf5\
\xfa\xf9@\x178dY\x85-y[\xc1\x00\xa8\xd7\xeb\
\xd5Z\xadv\x02\xb8\xd5\xb2\x94\x02_z\xb6B\x01 \
\xb5Z\xed8\xb0m\xc5\x9d\x0e\x1e\x02\x01`\x8cy\x15\
x\xc8\x0a;\x1f<\x04\x00\xa0\xd9l>\x0b<\x93c\
9\x1f<\x94\xbc\x0b\x18c\x1e\x01\x8e\xe5X\x89\xaf\x1a\
J[\x01\xcdf\xf3\x1e\xe0\xed\x1c\xcb\xcb\xcc/T\x0a\
\x80(\x8an\x13\x91\x139\xf9S\x1cnyy\xf2\x0e\
`kk\xeb&U\xed\x02\xe7e\xe3\x22\xe2}\xf0\xe0\
\x19@\x14E7$I2\x02.\xcc\xc6E$UU\
\xef\x83\x07\x8f\x00677\xafQ\xd5\x93\x22r\xa9e\
\x956x\xf0\x04`{{\xfb\x8aj\xb5\xfa\x09pe\
6^\xd6\xb2\xcf\xca9\x80V\xabuI\x92$\x1f\x01\
\xd7Z\x96\x969\xf3\x0b9\x05\xd0j\xb5.\x98N\xa7\
=\xe0F\xcb\xf2r\xca;\x139\x03P\xaf\xd7\xab\xd3\
\xe9\xf4}\xe0\xe6l|>\xebA\x0c\x1e\x1c\x01h\xb7\
\xdb\x95Z\xad\xf6\x0e`,K\xe7}\x1f\x8c\x5c\x00\x90\
\xfd\xfd\xfd\xd7\x80\x07\xb2\xc1\xd0f~\xa1\xc2\x01DQ\
\xf4\x9c\x88<e\xc7C\x9b\xf9\x85\x0a\x05`\x8cyT\
U\x8f\xe6X\xde.7g\xab\xc2\x00DQt\x0cx\
+\x1b\x9b\xefrA\xce\xfcB\x85\x01PU\xfb\x07\x8d\
\x0e:\xff\xa5\x22[ \xd8e\xfeo*r\x05<\
\xc1?g\xbb\xf2\xf7/Z\xe1\xa90\x00\xfd~\xffC\
\x11y\xdc\x8e\xab\xeaJQ9\x5c\xa8\xd0] \x8e\xe3\
7E\xa4m\xc7C\x86P\xf89 \x8e\xe3#\x22\xf2\
F66o\x83\xd2\x7f\x80\xcd\x93\x8b\xa2tmm\xed\
I\xe0=+.\xaa\x1a\x1c\x04'\x05u:\x9dtu\
u\xf5A`/\x1b\x9f\x7f\xe3\x0f\x0a\x82\xb3bvv\
v\x0e\xd24\xbd\x17\xf8\xdc\xb2\x82\x82\xe0\xb4\x90\xc1`\
p\xaaR\xa94\x81\xaf,+\x98vp^D\xb7\xdb\
\xfd}6\x9b\xdd\x09|\x97\x8d\xcf\xdb\xa1\xf4C\x82\x97\
Y\x18\x0e\x87?\xab\xea\xed\xc0Ov~)\xf9\xa4\xe4\
m\x19\xf6\xfb\xfd\xef\x93$\xb9\x03\xf8-\x1b\x9f\xb7B\
i\x10\xbc\xf6\xe1\xde\xde\xde\xd7i\x9a\xde\x05\x9c\xca\xa9\
\xa3\x14\x08\xde_D\x83\xc1\xe0\x0b\x11\xb9\x1b8\xc8\xa9\
\xc5;\x84R\xde\xc4q\x1c\x7f,\x22\xf7\x93sy\xc2\
3\x84\xd2\xb6\xa28\x8e?\x10\x91\xc7r,\xaf5\x95\
\xba\x17\xc7q|\x5cU\x9f\xcf\xb1\xbc]\x9eJ?\x8c\
\xf4\xfb\xfdWT\xf5\xf5\x1c\xcbKm\xa5\x03\x00t}\
}\xfdi\xe0]+\xee\xe5\xb4\x18\x02\x00:\x9dN:\
\x99L\x1e\x06z\xd9\xb8\x8f\xcbS\x10\x00\x00\xc6\xe3\xf1\
l2\x99\xdc\x07|fYN!\x04\x03\x00`<\x1e\
\xffypp`\x80}\xcbr\xb65\x06\x05\x00`4\
\x1aMVVV6\x80o}\xe4\x0b\x0e\x00\xc0\xee\xee\
\xee/\xb3\xd9\xec0\xf0\xa3\xeb\x5cA\x02\x00\x18\x0e\x87\
?\x88\xc8aU\xfd5\xc7.\xac%\x82\x05\x00\x10\xc7\
\xf17\xf3v\xf8\xc3\xb2\xce\x8d\xbf\xcc\x00t\xbb\xdd/\
Ed\x8b\xcc\xbd\xa1\xc8/\xcd\xc1\x03\x00\x88\xe3\xf8S\
\x119\xc2\xe9\xcfo\x89\xaa\xbe\x5cvMK-\xb5\xd4\
\xffC\x7f\x01\xca\xe6,y\xb1SW\xc8\x00\x00\x00\x00\
IEND\xaeB`\x82\
\x00\x00\x02v\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02(IDATx\x9c\xed\
\xd8\xb1kSQ\x14\xc7\xf1\xefI\x13)\x0a\xa2Cq\
uQp\xe8\xe6\x1f\xe0\xe2RD:\x98E\xa7:\x14\
\x1c\x04\x05\x0b%} \x85\xe4\xd5\xa1\xc5\xc1E\x0a\xea\
\xa4\x8b\x82P\xaa\x83\x9b\xbb\x9b\x83\x83\x8b\xa0\x8b8T\
\x04%5\x9a\xe3\x90\x0e\xc9{W\x9b@\xcf\xbd\x0f<\
\x9flo\xc8\xef\xe4\xc7\xcd}\xef]p\xce9\xe7\x9c\
s\xce9\xe7\xdc\xffF\xcc\x132m\xa3,\x03=\x84\
&m\xd96\xcf\x9c\x80m\x01\x8b\xda`\x86\xdd\xa1\x9c\
.p\x9a\x8e|4\xcd\x9d@\xcd\xf4\xdb\x8fs\x98\xd1\
\x92\xa7\x81\x17\xdc\xd6\xa3\xa6\xb9\x13\xb0-`\x9a\xdf\x81\
\xab\xb3\xfc\xe2\x19\x8b\xda0\xcd\x1e\x93m\x01\x7fw\x9e\
\x19\xee\x83\xda\xefA\xfbHU\x00\xc0UZ\xb4\x12\xe6\
\x03i\x0b\x00\xa1\xcd\x8a^I9B\xdc\x02\x14\x0d\x5c\
}D\xa6\xe7\xa2\xce1$\xfe\x0a\x10\xfa\x85+\x0d\x94\
\xe7dz&\xfa,\xa4(@\xd1@\x09\xc7P^\xd2\
\xd2\x13\xb1\xc7I\xb3\x07\x84K8\x89\xb0\xcd-=\x12\
s\x94t\x9b\xa0\xee}F\x9d\xe5\x10Oh\xeaT\xac\
1R\xdf\x05\xfaP(A\xb8\xc8)\xee\xc6zFH\
[\xc0@\xa8\x84\xebd\xdc\x88\x11^\x85\x02\x80\xd2~\
\x00\xca\x06\x99\xce[\x07W\xa5\x00\xa0\xf4\xde (w\
\xacC\xabT@Hye\x1c\xb0*\x15\x10\xda\xf9\x1f\
Z\x87V\xa5\x80\xd0\x1cKtd\xdd:\xb8n\x1d0\
\x86\x1a\xc5\x93)\xe5\x1e9\x1b\xb1\xc2\xd3\xd1\xe0\x8f\xdf\
\xe2=7AB/N\x07.e\x01\x82\x94\xce$\xdf\
\xf0\x93\xcb<\x95\xd0I\x92\x894\x05\x0c~x1\xfb\
\x03\xca\x05\xd6\xe5{\xccQR\x14 {K\x7f\xd8W\
\x849r\xf9\x1c{\x98\xf8\x9b\xa0R+,\xfc\x1e}\
\xe6Y\x93w\xd1g!v\x01\xe5\xff<\xc0\x02k\xf2\
:\xea\x1cC\xd2\xde\x06\x95\x8c\x5c\x1e\xa7\x1c!\xe5]\
\xe0\x019y\xc2| ]\x01\xaf\xf8\xc2\xb5X\xf7\xfa\
\x7f\xb1-\xa0\x1b|\xbe\x7fK\x9d&\x9b\xd23\xcd\x1e\
\x93m\x01;\xfc`\xf4\xb0\xa3K\x9d9V\xe5\x9bi\
\xee\x04l\x0b\xd8\x94\x1e5:\x0c\xde\xf5\xbbLq\x89\
U\xf9d\x9a\xe9\x9cs\xce9\xe7\x9cs\xce9\xb7\x8f\
?e\x0ds\x1e\xf1\xdc\xef\xbb\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x00\xf1\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xa3IDATx\x9c\xed\
\xd0\xa1\x11\xc00\x10\xc4\xc0|\xda\x0ev\xdd6v\x05\
\x1b \xb1C\xa7\xd1<\x8ao\xefk\xaf\x19\xa1\xf1\x8a\
\xd3?Q\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\
\x054\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z\
@S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x05\
4\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@\
S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\
\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xe6\x00\xa2\xf1\x03\x80\
p\xd6\x18s\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x00u\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00'IDATx\x9c\xed\
\xc1\x01\x0d\x00\x00\x00\xc2\xa0\xf7Om\x0e7\xa0\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x80w\x03\
@@\x00\x01\x8f\xf2\xc9Q\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x02\x8c\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02>IDATX\x85\xe5\
\x96\xbbn\x13A\x14\x86\xbf\xb3\xa4\x00\x9e#%\xbc\x00\
\xaf@\x01\x98\x8bM\x88b;\x89\x14\x1e \x12\xd2\xee\
\x96\xd9E\x94\xe9(\x12'q\x88c\xc7\x80\x22\xe5\x19\
x\x0d\xe8\xe0\x0d\x80\x02\xfbP\xec\xda\xde\xcb\xecU\xdb\
N5\xf6\xce\x9c\xef\xf3?\xb6g\xe0\x7f/Y\x8e\
\x1c}\x00\xbc\x07\xee \xbc\xe1@>7Jr\xb5\x85\
\xf2\x0e\xf8\xcd\x9c\xd7\xbc\x95/\x00Vd\xca1p\x1f\
XG\x99\xe2h\xbb1\xb8\xad\x1d\x94)\xb0\x0e\xdc\xc3\
\xe2h\xf1(*p;2\xb6\x80Q#\x12\xb6v\x10\
.b,\xe1\xaeI`\x1f\x987*\xe1h;\x05\x87\
9\xca~Z\xc0\x93O\xc0\xa6A\xe2\xa2\x96D\xb0f\
d\x80w\xf1d\x9a\x16\x08$.\x0d\x12\xb7*K\x04\
sM\x9f\xbc\x8b/\x1f\xa2S\x05S\xd9\xba\x81p\x9e\
h0C\xd9\xc0\x97\xab\x5c\xb8\xad/\x10F\xa1x.\
<[\xa0\xae\x84\x19\xae([&x\xbe\x00\x80\xa3\xaf\
\x80a)\x09G\x9f\x03\x97U\xe0\xc5\x02y\x12\xf0r\
\xf9e\xaa\x09/'\x00`\xeb&\xc2\x99Q\x22\xa84\
\x1c\xbaxr^\xd4\xba\x9c@\x96\x840G!!V\
\x1a^M`%1\xccYW\x09^] _BQ\
z\xf82\xac\xd2\xce*\x9e\x92(\xe1\x17\x12\x06\x9f\x14\
\xb0\xf8Y\xb5]5\x01G\x9f\x02c\xd4\xb8\xceB\x19\
\xe3\xea\xb3*-\xcboAp\x9eO\x80\xb5\xc8\xbb\x8b\
$\xa2}f@;<[\x0a\xab\x5c\x02\xd9\xf0>J\
/\x22\x02\xc1\xcfq\x12\xa6UXe\xfe\x88\x9e\x00W\
F\xb8'g\xe1\x9c.pB\x8d$\xf2\x13\xc8\x82+\
\xdbK8\x10\x8e\xfb\xa4\x93\x18\x17%\x91\x9d@\x1e\xdc\
\x97S\xe3\x1a[{\x08\x83D\xdf?@'+\x09\xb3\
\x80\xab\x8f\xc3;\x5cyx\x91\x84\xd06]t\xd3[\
\x90\x05\x17v\x0a\xe1\x00\xbe\x9c\x22\xec\x10\xdf\x8e5\x94\
\x09\xae\xb6\x92\xd3\xe3\x098\xfa\x08\xf8h\x84\x1f\xc8I\
!<Z\xae\xf6Q\x8e)Hb\xf5\xd0\xd6\x87\x08\xd7\
\x8d\xc0W=\xb7\x11\x8eR\x12\xd0\xc2\x93\x1b\x88\x9fl\
\x87)\xb8\xb2[\x1b\x0e\xe0\xcb\x00e\x97\xe4v\xc0\xe1\
\xe2E\xfc\xd2\x98\x84\xfb2\xa8\x0d\xcf\x97\x98\xa5\x05\x94\
=\xe0+\xf0\x03\xe86\x02\x8fKl\xa1|\x07\xbe!\
\xec5\xd6\xfb\x9f\xaf\xbfn\x1f\x04\x1fb\x8f\xa8\xe6\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x07 \
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x06\xd2IDATx\x9c\xed\
\x9bi\x8c\x14E\x14\xc7\x7fo\xa6wW\xa2\xcbj\xbc\
#D\xd1@0\xa8\x89\x88F\x0dY\xc4h<\xc2\xe1\
\x19\xaf\xa0F\x82\xba*\x89\x1a\xc4\xec\x0e\xcb0\xb2\xb3\
\x1c*x$\xa2\xe0\x85\xba\xf1\x83F\x8c\x18\xafD\x85\
\xa0bD\xa31*(\x9eh\xf0\x08\xa2.D\x81\xe9\
\x99\xe7\x87^\xb0\xbb\xba\xe7\xe8\x99\x9eqV\xf7\xf7\xad\
^\xbdz\xfd\xef\xd7\xdd\xd5\xd5U\xd50\xc0\x00\x03\xfc\
\x9f\x91\x9a\x1c\xa5]\x0f$F+\xc2\xb1(#Q\x8e\
D\xd8\x17\x18\x0c\xc4\x81^\xa0\x17e\x131\xd6\x93\xe3\
3b\xac\xa1K\xbe\xa9\xb6\xb4\xea%`\x96\x1e\x85r\
50\x098\xae\xcc(\xdf\x00/\x13\xe3q\xe6\xf2>\
\x88F\xa6\xaf\x8f\x88\x13\xa0\xc2,\xceB\x99\x09\x8c\x8f\
66\x9f ,\xe2\x17\x9eb\xa9d\xa2\x0a\x1a]\x02\
:t<\xc2B`Ld1\x83\xf9\x16\x98C\x9a'\
\xa2\xb8#*O@\x87\x1e\x8cp7pE\x01\xaf\x1c\
\xc2\xdb\xc0*rl \xceW([\x89\xb3\x8d]d\
Q\x9ai\xa0\x05e\x18\xca\x08\x94S\x10\xce\x04\x06\x15\
P\xbe\x06\xa1\x8d\xb9\xf2i%\xf2+K@BO\x02\
\x9e\x07\x0e\x0d\xa8\xdd\x06\xbc\x04\xac$\xc7+\xcc\x93_\
C\xc5\xbeE\x071\x88\xd3\x81\x89\x08\x93\xf2\x1cc\x07\
p\x0diy:\x9c\xf0\x7f(?\x01\x1dz9\xc2\xa3\
@S\x80\xa8\xfb\xc82\x9f\xf9\xf2[\xd9\xf1\xdd$\xb5\
\x91,\xd3Pf\x03\x07\xf9\xea\x854qf\x93\x92\x5c\
\xd8\xd0\xe1\x13\x90\xd4\x18Y\xbaP\xda\x8d\x9a\x1c\xf0(\
\x16)R\xf2C\xe8\xb8\xa50S\x9b\xb1\xb8\x15a\x06\
\xb0\x8f\xa7Ny\x9e\x06\xa6\x90\x92\xedaB\x86K\x80\
s\xf2=(\x97\x1a\x07\xdf\x8cp>iy/T\xbc\
rI\xea\x10lV\xe0\xefp?\xc4\xe24R\xd2[\
j\xa8X\xa8\x03g\x99\xe3;yx\x17\x18S\xb3\x93\
\x07H\xc9\x0f\xfcI+\xd0c\xd4\x1c\x8fM\x0f\x17k\
\xbc\xd4P\xa5' \xa1\x97\xa0t\x1a\xd6\xe5X\x8c\xa7\
[~,9NT,\x96\xbfH3\x05\xb8\x1dp\xbf\
\x0e'0\x82\xeeR\xc3\x94\xf6\x08$t\x0c\xb0\x06\xd8\
\xcb\xd5\xf2)\xba\xb8\xb2\x1a\xa3\xb3\xd0$\xf4f`\xb1\
\xc7\xa6\x5cE\xb7<Q\xaci\xf1;\xa0]\xf7\xc7y\
\xd5\xed\xe5\xb2\xbeG\x9ciuq\xf2\x00i\xee\x05\x1e\
\xf3\xd8\x84et\xe8\xe8bM\x8b' \xc6B\xe0\xb0\
=ee3\x16\xe7\x93\x92\x1d\xa1\x85V\x0dQzi\
\x03\xdeq\x19\x1b\x11\x96\x91T\xabP\xcb\xc2\x09H\xe8\
X\xe0\x1a\x97E\x11.$%\x9b\xcb\xd6Z-\xee\x97\
\x9d(\x17\x00[\x5c\xd6\xd1\xd8\xdcP\xa8Y\x81\x04\xa8\
\x00\xf3<&\xa1\x87\xb4\xbc[\xbe\xca*\xd3-?\x03\
i\xc3\xda\xc9\x0c\xdd;_\x93\xfc\x09h\xa7\x15\x18\xeb\
\xb2d\xb0IV$\xb0\x16X<\x88\xb0\xc9e9\x80\
&\xae\xcb\xe7\x9e?\x011n3,\x0f1_\xbe\xae\
P^\xf5I\xc9\x0er\xbe\x0buk\xbe\xb1Ap\x02\
\x92z\x08p\xb6\xcb\x92A\xe9\x8aFa\x0d\xd8\xc8\x93\
\xc0F\x97\xe50\x86sF\x90kp\x02l.\xc7\x99\
\xaa\xda\xcd\x1b}\xcfW\xff\xe0\x19\xc9\x02\xcfxl\xc2\
UA\xae\xf9\x1e\x81\x89F\xf9\x85\xcaU\xd5\x98\x98O\
\xf3\xb9A\x8f\x81?\x01N\x8fy\xaa\xc7f\xf3b\x94\
\xdajB\x8cu\x80\xfb\xaema\x04'\xf8\xddL\x1a\
9\x19htY>b\x81l\xf2\xf9\xd5;\xce\xdc\x80\
\xf7\xc2\xa9\x7f\x9e\xd2\x9f\x80\x18\xc7\x18\x8d\xd6D\xab\xac\
\xa6x\xb5\x0b\xa3L\x07\x7f\x02r\x1cmxl\xf4\xf9\
\xf4\x1fL\xedG\x9b\x0e\xfe\x04\x08Gx\xca9\xea\xff\
\xdd\x9f\x0f\xcb\xa7}\x98\xe9\x12\xf4\x16h\xf6\x94\x94\xdf\
#\x94TkL\xed\xcd\xa6C\xf1\x04X\x84\x9ac\xab\
+R\xec\x04l\x97\xa5\x91\xa4\xba;\xf8\xc0\x04x'\
I\xb2\xd4\xc77\x7f\x95\x08\xea\x03\xb6y\xca\xea\xbfm\
\xfa\x0dI\x9a\x00\xf7|\xc0.R\xb2\xcb\xed\xe2O\x80\
\xe2\x9dQuVq\xfb'\x19Z\x0c\xcb6\xd3%\xe8\
\x11\xf8\xceS\x12\x7f\xcf\xd9oP\x8e4\xca\xdf\x9a.\
A\x09Xo\x94\x87G\xa7\xa8\xc6\x88\xa1]\xd8`\xba\
\x04=\x02\xe6b\xe3X\x9fO\x7fA|\xda?1]\
\xfc\x09h`-\xe0^\x7f\x1fMR\x87D\xab\xac\x06\
$5\x06L0\xac\xabL7\x7f\x02\x9c\xb5\xb5\xb5\x1e\
\x9b\xed\x0bT\xff\xe48\x01\xef\x8ar/\x16\xef\x9bn\
\xc1\xf3\x01\xea\xfb\xfc\x9d\x14\x9d\xb2\x1a\x9134\x0b\xaf\
\x90\x12\xdbt\x0bN@\x03=8\xab\xbd\xbb9\x9dv\
=0J}U\xc5\xb9\xfd/2\xac\xcb\x83\x5c\x83\x13\
\xe0\xcc\xfb\xbf\xe6\xb24!\xbe\xe5\xf0\xfa\xc5\xe62`\
\xa4\xcb\xf2\x13q\xcf\xf9\xec!\xff\xac\xb0r\x97\xa7,\
\xdcHB\x0f\x8fB_Uq\xc6\xfas\x0d\xeb\xe2\xa0\
\xdb\x1f\x0a%\xa0\x9b7\x10Og\xd8\x08\xcc\xa9T_\
\xd5\xb1\xb9\x16\xefg\xefV2,\xc9\xe7^`eH\
\x14\xe80\x8cW\xd2\xa9\xbey\xb5\xba!\xa9\x07\x80\xb1\
\x84\xaft\xb3P|C\xe0\xdd\x14^\x1b\xec\x92U\xc0\
\x93\x1e\xff\x1c+\xe8\xd0\x83\xcbWY%\x9c}D\xcf\
\xe2\xddC\xf41[\xb8\xafP\xb3\xe2\xab\xc3\x163\xf0\
\xce\xae\x0eEx\x8e\xe9jn\x8e\xfaw\xb1\xb9\x17e\
\x9c\xcb\x92\x01\xa6\x15\xdbTY<\x01)\xf9\x058\x0f\
\xd8\xe9\xb2\x9e\xca`\x1e\xe8[@\xfd\xf7I\xe8\x0d\xc0\
\xf5\x1e\x9b\xd0V\xca\xb6\x9d\xd2O \xa1S\x00s\xc7\
\xc5R,\xa6\x9b\xdf\xd8\xb5C\x85\x04\xd3qv\x87\xb8\
/\xe6=\xa4\xe5\x96R\x22\x84\xbb\x82\x09]\x00\xcc4\
\x22\xac&\xceE\xa4dKp\xa3*\x91\xd4Fl\x1e\
\x00\xa6\x1a5\xafb1!\xdfk\xcf$\xdc.\xb1/\
\xe8\x00Vxl\xca8l\xd6\xd1\xa9\xc7\x86\x8aU\x09\
I=\x08\x9b\xd7\xf1\x9f\xfc\xa7X\x5cZ\xea\xc9C9\
\x1b%/\xd68\xc3\xb9\x13\xc1\xbc\xc52\xc0\x12,\xd2\
}\xfdF\xf48\xdbgo\xea\x1b\x95\xeeg\xd4\xbe\x8c\
\xcde,\x90?\xc2\x84,\xbf\x13\x9b\xa5SQ\x96\x00\
\x0dF\xcdv\x84\xbb\x89\xb3(\xcc\x86\xc5\x82$\xd5\x22\
\xc3\xd5\x08sp\xefW\xfa\x87E|\xc1\xcc\xbeU\xe1\
PT\xbaY\xba\x15x\x0e\xd8?\xa0\xf67\x84\x95\xc0\
J\xe2\xbc\x16:\x19\xce{\xbd\x15e\x220\x19\x08\x1a\
\x86g\x10\xda\xe8\x92G\xc2J\xdfM\xe5\xaf\xb1\x84\x0e\
E\xb9\x07\xe1\x82\x02^\x19`5\xf0&\xf091\xbe\
$\xc7V\xb2l\xa7\x89,6\xcd\xe4hA\x18F\xac\
o\xbb<\x9c\x85\xf3KM0\xca:\xe2\xb41W>\
\xa8D~\x94?L\x9c\x83\xb0\x00\xa8ng\xa8l&\
\xc6\x1d|\xce\xc3\xe5\xdc\xf2&\xd1\x0ed\x92\x1a\xc3f\
2J;\xc2\x89\x91\xc6\x86\xaf\x11\x16\x11\xe7\x91(\xf7\
(Vo$\xd7\xa9\xa3\xc8\xed\xf9ijD\x99Q~\
\xc2\xf9\xe9b9\x16o\x95\xf3?@1j3\x94u\
\xfa\x89\xf1\x08\xa3PF\x22\x0cChA\x19\x8c\xb3r\
\xf3\x07\xce\xafs\xdf\x03\x1b\x106\x90e5\xf3X_\
7\xdbq\x07\x18`\x80\xff$\x7f\x03\x98\xb8\xd4{D\
5\x9aM\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x04\xe1\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x04\x93IDATX\x85\xe5\
\x97M\x8cSU\x14\xc7\x7f\xe7\xbe:5\x90\x80LX\
0S\x10\x9c\x88\x22QWJ\xe2\xc2/$\x90\x88|\
h\xb4\x86h4a(\xef1$\xb30AA\x89e\
\x02\xe2\xb81\xa1B\xdb\xd7\x0e\x99\x90\xb0\xaa\x89\x13\x18\
\x01%\xd1\xc0J\x09F\xc2B\x831\xc1\x80\xd3Vc\
2D#\x13\xd2i{\x5c\xcc{\xc3\xa3\x9d\xce\xb4\xe0\
\x8e\xff\xa6\xf7\x9e{\xce\xf9\xff{\xbf\xce}p\xb7C\
Zq>t\xe8\xd0\x22\xcb\xb26\x8a\xc8*`\x11\xb0\
\x100@^DFT\xf5\xac\xaa\x0e9\x8e\xf3\xeb\xff\
* \x95J\xad0\xc6\xf4\x03\xcf7\x99\xf7\xbc\xaa\xee\
r\x1c\xe7\x9b;\x12\xe0\xba\xee\x5c\x11I\xa9\xea&\xcf\
T\x04\x86\x81S\xc6\x98\xcb\x96e\x15\xc7\xc6\xc6\xaam\
mm\x0bTu\x09\xb0\x1a\xd8\x00,\x06\x10\x91\x93\x22\
\xb29\x16\x8b\xfd\xd9\xb2\x80\x81\x81\x81\x07+\x95\xcaq\
\xe0\x11\xa0(\x22\xf1|>?\xd8\xd7\xd7W\x9eNt\
<\x1e7\x1d\x1d\x1d\xaf\x8b\xc8>\xa0\x0b\xb8\xaa\xaa\xeb\
\x1d\xc7\xb9\xd8\xb4\x80d2\xd9eY\xd69`\xbe\x88\
\x1c\xbbq\xe3\xc6[\xbd\xbd\xbd\xffLG\x5c\x8bD\x22\
\x11\x0e\x87\xc3I`3p\xbdZ\xad>\xbdm\xdb\xb6\
\x0b3\x0aH$\x12s\xc2\xe1\xf0w\xc0rU=P\
,\x16\xdf\xe9\xeb\xeb\xab\xb6B\xeeCU%\x9b\xcd\xee\
T\xd5\xfd\xc0\x08\xb0\xc2\xb6\xedb\xd0'T\x1b\x14\x0e\
\x87\x0f\x02\xcb\x81\xe1\xa9\xc8\xbd\x93\xb0ED^\x04\xee\
\x07\xaa\xc0\x15\xe0\x040\x10$\x10\x11U\xd5\xfeL&\
\xd3\x05lQ\xd5\xa3\xaa\xbaJDt\xca\x19H\xa7\xd3\
O\x88\xc8y\xe0/`\xa9m\xdb\x7f\xfbc\xf1x\xdc\
D\x22\x91\xf7T\xf5C\xe0\xde\x06\x7f\xfa:\xf0\xfe\xd6\
\xad[?\x0b\x92\xe4r\xb9\xb6k\xd7\xae]\x04\x96\xa9\
\xeaZ\xc7qN\xfac&\x18-\x22\x1f{S\xb7\xb7\
\x96\xbc\xb3\xb3\xf3\x887\x95\x8d\xc8\x01f\x03\x07\xb2\xd9\
lRU'\xff\x5c4\x1a-\xa9\xea\x07\x1eG\x7fp\
lR\x80\xeb\xba\x1d\xc0\x0b\xc0h{{\xbb\x1b\xcc\x1a\
\x89Dv\x03o\xaa*\xcd@U\x9dl6\xdb\x1b\xb4\
\xd9\xb6=\x04\x5c\x02\x1es]\xf7\xf1:\x01\xaa\xba\x8e\
\x89%9\x11\x8dFK\xbe=\x99Lv\xa9\xeanO\
}S\x02\xbc|\x1f\x1d>|\xb8\xd3\xef{Kr\xdc\
k\xbf\x5c'\xc0\x18\xf3\x9c\xd7\xfc*\x98\xc8\xb2\xac\x1e\
\xe0\x9e\xa6\x99obv\xb9\x5c\x8e\x05\x0d\xc6\x98\xaf=\
q+\xeb\x04\xa8\xea\x22\xef\xf7\xb7\x9aDko\x83\xdc\
\xc7K\xc1N\xb9\x5c\xbe\x0c \x22\x0b\xeb\x040QX\
P\xd5\xc9c\xe4m\x96\xae;\x10\xb08\xd8\x19\x1f\x1f\
\xf7sG\xfc\x8dh\xeaB\x02\xd8\xb3g\x8f\xcc\xe43\
\x03\xac\x19r\xdfL.\x22y\x80P(\xb4\xc0\xb7y\
\x97\xd0\x95;\x10p5\xd8\x995k\x96\x9f\xbb\xe0_\
p\xc1=\xf0;@\xa5Ry \x18$\x22'\xb9}\
\xdc\x12[\xa9T\xfc\xe5\x1c\xf1m\xc1\xe9=\xe3\x11\xae\
\x09\x06U\xab\xd54\x13\xd7m\xab(\x19c\x06jl\
\xab\x01T\xf5\xdb:\x01\xa1Ph\xd8k\xaeu]w\
\xf2\xd89\x8e\xf33\x90\xb8\x0d\x01\xfbc\xb1\xd8\xe4\x89\
\xf26\xddz\x00c\xccP\x9d\x80\xee\xee\xee\x82\xa7l\
>\xb0\xa5&\xd9\xbb-.\xc5\xe7\x85Bao\xd0\x90\
\xcdf\xd71Q\xe4~\x8a\xc5b\x93o\x83[v\xb8\
1f\xa7\xd7\x8c'\x12\x899\xbe\xdd\xb6\xedqU\xdd\
\xa8\xaa\x07\x98~9\xca\xc0\xfey\xf3\xe6m\x0aV\xd1\
\x5c.\xd7\xa6\xaa~\x9d\xd9\xd5\xb0\x1a\x02\xa4\xd3\xe9\xa3\
\x22\xf2\x86\x88\x1c\xcb\xe7\xf3\xaf\xd4\x96\xe3T*\xf5\xa8\
1\xc6\x01\xfcr\xac\xc0\x15U\xfd\xb2Z\xad\xa6zz\
z~\x09\xfa\xab\xaad2\x99\x14`\x8b\xc8\x99X,\
\xb6rZ\x01\xae\xeb\xce\x05\xbe\x07\x96\x89\xc8\xa7\xf9|\
~G\xa3\x07I.\x97\xb3\x00\xa2\xd1he\xaaq\x8f\
|\x07\xf0\x09P\x08\x85BOvww\x17\x82>S\
V\x17\xef=x\x0eh\x07\xbe(\x97\xcboo\xdf\xbe\
\xfd\xdf\xa9|\x1b!\x97\xcb\xb5\x8d\x8e\x8e\x1e\x14\x91\x18\
0\xa6\xaa\xcf:\x8e\xf3C\xad_\xc3\xf2\x96\xc9d\x1e\
R\xd5\xe3\xc0\xc3@^U\xe3\xc5b\xf1H3\x8f\xd2\
H$\xf2\xaa\xaa\xee\x03\x962q\xe67\xd8\xb6\xfd\xe3\
T\xfe\xd3\xd6\xd7\xc1\xc1\xc1\xfbJ\xa5R\x06x\xcd3\
\x8d\x00\xc3\xaaz\xca\x18s\xd9\x18S\xb4,\xabZ*\
\x95\x16\x88\xc8bU]\xc3\xc4\xb3\xdc\xbfpN{\xb3\
\xf7G#\x8e\xa6\x0a|:\x9d~JD\xfa\x81g\x9a\
\xf1\x07.\x00;m\xdb>=\x93cK\x9ff\xa9T\
j\x891f#\x10\xfc4\xb3\x80\x11U\x1d1\xc6\x9c\
U\xd5!\xdb\xb6/\xb5\x92\xf7\xee\xc6\x7f\x86\x07\xf9\xa2\
2\xa6x\x8e\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x00\xbb\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00mIDATx\x9c\xed\
\xd0\xb1\x0d\x82\x00\x14E\xd1\x8bC\x18\xe7r\x05+v\
\xb0t\x076q&\xe2\x12\xd8\x1a\xa9\xc1D\xce)_\
~\xf1\xfe+\x00\x00\x00\x00\x00\x00\xe0\x08\x86Ur_\
\xae-M\xd5y\xff:\x9b\x9a\x1b\xba\xf5\x18\x9e\x9f\xe1\
iu\xf6\x9f\xcfW]\xaa\xe9;\x5c\x0fp0\xeb\x01\
\x86\xc6\xea\xb5\x7f\x95\xcd\xcd\xd5\xf8\xeb\x12\x00\x00\x00\x00\
\x00\x00\x00\xc0\xfe\xde\xbd\xff\x0b\x08;\x83\xf2!\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x03J\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xfcIDATx\x9c\xed\
\x99\xbfO\x14Q\x10\xc7?\xb3\x1c\xc4\x02m\xc0Nh\
\xc1Z\xecE#\x05\x15P\xd2)!\xfa\x07(\x84\xfb\
\x91\xcbE@\x85\xd2\x98\x10@;c\x81Q*IH\
\x84\x02\xa8\xb47X\xaa\x9dv4\x1a\x8e\x1d\x8b\xe3\x90\
\xdb}\xf7{\xef\x0e\xc2|\xca\x9d7\xf3f\xbe\xbb\xef\
\xbdyw`\x18\x86a\x18\x86a\x18\x86a\x18\x86a\
\x5c,\xa4e3't\x14x\x09x\xc0\x0as\x92j\
E\x1a\xad\x11 \xa9\x93(K\xe4\x8a\xcf\xa1L2/\
\xab\xcdN\xc5+?$b\xe2:\x8d\xb2\x1c\x9a[X\
!\xa1S\xcdN\xa7\x89_\x80\x0a\x09\x16\x80G%\x87\
\x09\x8b\xcc2\x0d\xa2\xcd\xc8\xaa9\x02\xa45F\x96e\
\xe0^\x85\x1e\xaf\x89\xf1\x80\x8cd\x1b\x99\x164C\x80\
\xb4^\xe2\x90\xb7\x08#\x8e\xd9}r\xef\xd9\xb5\x14?\
\x10c\x9c\x8c\xfcidz\x8d\x15 \xadW\xc8\xb2\x0e\
\x0c\x16<W@8\x0a\x8cnsD\xd8\xe2\x90\x11\x16\
\xe4\xa0A\x196P\x80\x19\xbd\x8a\xb0\x81p\xc3a\x0d\
\x16\x9f\xc7%\xc2\x17|\x86y*\xbf\x22\xcc\xee\x84\xc6\
\x080\xad\xbd\xc4\xd8\x04\xfa\x02\x16\x05\xfc2\xde\x9e#\
\xaf}\xe0.s\xf2#\xa2\x0c\x0b&\x8b\x96\xa4^\xa7\
\x8d=j+\x9e\xe31\xc1\x13\xa0\x0f\xd8cF\xfb#\
\xc8\xb0\x80h\x05H\xe9M\x94\x1d\x84k\x01K\xa5\xc5\
\xe7\xf1\xd1\x90\x08=x\xec\x92\xd0\x81\xfa\x92,$:\
\x01\xe2z\x07\x9f-\xa0+`\xa9\xb6\xf8\x1c\xe2\x14\xa1\
\x0b\xd8&\xa9\xb7kK2L4\x02$u\x0c\xe1#\
\xd0\x19\xb0\xd4V|\x1e\xb7\x08\x9d(\x1b\xc7w\x89\xba\
\xa9_\x80\xa4N\xa0\xac\x01\x1d\x01\x8bO=\xc5\xe7\x11\
|$\x14\xa7\x03xG\x5c\xef\xd7\x1b\xbe>\x01\xe2\xfa\
\x18e\xd5\x11\xc7\xb5\x91\xd5\x8e\xa2\x0e\x11<\x84W$\
\xb4tk]\x86\x1a\x05P!\xa1\xcf\x11\x16\x1c\xc6h\
\x8b?\x99\xb2\xe8rZ$\xa9\xcf@k:\xd2\xabw\
\xca\xf5\xf5K\xc0\x84#\x9ak\xcdF\x8d\xe0~q\xab\
|\xe3!kR\xac\xc9*\x1a\xacrr}\xfd\x1b\x84\
1\x87\xb51o\xde\x8d[\x04\xe5=\x07\x8c\xf3B\xfe\
V\x13\xa82\xa6\xf42\xed\xac\x03\x85GP\xae\xafo\
f\xf1y\x8a}\x09\x9f8d\xb4\xd2\xfbCe\x02\xa4\
\xb5\x9b,\x1b\x80\xab\x09\xa9\xea\x93k\x00\xe1\xfb\x83\xf2\
\x99v\x86\xc9\xc8\xefr\xce\xe5\x05Hh\x0f\xb0\x09\x04\
\xdb\xd0\xfa\xce\xf8(Q<$T\xcbWb\x0c\x91\x91\
\x9f\xa5\x5cK\x0b0\xa3\xfdxl\x02=\xa1)\xcfJ\
\xf1\xff\x09_\xa2\x84\xef\xc0\x10\xb3\xb2_\xca\xc9MB\
\x07\xf0\xd8!X|\xf1\xe3\xa8\xd5\x84\xf7!\xa5\x17e\
\x97\x94\xba\xae\xe4@1\x01\xe2:\x08l\x03\xdd\x01\x8b\
\xab!9K\xb86\xe3n|\xb6I\xea-\x97Cx\
\x09$5\x85O\xc6\xb1\xa6\xce7\x8a\xe2\x91fV\x9e\
\x9c~\x1c.2\xaeY\xc4\xf9\xcb\xcc\xf9G9b^\
b\xa7\x1f5\xff\x7f\x813FX\x00\x8fy\xce\xe6&\
W/\xfeqm\x86a\x18\x86a\x18\x86a\x18\x86a\
\x18\xc6\x85\xe6\x1f\x191\xdf\x13\xf2\xa3\xa9Q\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x02\xff\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xb1IDATx\x9c\xed\
\x9b\xcfNSA\x14\x87\xbf\xd3(\x92ti\x1b\xa1\xee\
\xdd@}\x02\xfb\x16P#\x89\xb8\x83h\x02\xba\xe8\x02\
.\x0bWT\x17\xac\xc4Dt\xa7&\x9aP\xde\x02\x9f\
\x80\xc2\xca\xb5Eb]\x92\x10l<.nS\xc6\xdb\
\xdb?b\xdbs\x1b\xe6\xdb\x9d\x99\xb9\xcdo~=3\
\xb39\x07<\x1e\xcfUF\xfaZU\xd24\x93\x14Q\
\xe6\x10fQr\xc0\xb5\xe1J\xfbg\x1a\x085\x94C\
\x84=\xce\xd8eKN{}\xd4\xc3\x00\x156X\x04\
^\x00\xd3\x83\xd192\x8eQ\xd6(\xf3\x11D;-\
\xeal\xc0\x92^'\xc36\xc2\xf2P\xe4\x8d\x0a\xe5-\
uVx'\xbf\xe2\xa6;\xa4\xb1\x0aY^\x03K\x91\
\x89*\xca\x17\x84\xef\xc0\xef\x81\x0a\xfd\x7fR(S\x08\
\xf7\x80|kTX&\x03\xa0\x8f\xe32!>\x03\x02\
]Dx\xef\x8c\xfcDY\xa5\xcc\xe7n\xe9\x94\x0cT\
\x08x\x80\xf0\x0a\xb8y1\xcc#\xca\xf2!\xba\xba\xdd\
\x80\x92\xa6\xb9\xc1W.\xce|\x1d\xe5.e9\x1e\x92\
\xe2\xe1\x10\xe84\xc2\x01\x84\xff?J\x8ds\xeeD/\
\xc6T\xdb\x87\x93\x14q/<\xe5\xe9\xd8m\x1ehj\
~\xd6\x8a\x85\x1c\x13\xccG\x97\xb5\x1b\xa0\xcc9Q5\
L\xfb1e\x93O@\xb5\x15K?\x06\x08\xb3N\xb4\
\x9f\xfc3\xdf\x0dQ`\xdf\x19\x98\x89\xae\x88\xcb\x80\x9c\
\x13\x9d\x0c^\xd4\xc8q\xf7p;:\xd9n\xc0\xdfO\
c\xd2\x9e\xba\xcb\xe0\xee\xa1\xed\xd9\x8f3\xe0J\xe1\x0d\
\xb0\x16`\x8d7\xc0Z\x805\xde\x00k\x01\xd6x\x03\
\xac\x05X\xe3\x0d\xb0\x16`\x8d7\xc0Z\x805\xde\x00\
k\x01\xd6x\x03\xac\x05X\xe3\x0d\xb0\x16`\x8d7\xc0\
Z\x805\xde\x00k\x01\xd6x\x03\xac\x05X\xe3\x0d\xb0\
\x16`\x8d7\xc0Z\x805\xde\x00k\x01\xd6x\x03\xac\
\x05X\xe3\x0d\xb0\x16`M\x9c\x01\x8d\x1e\xf3\xe3\x86\xbb\
\x87F\xb7\xc9\x10\xa1\xe6D\xb7\x86 h\xd4\xb8{\xf8\
\x16\x9d\x8c+\x93;t\xa2\x02h\x7f=\x05\x89D\x05\
(8\x03G\xd1\x15q\x19\xb0\xe7Dy6(\x0e^\
\xd8\x88\x08\xb8\x8f[9\xaeT\xa2K\xda\x0d8c\x17\
pk\x83\xb7\x09t\xfc\x8e\xc2s\x9djV\x8c\x87\x84\
\xc5\xd2}\x18\xb0%\xa7(k\xceH\x16\xa1J\xa0\x0b\
\xe3q\x1cT\x08t\x81\x06\x07@\xd6\x99X\x8fk\xa1\
\xe9\xb0!\x15\x02\xde\xc4t\x8bT\x09koOH^\
\x15i\x8a\xf0\xc2+\xe0\xa6}\xc8\x0e\x9b<\x89\xab{\
\xee\xd01\x22J]W\xc8@\xc4\x84|\xcc\x8f'\x9d\
\x1d~\xb0\xda\xa9\xe8\xbbw\xd3T\xc0C\x84\x97\x8c[\
\xd3\x94R\x03\xd6/\xdf4\xe5R\xd24\x13\xcc7\xeb\
\xedg\x08\xab\xae\x93\xd76\x17\xbe\xf3G(\x15\xce\xa9\
\xf4\xd36\xe7\xf1x\xae6\x7f\x00\xb3\xec\x98\xe5\xc7\xa2\
,\xa0\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01M\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xffIDATX\x85\xed\
\x95?N\x82A\x10G\xdf,\x96&\x16V\x06\x8c\xa5\
\xa57\xa0\xb4\xb0\xb5\xb3$\x04\xef\xc0\x9f\x18\xe2'\x17\
\xb01&\xd0AgI\xc31\xb8\x81\x89\xc6\xc4\xd0h\
hL\x84\x9f\x05\x1fFh\xc8\xb2\xc9R\xb8\xaf\xd9-\
fg\xded\xb2\xbb\x90H$\xfe;\xe6\x17.G\x83\
w`\xca'\xa7\xdc\xdbW\xa8\x80\xf3\x8a\xaeQ\x00\x0e\
\x81\x13\x0e\xe8\x81<\x1b\x08\x158B\xbf{qE\x93\
\xdb\xb8\x02\xeb\x88\x06uUw#`\xcc\xf3\xf5\x81\xa6\
\xce\xe3\x0b\x08\xe5\x12\x05\xc4\x13-\x9d\xc5\x15XJ\x08\
\x01\xfb\xcc\x19r\xa3R\x5c\x01X\x8eB@\x91o\xfa\
\xf1\x05V)\xefB\xc0\xb1x\xd0^\xd9\xe38\xae\x80\
ay\xf1)\xe2\x82\xb6\xbd\xc4\x130\x0c\xe1\x80\x19\xc6\
%\x1d\x1bo\x93&\xe4\x1a\xba\x5c\xe4\x9a\xccF\xdb\xa6\
\x09\x1d\xc1\x1d\x99uCR\xf8\x09\xbc\xfd\xf9=\x8d\x01\
\x19\xad\x90\xe2\xfe\x02\x8f\xcc\x80\x09\xf0\xcc\x07\x150m\
:\x92H$\x12\x9b\xf8\x01\xba\xd49\x1f\xbaES]\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\xc2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02tIDATx\x9c\xed\
\x9a\xbd\x8e\xd3@\x14F\xcf,\x90\xa5\x81n\x9f\x86\x97\
\xa0\x01%l@J3vAKG\xcb\x0bD y\
\xdcD\xfc,YA\x81x\x16\x9e\x03\x09\x89\x06!\xc1\
\xa5I\x11&\x93\xcd\xc6\xf3\xe3\x19\xafoi_\x7f\x9a\
s\xe4\x8c\xad\x1b\xc3Xc\x8du\x93K\xf5\xbd\x80\xd8\
e\x8cy\x08\xbc\x02~\x00uUU\xdf\xb6\xcf\xdf\xee\
eU\x89\xaam\xdb\xa9\x88\x5c\x00'\x9bC\x0d\xf0`\
\xbb\xe7d\xe7\xaa\x81\x94\x03\x1e\xe0\xbe\xdd7H\x01{\
\xe0\xff\x88\xc8K\xbbwp\x02\xf6\xc1\x03\xb3\xba\xae\xbf\
\xda\xfd\x83\xda\x04\xaf\x82\xaf\xaa\xea\xb3\xeb\x9a\xc1\x08\xe8\
\x02\x0f\x03\x11\xd0\x15\x1e\x06 \xc0\x07\x1e\x0a\x17\xe0\x0b\
\x0f\x05\x0b\x08\x01\x0f\x85\x0a\x08\x05\x0f\x05\x0a\x08\x09\x0f\
\x85\x09\x08\x0d\x0f\x05\x09\x88\x01\x0f\x85\x08\x88\x05\x0f\x05\
\x08\x88\x09\x0f\x99\x0b\x88\x0d\x0f\x19\x0bH\x01\x0f\x99\x0a\
H\x05\x0f\x19\x0a\x08\x0do\x8cy\x04\xbc\x01PJU\
Z\xeb/\xdb\xe7\xb3\x1a\x88\x84\x86o\xdbv\x0a\x5c\x02\
g\xc0\x99\x88\x18\xbb'\x1b\x011\xe0\x1dy;\x95\x85\
\x80D\xf0\x7f\x95R\xcf\xed\xde\xde\x05$\x84\x7f\xa6\xb5\
\xfed\xf7\xf7\xba\x09&\x86\xbfp]\xd3\x9b\x80\x1c\xe0\
\xa1'\x01\xb9\xc0C\x0f\x02r\x82\x87\xc4\x02r\x83\x87\
\x84\x02r\x84\x87D\xff\x0e\xa7\x82\x07\x9ej\xad?\x1e\
\x93\x15\xfd\x0eH\x09_U\xd5Q\xf0\x10Y@\xee\xf0\
\x10Q@\x09\xf0\x10I@)\xf0\x10A@I\xf0\x10\
X@i\xf0\x10P@\x89\xf0\x10H@\xa9\xf0\x10@\
@*x\x11\x99\xd7u\xbd\xee\x90\xf7XD^C\x84\
\x99`\xee\xf0M\xd3\xccEdM\x8c\x99`\x09\xf0J\
\xa9\xb7\x1c`\xec$ w\xf8\xb6m\xcf\x1d\xf0af\
\x82%\xc0\x8b\xc8;;/\xc8L\xb0px\xbf\x99`\
\xee\xf0\xc6\x98'\xc0{;\x8f\x03\x8f\xcek\x09\x18*\
<\x5cC@\xc2I\xce\xb9\xd6\xfa\xf2\xd8<\x1fx8\
`\xe8\xf0p\xc5S w\xf8\xa6if8\xe0E\
d~\xcc\xeb\xb2\xf3\x0e(\x01^)\xf5\xc1\xce\xeb\xb2\
\x87\xec\x08\xd8\xbc;\xaf\x09\x07\xef\xca\xeb\x0c\xbf/\xaf\
\xeb\x06\xfa\x9f\x00c\xcc\x1d\xe0;po\xeb\xb0\xcf\xc7\
\x09\xae<\x9f\xdf|\xd0<\xb0\xf6\x80\xc9dr\x0b8\
\xdd:\xe4\xf5Y\x8a#\xcfk\xb1\xa1\xf3\xc0\x12\xb0X\
,~\x01/\x80\xdf\xc0O\x11\x99\xfa|\x93c\xe7)\
\xa5f>\x8b\x0d\x9d\xb7\xb7\x96\xcb\xe5\xe9\xe6v\xcb2\
o\xb5Z\xdd\x0d\x997\xd6X7\xb8\xfe\x01\xc7\xe6\xaa\
1Q\xdc\x97}\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x01\xc5\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01wIDATX\x85\xed\
\x96?K\xc3@\x18\xc6\x7f\x17C\x1d\x0a~\x01A\x17\
\xf7\x82\x93\x08\xe2W\x10E\xa4\x8b_@\x17\xa1\xa8\x18\
:HI\x1cD\x97\xe2'p\x12\xe9'p\x11\xa4\xe0\
hw\x97\xe2\xe0\xe2b\x07\xa7\xda\xd7\xa1\xa4\x5c\xda\xe6\
ziZ3\xb4\xcft\x7f\xde\xbb\xe7\x97\xcb\x93#0\
\xebR\xc6\xd9\x92\xe4\xc9QA\xb1\x0b\xac\xa6\xf4j\x02\
5\x5c\xca\x5c\xaa\x9f\xd1\x00%\xc9\xb3H\x1d(\xa44\
\xeeW\x03\x97\xcd\x10\xc2\x89-\xcbQ\x99\x829@\x81\
6\x95\xb0\x13\x0f\xd0=\xf6ii/l\xb8\x86\xa2\xe8\
;\xf7\x959/\xa3\xe4\x89\x0c\xdb;\xfe\x04\xfeIs\
\x80\xc1\x0c\x9c\xc9\x0a.\xdb\x03\xe3\x9e\x1c\x1b\xf6\xe9\xd0\
\xa1\xc1;\xaf<\xaa\xdf$\x00\xd1`yR\x02\xae\x86\
\x82\xd9\xed\xf6B\x87\x03\x02\xf590\x17\x0da/\xd4\
\x8eVP\x04\xae\xc76\x07\x10\xb6px`_\x16l\
\x97\xe8\x198\x1d\xdb\xb8\x1fb\x8d\x0d\xdbr\xfdi\xa3\
\xb7\x9epgm\xaa\xd8\x01\x96{}\x87\x02PO\x0a\
\x10\xcdC\xa0L\xa1\x8b\xeaB@q\xa4\x8dX\x7f]\
\x99\x7f\x86s\x809@\xe6\x00\xe3\xdfzfU\xf1\xa4\
j\x98o\x86\x8d\xacN\xa0\x96%@\x03\x97r\x16\x00\
M\xe0V\xff#\x06\xfd\xfa\xf5\xe4\x1bX\x9a\x90\xd9!\
\xbe\xba\xb7)\xd4O\xe0iB\xe6m\xe0\xd9\xb6X\x07\
8\x01\xbeR\xdb\x0b\xe7\xf8\xea#9@w\xd1:\xdd\
\x84\xb6\x12\xdb\xc2\x1bB\x91@\xdd$\x5c;\xe3\xfa\x03\
\x17\xc2L\xdc\xab\x1c\x9c\xf9\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x04\x18\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xcaIDATx\x9c\xed\
\x9b=l\xd3@\x18\x86\xdf\xb3\xab\xd0\xa5\x8a\xe8R\xd5\
\x85J\x0c \xe8\xc2PT\xc1\xcc\xcf\x02b\xc3\x0ct\
\xa0\x83#w)\x88\xad\x19\xb0\x82\x84\x02\x0c\x08*U\
\xaa\xeb\x01\x90X\x9a\xb1-Ka\xaa\x18\xa1\x02*\x95\
\x01!!\x04\x89\xca@\x15u\xa1\x88\xf8c\x88\x0b\x8e\
cS\xa7w\xf1\xb5\xd4\x8f\x94\xe1~\xf2\xf9\xbd7\x97\
\xbb\xf3\xe9\x0eHII\xd9\xcb\xb08\x95,\xcb\xea\xe8\
\xed\xed\xbd\x08\xe02c\xec\x04\x80>\x00\xfb\xda\xaa\xac\
u6\x00|%\xa2W\x00f*\x95\xcal\xa1P\xf8\
\xb5\xd5\x97\xb64`jj\xea,c\xec!\x80c\x02\
D&\xc9\x0a\x11]7M\xf3\xf9\xbf*)Q\x05D\
\xc4l\xdb\xce3\xc6\x16\xb0\xfb\x1a\x0f\x00\x03\x8c\xb1\x85\
\xe9\xe9\xe9q\x22\x8a\xfc\xa1\xd5\xa8\x02M\xd3\xf2\x00n\
\xb7EZ\xb2\x9c^ZZ\xda\x98\x9b\x9b{\x19V\x18\
\xea\x8c\xd7\xed\x17\x02\xd9k\x00n*\x8a\xf2,\x9b\xcd\
~\xd6u\xbd&Z)\x0f\xa5RI\xadV\xab\xfd\xae\
\xeb\x9e\x07p\x0b\xc0~\x7f9\x11\x9d\x0b\xfb;4\x19\
`YV\x87\xa6i\xef\xd0\xd8\xed_(\x8a2l\x18\
\xc6\xaah\xe1\xed\xc0q\x9c\x1e\xd7u\x9f\x028\xe3\xcb\
^)\x97\xcb\xc7\x83\x03c\xd3\x18\xe0\x8d\xf6\xfe\xc6\x7f\
w]\xf7\xcani<\x00\x18\x86\xb1\xaa(\xca0\xea\
\xbdv\x93\x01\xafm\x0d\x84\x0d\x82\x97\x03iktt\
\xf4\x9bH\x81I`\x18\xc6*\x11Y\x81\xec`\xdb\x9a\
\x0d\xf0\xe6\xf9\xbf\x15\x14\xe5\x99`m\x89\xa1\xaa\xea\xbc\
?\xcd\x18\x1b\x0c\xd6\x09\xeb\x01}\xfeD6\x9b\xfd,\
XWb\x84h?\x10\xac\x13f@\xc3\x0ao\xa7\x8d\
\xf6\xad\x10\xa2\xbdi\xf5\x1a\xb9\x10\xda+\xa4\x06\xc8\x16\
\x9b\xd4\x00\xd9\x02d\x93\x1a [\x80lR\x03d\
\x0b\x90M\x87\xa8@\xdek\xf4\x0d\x00W\x01\x1cB\xcc\
\xfd\xc6\x16 \x00\x9f\x00<*\x97\xcb\xf7\xe3\xec\xf7\xc5\
AH\x0f\xb0m\xbb_\xd3\xb4E\x00wQ\x7f\x95\xee\
D}\xd9)\xf2\xd3\x09\xe0(\x80\xbb\x9a\xa6-NN\
N\x1e\x14\xa1\x9d\xdb\x00\xcb\xb2:\x88h\x06\xc0)\x01\
z\xe2rJU\xd5R\xa9T\x8a\xdc\xd2\x8b\x0b\xb7\x01\
\x9a\xa6]c\x8c\x9d\xe4\x8d\xd3*\x8c\xb1\x93kkk\
\xd7y\xe3\x88\xf8\x0b\x18\x02bH{\xb6\x08\x03\x0e\x0b\
\x88\xb1]\x8e\xf0\x06\x10a\x80\xcc\xa9\x94{\xa6\xd9\xf3\
\xeb\x80\xd4\x00\xd9\x02d#\xc2\x00\x12\x10C\x1a\x22\x0c\
\xf8( \x86\xb4gs\x1b@DOxcp<\xfb\
1o\x0cn\x03\xba\xbb\xbb\xef\x01x\xcb\x1bg\x1b\xbc\
\xf1\x9e\xcd\x05\xb7\x01\xba\xae\xff$\xa2K\x00\x96yc\
\xb5\xc02\x11\xe9\xba\xae\xff\xe4\x0d$d\x160M\xf3\
C&\x93\x19\x22\xa2\x22\x80\x8a\x88\x98\x11T\x88\xa8\x98\
\xc9d\x86L\xd3\xfc \x22\xa0\xb0\xfd\x80\x91\x91\x91\x1f\
\x00\xf2\x00\xf2\x13\x13\x13\xfb\xba\xba\xba\x84\xee\x07\xac\xaf\
\xaf\xd3\xd8\xd8\xd8\x86\xc8\x98\x80@\x03\xfc\xb4Ch\xbb\
H\x17B\xb2\x05\xc8&5@\xb6\x00\xd9\xa4\x06\xc8\x16\
\x9b\xd4\x00\xd9\x02d\x13f@\xc3\x22F\xc4\xde\xbb\
,B\xb47-\xd0\xc2\x0c\xf8\xeaOT\xab\xd5~\x91\
\xa2\x92$D\xfb\x97`\x9d&\x03\xbc\xf3\xf6\x7f\xf0\xce\
\xde\xeeJj\xb5\xda\x05\x7f\x9a\x88^\x07\xeb\x84\xf5\x80\
\x99@\xfa\x96\xe38=\x22\x85%\x81\xe38=\x8c\xb1\
B ;\xd8\xb6f\x03*\x95\xca,\x80\xf7\xbe\xac\xfd\
\xae\xeb>\xddM&\xf8\x0eK\xfbO\x8c\xafxmk\
\xa0\xa5\xe3\xf2Dd\xa9\xaa:\xbf\x93\x8f\xcb\xd7j\xb5\
\x0b\xde/\xbf\xbd\xe3\xf2\x9b\xd8\xb6\xfd\xbf\x5c\x98\x00c\
,\x9f\xcb\xe5\x8aae\x91\xeb\x80\x5c.Wd\x8c\xe5\
\xdb'+\x11\x08\xc0\xb8a\x18w\xa2*\xc4\xbd4\xf5\
\x00\xc0\x80He\x09\x10\xeb\xd2\xd4v\xae\xcd\x0d\xa2~\
\xeaz'^\x9b\xfb\xe2Mu\xb1\xaf\xcd\xa5\xa4\xa4\xec\
m~\x03\x9f\xeb6\xf8\xb9\x08\x9e\xd7\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x05\x8b\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x05=IDATx\x9c\xed\
\x9a\xdbo\x14U\x1c\xc7?\xbf\x0d\x18\x14)\xc8M\x13\
\x9f|\x15\xe4Z\x81\xa2Q\x0a\xa5-RZ\xff\x16b\
\x0c\xdd\xed\x9a`\xa7[_|\xd4\xbf\xc3\xc8%\xb0\x97\
V\xbc\xa1\x11\x8dxy2\x86\x18\x9f\x04A\xb9\x09%\
:?\x1ff\x87\x96\x99\xe9\xee\xef\xec\xcet\xd7\xd8\xcf\
\xe3\x993\xe7\x9c\xefg\x7f\xe7\xec\xccfa\x99e\x96\
\xf9?#\x89\xado\xe8j\x1e\xe38p\x0ca\x15p\
\x11\xe1\x1d<\xb9\xb2\xa4\xabk\x95\x09}\x0e\xe5\x04\xd0\
\x87r\x1f8\xc3J\xde\xe5\xa4\xdc\x89v\x8d\x0bxS\
\xd7\xb0\x92\x0b\xc0\xce\xc8\x95\x9b\xe4\x18bR\xbe\xccd\
\xd1iQ\xd4\x17\xf1\xa9\x00k#W.\xb3\x82W8\
)\xb7\x166\xe6b\x03\xac\xe4\x04\xf1\xf0\x00k\xf1)\
S\xd4\xbd\xa9-6m\x16\x0f\x0f\xb0\x9d\xbf\x19\x8f6\
\xc6\x05\xc0h\x83)z\xbaVB\xe3\xf0!c\xd1\x86\
$\x01\x8f7\x99*\x90P\xd0=.\xeb\xcb\x94\x82\xf6\
\x1a\xc2\x03\xac\x8a6\xc4\x05\x08\x9f\x19\xa6\xec\x01*]\
!\xa1\xa0\xbd@\x95\xe6\xe1\x13\xb3%U\x80\x07\xdc4\
L\xddy\x09.\xe1\xe1\x16\xf0v\xb41.\xc0\x93\x9f\
\x80A\xec\x12:\xb3\x1d\x82\xf0\x96\xb2\x87 \xfcP=\
\xdb#$?\x07\x04\x13\xec\xa9O\xd0c\x98\xe0&9\
\x0e3)_\x19\xfa\xb6OQw\xe3S\x05\xd6\x19z\
\xdf\x06\x06\x99\x92/\x92...\x00\xbaSB\x8a\xe1\
\xa1\x99\x00\xe8.\x09)\x87\x07\x8b\x80`\xe2\xbd\xf8\x94\
\xb1J\x80\x01\xa6\xe4\x92il+y\xdd\x85P\x05\x9e\
2\xf4\xbe\x8d\xcf\x10\xd3r\xb1YG\x9b\x00\xe8\xac\x84\
\x8c\xc2C\xf2\xd7`2\xc1;\xc0\x10\xc1\x89\xda\x8c\xb5\
@\xb5~R\xb7\x87kx\x18\xb6\x86\x07\x97\x0a\x08)\
\xe8>\xa0\x0c\xac1\xf4\xfe\x138\xdcr%\xb8\x85\xbf\
\x03\x0c1%\x9f\xbbLa\xaf\x80\x90\xe0P\x19$\xb0\
\xdd\x8cu@\x85\xa2\xeev\x9eg\x09\xc2C+\x15\x10\
\xe2Z\x099\x06\x98\x94\xafMc\x17u'>52\
\x0e\x0f\xed\x08\x00\x18\xd7>r\x9c'M\x09\xae\xe1}\
\x86\x99\x16\xcb\xfbK\x22\xed\x09\x80t%,qxh\
\xe5\x0c\x88\x12\x9c\xb8\xc3X\xcf\x04\x9f\x0ay\xdd\x15\xbb\
\x12\x84w\xd9\xf3G\xda\x0d\x0fiT@HA\xf7\x03\
\xe7\x81'\x0d\xbd\xff@\x19\xa0$\xdf\x00\x90\xd7\x1d\x08\
5`\xbd\xe1\xde\xbb\xc00S\xf2i\xcbk]@z\
\x02\xa05\x09\xe0w*<\xa4-\x00\x5c%\x84\x0fU\
\x96\xa7\xcb\xd4\xc3C\x16\x02\x00\xc6\xf5%r\x9c\xc3&\
\xc1\xc2]|\x8e0-\x9f\xa44\xdeC\xb2\x11\x00i\
J\xc8,<\xa4\xf1-\xb0\x18\xc1\x09}\x84\xe0\xc4n\
\x95\xbb\xc0kY\x85\x87,+ \xa4\xa0/\x03\xe7\x80\
\xd5\x8ew\x06\xe1\xa7\xe4\xe3\xf4\x175O\xf6\x02 \x94\
P\xa6\xf9O\xee!\xf7\x09\x1eo3\x0d\x0fYn\x81\
\x85(\xb7\x80\x07\x0ew<\xa8\xdf\x939\xd9\x0b\xc8\xeb\
6\x84\x19l\xbf\xde\x86\xf4 \xd4\xc8\xeb\x8e\xac\x96\x15\
\x92\xed\x16\x98\x0f\xbf\xa1\xc5\x11n\xa0\x1c\xa2$\xdf\xa6\
\xb9\xac\x85dW\x01A\xf8\x1a\xad\x87\x07X\x8fP\xa3\
\xa8\xdb\xd3ZV\x94l*\xa0\xa8/\xe03\x03lL\
i\xc4\x1b\xe48\xc8\xa4\x5cNi\xbc\x87\xa4_\x01n\
\xe1\xe7P\xe6\x0c\xfd\xd6\xe3gS\x09\xe9\x0ap\x0b\x7f\
\x0fa\x18a\x10\xf8\xcb\xd0\x7fC\x16\x12\xd2\xdb\x02y\
\xdd\x8a0\x8b5\xbcr\x94\x92\xcc\x020\xae\xaf\x92\xe3\
,\xf0\x84\xe1\xde\xeb(\x07)\xc9wm\xac\xf6!\xe9\
\x08h'|H\x87$\xb4\xbf\x05\x5c\xc3\x0b#\xb1\xf0\
\x00\xd3r\x01\xe1(\xd6\xed \xcc\x90\xd7m\x8e\xab\x8d\
\xd1\x9e\x80 \xbc\xcb\x9e\x1f\xc1\x93\x99E{x\xf2\x91\
\xa3\x84Z\xbb\x12Z\xdf\x02\xf3\xe17\x19z\xdfC9\
FIj\xa6\xb1'\xf4\x00\xcaYl\xef\x0e\xbf\xd7\xbf\
\x22\xbf7\x8d\x1d\xa15\x01E\xdd\x82\xcf,\xb6\xf0\xf7\
QF\xcc\xe1C\x96H\x82\xbb\x80\xa5\x08\x1f\x92\xd7~\
\x843d(\xc1M@\x10~\x06\xd8l\xe8\xdd^\xf8\
\x10W\x09J?%\xf9\xc1:\xbc\xfd\x10t\x0d/\x0e\
{\xbe\x11%\x99E\x18\x01\xee\x19zoD\x98%\xaf\
[\xad\xc3\xdb*`\x5c\x9f'\xc7,.\xe1=\xa9Z\
\x17abB\x0f\xa2\x9c&\xe5Jh.\xc05\xbc2\
JI*\x86\xbe\xee\xe4\xf5\x10\xc2)l\x12\xae\xd5\x1f\
\x96\x1aJh,\xa0\x9b\xc2\x87\x04\x12N\x93\xf0\xaf\xcf\
\x04\x9aJX\xfc\x0c\x08\xc2\xbb\xec\xf9\xb1\xcc\xc3\x03\x94\
\xa4\x862B\xf0\xbba36!\xccP\xd4-\x8bu\
H\xae\x80\xf9\xf0O\x1b&\x99C\x18\xc5\x93\xb2\xa1o\
z\xb8VB\x8e~&\xe5\xc7\xe8\x85\xb8\x80\x82>\x0b\
\x5c\x02\x9e1\x0c\xdc\x99\xf0!\x13:\x80r\x0a\x9b\x84\
\xab@/S\xf2\xeb\xc2\xc6\xf8\x16P\x8a\xfc\x17\xc2\x03\
xRE8\x86m;l\x06\xde\x8a6&\xfd[\xfc\
\x80a\xb09\x94\xb1\x8e\x86\x0f\xf1\xa4\x8a2\x8aMB\
\x7f\xb4!\xe9\x10\xfc\xa7\xc9 A\xf8\x92\x9c\xb7\xaco\
I(I\xc5(!\x96-I@\xa3Ou\x0e\xe1\xf5\
\xae\x0a\x1fR\x92\x0a\xc2\x18\x8d%\x9c\x8b6\xc4\x05\xf8\
x\xc0\xcf\x097\x07\xe1=\x89\x0d\xd25xRn \
\xe1J=\xdb#\xc4\x05L\xcbuV\xb0\x0f\xe5=\xe0\
\x17\xe0*\xca\x87(\xfb\xbb:|\x88'e\x94>\x94\
\x0f\x80\xdf\x082\xbc\x8f\xcf^\xa6\xe5Z\x87W\xb7\xcc\
2\xcbt\x19\xff\x020{\x1ai]Y\xa2\xc9\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x82\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x004IDATX\x85\xed\
\xceA\x11\x000\x0c\xc3\xb0\xdch\x17|\x0a\xa2{\xca\
\x00|J.M\x9bi/\x8bw\x02|\x08\x00\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00`\x01\x84v\x05\
1\x15\x00\xaeh\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x01\x87\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x019IDATX\x85\xe5\
\xd61N\x031\x10\x85\xe1\x7f\x92\x15\xdc\x80\x14\x9c\x00\
\xa8\xa8\xa8\xb3\x1c \x12\xdc&\xcd\x8a\x82\xdc\x07\xd1 \
!%\x87H\x80\x13P$U\x0e\x804\x14\x8b\x0b\x96\
]\xecqlS\xe0\xd2\x1e\xe9{\xb2gG\x0b\xff}\
IQm\xae\x13\xe0\x01xg!\xb7\x00\xa3\xa2\xb8\xb0\
B\xb8\x02N\xddv\x99\x00\x0e\x873\xe0\x0d\x98\xb9\xa3\
\xfcO\xd0\xc5\x95)\x0b\xd9\x96\x09\xe0\xc1\xf3\x06\x08\xc0\
\xf3\x05\x08\xc4\xf3\x040\xe0\xe9\x03\x18\xf1\xb4\x01\x22\xf0\
t\x01B\xf1FO\xf8\xe0\x09\xd8s/5\xa4\x18D\
6|\x09\x5c\x22\x1c\xb9\xed\xc3\x02\xd8\xf1\x0b`\xc3\x98\
\x1bw\x14\xff\x04\xb1x\xc55w\xb2;,@\x22<\
.\x80\x0d_\x01\xe7\xc0\x0b\x15u\x17\xb7\x07H\x8c\xdb\
\x02d\xc0\x01\xc6I\xf1\xb9N\xd0p\x1cBn\xc0\x82\
\x0bK\x0b\xee\x0f\x10\x87\xbfR1\xed\xc5M\x930\x0f\
\xfec\x12V\x05q\xd7\x1b\x9eIh\xc3]\xdd0\xee\
\xe9\x0d\xe9)\xb6\xe3J\x1d\xdb\x98\xd2)N\x8d{o\
\xa8m\xc2FG\x08\xcf^\x1c\x15\xe0\xd1\x8bw\xeb\x86\
\x9e\x87\xef_\xc11\xb0\xfe\xf5O\xa6A\xbe:x=\
\x8c\xf7\xd4\x05\xcc\x83\xf6\x16\xda\xe4\x9e\xa5\x92\xb6\xee\x8f\
\xd7'!\xec(\x97\xd6\xed\xba\xbb\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x00\xdb\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x8dIDATx\x9c\xed\
\xd9\xb1\x0d\x830\x14E\xd1o\xb6e\x86\xd4Y\x96%\
\xa0\x8b\x14e\x80\x8b\xc29\x9d+?]\xb9\xf3\x9a\xca\
\xeb<\xbf\xce\xef\xb5\x8a\x19[q\xe9\x9d\x08P\x0f\xa8\
\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\
\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\
\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\
\x09P\x0f\xa8%?\xb23\xf3\xfb;\x1cy\xfc\x0b(\
\x03\x1c\xe1\xdd\x1f]\x805\xfb\xdc$\x02\x00\x00\x00\x00\
\x00\x00\x00\xff\xee\x02\xb2\x11\x07\xfax!\x90d\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\xff\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xb1IDATx\x9c\xed\
\x9b\xcfNSA\x14\x87\xbf\xd3(\x92ti\x1b\xa1\xee\
\xdd@}\x02\xfb\x16P#\x89\xb8\x83h\x02\xba\xe8\x02\
.\x0bWT\x17\xac\xc4Dt\xa7&\x9aP\xde\x02\x9f\
\x80\xc2\xca\xb5Eb]\x92\x10l<.nS\xc6\xdb\
\xdb?b\xdbs\x1b\xe6\xdb\x9d\x99\xb9\xcdo~=3\
\xb39\x07<\x1e\xcfUF\xfaZU\xd24\x93\x14Q\
\xe6\x10fQr\xc0\xb5\xe1J\xfbg\x1a\x085\x94C\
\x84=\xce\xd8eKN{}\xd4\xc3\x00\x156X\x04\
^\x00\xd3\x83\xd192\x8eQ\xd6(\xf3\x11D;-\
\xeal\xc0\x92^'\xc36\xc2\xf2P\xe4\x8d\x0a\xe5-\
uVx'\xbf\xe2\xa6;\xa4\xb1\x0aY^\x03K\x91\
\x89*\xca\x17\x84\xef\xc0\xef\x81\x0a\xfd\x7fR(S\x08\
\xf7\x80|kTX&\x03\xa0\x8f\xe32!>\x03\x02\
]Dx\xef\x8c\xfcDY\xa5\xcc\xe7n\xe9\x94\x0cT\
\x08x\x80\xf0\x0a\xb8y1\xcc#\xca\xf2!\xba\xba\xdd\
\x80\x92\xa6\xb9\xc1W.\xce|\x1d\xe5.e9\x1e\x92\
\xe2\xe1\x10\xe84\xc2\x01\x84\xff?J\x8ds\xeeD/\
\xc6T\xdb\x87\x93\x14q/<\xe5\xe9\xd8m\x1ehj\
~\xd6\x8a\x85\x1c\x13\xccG\x97\xb5\x1b\xa0\xcc9Q5\
L\xfb1e\x93O@\xb5\x15K?\x06\x08\xb3N\xb4\
\x9f\xfc3\xdf\x0dQ`\xdf\x19\x98\x89\xae\x88\xcb\x80\x9c\
\x13\x9d\x0c^\xd4\xc8q\xf7p;:\xd9n\xc0\xdfO\
c\xd2\x9e\xba\xcb\xe0\xee\xa1\xed\xd9\x8f3\xe0J\xe1\x0d\
\xb0\x16`\x8d7\xc0Z\x805\xde\x00k\x01\xd6x\x03\
\xac\x05X\xe3\x0d\xb0\x16`\x8d7\xc0Z\x805\xde\x00\
k\x01\xd6x\x03\xac\x05X\xe3\x0d\xb0\x16`\x8d7\xc0\
Z\x805\xde\x00k\x01\xd6x\x03\xac\x05X\xe3\x0d\xb0\
\x16`\x8d7\xc0Z\x805\xde\x00k\x01\xd6x\x03\xac\
\x05X\xe3\x0d\xb0\x16`M\x9c\x01\x8d\x1e\xf3\xe3\x86\xbb\
\x87F\xb7\xc9\x10\xa1\xe6D\xb7\x86 h\xd4\xb8{\xf8\
\x16\x9d\x8c+\x93;t\xa2\x02h\x7f=\x05\x89D\x05\
(8\x03G\xd1\x15q\x19\xb0\xe7Dy6(\x0e^\
\xd8\x88\x08\xb8\x8f[9\xaeT\xa2K\xda\x0d8c\x17\
pk\x83\xb7\x09t\xfc\x8e\xc2s\x9djV\x8c\x87\x84\
\xc5\xd2}\x18\xb0%\xa7(k\xceH\x16\xa1J\xa0\x0b\
\xe3q\x1cT\x08t\x81\x06\x07@\xd6\x99X\x8fk\xa1\
\xe9\xb0!\x15\x02\xde\xc4t\x8bT\x09koOH^\
\x15i\x8a\xf0\xc2+\xe0\xa6}\xc8\x0e\x9b<\x89\xab{\
\xee\xd01\x22J]W\xc8@\xc4\x84|\xcc\x8f'\x9d\
\x1d~\xb0\xda\xa9\xe8\xbbw\xd3T\xc0C\x84\x97\x8c[\
\xd3\x94R\x03\xd6/\xdf4\xe5R\xd24\x13\xcc7\xeb\
\xedg\x08\xab\xae\x93\xd76\x17\xbe\xf3G(\x15\xce\xa9\
\xf4\xd36\xe7\xf1x\xae6\x7f\x00\xb3\xec\x98\xe5\xc7\xa2\
,\xa0\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01\x94\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01FIDATX\x85\xe5\
\xd7=N\xc40\x10\x86\xe1wl\x047\x80\x82\x13\xb0\
TT\xd4\x1b\xfa\xa0\xc0\x81|\xa4\x08\xd3 !\xed\x1e\
b\xf99\x01\x05T\x5c 2\x05k\x09BHl\xaf\
\x1d\x0aR:#=\x9f<\xce\xc8\x81\xff\xfe\xc8\x9cX\
]\xd7G\xc0\x0d\xf0b\xad\xbd\x06Ps\xe2\xce\xb95\
p\x0e\x1c\xfb\xf5Y\x02x\x5cDN\x9cs\xcf\xc0\xa5\
\x7fW\xbc\x05}\x5cD\x96\xd6\xda\xd7Y\x02L\xe1E\
\x03\x84\xe0\xc5\x02\x84\xe2E\x02\xc4\xe0\xd9\x03\xc4\xe2Y\
\x03\xa4\xe0\xd9\x02\x84\xe2M\xd3\x1cv]w\x07\xbc[\
k+\xc80\x88\x22\xf1\x15p\x06\xec\xfb\xf5\xbd\x99\xf1\
S\x11yPJ]\xf9w\xc9-\xd8\x01\xbfh\xdb\xf6\
m\xa7\x00\xb9pHhA$\xbe\x06\x16\xc0\xe3\x10\x0e\
\x91;\x90\x8ak\xad\xab!<*@\x09<8@(\
\xbe\xbd\xf1\xacB\xf1\xa0\x00%\xf1\xc9\x00\x89\xf8\x93\xd6\
z9\x84GM\xc2Bx\xd8$,\x84\xaf\x81\xc5\xe4\
$\x8c\xc1}\xdd\x18>u6\xa4_\x9c\x82\x03U\xea\
\xc1T_\x8bs\xe3\xdb\xff\x00\xdf\x9e\xc1\xafB\x01\x18\
c\x14p\x1fp\x99\x10\xe0v\x0a\xef\xd7\xfd\xd6\x9eo\
;\x00\x1c\x00\x9b\xb1\x9b\x8c1F\xf8<\xc1\x9b\x11\xfc\
G]\xc8<\xf0\xbb\x102\x19%s\xdd\xdf>\x1f\xfc\
\x1c\xec\xa2\xda\xd6p\xb4\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x00\x8d\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00?IDATX\x85\xed\
\xd5\xb1\x0d\x00 \x0c\xc4\xc0\x87\xb5\xb3\x1c\x9b=C\x18\
\x89\xc6\xd7'\xb2\xd2$!\xa6\xcd\xb4d\xc5F\x01\x0f\
\x18`\x80\x01\x06\x18`\xc0\xf7\x80\x85\xa6\xe1+N\xf8\
\x05\x0e\x0d\x90$I\xdf]r\xb9\x08K.~&\xf1\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x9b\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00MIDATX\x85\xed\
\xd5\xc1\x0d\x00 \x08CQ4\xce\xd7aY\x10w\xb0\
$x\xf8\xbd\x97\xbc\xf4B\x84\x11I%\xa9\x9c\x1b\xdb\
)w\x04\x00\x00\x00\x00\x00\x00\x18\x07,\xa7\xec\xbe\xe2\
\x88\x0f\x168\x1dG2\xf3y\xc9\xf1\x05\x00\x00\x00\x00\
\x00\x00\x80q\xc0\x05\xcf\xde\x08\x12?{#\xa2\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x01\xc6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01xIDATX\x85\xed\
\x94\xbd/\x03a\x1c\xc7?\xbf^\x13\x12\x89\xb0\x18L\
$\xec\xfe\x02\x9b\x10iXt\x94X\x0d\xd2\xc5 z\
B\xa5-C\x07a0Z\x0c\xa411\x10\xa3\x81\x91\
\x99\xc1Bb\x22\x92&$\xee~\x86\xde\xb5\xd7\xf7\xbb\
z\xe9r\x9f\xe4\x92\xe7\xed\xbe\xdf\xef\xf3\xbb\xe79\x08\
\x09\x09\x09\xe90Rj\x99\xfa\x8a\xd2\xf7O\xaeo\xa4\
\xa5\x1f \xe2\x19\x8e4X\xfe\x17Dj\x1a\x18\x0c\x03\
7\xa5\xbe`\x03\xd6/=\xb6G\xf7\xda\xf1r\xba^\
\x96\xb5\x87.N\x80Ig\xc4\x06\xf4\x07;u=\xdc\
\x8d\x9e\xf3\xc9\x1c9)\xb8\x93\x95e\xcfI\x81(3\
\xc0\xb1g\xbe2d0\xeb\xb2\xb9pD\x94Y\xaf\xb9\
\x9b\xae\x96\xb8\x1a\x8c\xb2\x87\xb0\xe8\xac\xb2\xd1\xc0\x95(\
\x9b+\xfb\xdc\xb3D^\xacz\x8b\x1a\xa0\x82I\x0ae\
-p\x08A\xd0Ru7\xc9\xb0\x01R\xf7\xdd\xd6\xe5\
55\x81\xb2S\xcc\x84:\x87\xb3\x19\xde\xcf\x96 #\
\xbb\xcd\xb3\xfa!\xa9\xf3\xc0\x01`\xb4\x08\xe1\x9a[(\
\x0bd\xe5\xb0\x95\xb4\xff\x03fj\x0c%\x0ftS\xbc\
\x19\xd5!\x5c\xf3\x0f\x848i9\xf3#\x1b\xec\x84'\
u\x1c8\x05z\xabB\xb8\xe6\xef\xd8\xc4\xd8\x92+\xbf\
\x92\xc1\xaf\xd8\xaa\x8e!\x5c\x00\x03N\x08W\xe3\x05e\
\x8a\xac\xdc\x06\x91k\xef\x8e\xaf\xe8\x08\x06\x97\xc0\x903\
\xf2\x88\xc5\x04\xdb\xf2\x10T\xaa\xfd\x9f\xcc\xba\x0e\xf2\xc5\
\x13pG\x94iR\xf2\xdc\xb6VHHHH'\xf9\
\x06/,o\xb7\xa1\x86\xbc\x8a\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x01\x1a\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xccIDATx\x9c\xed\
\xd0\xc1\x0dAA\x18F\xd1\xff)BaZ\xb0\xd2\x83\
\xa5\x1et\xa1(+]\xb0\xf0b\xc5\xd6\x91\xb8'\x99\
dv\xf3\xcd\x9dI\xf2\xcf\x16\xf6\xf2\xf1\xbe\x9b\xfb\x9c\
\xd7\x15\x879-\x171c#\x1e\x9d\x99Y?\xbf\x9d\
\x99\xed+\x04\xe0\x02<?\xff\xee\xfeU2\xc0O(\
\x80\x1e\xa0\x15@\x0f\xd0\x0a\xa0\x07h\x05\xd0\x03\xb4\x02\
\xe8\x01Z\x01\xf4\x00\xad\x00z\x80V\x00=@+\x80\
\x1e\xa0\x15@\x0f\xd0\x0a\xa0\x07h\x05\xd0\x03\xb4\x02\xe8\
\x01Z\x01\xf4\x00\xad\x00z\x80V\x00=@+\x80\x1e\
\xa0\x15@\x0f\xd0\x0a\xa0\x07h\x05\xd0\x03\xb4\x02\xe8\x01\
Z\x01\xf4\x00\xad\x00z\x80V\x00=@+\x80\x1e\xa0\
\xc9\x00\xb7\x0f\xf7\xafr\x01\x96\xd9\xcf2\xd7\xf5\xec\xd9\
\x8e$\x7f\xed\x01\xe0\x86\x0dRU\xd8\x8a3\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x00h\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x1aIDATX\x85\xed\
\xc1\x01\x01\x00\x00\x00\x82 \xff\xafnH@\x01\x00\x00\
\x00\xef\x06\x10 \x00\x01G\x01\xa0\x88\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x06K\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x05\xfdIDATx\x9c\xed\
\x9aKs\x14U\x18\x86\x9fs\x8a\x14*\x12\x11\x10\xad\
r\xe5V\x91\x8b 7-%\x01\x12n\x01~\x03U\
}\x99\x0a\xc5\xc2\x15.ta\xb1p\xe3R\xbb\xa7\xbb\
\xd8\xf0\x0b,\x05*\xe4\x86x\x03K\xb4\xc4\xcb\x8a\xb2\
(\xca\x95 (\x01L\x06\xc6\xf3\xb9\xc8L*\xe9\x99\
\xcc\x9c\x9e\xe9Nb\x99wy\xfa\x9bs\xce\xf3\xa4\xbf\
\xd3=S\x81\xc5,f1\xff\xe7\xa8z\x83\xa7O\x9f\
^6>>\xfe\x16\xd0\x07<\x06\x5c\xd2Z\xbf\xef8\
\xce\xf59\xdd]\x8b\x89\xe3\xf8\x05c\xcc\x09`;0\
\x01\x9c-\x97\xcb\x1f\xf4\xf7\xf7\xdfO\xd6\xd6\x088u\
\xea\xd4\xf2r\xb9|\x11\xd8\x98\xb8t\x17\xe8\xf5<\xef\
\x9b<6\x9dU\xa2(zUD\x86\x80\xa7\x12\x97\xae\
\x96J\xa57\x8e\x1f?>6}P''(\x97\xcb\
'\xa8\x85\xa72\xe1`\xb1X\xdc\x9a\xd9n3N\x03\
x\x80\xf5K\x97.};9X#\x008\xd4`\x8d\
N\x16\xa8\x84&\xf0\xd5\x1cN\x0e\xd4\x13\xf0x\x93\xb5\
:\x81\xc1 \x08\xb6\xa4\xd8_\xae\x09\xc3p\xb3\x05<\
L\x9eg3R#@)\xf5\x95\xc5\x9a\x9dZ\xeb\xa1\
\x85 !\x0c\xc3\xcdJ\xa9a\x9a\xc3\x03\xd4\xb0\xd5\x08\
0\xc6\x9cd\xf2\xc0k\x96y\x97\x90\x12~LD\xde\
K\x0e\xd6\x08\xf0}\xff\x9a1\xa6\x07{\x09\xf3\xd2\x0e\
\x15x\x9b\xdb\x1e`Lk\xdd\xeb\xfb\xfe\xb5\xe4\x85\xba\
\xef\x01\x00A\x10l\xd1Z\x0f1\xd9\xf3\xcdrW)\
\xb5\xc7u\xddo-j\xdbN\x1c\xc7\x9b\x8c1\xc3\xc0\
\x0a\x8b\xf2{Z\xeb\x1e\xc7q.\xd7\xbb8\xab\x00X\
\x98\x12\xb2\x84\x87&\x02`aI\xc8\x1a\x1e,\x04\x00\
T\x9e\xfb\x83XJ\x10\x91\xdd\xbe\xef_\xb1\x99\xdb6\
\xc5b\xf1\x15`\x18x\xda\xa2\xfc\x9e\x88\xf4\xfa\xbe\x7f\
\xa9Y\xa1\x95\x80\xca\x06\xe6MB^\xf0\x90B\x00@\
\x1c\xc7\xdb\x8c1\xe7\x99C\x09i\xe1\x95R{]\xd7\
\xfd\xdav\xfeT\x02`J\xc2 \xb0\xdc\xa2\xfc/\x11\
\xd9\xd3\xaa\x84\x94\xf0\xf7\x95R\xbdi\xe0\xa1\xfe\xabp\
\xc38\x8esYk\xdd\x03\xdc\xb3(_\xa1\x94\x1a\x8a\
\xe3xS\xdau\xe6\x02\x1eZ\x10\x00\xe9%\x18c\x86\
\xd3H\x08\x82`#s\x00\x0f-\x0a\x80I\x09\x22\xd2\
K\xc6\x12\x82 \xd8\xa8\xb5\x1e\xc1\x12\xde\x18\x93\xaa\xe7\
\x93I}\x06$\x13\x86\xe1v\xa5\xd4y,\xcf\x04\xad\
\xf5n\xc7q\xbe\xabw\xb1\x15\xf8B\xa1`\xf3\xe5m\
\xd6\xb4-\x00 \x8a\xa2\x1d\x222\x80\x9d\x84?\x81\xdd\
\x9e\xe7}?}\xb0\x02?\x0c\xac\xb4\x98\xe3>\xb0\xcf\
\xf3\xbc/\xd3\xefvf2\x11\x00S\x12\xce\x03OZ\
\x94\xcf\x90\x10E\xd1\x06\x11\x19\xc1\x0e\xfe\x01\xb07\x0b\
x\xc8P\x00\xb4&A)e\xe6\x0b\x1e2\x16\x00\xa9\
%\x8c\x89\x08J)\x9b\x17\xab\xcc\xe1!\x07\x01\x00A\
\x10\xbc\xa6\xb5\x1e\xc0N\x82M\x1eh\xad\xf79\x8e\xf3\
EF\xf3M%\x17\x01\x90\xa9\x84\xdc\xe0\xa1\x8d\xf7\x80\
f\xa9<\x9e\xf61yb\xb7\x9a\x07\x22\xb2?/x\
\xc8\xf1\x0e\xa8\xa6X,\xbe\x0e\x0c\x00\xcbR~\xf4\x81\
\x88\xec\xf7}\xff\xf3\x1c\xb65\x95\xdc\x05\xc0\xa4\x04\x11\
\x19TJ5\xfb\xc9\xbd\x9a\x89\xcaW\xda\x5c\xe1!\xc7\
\x16\x98\xb1\x88\xd6cZ\xeb\x87\xb6\xf5\x22\xf2Pk=\
\xd6\xbc\xb2\xfd\xe4. \x8e\xe3u\xc6\x98Q\x11\xb1\xf9\
\xf5\x16\x00\xa5T\xa7\x88\x8cDQ\xb4!\xcf\xbdA\xce\
-P\x85\x07V\xb58\xc5\x1d\xa5\xd4.\xd7u\x7f\xc8\
r_\xd3\x93\x9b\x80\x0a\xfc\x08\xb0\xba\xcd\xa9\xee\x88H\
\xb7\xef\xfbW\xb3\xd8W2\xb9\x08(\x16\x8b/\x03\xa3\
\xb4\x0f_Mn\x122?\x03R\xc2\x97D\xa4dQ\
\xb7R)5\x12\x86\xe1\xfa\xf6vW\x9bL\x05\xa4\x84\
\x1f7\xc6\xec\x05z\x80\xbf-\xeaW\xe5!!\xb3\x16\
\x08\x82`\xad\xd6\xfa\x02\x96\xf0\xc0\x01\xcf\xf3.\x00D\
Q\xf4\xa6\x88\x9c\x03\x9e\xb0\xf8\xecm\xadu\xb7\xe38\
?\xb6\xb1\xdd\xa9d\x22\xa0\x1d\xf8j\xe6KB\xdb-\
\x90\x16^k}0\x09\x0f\xe0\xba\xeeEc\xcc\x01,\
\xdb\xc1\x183\x1a\xc7\xf1\xba\xb4\xfbM\xa6-\x01\x15x\
\xeb\x9e\xd7Z\x1ft\x1cgt\xb6\x82B\xa1\xf0YJ\
\x09#\xedJhY\xc04\xf8g,\xca\xc7E\xa4\xaf\
\x11|5\xd3$\x8c[\xcc\xbb\xda\x183R9|[\
JKg@\x14E/\x89\xc8\x05\xec\xe0'D\xe4\xa0\
\xef\xfb#i\xd6\x08\x82`\xa7\xd6\xfa\x1c\xcd\xffg\x09\
\xe0\x0f\xa0\xdb\xf3\xbc\x9f\xd2\xac\x01-\x08\x98\x0b\xf8j\
\x8a\xc5b\x17p\x96\x1c%\xa4j\x81\x0a\xbc\xedm\xdf\
\x16<@\xe5\xb0\xb4n\x07`4\x08\x82\xb5i\xd6\xb0\
\xbe\x03\xa6\xc1\xaf\xb1(\x9fPJ\xf5\xb9\xae;\x9cf\
3\xb3%\x8e\xe3nc\xcc\x19,\xef\x04cLW\xa1\
P\xf8\xd9fn+\x01a\x18\xbe\xa8\x94\xba\xc0<\xc0\
W\x93\x97\x84\xa6-\x90\x16^D\x0ee\x0d\x0f\xe08\
\xce\xa8\x88\xf4a\xd9\x0eZk\xabvhx\x07\xb4\x02\
\xef\xfb\xfe\x90Em\xcb\x09\xc3p\x97R\xea\x0cu\xfe\
\xeb\xb3Nn\x19c\xba\x1b\xdd\x09\xb3\x0a\xa8\xc0\x8f\x02\
\xcfZ,4\x01\x1c\xf6<o\xd0\xa2\xb6\xed\xa4\x95\xa0\
\x94\xear]\xf7\x97z\x17\xeb\x0aH\x09_\x02\x0e\xcd\
\x15|5YI\xa8\x11\x10\x04\xc1\xf3Z\xeb+\xc0s\
\x16\x13\xcf\x0b|5Q\x14\xed\x16\x91O\xb1\x93p\xb3\
\x5c.o\xee\xef\xef\xffm\xfa`\xcd!\xa8\xb5~\x87\
\xff\x00<\x80\xeb\xba\xc3J\xa9>&[\xb0Y\xd6,\
Y\xb2\xe4\xdd\xe4`\xbd\xa7\xc0N\x8b\xc9JJ\xa99\
\xeb\xf9Fq]wXD\x0ea'\xa1+9PO\
\xc0?M&))\xa5\x0e\xbb\xae{\xdef\x83s\x11\
\xdf\xf7\x87,%\xd4\xb0\xd5\x13\xd0\xe8\xafZ\x12\x91#\
\x0b\x09\xbe\x9a\xca\xe3\xf70\x8d%\x0c$\x07j\x04<\
z\xf4\xe8$\xf0k\x9d\x0f\x97D\xe4\x88\xef\xfb5\x93\
,\x94TZr6\x09\xd7;::N&\x07k\x04\
\x1c;v\xec6\xb0\x0d\xf8\x10\xb8\x01\xdc\x04>\x01v\
,d\xf8j<\xcf\x1bTJm\x07>\x06~\x07n\
\x88\xc8G\x1d\x1d\x1d[\x8f\x1e=zk\x9e\xb7\xb7\x98\
\xc5,f\x81\xe5_G\xba\x1e`\xcd\xc2;1\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x01\x87\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x019IDATX\x85\xe5\
\xd61N\x031\x10\x85\xe1\x7f\x92\x15\xdc\x80\x14\x9c\x00\
\xa8\xa8\xa8\xb3\x1c \x12\xdc&\xcd\x8a\x82\xdc\x07\xd1 \
!%\x87H\x80\x13P$U\x0e\x804\x14\x8b\x0b\x96\
]\xecqlS\xe0\xd2\x1e\xe9{\xb2gG\x0b\xff}\
IQm\xae\x13\xe0\x01xg!\xb7\x00\xa3\xa2\xb8\xb0\
B\xb8\x02N\xddv\x99\x00\x0e\x873\xe0\x0d\x98\xb9\xa3\
\xfcO\xd0\xc5\x95)\x0b\xd9\x96\x09\xe0\xc1\xf3\x06\x08\xc0\
\xf3\x05\x08\xc4\xf3\x040\xe0\xe9\x03\x18\xf1\xb4\x01\x22\xf0\
t\x01B\xf1FO\xf8\xe0\x09\xd8s/5\xa4\x18D\
6|\x09\x5c\x22\x1c\xb9\xed\xc3\x02\xd8\xf1\x0b`\xc3\x98\
\x1bw\x14\xff\x04\xb1x\xc55w\xb2;,@\x22<\
.\x80\x0d_\x01\xe7\xc0\x0b\x15u\x17\xb7\x07H\x8c\xdb\
\x02d\xc0\x01\xc6I\xf1\xb9N\xd0p\x1cBn\xc0\x82\
\x0bK\x0b\xee\x0f\x10\x87\xbfR1\xed\xc5M\x930\x0f\
\xfec\x12V\x05q\xd7\x1b\x9eIh\xc3]\xdd0\xee\
\xe9\x0d\xe9)\xb6\xe3J\x1d\xdb\x98\xd2)N\x8d{o\
\xa8m\xc2FG\x08\xcf^\x1c\x15\xe0\xd1\x8bw\xeb\x86\
\x9e\x87\xef_\xc11\xb0\xfe\xf5O\xa6A\xbe:x=\
\x8c\xf7\xd4\x05\xcc\x83\xf6\x16\xda\xe4\x9e\xa5\x92\xb6\xee\x8f\
\xd7'!\xec(\x97\xd6\xed\xba\xbb\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x02\x84\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x026IDATx\x9c\xed\
\xd6\xcf\x8a\xd3P\x14\x06\xf0\xef\xb4\x95;\xa2\xe0\xb6\x82\
\x0cX\xa1]\x88\xd5,G7Aq!4\x01\xb7\x22\
\xb8\x13\x5c\x8ao0\x08.\x5c\xcd\xa6\x8b\xbe\xc0\x08\x15\
\xa6\xc9\xed\x98\x95 \x82\xa2/\x10\x08\x82\x82\xbaSD\
\x5c\xa8\xa5&\xd7\xc5X\xd1N\xc2\xcc4\x7f\xba\x98\xef\
\xb7\xbd\xc99\xdf=7M\x0a\x10\x11\x11\x11\x11\x11\x11\
\x11\x11\x11\x11\xd1a!y\x0b\xb8\xae\xeb\x1ac6\x01\
\x1c\x050\x11\x91I\xfeX\xd9\x8c1GDdED\
b\x00\xf7=\xcf[\xcfS\xaf\x88\x01|\x05p\x22o\
\x9d\x05\x99f\xb3y|0\x18|_\xb4@-w\x02\
cr\x0fq\x99\x8a\x18\xc0-c\xcc\xaf\x22\xc2\x1c\xb4\
5\x80\xf5<\xa7\x0f\x14\xf0\x13\x00\x00\xc7qN\x8bH\
\x00\xa0\x93\xb2\x9c`'\xec\xa2j\x98\xcbi\x8c\xf9\x22\
\x22\xae\xef\xfb/r\xd4\xfd[<7\xad\xf5;\xa5\xd4\
E\x00\xcf3z,2h\x01PO\xb9\xf7m\xa3\xd1\
X+b\xf3\xf8\xd3\xa0\x10a\x18\xfeh\xb5Z\x9b\xf5\
z\xfd\x0c\x80ss\xcb\x07\x1d\x80 \xfdp^O\xa7\
\xd3+Z\xeb\x0f\x0b\x85LQ\xc8\x130\x13\x04\xc1\xc4\
\xb2\xac\x9b\x00\x1e\xa4\xf52\xc6\xec\xd9OD\xb26\xbf\
\x95$\xc9\xe5 \x08>\xe5\xcd\xf9_\xbf\x22\x8b\xfd\xcb\
q\x9c\xdb\x22\xd2\xc7\xee\xa7\xcc`\xe7\xbd\xb0;\x8c\x88\
d\x0ciC)uo8\x1c\xc6E\xe7,\xf5\x13\xe6\
8\xce5\x11\x19\x0286\xb7\x946\x84\xb4w\x85\x01\
p\xd7\xf7\xfd\x8d\x92\x22\x96;\x00\x00p]\xd7\x02\xb0\
\x0d\xe0d\xca\xf2\xecD\xd36\xffSDnx\x9e\xb7\
Uf\xbeJ\xfe\xc4\xf4z\xbd\xd5Z\xad\xf6\x04\xc0\xd9\
}\xde\xf2\xd9\x18\xe3h\xad_\x95\x99\x0b(\xf8%\x98\
e<\x1e\xbfWJ]\x12\x91\xa7\xfb\xb8\xfc\x0d\x80\xb5\
*6\x0f\x14\xf8\x19\xdcK\x18\x86\x93n\xb7\xfb(\x8e\
\xe3U\x00\x172.{\x99$\xc9U\xad\xf5\xc7\xaar\
U6\x00\x00\x08\xc30\x8e\xa2\xc8\xebt:\x00`\xcf\
-?VJ]\x1f\x8dF\xdf\xaa\xccT\xe9\x00f\xa2\
(z\xd6n\xb7O\x89\xc8y\x00\x89\x88<\xb4,\xeb\
N\xbf\xdf\x9f.#\xcf\xd2\xd8\xb6\xdd\xb0m{e\xd9\
9\x88\x88\x88\x88\x88\x88\x88\x88\x88\x88\x88\x0e\x89\xdf\x07\
\xf8\xa0\x8e-4A\xf4\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x01\xdc\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x8eIDATX\x85\xed\
\xd6!H\x03Q\x1c\xc7\xf1\xef\x7fw\xa8 \xa8M\xd0\
\x22\xa2Y\xab\xc1(+3\xc9\xb0\x08Z\x0d\xb2b\xd0\
1\x19\xc3\x9d\x1a\x0c\xa2`\x161\x08b\x1b\xa2\x18\x0d\
f\xbb\xc1$X\x94\x05a\xc8v\x7f\xc3\xbbm\xce\xe2\
\xdd\xedx\x06\xfd\xc3\xc1\x85\xf7\x7f\xbf\xcf{\xf78\x1e\
\xfc\xf5\x92P\xa3\x0a\xfa\x86\x22\xb8\x8cS\x92\xd7$\x01\
\xa9P\xa3\x94!`\x90\x06\x15\xd6\xb5\xdf>\xa0\x0d\x99\
\xa1\x97K\x8a\xda\xf3;\x00Si\xea\x9c\x92U\xe77\
\x00>\xa0\xc0\x22\x93\x1c\x81\x86;C\x09\x024x@\
X\xa5@\xc96\xc0 \x04?x\xdb\xa2\xa09\xdb\x00\
\xd0\x0e\xc4\x01y]\xb2\x0b\xf8\x8e\x10N(h\xc6.\
\xa0\x890g\xc2A\xb9`Sg\xed\x02L\xf9\x01\xa4\
\x8f\x14\x15\xf2:m\x1b@\xf0)\x14\x18@\xb8fC\
'\xec\x02L5wb\x18\x87[\x8a:b\x1b@\xeb\
P\xc2\x18u\xae\xec\x03:k\xca>@[\xf3=\xe1\
2\x1a\xa6\xc5M0>\x85 \xc0\x0b\x0d\xe6\xf0\xe49\
\x5cSR\xe1\xe6rS%E\x9a=y\x0c\xdb\xd8\xfd\
\x0ehk\xe55|\xe6\xf1\xe4!J{\xb7; A\
x\x03!\xcb\xae\xdcE\x9d >\xc0\x04\x9b~e\x85\
\xb2T\xe2L\x13\x17 _N|\x8e\x1d9\x8b9O\
,@{\xe5\xc26\x9e\x1c\xc6\x0d\x8f\x03h\x87\xc31\
e\x8a\xdd\x84G\x07hk\xe5\xe7\xb8\xac\x81\xa8]\x80\
\xb9\x82\xde\xe0\xb0LI\xfc\x1fF\x87\xaah\xff\x01\xe1\
\x9e\x1a\x0bx\xf2\x91Dx\x14@\x15Ap\xc8\xb0/\
\xefI\x85\xff\x17\xc0'\xe0\x96e[\x92E\xd0\xc2\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\xcd\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x7fIDATx\x9c\xed\
\xd7\xb1\x0d\xc2@\x10\x04\xc0=\x8a@T\xe5\x80\x16\x88\
\x5c\x91\xeb\xf8\x84\x9a,\x9a0)\xb2>\xe5A\xf6L\
\xb8\xba`\xef\xb2K\x00\x00\x00\x00\x008\x8f\xda\x07\xd3\
4\xdd\x93,I\xae\xe3\xeb|\xd5ZU\x8f\xd6\xda\xf3\
3\xbct\x06\x8f\xb8|\x92\xdc\xb6m[\xf6a\xef\x00\
\xa7\xd2;\xc0\x9c\xe45\xba\xc8\x00kU\xcd\xbf.\x01\
\x00\xfc\x0f\xbf@g\xf0\x88\xcb'~\x81>\xbf\x00\x00\
\x00\x00\x00\x00\x00'\xf1\x06\xa5\x89\x1a\x0f\xe8\xf6q\xd1\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\xa4\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02VIDATx\x9c\xed\
\x9a\xbdn\xd4@\x14F\xcfl\x88\x92&t)x\x16\
^\x82\x06\xb4K\x02e\xa0\x80\x92f7\x12B\xc8\xfb\
\x04AJJ~\xc2FP \x9e\x85\xe7@B\xa2A\
Hd(\xb2\x853\x9ed\x93\xf1\x9d\xf1\xbd^_i\
\x0b\xdb\xd7\x9f\xe6\x1c\xad\xed\xd1h`\xa8\xa1\x86Z\xe7\
r]\x0f {\x1d\xfa\x07x*\xe0\x17#\x9e\xf3\xd6\
\xfd\xa8_\xbe\xd3\xd1\xb0\xca\xd4\xd4\x8f\xf1\x9c\x02#\x00\
\xce9\x06\xee\xd7[F\x1d\x0c\xabLM\xfd\x18W\x83\
\xbf\xa8\xbba[?\x05\xc4\xe1\xff\x01\x87ak\xff\x04\
\x5c\x0d?\xa1r\xdf\xc3\xf6~\xbd\x04\xaf\x87\xff\x1a\xbb\
\xa5?\x02\x12\xe0\xa1/\x02\x12\xe1\xa1\x0f\x02Z\xc0\x83\
u\x01-\xe1\xc1\xb2\x00\x01x\xb0*@\x08\x1e,\x0a\
\x10\x84\x07k\x02\x84\xe1\xc1\x92\x80\x0c\xf0`E@&\
x\xb0 #<h\x17\x90\x19\x1e4\x0b(\x00\x0f\
Z\x05\x14\x82\x07\x8d\x02\xa4\xe1g\xfe!\xf0ny\xf4\
\x8c\xca}\xab_\xd6\xb5 \x22\x0d?\xf5c\xe0\x0c\xd8\
]\xfeN\xc2\x16=\x02r\xc07\xf3\x1a\xa5C@\x19\
\xf8s</\xc2\xd6\xee\x05\x94\x82\x87\xa7\xcc\xdd\x97\xb0\
\xbd\xdb\x97`I\xf8\xca\x9d\xc6n\xe9N\x80\x02x\xe8\
J\x80\x12x\xe8B\x80\x22x(-@\x19<\x94\x14\
\xa0\x10\x1eJ\x09(\xf7\x9d\x7f\xc2\xdc}\xbeMT~\
\x01\x8a\xe1!\xb7\x00\xe5\xf0\x90S\x80\x01x\xc8%\xc0\
\x08<\xe4\x10`\x08\x1e\xa4\x05\x18\x83\x07I\x01\x06\xe1\
AJ\x80Qx\x90\xd8&Wn\x86\xb7\xcf\xdc-\x12\
\xf2\x1e\xe18Z\x1e\x09\xaf\x09\x96\x84\xaf\x92\xe0\xf7q\
,\xc8\xb2&h\x03\xfe=+\x18\xd3\x1e\x01\xed\xf03\
\xbf\x07\x0dx\xa15A\x1b\xf0\x1f\x22y\x02k\x82\x96\
\xe1[\xaf\x09j\x87\x9f\xfa\xc78>6\xf2V|:\
o&\xa0\xa7\xf0p\x13\x01\xe5&9{\xcc\xddYB\
^2<\xac\x12\xd0sx\xb8N\x80v\xf8\x99\x9f\x00\
\x9f\x1ay\xb7|\x8c\xe2\x02\xd6\x04\x1eb\x02.\xe6\xce\
\x0b\xe4\xe0cym\xfe\xf6\xf1\xbc\xc4\x17\xe8e\x01\x07\
~\x93]~\x02;\xb5\xb3\xe9\xf0\xf1\xbctx\xe9<\
\xc2\x99\xe0=6\x80\xad\xda\x99v\xdbR\x9ay\xad\x06\
+\x9eG(\xe0\x8d\xfb\x03\xbc\x02\xfe\x02\xbfq\x8c[\
\xed\xc9\x09\xf3<\x936\x83\x15\xcf\xbb\xb2^\xfa-\x0e\
\xfc\xa6\xda\xbc\xd7~[4o\xa8\xa1\xd6\xb7\xfe\x03a\
\xba*E\x0f\xf7\x80}\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x00\x99\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00KIDATX\x85\xed\
\xd51\x0e\x00 \x08C\xd1b\xbc5\xb3\xe7\xc6;X\
\x12\x1c~w\x9a\x97.HN\xb2JY\xe5T,\x0b\
\xd0\x10\x00\x00\x00\x00\x00\x00`\x1c\x10\xd6\xb5\xf9\x8a\xa5\
\x0f\x16\xd8--'\x9e\x97\x1c_\x00\x00\x00\x00\x00\x00\
\x00\x18\x07\x5c\xf6%\x082\xd0\x04\x1b\x1e\x00\x00\x00\x00\
IEND\xaeB`\x82\
\x00\x00\x01\xc6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01xIDATX\x85\xed\
\x94\xbd/\x03a\x1c\xc7?\xbf^\x13\x12\x89\xb0\x18L\
$\xec\xfe\x02\x9b\x10iXt\x94X\x0d\xd2\xc5 z\
B\xa5-C\x07a0Z\x0c\xa411\x10\xa3\x81\x91\
\x99\xc1Bb\x22\x92&$\xee~\x86\xde\xb5\xd7\xf7\xbb\
z\xe9r\x9f\xe4\x92\xe7\xed\xbe\xdf\xef\xf3\xbb\xe79\x08\
\x09\x09\x09\xe90Rj\x99\xfa\x8a\xd2\xf7O\xaeo\xa4\
\xa5\x1f \xe2\x19\x8e4X\xfe\x17Dj\x1a\x18\x0c\x03\
7\xa5\xbe`\x03\xd6/=\xb6G\xf7\xda\xf1r\xba^\
\x96\xb5\x87.N\x80Ig\xc4\x06\xf4\x07;u=\xdc\
\x8d\x9e\xf3\xc9\x1c9)\xb8\x93\x95e\xcfI\x81(3\
\xc0\xb1g\xbe2d0\xeb\xb2\xb9pD\x94Y\xaf\xb9\
\x9b\xae\x96\xb8\x1a\x8c\xb2\x87\xb0\xe8\xac\xb2\xd1\xc0\x95(\
\x9b+\xfb\xdc\xb3D^\xacz\x8b\x1a\xa0\x82I\x0ae\
-p\x08A\xd0Ru7\xc9\xb0\x01R\xf7\xdd\xd6\xe5\
55\x81\xb2S\xcc\x84:\x87\xb3\x19\xde\xcf\x96 #\
\xbb\xcd\xb3\xfa!\xa9\xf3\xc0\x01`\xb4\x08\xe1\x9a[(\
\x0bd\xe5\xb0\x95\xb4\xff\x03fj\x0c%\x0ftS\xbc\
\x19\xd5!\x5c\xf3\x0f\x848i9\xf3#\x1b\xec\x84'\
u\x1c8\x05z\xabB\xb8\xe6\xef\xd8\xc4\xd8\x92+\xbf\
\x92\xc1\xaf\xd8\xaa\x8e!\x5c\x00\x03N\x08W\xe3\x05e\
\x8a\xac\xdc\x06\x91k\xef\x8e\xaf\xe8\x08\x06\x97\xc0\x903\
\xf2\x88\xc5\x04\xdb\xf2\x10T\xaa\xfd\x9f\xcc\xba\x0e\xf2\xc5\
\x13pG\x94iR\xf2\xdc\xb6VHHHH'\xf9\
\x06/,o\xb7\xa1\x86\xbc\x8a\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x00\xc7\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00yIDATx\x9c\xed\
\xd7\xb1\x0d\xc2@\x10\x04\xc0}\x8a@\xd4E\x0b$\xa6\
\x22\xbe\x12j\xb2h\xe2H\x1c\xc0;\xb6,\xd93\xe1\
\xea\x82\xbb\xcb6\x01\x00\x00\x00\x00\xe0<\xda\x18\xf4\xde\
\xef\xad\xb5W\x92\xeb\x0e\xfbli\xae\xaa\xc74M\xef\
\xdf\xf02N\x1d\xf4\xf8$\xb9-\xb7\xfdY=\xe0l\
V\x0f\xa8\xaag\x92\xcf\x0e\xbblm^n\x03\x00H\
\xa2\x0b\xe8\x02\xba\xc0\x18\xe8\x02\x00\x00\x00\x00\x00\x00\x1c\
\xd3\x17\xfc\x86&\x0f\xac\xce\x86\xda\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x00h\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x1aIDATX\x85\xed\
\xc1\x01\x01\x00\x00\x00\x82 \xff\xafnH@\x01\x00\x00\
\x00\xef\x06\x10 \x00\x01G\x01\xa0\x88\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x02\xd0\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\x82IDATx\x9c\xed\
\x9b\xbdn\x13A\x14F\xcf\xc5\x96\xa8S\xb9\x08J\x1b\
\xe1\x86\x22<BBCD\x17\xa5 \x0fA\x89\xd7\x12\
\x96#yC\x09\xef\x90&\xa2\x8b\x92\xc6\xf0\x08\xd0P\
\x18\xa5\x8d\x92\xc2\x14P[Jt)\xd6\x91\xbd\xb3\xb3\
\x89c\xaf\xf7\xdaxN7\xb3c\xeb\xcc\xb7\xb3?\x96\
\xef@ \x10Xed\xa2Q-\xadr\xcb\x1b`\x1f\
\xe5%\xb0\x0e<\x9d\xa7\xd8\x14\x0c\x80k\x84\xef\xc0\x09\
\x15Ni\xcb\xcdC\x1fz8\x80Hw\x10>\x03\xcf\
gw,\x95\x1e\xca;b\xf9z\xdf\xa0'\xf9\x87T\
hj\x84\xd0e\xf9&\x0fPG\xe8\x12i\x034\xf7\
D\xe7\x07\xd0\xa4\x01t\xe6aV*BL\xc4\xfb\xfc\
\xc3>\x92e\xdfuz\xff\x02\x1f\x10\xce\xb9\xe0\x92/\
r[\xa0\xe6\xec\xeci\x85M6P^\x03\x87\xc0Z\
\xea\xb8\xf2\xcaw9d\x03hi\x95\x1b~\x92^\xf6\
\xdfP\x0e\x88\xa5_\xac\xf5\x9c\x88\xb4\x86p\x0cl\x8f\
\xf5\xf6\xa8\xf2\xc2\xbd1f/\x81\xe4n?>\xf9?\
Ty\xbb4\x93\x07\x88\xa5\x8fr@\xb2j\xef\xa8\x0f\
\xe7\x96\xc2w\x0f\xd8w\xda-\xda\xf2\xbbH\xbfR\x88\
\xa5\x8f\xd0rz\xdd\xb9y\x02H\x9e\xf3#\x84\xf3B\
\xc5\xca\xe5,\xd5R\xb6\xdc\x01\xbe\x15\xb0\x9ej]p\
Y\xa8R\x99d\xdd\x9f\xb9C|\x01\xa4\xdf\xf0\x16\xed\
n\xff\x18\xb2\xee\x99\xb7\xd7{^\x84V\x83\xea\xcc\xdf\
\xd0T-\xc0cz:2\xd9\xef\x99\x1cV~\x05\x84\
\x00\xac\x05\xac\x09\x01X\x0bX\x13\x02\xb0\x16\xb0&\x04\
`-`M\x08\xc0Z\xc0\x9a\x10\x80\xb5\x805!\x00\
k\x01kB\x00\xd6\x02\xd6\x84\x00\xac\x05\xac\x09\x01X\
\x0bX\x13\x02\xb0\x16\xb0&\x04`-`M\x08\xc0Z\
\xc0\x9a\x10\x80\xb5\x805!\x00k\x01kf\xaf\x0f\x98\
\xf1\xffykV~\x05\xf8\x02\x18\xa4Z{Z)G\
e\x0ed\xdd\x07\xee\x10_\x00\xd7\xa9\xd6&\x1b\x05*\
\x95K\xd6\xfd\xca\x1d\x92\x0d \xa9\xb7\x1f\x91\xd4\xde.\
+\xbb\xa9\x96\xf0\xc3\x1d\xe0[\x01'N\xfb\x90Hk\
\x05J\x95C\xa45\x94\xb6\xd3\xeb\xce\xcd\x13@\x85S\
\xe0\xd7X\xcf\x1a\xc2\xf1R\x850*\x96\x1e\xaf\x18\xef\
\x0d\xe7\x96\xe2q\xe5\xf2I\xed\xed\xd9B\x97\xcb\xc3\xee\
\xf0\xccOY.\x7fGS#\xfe\x87\x0d\x13\x00JD\
,G\xbeC\xf9\xef\x01\x1d\x8eP\xa2\xb9I\x95\x83\x02\
\x0db>\xe6\x0d\x98t\xd3\xd4'\xa0^\xa0X\x19L\
\xb4ij\x9ams[$U\xd7\x8b\xb8m\xeej\xf8\
\xa8\x9bx\xdb\x5c \x10Xm\xfe\x01\xad\x13\x91\xa0\x94\
0\x1e\xc8\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\xd0\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\x82IDATx\x9c\xed\
\x9b\xbdn\x13A\x14F\xcf\xc5\x96\xa8S\xb9\x08J\x1b\
\xe1\x86\x22<BBCD\x17\xa5 \x0fA\x89\xd7\x12\
\x96#yC\x09\xef\x90&\xa2\x8b\x92\xc6\xf0\x08\xd0P\
\x18\xa5\x8d\x92\xc2\x14P[Jt)\xd6\x91\xbd\xb3\xb3\
\x89c\xaf\xf7\xdaxN7\xb3c\xeb\xcc\xb7\xb3?\x96\
\xef@ \x10Xed\xa2Q-\xadr\xcb\x1b`\x1f\
\xe5%\xb0\x0e<\x9d\xa7\xd8\x14\x0c\x80k\x84\xef\xc0\x09\
\x15Ni\xcb\xcdC\x1fz8\x80Hw\x10>\x03\xcf\
gw,\x95\x1e\xca;b\xf9z\xdf\xa0'\xf9\x87T\
hj\x84\xd0e\xf9&\x0fPG\xe8\x12i\x034\xf7\
D\xe7\x07\xd0\xa4\x01t\xe6aV*BL\xc4\xfb\xfc\
\xc3>\x92e\xdfuz\xff\x02\x1f\x10\xce\xb9\xe0\x92/\
r[\xa0\xe6\xec\xeci\x85M6P^\x03\x87\xc0Z\
\xea\xb8\xf2\xcaw9d\x03hi\x95\x1b~\x92^\xf6\
\xdfP\x0e\x88\xa5_\xac\xf5\x9c\x88\xb4\x86p\x0cl\x8f\
\xf5\xf6\xa8\xf2\xc2\xbd1f/\x81\xe4n?>\xf9?\
Ty\xbb4\x93\x07\x88\xa5\x8fr@\xb2j\xef\xa8\x0f\
\xe7\x96\xc2w\x0f\xd8w\xda-\xda\xf2\xbbH\xbfR\x88\
\xa5\x8f\xd0rz\xdd\xb9y\x02H\x9e\xf3#\x84\xf3B\
\xc5\xca\xe5,\xd5R\xb6\xdc\x01\xbe\x15\xb0\x9ej]p\
Y\xa8R\x99d\xdd\x9f\xb9C|\x01\xa4\xdf\xf0\x16\xed\
n\xff\x18\xb2\xee\x99\xb7\xd7{^\x84V\x83\xea\xcc\xdf\
\xd0T-\xc0cz:2\xd9\xef\x99\x1cV~\x05\x84\
\x00\xac\x05\xac\x09\x01X\x0bX\x13\x02\xb0\x16\xb0&\x04\
`-`M\x08\xc0Z\xc0\x9a\x10\x80\xb5\x805!\x00\
k\x01kB\x00\xd6\x02\xd6\x84\x00\xac\x05\xac\x09\x01X\
\x0bX\x13\x02\xb0\x16\xb0&\x04`-`M\x08\xc0Z\
\xc0\x9a\x10\x80\xb5\x805!\x00k\x01kf\xaf\x0f\x98\
\xf1\xffykV~\x05\xf8\x02\x18\xa4Z{Z)G\
e\x0ed\xdd\x07\xee\x10_\x00\xd7\xa9\xd6&\x1b\x05*\
\x95K\xd6\xfd\xca\x1d\x92\x0d \xa9\xb7\x1f\x91\xd4\xde.\
+\xbb\xa9\x96\xf0\xc3\x1d\xe0[\x01'N\xfb\x90Hk\
\x05J\x95C\xa45\x94\xb6\xd3\xeb\xce\xcd\x13@\x85S\
\xe0\xd7X\xcf\x1a\xc2\xf1R\x850*\x96\x1e\xaf\x18\xef\
\x0d\xe7\x96\xe2q\xe5\xf2I\xed\xed\xd9B\x97\xcb\xc3\xee\
\xf0\xccOY.\x7fGS#\xfe\x87\x0d\x13\x00JD\
,G\xbeC\xf9\xef\x01\x1d\x8eP\xa2\xb9I\x95\x83\x02\
\x0db>\xe6\x0d\x98t\xd3\xd4'\xa0^\xa0X\x19L\
\xb4ij\x9ams[$U\xd7\x8b\xb8m\xeej\xf8\
\xa8\x9bx\xdb\x5c \x10Xm\xfe\x01\xad\x13\x91\xa0\x94\
0\x1e\xc8\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x04\xe8\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x04\x9aIDATX\x85\xc5\
\x97\xd9v\xe2F\x10\x86\xbff\x11\x12`P\x9c\xc4\x9e\
\xf1$9Y\xde\xff\x9dr1\x9eI\x1c\xcf\x18l#\
\x19$\xa8\x5c\xd4\xdf\xa8\x91qr\x97\xd49\x1c\x89V\
\xd7\xf6\xd7\xd6\x0dX\x09\x16\xf8\xcf\xc9\x02X\x19\xa4|\
\x09\xac!X\xf7\x91K \x1a\x96%\xef\x93DJ\x5c\
\xb3dm\x9b\xac\xed\xf4~\x00\x1ez\xf2\x97\xc0:\xf4\
\x16\x0e\xc0\x050\x00\xaaDY\x90\x11\x13\xd8\x0d!\x8c\
\x81q\xcf\xa5\x16\xac\x81\xac\x95\x11Q\xb9\x01\x0d\x90K\
\xfe#0<u\xd8\xf7-\xc0~\x114c\xb0\x99\xd6\
3\xb0\xf7\xf0P\x82\xe5`\x13\xb0\x82Wd\x85\xbeM\
\xb5\xf7\xcay\xc1\xd7,\x93\xec_\xc1.\xfa\x10\x02\xf6\
\x01\xf8$$\x0cx\x01\x0a\xd8\xbd\x87\xec\xa3\xbc\x00X\
\xc8\x8bs\x94~\x9b\xc0\xee\x06\xb2[!\x92K\xdf\x1a\
\xb8\x81p\x0b0\x92\xf2\x80\xc3>\x96\xf2\x1b\xe0\xde\x19\
\xb2\xfbD\xf9\x04\x0f\x91q\x1a\xf7\xe8\xccL\xca\xf4\xcb\
\xbe\xc2\xa6\x80\xd9\x18x\x07|\x94\x8eA\x0f\x01\xfbN\
\xff+\x08\x15\xd8\xb5\xbe\xfd\x09\xcc\x1d\x8d\xd5\x0cJ\x5c\
p\xa8\xcf\x03`s\xa0\xc5\xf3\xa5\xd2\xf3\x80'\xf4\x0e\
x\xc2\xe3\xff\x0d\xb0\x82\xb0\x19%\xdcc)\xcf\xe5\xdd\
\x1a\xb8\x92\xc59\x94O\x82q\x02f\x1d\x0f$\x08\xe5\
\xc0\xb3\x94\x95B8\x03\xee\xf0\xf0d\x10\x9e\x12\x07;\
(\xdcR\x9b\xc0\xcb\xb5\x18\x83\xa0\x5cHh\xa49\x1e\
\x86\xb9\xf8\x07\xfa\x1f\xd7\x22m\xc4\xbb\x93\xac\x00\xdb\xf7\
J\xccc\xee\xc5\x10\xbcsA\x150\xfd\x8c\xc7\xb2\x96\
\xf5#\xc1VCu\x09\xd3\xb5#u\x8el!\x995\
0\x95\x03S\xba\xd2\x1bI\xf6\x1c\x0f\xc1\x97\x14\x81\x09\
\xb4/Im\x16\x8a\xb5\xe1\x96]\xc3t\xe5H\xbdI\
\xb1\xce\xbf\x17\x8f\x09\x89X\xb6-<6x\xe8\xfa!\
hJX<t\xc60T>\xe4x\xd2\xfc%\xc1\x85\
\xfaA\xeeIg\xb3\xee?\x05\x9e7_as)\xde\
<\x91\x09,\x9eIB\x15\x0d\xc8\xbc\x8b\x91\x0b\xc6R\
\x1e\xb4b\x5c\xe1\x89\xf6 Hs=\x83\xa0\x9d\xba\x0c\
\xa6\xae\x9c\x06f\x0f\xda\xd7\xe2=\xe5\x12\xef1Ch\
L\xfbc\x1f @P\xd7\x0a\x8f\xde\xb9\x822\xdb\x0c\
\x82\xfa\xbb5\x126\x06\xee{\xbd\xfd\xca\x8d\x8e|\xb4\
`{\x7f\x86\x1d\xd83^\x86\x03\xba$?\xa9\x82a\
R\xdfI\x93\xa9\xd3=\xda\xc7\xbd{c\xe90\xbbK\
\x1c\x8a\x94NY\xc9\x0cU\xe7l\xc70\x82\xf1!\xf1\
\x86\xe4\xbdM\x84\x8c\x80\xc6=\xb75\xeaLxF[\
\xd2\x1fRJ\x1dx5=\x07\xc9s\x7f\x86\xb9O\x87\
\x9e\xc0>\x9dk\xcf\x96\xbc\xbf\xda\x17\x85\xed\xa0QW\
\x0b\xd6m\x0e\x06\xf5\xb0g\xc00\x81}\xa5\xdf2\x99\
'}\x83OFn\xdf\x98\x94\xa1U)\xf5\xac-\xfa\
u\xdf\xe2\x09\xa7y\x1eb\xdb\xbe\xa6;\x03D\x0a\xaf\
\xdf\xad\x00;\xee\x8b9`\xcapS\x19\xce4X\xc0\
K\xb3\x94\xe2\x02o\xb9j6\x96B\xdc\x00\xdfJ\xb8\
I\xb6\x0e!\x16; 2v\x1f\xf9\xa2\x01;\x08C\
\x95\xdb\xd6\x0f$4\xfe\xdf\xc03\x7f#!\x9f\xffa\
\x1a\xee8\x9ev\xd6%,\xef:\x07y\xc0K8\xee\
\xd9\xc1I\x08\xc6u\xe2\xf5\x165\x0aQ\x05/?\xc9\
\xf3s\x99~\xb4@\x1e~\x80\xe5S\xb7\xbc*\xa4\x1c\
7l\xbc\x89_\x06\x09\xe3\x06\xea\xb2c\xa2\xf6\x86\x14\
\x0f\x1a\xf9->\xdd\xfag\xc1\x94\x22\xd4\x7f\xe0\xed6\
\xf8\xb3L\x86W6\x931'!\xd8\xfb\xe6\xe2\x19\xec\
\x86n\xe0\x14\xf8I\xe6w<\x9e{\xa0t\xa4\xeaA\
\x97\xa0\xf5P\x02\xd5!\x8f{\x7f\xc6\xbb\x9f\x8ew,\
\xa1\xb8\x95\xccmj\x00n@x\x06\x1b\xd0\xc5|$\
o\x0e\x106`-\xf0\x0c\xe1\xe5<\x006w\x19\xa0\
\x83\xebg|\x96l$s\xe5\xf9\xd3E1\x0dA\xe3\
\x93-<B}\xe1\x9e\xb2\x96\xf5[\xe5\xc7q\x8c\xbe\
M6V\xe8\x1a<\xd1\xd6\xc0%T3G\xc3fZ\
?\x09\xc1W\xe0\x07\xdflK`\x06/A\x93tB\
g\xb2\x0e\x97U\x05\x85\xd1u\xcf\xd8\xac\x0a<\xdbw\
8\xf3\xc2\x8d\xaf\xa70\x9d\xe3\x13v\xe3\x8e\x87Mb\
@0\xb0\x03^\xeb\x01\xf8\x04E4\x86\x0eV\xf00\
Lu\xf46!\x18\xe2\x1cY8\x82\xc7\xbd\x17n\xcc\
\xf4\x8bd\xc5\xd9r\xeePc\x17\xba4\xf4/&\x0b\
\xa8~\xec.#\xffv1\x01\xe7\xad>te}r\
1\xf9\xed\xcc\xc5\xe4\xd8\xdb\xf7\x82m +3\x1c\xfe\
\x81\x7fo2y0\x84qz\xf7\xcbu0n}\xd4\
\x8ej\xbcg\xec\xc5\xdb\xd0\x0d\xa65\xc9\xd5\xec\x8d\xcb\
i\xf4\xe2\x98p\xc3\xe4}\xa2\xf7\x09l5;&\x95\
\x94\x18\xdd\xe5T\x06\xb9\xb0\x18\xf3\x9e\xc3k\xf8\x9f\xaf\
\xe7\x7f\x03\x88|\xd3;\xed2O\xdf\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x00\x84\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x006IDATX\x85\xed\
\xcd\xa1\x11\x00 \x0c\xc0\xc0\x94\xc90L\x85f+\xee\
\x18\x0d\x1c\x0e[C^\xc5\x05$I\xfa]\xdc\xea{\
\x015\xe9;\x19\xd1\x00J\xd2P\x92$\xe9\xe9\x00\x9e\
A\x04\x04\xeb\x07\x14\x09\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x02\xad\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02_IDATx\x9c\xed\
\xd81\xa8\xd3P\x14\x06\xe0\xff\xb4M)\x0ab\xa7\xae\
N\x16\x0777\x17\x17\x0b}\x94\xa4\x05\xbb\xe8\xa4C\
\xc0A\xd0A\x10q|\x88\x83\x0f\x07\x17)\xa8\x93N\
B\x9b\xe4i\xa1\x9b\xbb\x9d\x1c\x5c\x05\x978U\x04\xa5\
\xa64\xc7\xa5C\x9bD\xdf+x\xef)x\xbe\xad\x19\
\xfa\x9f\xfcM\xefM\x02(\xa5\x94RJ)\xa5\x94R\
\xea\x7fC\xa6\x03<\xcf\xdbg\xe6{\xcc\xbc\x00\xd0\x8f\
\xa2\xe8\xd0t\xe66\x8c\x16\xe0\xfb\xbe\x13\xc7\xf1\xaf\xb5\
\x9c9\x11\x9d\x0d\x82\xe0\x8b\xc9\xdcm\x94L~\xf9l\
6;\x81\xcd\x92k\xcc\xfc\xb6\xddn\x9f2\x99\xbb\x0d\
\xa3\x05\x00X\x16\x1c;\xef8\xce\x1b\xdf\xf7\x1d\xc3\xd9\
\xc7b\xba\x80?\xb9\x1c\xc7\xf13XX\x83\x8e\x22U\
\x00\x00\xdc\xf0<\xef\xbe`>\x00\xd9\x02\xc0\xcc\xfb\xae\
\xeb^\x93\x9c\xc1j\x01\xcc\xcc\x05\x87_v\xbb\xddK\
6\xe7X'q\x05\xa4\x99\xcfN\x9a\xa6\xc3^\xafw\
N`\x16\x91\x02\x98\x88\xb2%\x9c^.\x97\xef\x5c\xd7\
m\xd8\x1eFd\x0d`\xe6\xa2\x12\xce\x008l\xb5Z\
'm\xce\x22\xb6\x08\xae\xd6\x83\xec\x9ap\xa1V\xab\xbd\
\xee\xf7\xfbe[s\x88\xee\x02\x00\xd2\x82\x85\xd1M\x92\
\xe4\x09,\xdd#H\x17\x80\xd5_a\xa3\x04f\xbe\xe5\
y\xdem\x1b\xf9\xe2\x05\xacd\xd7\x030\xf3A\xa7\xd3\
\xe9\x9a\x0e\xde\x95\x02\x80\xfcs\x03\x95J\xa5G\xa6C\
w\xa9\x80\x1cf\xce]\x19\xff\xda.\x15P\xb4\xf2\xbf\
0\x1d\xba+\x05\xe4\xe6`\xe6\xbbQ\x14=\xb6\x1e,\
\xa0\x84\xcc\x96GDO\xa3(:\xb0\x15.)w\xf2\
\x00\xc2j\xb5z\x07\xf9\x9b$#*6B\x8a\x10\x11\
1s\xf6\xe4?\xcc\xe7\xf3\xaba\x18\x16\xbdI2B\
\xe4\x0aX\x9d|6\xfb3\x80\xced2\xf9as\x16\
\x89\x02\x8aN\xfe[\xb9\x5c\xde\x0b\xc3\xf0\xab\xeda$\
\x0a\xc8f.\x98\xb9;\x1c\x0e?\x09\xccb\xb7\x00\x22\
*z\xc0\xb9\x1eE\xd1{\x9bs\xac\x13\xdd\x05\x88\xe8\
A\x18\x86\xaf$g\x90,\xe0y\x10\x04\x0f\x05\xf3\x01\
\x08m\x83D4i4\x1a7ai\xaf\xff\x1b\xd3W\
@\xd1\xfd\xfd\xc7$I\xfa\x83\xc1`a8\xfbX\x8c\
\x16P\xaf\xd7\x7fb\xf3W\x9eW*\x95\xbd\xf1x\xfc\
\xddd\xee6\x8c\xbe{\x9bN\xa7i\xb3\xd9\xac\x00\xb8\
\xc8\xcc\x09\x11]\x19\x8dFS\x93\x99J)\xa5\x94R\
J)\xa5\x94RG\xf9\x0d\xedj\xb5\x9f*/\x87\x1f\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x08\xa5\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x08WIDATx\x9c\xed\
\x9b\x7fl[W\x15\xc7\xbf\xe7>\xc7N\x19\xad\x87\xf6\
\xa3\xad\xb6\x8au\xb4IQi\xd4\xa6\x03\xc1Ve\xe9\
\x18\x19\x89\xec\xe7$\xf0\xc46\x04\x94M\x05\xba!$\
\xa61i\x95\xb6\xb4\xb0\xf2c\xb0\xb2\x0e\x89\xb2\x8e\x0d\
\xcaZ!aT\xbb~\xc9<*\x18\x9e\xca\xd8\xb4\x8e\
\xa6L4\xa93X\xb32U\xdb\x04\x1dq\xaa*\xfe\
\xf1\xee\xe1\x8f8\xe2\xf9\xfa9\xfe\xf5\x1cR\xc8G\xca\
\x1f\xf7\xdc\xf3\xce\xfb\xfa\xf8\xbe\xfb\xae\xef=\x01\x16X\
`\x81\xffgh.n\xd2\xdd\xdd}\x85\xc7\xe3\xe9 \
\xa2u\xcc\xbc\x86\x88\xae\x05p)\x80%\x004\x00\xa9\
\xfc\xdf\x19\x22\x1a\x050\x22\xa5<j\x9a\xe6\xe9Fk\
kX\x02z{{? \xa5\xdc\x02@\x07\xd0Vc\
\x98\xd3D\x14\x97R\xfe\xdc4\xcdW\x00\xb0k\x02\xf3\
\xb8\x9d\x00\xd2u\xfd\x16\x00\xf7\x01\xd8\xecj`\xa2\xbf\
\x00\xd8\xbdt\xe9\xd2\x03\xfb\xf6\xed\xcb\xba\x16\xd7\xad@\
\xba\xaeo\x06\xf00\x80\xeb\xdc\x8aY\x82q\x00;b\
\xb1\xd8/\xe0\xc2\x88\xa8;\x01\xba\xae/\x05\xf0\x08\x80\
\xcf\xce\xe2&\x01\xbc\x00 AD\xa7\x00\xfc\xcd\xb2\xac\
sR\xcaIf\xb6\x84\x10\x8b5M\xf3\x03XID\
-\xcc\xfc1\x00\x9f\x00\xb0h\x96\x98G\x99y\x9bi\
\x9a'\xeb\xd1_W\x02z{{?\x22\xa5\x8c\x02X\
\xee\xd0=\xc9\xcc\xcf\x10\x91\xa9i\xda\xb3\x91H\xe4\x9f\
\xd5\xc46\x0ccQ:\x9d\xbe\x89\x99\x83D\xa4\x97\xb8\
\xc7\x143\xdfa\x9a\xe6/k\xd1\x0f\xd4\x91\x80P(\
t;3?\x05\xc0\xa7\x8a\x02\xf0\x98eY\xdf\x1d\x1a\
\x1az\xb7\xd6\xf8v\x0c\xc3\xf0f2\x99\xad\xcc\xfc \
\x80+\xd5~f\xde\xd5\xde\xde\xfe\xe0\xce\x9d;e\xb5\
\xb1\xabN\xc0\xc0\xc0\x80\x18\x1e\x1e~\x08\xc0\xfdJ\x97\
d\xe6\xa7\x9a\x9a\x9av\x1e:t\xe8\xcdj\xe3V\x82\
\xae\xeb\x8b\x01\xdc\x03\xe0^\x00\xef\xb5\xf7\x11Q\xd4\xeb\
\xf5~.\x1c\x0e\x9f\xaf&fU\x09\xc8\x7f\xf8\x83\x00\
nU\xba\xce\x0a!\xfa\xa2\xd1\xe8\xcb\xd5\xc4\xab\x95\xfe\
\xfe\xfe\xabs\xb9\x5c\x04\xc5\x13\xeep6\x9b\xed\x8c\xc7\
\xe3\xa9Jci\xd5\xdc\xd8\xef\xf7\xef\x04p\xb7b~\
\xc9\xe3\xf1|<\x12\x89$\xab\x89U\x0f\xa3\xa3\xa3\xa9\
\xb6\xb6\xb6\x03\x96e]\x83\xc25\xc6rM\xd3\xd6\xb5\
\xb5\xb5\xfdjdd\xa4\xa27D\xc5\x09\x08\x85B\x9f\
\x01\xf0#\xc5\xbc?\x95J\x19\xf1x\xfc_\x95\xc6q\
\x8b\x91\x91\x91\x5c2\x99\x8c\xb4\xb6\xb6^\x00p3\xfe\
3\x9a[,\xcbjN&\x93\xbf\xad$NE\x09\xd0\
u\xfd:\x001\x00\x1e\x9b\xf9@,\x16\xdb2>>\
\x9e\xabF\xb8\xdb$\x93\xc9\x17ZZZ&\x88\xe8\x93\
6\xf3\x0dk\xd6\xac9\x9dL&\xff\x5c\xeezQ\xce\
\xa1\xaf\xaf\xef2\x00Q\x00\xcd36f~9\x95J\
mE\x03\x96\xa6\xb5`\x9a\xe6\x1ef\xfe\x99\xdd\xc6\xcc\
O\x04\x02\x81\xf6r\xd7\x96M\x80eY\x0f\x03\xb8\xca\
f:KD}\x89Db\xaaz\xa9\x0d\x83s\xb9\xdc\
6\x00\x7f\xb4\xd9\xbcB\x88':;;=\xa5.\x02\
\xca$ \x10\x08l\x02p\x87\xfdF\xcc\xfc\xa9X,\
v\xb6v\xad\x8d!\x1e\x8f\xa7\x01\xf4\x03\xf8\x87\xcd\xdc\
\xee\xf7\xfb\xef\x9a\xed\xba\xd9\x12@B\x88\xef(\xb6\x83\
\xa6i\xbeT\xa3\xc6\x86\x13\x8b\xc5\xdef\xe6]v\x1b\
3?\xd0\xd5\xd5uI\xa9kJ& \x18\x0cv\x00\
\xd8d3e-\xcb\x1a\xa8_fc\x99\x9c\x9c\xfc\x09\
\x8036\xd3\xe5\xcd\xcd\xcd_.\xe5_2\x01D\xf4\
\x0d\xc5\xf4\xf8\xd0\xd0\xd0\xebu\xeak8\x89Db\x8a\
\x99\xd5/\xea\x1e\xc30\x1c\xdfx\x8e\x09\xe8\xe9\xe9Y\
\x06\xc0\xfeZ\xc9\x02x\xc8\x1d\x89\x8d\xa7\xb9\xb9\xf9i\
\x00\xaf\xd9LWe2\x99\x9b\x9d|\x1d\x13\xe0\xf1x\
nG\xe1\x1a\xe1\xb9X,\xf6\xb6{\x12\x1bK8\x1c\
\xb6\x88(l\xb71\xf3\x17\x9c|\x1d\x13\xc0\xccA\xa5\
\x1dsO\xde\x9c\xa1j\xeeqz\x0c\x8a\x12\xd0\xd5\xd5\
u\x09\x11]o\xb71\xf3\xa0\xcb\xe2\x1a\xce\xfa\xf5\xeb\
\x8f\x01\xb0\x8fZ\x7f6\x9b\xdd\xa8\xfa\x15%\xc0\xeb\xf5\
~\x14\x80\xd7f:188xF\xf5\x9b\xef\xe4\xf7\
\x06\x0a\xbe8\xcb\xb2\x8a\xf6)\x8b\x12 \x84\xf8\x90\xbd\
MDG]W7w\x14h\x17B\xacU\x1d\x8a\x12\
\xc0\xcc\x1f\xb4\xb7\xa5\x94\xaf\xa9>\x17\x0bDT\xa0]\
\xfdl\x80C\x02\x88\xe8\x1a\xa5=\xef\xdf\xfd\xa5\xc8f\
\xb3\xaa\xf6\x95\xaa\x8f\xd3[`\xb1\xd2\x9e\xf3\xdf\xfan\
q\xe1\xc2\x05U\xbb\xfa\xd9\xca'@JY\xd5\x1e\xdb\
|\x22\x91H\xa4\x01\xd8\xf7+\xbc\x86a\xd8'x\xc7\
G\xa0`\x9fP\x081/~\xf37\x0a\xa7\x110\xa9\
\xb4\x8b\x86\xcd\xc5Bgg\xa7\x0f\x85\xbbX\x99p8\
\x9c\xb1\xfb8\xbd\x05\xd4\x1d\xd5K\x1b\xa0mNX\xb2\
d\x89_1\xa9_\xae\xe3\x08xCi\x17\xcd\x9c\x17\
\x0bR\xcak\xedmf\x1eW}\x9cF\xc0\xa8\xd2^\
\xed\xba\xb29B\xd3\xb4\x02\xed\xf9s\xc9\x02\x9c&\xc1\
\x93J{\x93\xeas\xb1\xc0\xcc\x05\xda\xf3G\xec\x05\x14\
%\xc0\xe7\xf3\xbd\x88\xe9\xdf\xff3\xb4\xf7\xf7\xf7_\xed\
\xbe\xbc\xc6200 \x00\x04\xec6)eB\xf5+\
J@\xfel\xedE\xbb-\x97\xcb\x05T\xbf\xf9\xce\xf1\
\xe3\xc77\xa2\xf0D9599\xf9\x8a\xeaWjK\
L\xfd\xf9\xab\xbb%l\xae\xc8\x1f\xa9\xdby6\x91H\
\x14\x1d\xe2\x94J\xc0AL\x175\xccpSww\xf7\
\x15n\x89k4\xf9\xe1\xffi\xbb\x8d\x88\xf6;\xf9:\
& \xbf\xef\x7f\xc4f\xf2y<\x1e\xf58|\xde2\
<<|\x1b\x8056\xd3[\x13\x13\x13G\x9c|K\
\xee\x0aK)\x7f`o\x13\xd1\xdd===\xefwG\
b\xe3\xc8\xaf\xf5\xbf\xa5\x98\x7f\xe84\xfc\x81Y\x120\
88\xf8\x1c\x11\xd9'CoSS\xd3\x8e\xfa%6\
\x96t:\xfd%\xd8\x16o\xcc|\x0e\xc0\xdeR\xfe\xb3\
\x9d\x0c1\x11m/00\x7f\xbe\xb7\xb7\xb7h_m\
\xbe\x10\x08\x04.\x07\xf0\x80\xddFD\xdf\x8e\xc5bE\
K\xe0\x19f=\x1b\x8cF\xa3\x09\x22z\xda\xee/\xa5\
\x8c\xe4+\xc3\xe6\x15\x86ax\x85\x10\xbfFa\x0d\xd1\
\xab\xcb\x96-{l\xb6\xeb\xca\x9e\x0e\x0b!\xeeE\xe1\
\xee\xea\x0a\x00\x87\xba\xbb\xbb\xd5\xe2\xa8\xff*\xe9tz\
\x0f\x80\x1bm\xa6\xac\x10bk\xb9\xa2\xca\xb2\x09\x88D\
\x22\xef0s/\x80\xb4\xcd|}SS\xd3\x8f1G\
\xb5\xc6\xe5\x08\x06\x83w\x01\xf8\x8a\xdd\xc6\xcc\xdb*\xa9\
Y\xaa\xa8Bdll\xec\xcd\x96\x96\x967\x88\xa8\xcf\
f\xde\xd0\xda\xda\xba\xbc\xad\xad\xed\xc8\xc8\xc8\x88U\x9d\
d\xd7\xa0P(\xf45\x00{P\xf8e<j\x9a\xa6\
z\xb2\xedH\xc55Bccc\xaf\xb6\xb6\xb6\xbe\x07\
\xc0\x0d6\xf3F\xcb\xb2:V\xaf^=866v\
\xa1\xd2Xn`\x18\x86w\xd5\xaaU\x8f\x03\xd8\x8e\xc2\
\x0f\xff\x9bT*\xf5\xc5\xf1\xf1\xf1\x8aj\x06\xcb>\x02\
v|>\xdfv\x00\x11\xc5|\xa3\x10\xe2X(\x14Z\
WM\xacz\xe8\xeb\xeb\xbb2\x9dN\xff\x0e\xc0\x9dJ\
\xd7I!\xc4\xad\xa5\xde\xf9NT\xfd\x0c\x1b\x86\xa1M\
MM}\x9f\x88\xbe\xaete\x99y\xaf\xc7\xe3\xd9\x15\
\x89D\xde\xa96n\x85\xf7^\x94N\xa7\xbf\x8a\xe9\x22\
\xcd\xf7)\xddq\x9f\xcfw[8\x1c\x9e\xa8&f\xcd\
\x93X0\x18\xbc\x93\x88\xf6\x02hR\xba\xce\x03x$\
\x9b\xcd\xee\xae\xa6`q6:;;=~\xbf\x7f\x0b\
3\xef@a\xbd\xd2\x0c\xbb}>\xdf}\xe1p\xb8\xea\
\xb9\xa8\xaeY\x5c\xd7\xf5\x0e\x00\x87\x00\x5c\xe6\xd0\xfd.\
\x00\x93\x88\xccL&s\xa4\xdad\xe4\xeb\x83;\xa4\x94\
A!D\x88\x99\x9d\x96\xe1\xd9|\xc5\xf8\x935\xc8\x07\
\xe0\xc2k,\x14\x0a\xad`\xe6G1]\xa0T\x8a,\
\x80\xe7\x99\xf9\xf7\x00\x92\xcc\xfcWM\xd3\xce\xe5r\xb9\
\xf3RJK\xd3\xb4\xc5\x9a\xa6\xf9\x99\xd9^.\x7f\x0b\
\xa6\xff\xa5\xa6\x14\xc7\x84\x10\xdb\xa2\xd1\xe8\x9f\xea\xd1\xef\
\xda{<\x18\x0cv\x13\xd1\xf7\x004z2<KD\
\xdf\xf4z\xbd?\xade\xc8\xab\xb8\xba\x90\x19\x18\x18\x10\
'N\x9c\x081\xf3\xfd\x00>\xecfl\x00\xaf\x13\xd1\
\xee\x89\x89\x89'\xdd\xacQl\xd8J.\x18\x0c\xae\x15\
Blaf\x1d@K\x8da\xde\x02\xf0\x0c\x80\xfd\x1b\
6l\xf8C-\xff\x0fP\x8e9Y\xca\x86B\xa1\x15\
\x0063\xf3ZLoT\xac\x04\xe0\xc7\xf43\xee\x01\
0\xc1\xcc)!\xc4\xdf\xa5\x94\xa7\x88\xe8\x14\x11=\x7f\
\xf8\xf0\xe1Q\xcc\x93r\xdc\x05\x16X\xe0\x7f\x93\x7f\x03\
\xf4b\xf6^\xa3\x0e)\x06\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x03\x13\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xc5IDATx\x9c\xed\
\x9b1o\xd3@\x18\x86\xdf#\x91\xf0\x12K\x1d\xaa\x0e\
E]O\xb00\xb4?\xc0R)\x0b\xcdmV\x07\xca\
\x7f`\xce@E%\x84\x18\xf9\x07\x08u\xa92D:\
\xb5\x0b0d\x08Le\xe9\x10\xe4\x8cU;\x94\x01\xa4\
\x9b\x1c\x04:\x06\xbb\xc8\xbd\x5c\xd24\xb1\xfd%\xe4\x9e\
\xed\xce_\xa2\xc7o\xec\x9c\xa3|\x078\x1c\x8eE\x86\
\x8dS\x14\x04A\xd5\xf7}\x01`\x07\xc0\x06\x80U\x00\
w\x8b\x14\x9b\x80>\x80\x0b\x00'\x00\x0e\x95R\xb2\xdd\
n\xff\xbe\xe9E7\x06 \x84\xd8\xd2Z\xbfe\x8c\xdd\
\xcfA\xb2L\xba\x00\x9eK)?\x8e*\xaa\x8c8\xc6\
\xea\xf5z\x831\xf6\x8e1\xb6\x9c\xaf[),\x03x\
\xc69\xff\x15E\xd1\xe7aEC\x03HO\xfeU!\
j\xe5\xb2\xc99\xefGQ\xd4\xb1\x1d\xb4\xde\x02B\x88\
-\x00\x1f\x8c\xe9\x9f\x00^h\xad\x8f=\xcf;k6\
\x9b\x7fr\x16\x9d\x8a0\x0c+q\x1c\xaf1\xc6\x9e\x00\
\xd8\x07\xb0d\x94<\xb6\xdd\x0e\x03\x01\x04AP\xad\xd5\
j\xa7\xc6=\xff\x09\xc0\xae\x94\xf22W\xeb\x82\x10B\
\xac\x008\x00\xf0(3\xddUJ=4\xbf\x18\xef\x98\
/\xf6}_dO^k\xfd\xa3R\xa9<\x9d\x97\x93\
\x07\x80\xd4u\x17\xc9U{\xc5\x83t%\xbb\xc6@\x00\
H\x96\xba\x7f0\xc6\xf6Z\xad\xd6\xf7|\x15\x8bGJ\
y\xa9\xb5\xde3\xa6w\xcc:[\x00\x1b\xd9\x81\xd6\xfa\
8O\xb1\x9292\xc6\xebf\x81-\x80\xd5\xec\xc0\xf3\
\xbc\xb3<\x8d\xca\xc4\xe2~\xcf\xac\xb1\x05p\xed\x09o\
\xd6\xbe\xedo\x83\xc5}\xe0\xe9\xd5\x16\xc0BQ\x9d\xf6\
\x0d\x84\x10:\x0f\x91I\x91R\x8e\xf5{f\x18\x0b\x7f\
\x05\xb8\x00\xa8\x05\xa8q\x01P\x0bP\xe3\x02\xa0\x16\xa0\
\xc6\x05@-@\x8d\x0b\x80Z\x80\x1a\x17\x00\xb5\x005\
.\x00j\x01j\x5c\x00\xd4\x02\xd4\xb8\x00\xa8\x05\xa8q\
\x01P\x0bP\xe3\x02\xa0\x16\xa0\xc6\x05@-@\x8d\x0b\
\x80Z\x80\x1a\x17\x00\xb5\x005.\x00j\x01j\xa6\xee\
\x0f\x98\xf6\xffyj\x16\xfe\x0a\xb0\x05\xd0\xcf\x0e\xc20\
\x1c\xd5O<\xd3X\xdc\xfbf\x8d-\x80\x8b\xec \x8e\
\xe3\xb5<\xa5\xca\xc4\xe2~n\xd6\xd8\x028\xc9\x0e\xd2\
\xde\xdbye\xdb\x18\x7f5\x0bl\x01\x1c\x1a\xe3\xfd\xb4\
\xf7v\xae\x10B\xac0\xc6^\x1a\xd3\xe6\xb9\x0d\x06\xa0\
\x94\x92Z\xebo\x99\xa9%\x00\x07\xf3\x14B\xa6Y:\
\xdb1\xdeUJI\xb3\xf6V\xed\xf2i\xef\xed\xd1,\
\xb7\xcb\x03\xd8N?\xf9\xc9\xda\xe5\xaf\xf8\x8f6L\x00\
@CJ\xf9\xdav`\xe8\x12\xd7\xeb\xf5:\x9c\xf3>\
\x80\xcd\xc2\xb4\x8aG3\xc6\x1aR\xca7\xc3\x0aF\xae\
\xf1Q\x14u8\xe7_\x90tY\xcf\xdb\xbe\xa1.\x92\
M\x1e\xefG\x15M\xb2mn\x1dI\xd7\xf5,n\x9b\
;G\xb2\xd4\x8d\xbdm\xce\xe1p,6\x7f\x01A\x00\
\xc7\x9a\x8c\xc8\x9c{\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x03!\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xd3IDATx\x9c\xed\
\x9b\xbbo\xd3P\x14\x87\x7f\xc7\x8e\xc4\x18u\xaa\x92\xa2\
\xeeda(\xff\x01\x8f\x85\x8a1\x1d\xe8\xea<6\xd6\
f\xc0J%TF\xd8\xeax\xed\xd2\x8c},\x85\x91\
\x11:0\x84\xbdj\x13\x95\x01\x941\x12\xf6a\xa8\x0b\
\xce\xcd5M\x1b\xc7'!\xf7\xdb\xee\xa3\xd5w\x7f\xb9\
\xb9q\x94s\x01\x83\xc1\xb0\xc8\xd08\x93\x5c\xd7\xcd\x15\
\x0a\x85\x17\x006\x88\xe8\x11\x80\x15\x00\xf7\xa6jv{\
\x06\x00.\x98\xf93\x80\xfd^\xafw\xd0l6\x7f\xdd\
\xf4G7\x06\xb0\xbb\xbb\xfb\x94\x88\xde\x03x\x90\x82d\
\x96t\x98\xf9U\xadV\xfb\xf0\xafIV\xd2\x003\x93\
\xe7y\x0d\x22:\xc1\xfc-\x1e\x00JDt\xd2j\xb5\
\xb6\x989\xf1\x85\xb6\x93\x06\x8a\xc5b\x03\xc0\x9b\xa9\xa8\
e\xcb\xe3\xd3\xd3\xd3\xc1\xe1\xe1\xe1'\xdd\xa06\x99h\
\xdb\x9f(\xdd?\x01\xbc\xb6,\xeb8\x9f\xcf\x9f\x95\xcb\
\xe5 m\xd3Ih\xb7\xdbv\xbf\xdf_\x0d\xc3\xf09\
\x80m\x00K\xf1qf~\xa6{;\x8c\x04\xe0\xban\
\xaeX,~\xc5\xf0\xb6\xffhY\xd6\xa6\xe38\x97i\
\x8bO\x03\xdf\xf7\x97\xc30\xdc\x03\xf0$\xd6\xdd\xe9v\
\xbb\x0f\xd5\x83q\xe4\x0c\x88N\xfb\xf8\xe2\x7f\x84a\xf8\
r^\x16\x0f\x00\x8e\xe3\x5cZ\x96\xb5\x89\xab]{M\
)Z\xdb\x10\xbaCpCi\xbb\xf5z\xfd{\x9a\x82\
Y\xe08\xce%3\xbbJ\xb7\xba\xb6\xd1\x00\xa2\xcf\xf9\
\xbf\x13,\xeb8e\xb7\xcc\xb0m\xfb(\xde&\xa25\
u\x8en\x07\xac\xc4\x1b\xf9|\xfe,e\xaf\xcc\xd0\xb8\
\xdfW\xe7\xe8\x02\x18z\xc2\x9b\xb5\xd3\xfe6h\xdcG\
\x9e^\x13\x1f\x84\x16\x85\xdc\xa4\xff\xc0\xf3<NC\xe4\
\xaeT\xab\xd5\xb1\xbe\xcf$\xb1\xf0;\xc0\x04 - \
\x8d\x09@Z@\x1a\x13\x80\xb4\x804&\x00i\x01i\
L\x00\xd2\x02\xd2\x98\x00\xa4\x05\xa41\x01H\x0bHc\
\x02\x90\x16\x90\xc6\x04 - \x8d\x09@Z@\x1a\x13\
\x80\xb4\x804&\x00i\x01iL\x00\xd2\x02\xd2\x98\x00\
\xa4\x05\xa41\x01H\x0bH3q}\xc0\xa4\xbf\xcfK\
\xb3\xf0;@\x17\xc0 \xdeh\xb7\xdb\x89\xe5\xb4\xb3\x8e\
\xc6}\xa0\xce\xd1\x05p\x11o\xf4\xfb\xfd\xd54\xa5\xb2\
D\xe3~\xae\xce\x19\x09 \xaa\xb7\xffCT{;\x97\
\x04A\xb0\x1eo3\xf3\x17u\x8en\x07\xec+\xedm\
\xdf\xf7\x97\xd3\x14\xcb\x02\xdf\xf7\x97\x89\xa8\xa9t\xabk\
\x1b\x0d\xa0\xd7\xeb\x1d\x00\xf8\x16\xebZ\x0a\xc3po\x9e\
B\x88\x15K\xc7+\xc6;\xd1\xda\x86\xb8U\xb9<3\
\xbb\xb6m\x1f\xcdr\xb9|\x10\x04\xeb\xd1+\x7f\xb7r\
\xf9k<\xcf\xfb_.L\x80\x88\x1a\x95JeG7\
\x96\xf8\x1cP\xa9Tv\x88\xa81=\xadL`\x00[\
\x8e\xe3\xbcM\x9a0\xee\xa5\xa9w\x00Ji\x9ae\xc0\
X\x97\xa6\xeermn\x0dWU\xd7\xb3xm\xee<\
\xfa\xa8\x1b\xfb\xda\x9c\xc1`Xl~\x03+G\xe7.\
\x04=\xb9\xaf\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x00\x8d\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00?IDATX\x85\xed\
\xd5\xb1\x0d\x00 \x0c\xc4\xc0\x87\xb5\xb3\x1c\x9b=C\x18\
\x89\xc6\xd7'\xb2\xd2$!\xa6\xcd\xb4d\xc5F\x01\x0f\
\x18`\x80\x01\x06\x18`\xc0\xf7\x80\x85\xa6\xe1+N\xf8\
\x05\x0e\x0d\x90$I\xdf]r\xb9\x08K.~&\xf1\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x03\xe3\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\x95IDATx\x9c\xed\
\x98\xcfkTW\x14\xc7\xbf\xe7\xbd\xa4\x0f\x94v\xd3l\
\x1eR\xdc9#\x05I\xda\xe2\xa6\x8a\xf8\x13\x132/\
S\x5cu!\xa2E\xe8?P\xfa\x03\xa4\x14\x15\xb4\x0b\
Ep+\x08\x82\x88\xa8\xbc\xb9\xef%\x11\x8d\xe5\x81\xb8\
1\xc4\xb5/d\x91\x8aB\x17v\x93\xa4-\xcdL\xee\
q\x91\x990y\xb9O'3\xef\x8dQ\xcfgy\xcf\
\xbb\xe7\x9c\xef\x99;\xf7\x9e{\x01A\x10\x04A\x10\x04\
A\x10\x04A\x10\x04\xe1\xc3\x82\x92\x03\x9e\xe7\xfd\x0a\xe0\
\x14\x00\x1b\x80\x06\xc0\xddN*c\x08\x80\x05`\x09\xc0\
i\xa5\xd4o\xcd\xc6\x1e\xc3\x84\x86x\xd4'\xbe/\xd8\
X\xd6\xb6\xaa\x00\xef\x93\xc0\xb60\x15\xe0\x0c\xde\xfde\
o\x82\xb1\xacm\x15k\xf6\x00\x00\xf0<o/\x80\x0a\
\x80\x8f\x0dNt\xe6\xa9e\x083[D\x94\xd45o\
Y\x96\xe7\xfb~\x94\xfc\xdeX\x00\x00(\x97\xcb_j\
\xad\xef\x02\xe8K\xc6\xc0\x06-B\x8a\xf8\x97\x96e\x1d\
\xf6}\x7f\xca4'\xb5\x00\x00\xe0y^\x01\xc0}\x00\
\x9f%ca\xe3\x15\xc1\xc2Z=\xcf\x00\x1cRJ\xc5\
\xaf\x9b\x94\x8aR*&\xa2\xaf\x01<M\x98\x1aG\xcb\
F\xc1$\xfe)\x11\xedz\x9dx\x18&\x19\x19\x1e\x1e\
\xee\xb3,k\x1c\xc0W\x06\xf3Rk9\xe6\x86m\x18\
\x9b\xd4Z\x0f\x85a\xf8\xf2M\x93[\xfa\x15\xeb\x8e\xf6\
\x01\xf8\xa3\xc5\x04\xba\x01\x99b\x13\xd1\x03\x00\xfb[\x11\
\x0f\x93\x834\xe28^t]\xf7\xa6\xe38\x9f\x03\xd8\
\xdel\xabo>\xad\xba\xca\x02J\x89y\xa7Z\xad\x1e\
\x19\x1d\x1d\xfd\xb7UG\xeb\xfa\xf5fggk\xae\xeb\
\xdev\x1cg\x0b\x80/V\xb2YN\xa4[\x15 \x00\
&\xf1W\x1c\xc79V\xa9T\xaa\xebu\xd6V\x12\x9e\
\xe7\x9d\x07\xf0\xc3\x1a\x03\x91f\xe6\xbc\x1a\xa9\xb4\xcd\xf7\
w\xa5\xd4Oh\xa3\x81k\xfb\xff\x1b\xc7\xf1\xfdB\xa1\
\xf0\x1f\x80\x83\x09\x93\xe1(\xce\x844\xf1?&/8\
\xeb\xa1\xa3\x0d,\x8e\xe3G\xc5b\xf1\x05\x80a\xac^\
MY\x17\xc1$^3\xf3\xc9 \x08.w\xea\xb8c\
J\xa5\xd2\x11\x22\xba\x0e\xe0\xa3\x84\xa9\xe3\x86)\xa5\xbb\
[\x04\xf0\xadR\xeaN'\xbe\x81\x0c7\xae\x91\x91\x91\
\x03\xcc\xec\x03\xd8\x9c0uR\x04S\x83\xb3\xa0\xb5.\
\x87a\xf8\xa0M\x9f\xab\xc8t\x9d\x96\xcb\xe5\x9dZ\xeb\
1\x00\x9f&L\xed\x14\xc1$\xfeof\x1e\x0c\x82`\
\xb2\xdd\x1cMA2\xc3\xf7\xfd\xc7\xb6m\xef\x06\xf0\x22\
a\x22f^O,\x93\xf8\xe7\xb6m\xef\xceR<\x0c\
A2ahhhkOO\xcf=\x00\xdb\x9a\xc7\x99\
\x99\x89\xe8M+\xc1$~Zk}0\x0c\xc3gY\
\xe6\xd9\x08\x969ccc\x7f\xd6W\xc2\x93\xe6q\x22\
\x22fN=y\xea\xb6\xa4\xf8'\xd5juW\x1e\xe2\
a\x08\x96)\x83\x83\x83\x9f\xf4\xf6\xf6*\x00{\x9a\xc7\
\x99\x19\x96e-%\xfa\xa55\x85a\xe6\xa8V\xab\x8d\
\x8c\x8f\x8f\xcf\xe5\x95c\xae\x17\x99\x99\x99\x99\xff]\xd7\
\xbd\xe18\xce\x0e\x00\x85\xc6x\xfdT\xb3\x88heU\
\x18\xfa\x86\xca\xfc\xfc\xfc7\x13\x13\x13\xff\xe4\x99c\xee\
7\xb9\xfa\xfd\xe1\x96\xe38[\x01\xf4'\xcc\x04C\xd3\
DDW\xe7\xe6\xe6\x8eFQ\xb4\x98w~]y\xd4\
\x88\xa2\xa8600p\x82\x99/\xb6\xf0\xf9\x85\xfe\xfe\
\xfe\xef\xa2(\xaa\xe5\x9e\x18\xbaw\x83[\x89W*\x95\
~&\xa2\xb3)\xf6_\x94R\xe7\xd0\xc5W\xe9\xae?\
fLOO?,\x16\x8b\x7fa\xf9\xfe\xd0\x80\x99\xf9\
\xfb \x08.u;\x9f\xb7\xf2\x9a\x13\xc7\xf1T\xa1P\
\xd8\x04\xa0\x08`\x81\x88\x8e+\xa5\xae\xbd\x8d\x5c\x04A\
\x10\x04A\x10\x04A\x10\x04A\x10\x84\x0f\x8dW\xcc7\
'\xebD\xcd\xa4\xc7\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x00\xdb\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x8dIDATx\x9c\xed\
\xd9\xb1\x0d\x830\x14E\xd1o\xb6e\x86\xd4Y\x96%\
\xa0\x8b\x14e\x80\x8b\xc29\x9d+?]\xb9\xf3\x9a\xca\
\xeb<\xbf\xce\xef\xb5\x8a\x19[q\xe9\x9d\x08P\x0f\xa8\
\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\
\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\
\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\x09P\x0f\xa8\
\x09P\x0f\xa8%?\xb23\xf3\xfb;\x1cy\xfc\x0b(\
\x03\x1c\xe1\xdd\x1f]\x805\xfb\xdc$\x02\x00\x00\x00\x00\
\x00\x00\x00\xff\xee\x02\xb2\x11\x07\xfax!\x90d\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x92\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00DIDATX\x85\xed\
\xd7\xb1\x0d\x00 \x0c\xc4\xc0\x17b0\xf6\xcajH\x8c\
\x16\x860\x1dv\x9f\xd7\xb5I\x8cT}R}\xc8\xc4\
\x84\x84\x05\xef3\xe8\x80\x00\x01\x02\x04\x08\x10 @\x80\
\x00\x01\x02\x04\xd0\xe8g\xb4\x9f(\xbe\xee\x02~N\x05\
\xa9Jl^)\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x02\x0d\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xbfIDATX\x85\xed\
\xd6\xbfK\x1ba\x18\x07\xf0\xefso\x10IA%K\
A\x97\x22\xdduup,.v\x92\xc6E\xd2B\xee\
G\x1c\xc4\xbf@D\xfc\x07J\x0b\x12\xde$PB\x87\
r\xc5-\x88\xe2\xd8\xa1s\xf7\x0e\x9d\x0c.\x1e\x0e\x0d\
Er\xf7u\xc8\x9d&\x93\x97\xcb\xf1f\xb0\x0f\xdc\xf6\
\xfc\xf8\xf0\xf0\xbe\xdc\x0b<\xf7\x904IZ\xeb\x80\xa4\
(\xa5\x96m\xdb\xbe\xc9\x13`\xa5I\x22\xb9\x00`>\
\x0c\xc3N\xbb\xdd~a\x1c0\x14k\xbd^\xef\xd4\xf7\
\xfd\x99\xa9\x00HBD6\x82 h\xfb\xbe\xaf\x8c\x03\
\x00D\x00\x08`;\x08\x82\xcf$S\x9d\xa1\xdc\x00\x22\
\xc2\x18\x00\x00\xbbZ\xeb#\xa3\x808\x88\xc1&\x00\xe0\
@k\xbdo\x1a0\x82 \xf9\xb1^\xaf\xef\x98\x06\x8c\
D\xe4\x8b\xd6z\xd34 A\x10\x80\x22\xf9\xbd\xd1\
h\xac\x9b\x06\x00\x8f7c6\x8a\xa2\x8e\xd6z\xd54\
`\x181G\xf2\xbc\xd9l\xbe6\x0d\x18F\xbc\x0c\xc3\
\xf0\xb2\xd5j-\x9a\x06$\x08\x00x\xd5\xef\xf7\xcf\xa6\
\x01\x18\x8e\x95i\x00\x92~\x7f\x0a\x85\xc2\x92Q\x80\x88\
X\x18\xbc/\xae\x95Ro\xaa\xd5\xea\x951\x80\x88X\
\xf1\x8f\xe9\x96\xe4\x86m\xdb\xbf\xd3\xd6\x16r\x98\x9f\x0c\
\xffgY\xd6[\xc7q~\x8dU<\xe1p\x89\xbfP\
D\xde9\x8e\xf3c\xdc\x06\x93\x00$\xa9'\xf9\xc1u\
\xddN\x96&\x99\x00\xf1\xca\x93\xda\xfdZ\xad\xf65K\
\x9fL\x00\x92\x12\x9fx\x008\xf6<\xefS\xd6\xe1Y\
\x00\x0f\xc3I\x9e\xb8\xae{8\xc9\xf0,\x80$\xff[\
\xb7\xdb\xdd\x8b\x9fh\x13\xc5\xd8\xd7\x90\xe4E\xa9Tz\
\xefy^\xf4t\xf6\xd31\xee\x06~\x16\x8b\xc5\xadr\
\xb9|\x97\xc7p \xfd\x06n\x01\x88Rj\xb3R\xa9\
\xfc\xcdk\xf8\xff\x00\x80{\x9b\xa8\x9f\xf8\xd7\x1a\xbb\xfe\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x03J\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xfcIDATX\x85\xe5\
\xd7Mh\xdcE\x18\xc7\xf1\xcf\xb3\xbb\xa9\xb7(R4\
\xc5\x84\xd6\xd0j\xed\xc9C)x\xf0\x95b\x0f\xa5M\
\x05ED\xb0P|9\x88\x17A\xdct\x85e\xc9v\
\x1b\xf1\xa4\x14\x05\x11D\xd1\xab\xc1D\xab\x16\x94\xf6$\
\x12\xb1\xf4\xa0\x14\x84\x08\x9a\x17\xc5\x83(\xad\x87t\xcd\
x\xd8\xffn7\xaf\xcd\x9a\x8d\x97>\x97\xff0\xf3\xec\
\xfc\xbe\xf3\xb03\xf3\x1b\xae\xf7\x88\x8e\xb2Ki@8\
b\xc1~a\x00\xfd\xc8a\x06\xd38'\x8c\xa9\xc6\x8f\
\xdd\x05(\xa5}\x18\xc5\x83\xeb\xcaO&1\xac\x16_\
n\x0c\xe0\xe5t\xa3\x82\xb7\xf0D\xd63\x87\x09\xe13\
\x0b\xa6$sXP\xd0\xe7\x1f;\x84\x871\x84\xedY\
\xfei\xc91\xb5\xf8\xads\x80b\xda)o\x1cwa\
N(\xcb{W%\xeakB\x97SN\xdd\xe3\xa8b\
P\xf8Y8l$.\xac\x1f\xa0\x98\x06\xe5}\x83\xad\
\xf8X\xc1S*\xf1\xd7\x9a\xc2K\xe3\x85t\x83^o\
\xe2\x18.\xcb\xb9\xd7H\x9c\xbf6@9\xf5\xaa\xfb\x1a\
{$\xaf\xeb\xf1\xa2J,t$\xde\x8a\x14\x8e+\x0a\
5\xc94\xf6\xa9\xc5\x5c{Fn\xd9o\xeaNa\x0f\
&6&\x0e\x91\xd4\x8c\xe2\x1d\xa1_\xf8\x80\xb4h\xd1\
\x8b+PJ{1\x89\xdf\xd5\xed\xf2j\xfc\xf9\xdf\xc5\
\xdb\xa2\x9c\xb6\xa8\xbb\x80\xdd\xc2A\xd58\xdd\x1cZZ\
\x81\x93\x19\xd6H\xd7\xc4\xa1\x12\xf3B\x09$\xa3\xedU\
\xb8Z\x81\xe3i\x9b0\x83?\x14lS\x89\xf9\xae\x01\
4\x94C\xc9\x0f\xd8-\xe7\xee\xe6\xaeh\xaf\xc0\xa1\x0c\
\xe8\xd3\xee\x8bC$\x8c7X<\xd2\xec\xbd\x0a\x10\x1e\
\xc8\x06?\xef\xbexK\xe3\x8b\xac\xf5\xd0r\x00\x062\
\x80\x9f6\x0d\xa0n*\xd3\xe8_\x09\xa0?\x1b\x5c\xb4\
O\xbb\x1a\x97[s\xdf\xd6\xfc#.?\x07\xfe\xaf(\
[\x02\xd0\xd8\x01\xe4\xf5m\x9ahok\xee\xd9\xe6\x01\
\xd7^\x81_\xb2\xef\xed\x9b\x06\x90\x0cf\xad\xe9fW\
;\xc0\xd9\xec{`\xd3\x00\x1a\xd75|\xb5\x1c o\
\x22k\x1d\xf4l\xea\xe9\xbez\x0a\x1cn4\x8d-\x07\
\xa8\xc4lF\xb6\xd5-\x9e\xee\xba\xfe+\x0ei\x5cr\
\xdf\xabiy\x83\xc5\xbb \xa7\x98\x11\x96\x95So\xd7\
\xc4\xcbi\x8b\x94\xdd3\x0cg\xa7\xe2\x0a\x00#1\x89\
\x0fq\xab\xba\xf7\x95S\x17\xb6i\x0aW\xbc\xa1\xb1\xfa\
\xb3N\xf8\xa4}t%?\xf0<.bH\xddk\x1b\
\x83H\xa1\xe4%\xe19\xc9\xac\x82'\xdbW\xcf\xea\x96\
lgf\xc9n\x96|\xa4\xc7Q\x95\xb8\xd4\x91v\xc3\
\x03\x9c\xc23\xf8\x1b\xf7;\x11\xdf.M[\xdd\x94\x0e\
\xa7;\xe4\x8c\xe3N\xccd\xa6\xf4\xbdu\x99\xd2+\x1e\
\x15\xaa\xd8\x95Y\xb1!\xb5\xf8n\xa5\xf4\xb5my9\
\xdd\xa4\xeem<\x06\xd9d\x0d[\x9e3%\x97\xd9\xf2\
y}\xc2v\x1c\x10\x86h\x1d8g\x14\x1cU\x89_\
W\x93X\xdf\xc3d8\xdd#g\x14\xf7\xad+\x9f\xf3\
BQ5\xce\x5c+\xb1\xb3\xa7Y1\xed\x90w\x04\xfb\
i=\xcd\xf2\x1aG\xeb\xb4\xe4\x9cd\xcc\xc9\xb8\xd8\xd1\
\xbc\xd7u\xfc\x0b_\x13\xdc\xccf\xa3\x7f\xf7\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x01\xfc\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xaeIDATX\x85\xed\
\x94\xb1\x8a\x13Q\x14\x86\xbf3\x09\xb2X\xb8k\xa3\x90\
m\xb5^{\xd9Z\x82\x966\xa2`\x91b\x02\xa2>\
B\xcc#\xb8Hr\xefL \x82\x82\x10,\xb4\x101\
V\x0b\xfa\x00>\x81V\x01\xbbT\x161\xde\xdf\xc2\x9b\
\x18w\x13%c\x5c\x9b\xf9``\x983\xf7\xfc\xdf=\
s\x19()))\xf9\xcfX\xd1\x85\xddnw7I\
\x92W\xc0^\xb5Z\xddm4\x1a\xa3\x22}\x92\x22\x8b\
\x9cs\x17\x93$y\x07\xec\x01L\xa7\xd3\xf7\xbd^\xef\
B\x91^kO \xcb\xb2K\x92\xde\x00\xe7\x8e\x94>\
K\xba\xd2l6?\xac\xd3o\xad\x09\xe4y\xbe/\xe9\
0\x86\x0b\xf8\x16/\x01\xe7\xcd\xec0\xcf\xf3\xfd\x7f\x22\
\x90e\xd9\xb5\x10\xc2\x108cf\x02\xc2B9D\x89\
\xed\x10\xc2\xd0{\x7fu\xa3\x02\xce\xb9[\x92^\x00[\
f&Ia\xc9k3\x89-\xe0e\x96e77\x22\
\xe0\xbd\xbfgfO\x80\x0a\xb0*\xfc\xa8DE\xd2S\
\xe7\xdc\xdd\xc2\x02\x92\xcc9\xd7\x06\x1e.4\xff]\xf8\
\xa2D\x000\xb3\x03\xef\xfd\x03I+\x0f\xfb\xd2B\xab\
\xd5Jj\xb5\xda\x01p'\xca\x84\xf8\xdd\xd7\xc1\xf8\xb9\
\xc1G\xa3\xd1\xe8~\xbb\xdd>\xb6\x81c\x02\x83\xc1\xe0\
\xd4x<~,\xe9F|4\x1bk\x11\xe6\x12f\xf6\
L\xd2\xed4M\xbf\xae\x14\xf0\xde\x9f\x06\x9e\x03\xf5\x0d\
\x84\xcf3$%f\x06\xf0\x1a\xb8\x9e\xa6\xe9\x97Yq\
~\x06:\x9d\xceY\xe0-P\x97D<l\x7f\x1bN\
\xec\x11$\x01\xd4\xcdl\xd8\xef\xf7wf\xc5\xea\xec\xa6\
R\xa9|\x04\xb6\x01\xa2m\xa1\xdf\xf42b\xbf\x1f6\
\xd2\xe5\xc9d\xf2\x09\xd8\xf9%$\x1a\x9e\x08'\x99U\
RRR\xf2G\xbe\x03~M\xb0\x05\x9e\x85\xcec\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x9b\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00MIDATX\x85\xed\
\xd5\xc1\x0d\x00 \x08CQ4\xee\xcaL\x9d\x16w\xb0\
$x\xf8\xbd\x97\xbc\xf4B\x84\x11I%\xa9\x9c\x1b\xdb\
)w\x04\x00\x00\x00\x00\x00\x00\x18\x07,\xa7\xec\xbe\xe2\
\x88\x0f\x168\x1dG2\xf3y\xc9\xf1\x05\x00\x00\x00\x00\
\x00\x00\x80q\xc0\x05\xa3\x1b\x09\xd4\x95\xfe\x03]\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x88\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00:IDATX\x85\xed\
\xd3\xa1\x11\x00 \x10\xc4\xc0<\x95a\xa8\x0aMW\xcc\
P\x1a8\x1c\xf61Yu.\xea@\x92\xf4Y\xdc\xd5\
\xf7\x02jRw2\xa2\x01\x94\xa4\xa0\xf4\xe4\x0b$I\
\xfa\xee\x00,q\x08\x07m\x9f\x0a\xa3\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x01\x1c\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xceIDATx\x9c\xed\
\xd0\xb1\x11\xc2@\x14CA\x99\x22\x5c\x18-\x90\x98\x8a\
p\x15\x14\xe5\x88.\x8e\x00\x93A\xeae\x06m\xf4\xb3\
\xd3\xbd\xa4\xaa\xfe\xd9\xa4\x1e^\xd7\xf5<M\xd3-I\
\xc6\x18\xd7eY\xeeb\xc7I<\x9a$\xfb\xe7\xe7$\
\xf3;\x84\xc0\x02\xe4\xf5\xf9O\xf7\xa1d\x80\x9f\xd0\x00\
z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00\
z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00\
z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00\
z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00\
z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00\
z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00z\x80\xd6\x00\
z\x80&\x03<\xbe\xdc\x87b\x01\xc6\x18\x97$[\x92\
m\xbf\xab\xaa\x0e\xf7\x04Rq\x14P\x9a\xa9K\xe1\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x03J\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xfcIDATx\x9c\xed\
\x99\xbfO\x14Q\x10\xc7?\xb3\x1c\xc4\x02m\xc0Nh\
\xc1Z\xecE#\x05\x15P\xd2)!\xfa\x07(\x84\xfb\
\x91\xcbE@\x85\xd2\x98\x10@;c\x81Q*IH\
\x84\x02\xa8\xb47X\xaa\x9dv4\x1a\x8e\x1d\x8b\xe3\x90\
\xdb}\xf7{\xef\x0e\xc2|\xca\x9d7\xf3f\xbe\xbb\xef\
\xbdyw`\x18\x86a\x18\x86a\x18\x86a\x18\x86a\
\x5c,\xa4e3't\x14x\x09x\xc0\x0as\x92j\
E\x1a\xad\x11 \xa9\x93(K\xe4\x8a\xcf\xa1L2/\
\xab\xcdN\xc5+?$b\xe2:\x8d\xb2\x1c\x9a[X\
!\xa1S\xcdN\xa7\x89_\x80\x0a\x09\x16\x80G%\x87\
\x09\x8b\xcc2\x0d\xa2\xcd\xc8\xaa9\x02\xa45F\x96e\
\xe0^\x85\x1e\xaf\x89\xf1\x80\x8cd\x1b\x99\x164C\x80\
\xb4^\xe2\x90\xb7\x08#\x8e\xd9}r\xef\xd9\xb5\x14?\
\x10c\x9c\x8c\xfcidz\x8d\x15 \xadW\xc8\xb2\x0e\
\x0c\x16<W@8\x0a\x8cnsD\xd8\xe2\x90\x11\x16\
\xe4\xa0A\x196P\x80\x19\xbd\x8a\xb0\x81p\xc3a\x0d\
\x16\x9f\xc7%\xc2\x17|\x86y*\xbf\x22\xcc\xee\x84\xc6\
\x080\xad\xbd\xc4\xd8\x04\xfa\x02\x16\x05\xfc2\xde\x9e#\
\xaf}\xe0.s\xf2#\xa2\x0c\x0b&\x8b\x96\xa4^\xa7\
\x8d=j+\x9e\xe31\xc1\x13\xa0\x0f\xd8cF\xfb#\
\xc8\xb0\x80h\x05H\xe9M\x94\x1d\x84k\x01K\xa5\xc5\
\xe7\xf1\xd1\x90\x08=x\xec\x92\xd0\x81\xfa\x92,$:\
\x01\xe2z\x07\x9f-\xa0+`\xa9\xb6\xf8\x1c\xe2\x14\xa1\
\x0b\xd8&\xa9\xb7kK2L4\x02$u\x0c\xe1#\
\xd0\x19\xb0\xd4V|\x1e\xb7\x08\x9d(\x1b\xc7w\x89\xba\
\xa9_\x80\xa4N\xa0\xac\x01\x1d\x01\x8bO=\xc5\xe7\x11\
|$\x14\xa7\x03xG\x5c\xef\xd7\x1b\xbe>\x01\xe2\xfa\
\x18e\xd5\x11\xc7\xb5\x91\xd5\x8e\xa2\x0e\x11<\x84W$\
\xb4tk]\x86\x1a\x05P!\xa1\xcf\x11\x16\x1c\xc6h\
\x8b?\x99\xb2\xe8rZ$\xa9\xcf@k:\xd2\xabw\
\xca\xf5\xf5K\xc0\x84#\x9ak\xcdF\x8d\xe0~q\xab\
|\xe3!kR\xac\xc9*\x1a\xacrr}\xfd\x1b\x84\
1\x87\xb51o\xde\x8d[\x04\xe5=\x07\x8c\xf3B\xfe\
V\x13\xa82\xa6\xf42\xed\xac\x03\x85GP\xae\xafo\
f\xf1y\x8a}\x09\x9f8d\xb4\xd2\xfbCe\x02\xa4\
\xb5\x9b,\x1b\x80\xab\x09\xa9\xea\x93k\x00\xe1\xfb\x83\xf2\
\x99v\x86\xc9\xc8\xefr\xce\xe5\x05Hh\x0f\xb0\x09\x04\
\xdb\xd0\xfa\xce\xf8(Q<$T\xcbWb\x0c\x91\x91\
\x9f\xa5\x5cK\x0b0\xa3\xfdxl\x02=\xa1)\xcfJ\
\xf1\xff\x09_\xa2\x84\xef\xc0\x10\xb3\xb2_\xca\xc9MB\
\x07\xf0\xd8!X|\xf1\xe3\xa8\xd5\x84\xf7!\xa5\x17e\
\x97\x94\xba\xae\xe4@1\x01\xe2:\x08l\x03\xdd\x01\x8b\
\xab!9K\xb86\xe3n|\xb6I\xea-\x97Cx\
\x09$5\x85O\xc6\xb1\xa6\xce7\x8a\xe2\x91fV\x9e\
\x9c~\x1c.2\xaeY\xc4\xf9\xcb\xcc\xf9G9b^\
b\xa7\x1f5\xff\x7f\x813FX\x00\x8fy\xce\xe6&\
W/\xfeqm\x86a\x18\x86a\x18\x86a\x18\x86a\
\x18\xc6\x85\xe6\x1f\x191\xdf\x13\xf2\xa3\xa9Q\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x00\x97\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00IIDATX\x85\xed\
\xd7\xc1\x09\x000\x08\x04A\x09),}\xd9Z\xc0\xd2\
L\x07&\x1ey\xee>\x0f\x84\xf9jF\xdd<\xc3<\
\xe3y\xbf4\x05\xc2j\xeeeC9\xfa\x19\x00\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00(\x9f\xd1n\xeeT\
v\x00\x18\xcd\x0b\x17\x02\xaa\xe5\x94\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x01f\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x18IDATX\x85\xed\
\x92\xadN\xc4@\x14\x85\xbf\xb3,\x15P\xb3\x86`W\
`\x90\x0d\x8awXGP\xb5\xfdIx\x07\x14O\x80\
j\xd3\x04\x85@\x80D\x14\xc33 1\x184\x8aT\
\xb1\xf4\x22\xe8\x86\x0av\xfb\xe3\x08\xf3%c&'g\
\xce\xb9s\xc1\xe1p8\x1c\xff\x1du\x09\xf2<\x7f\x06\
\x0e$}\x98\x99\xf52\x95dfS\xe0-\x8e\xe3}\
I\xf5:\xed\xb4\x87\x9f\x07\xc8\xcc\xbc>\x8f\x03\xb4r\
nwi']\x82\xaa\xaa\x0e%\xdd\xb6\xcck\xe0s\
\xcdi7}\xf4<o\xbe\xa9=\xc0VW\x80\xb2,\
\x97A\x10\xdc\xf9\xbe\xbf+\xe9X\xd2\xaf\xdfff\x92\
\xb4*t=\x9b\xcdN\xc30\xac\xba\xfc;w\xa0M\
\x9e\xe7g\xc0%\xdf\x933~\x1aOV^\x92.\xa2\
(:\x97\xd4o_\x86\x04\x00\xc8\xb2l!\xe9\x06\xd8\
\x01L\x12f&`))\x89\xe3\xf8j\x88\xdf\xe0\x00\
M\x88#I\xf7\xc0^s\xf5\x0e\x9c$I\xf20\xd4\
kT\x00\x80\xa2(\xe6u]\xbf\x00\xaff\xb6H\xd3\
\xf4i\xac\xd7h\xccL\xcd\xf8\x1d\x0e\x87\xc3\xf1w\xf9\
\x02q\xadY\xbc\x08\x1a\x8ef\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x04\x15\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xc7IDATX\x85\xe5\
\xd7_\x88TU\x1c\x07\xf0\xcf\x99\xd9\xb5@\xd8\x22$\
\xac\xdc\xb4E\xcb\xa4z*\xa1\x87\xfe\x99$d\xfe)\
\x92\x90\x22A\xb4$\xa8\x87\xc0\xdc\xdd\xd9\x1a\x86\x9d\x1d\
\xd7\x97\xc0\x12-\x11B\xf0MhI\xd3J(\xf4\xa9\
\xc2H|(\xac\xc0\xd0v\xddB\x08\x8a\xecaw\xdc\
\xd3\xc3\xdc\x9d\xdd\xbb\xb3;\xbb\xb3\xf6\xe6\xef\xe5\xde\xfb\
\xfb\xfd\xce\xef\xfb\xbd\xf7\xdcs~\xdf\xc3\xf5n\xa1\xa1\
\xec\x5cl\x15\xac7b\xa5\xa0\x15\x0b\x90\xc1\x00\xfaq\
J\xd0\xa7\x18~\xf9\x7f\x09\xe4\xe2r\xf4\xe2\x89\x19\xe5\
G\xa7\xd1\xa1\x14\xbe\xbc6\x02;\xe2M\x9a\xec\xc3\xc6\
\xc43\x88\xa3\x82\xcf\x8c8/\x1a\xc4\x88&\xf3]\xb5\
H\xf0\x14\xd6aa\x92\x7f\x5c\xb4Y)\xfc\xd18\x81\
\xf6\xb8X\xd6\x11\xdc\x8bAA^\xd6G\x0a\xa1\x5c\x97\
t>f\x94\xbd\x80\x22\xda\x04\x17\x05ku\x87\xb33\
'\xd0\x1e\xdbd}\x8by\xf8D\x93\x97\x15\xc2\xdfu\
\x81'\xda\xeb\xf1\x06-\xf6b3\xae\xc8xDw8\
3=\x81|lQ\xf65\x96\x89vk\xf6\xa6B\x18\
i\x08\xbcj1\xe8\xd4.(\x89\xfa\xb1\x5c)\x0c\x8e\
\xcfh\xaa\x19S\xb6\x07\xcbptR\xf0\x5cl\xc5\x16\
<\x8d;1\x22\xba\x80c8\x90\x06\x08Q)\xf6\xca\
i\x13l\xc1!\xe2JB\x9c\xfc\x0b\xe4\xe2\x838\x8d\
\xcb\xca\x96\xd8\x15\xfe\xaa\xc6\xf21c\xd8\x0e\xc1;\xb8\
q\x8aW\xbe\x82N=\xde\x1f\x0f\x22\x1f\xe7(;\x8b\
\xa5\x82\xd5\x8a\xe1\xf8h(3\xa1\xc0\xce\x84Vw\x0d\
\xf8U\x07\x05\xa5:\xe00\x17\xbb\xe5\xec%\x8e\xbd\x5c\
!\x0c\x09r \xea\x1d\x1f\x1b#\xd0\x19o\xc3\x93\xf8\
S\xd6\x87\xa9\xb2e]\xa2\x97\xea\x00O\xb4m\xba\xbc\
\x91\xf2\x14\xf5\xe1\x1c\xee\xf7\xb6\x07j\x09\xb0FeJ\
\x8e)\x84\xa1\xaa\xb7=\xb6\xa1\xab\x01\xf0\x8aE=\xf2\
\xf1\xf61G\x888\x92\xc4\x9e\xad%\x10<\x9e\x04?\
O\x15j\xf2\x1a\x9a\x1b&\xc0\x5c\xc3\xb6\xa6<\xc1\x17\
\xc9\xdd\x8aZ\x02\xb4&\x04~M\x0d\x8aV\xcf\x02|\
\x14\xf0\x99\xd4s\xd9\xf9\xa4\xe6\x82\xc9\x08,H\x82\xe3\
\x96Q\x0ch\x9b5\x81\xb1-\xb9bW\xaa\xb5\xef\x18\
\xfd\x11'\xae\x82\xb4\xe5\x85is\xea[v\x9a\xda\xa9\
\x7f` \x192\xbf\xea\xablB\x17\xae\x81\xc0\xc5\xd4\
SK\xb5\xf6\xa5\xd1\x0dn\xfc\xdb\xfd\x96\x5c\xefJ\x0d\
\x8a\x8e\x9b\xbd\xa5\xc7\xc6\xeat\xf6\x8f\xba\xc6\x138\x99\
\x5cWM\x18\xf4\x01f\xd3\x0b\x86\x04\x07R\x9eJ\xbb\
\x86\xafj\x09d\x1dM\xeeV{%\x8e-\xbb\x9d\xe1\
G\xbc\xd70|TR\x0c\xe3VT\x0cX\x9b\xc4\xfa\
j\x09\x14\xc2\xa5\x84\xd9<\xb7\xda\x92*v\xd9[&\
~\xce\xfavX\xb3\xee\x94\xa7\xcb\x1a\x95&\xf7\x83\x92\
\xaa6H\xff\xe1\x19\xed\x09\xc3\xbc|l\xa9\xfa\xf7\x87\
a\x97\xad\x17\xedV\x7f:\xca(\xf9\xd9\xc6T\x17\xcd\
\xc79b\xd2g\xe8\x98\xba\x1bB.\x1e\xc2\x8b*B\
\xe4\xb9\x9av\xdc\x19\xef\xc36\xa1\xda\x8e#.\x88>\
\x95\xb1O1\xfc\x94.\x18\x83N\xfb\x04\xaf\xe2\xa4\x1e\
+\xea\x13\xa8\xe8\xc0o\xb0\x14\xefj\xb2}JA\xb2\
!V\xd6\xf9\xe1pu\xd2\xb8\x18\xe4l\xc7.\xd1%\
\xcd\x1eJ\xa6\xbajSI\xb2\xc5\x89$\xbbE\xf4\xb1\
f\x9b\x14\xc2?\x93\x83La\x15\x0d\xb0\x07[\xf1/\
\x1e\xd3\x13\xbe\x9b\x986\xb5(\xed\x88w\xcb8\x82{\
0\x90\x88\xd2\x833\x12\xa5\xc3\x9e\x17\x14\xb1$\x91b\
\xeb\x94\xc2\xf7\x93\xa5\xd7\x97\xe5\xf9x\xb3\xb2\xfd\xd8\x00\
I\xb1\x8a,\xcf8/\x93\xc8\xf2!\xf3\x05\x0b\xb1J\
\xb0\xceX\xff8\xa1\xc9&\x85\xf0\xfbT\x103;\x98\
t\xc4\x87e\xf4\xe2\xd1\x19\xe5sF\xd0\xae\x18NL\
\x97\xd8\xd8\xd1\xac=.\x92\xb5\x1e+\xa9\x1e\xcd\xb2*\
[k\xbf\xe8\x94\xa8\xcf\xcep\xae\xa1\xba\xd7\xb5\xfd\x07\
\xfe\xfd'\x1a\x9du\xd5\x07\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x01\x5c\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x0eIDATX\x85\xed\
\xd5!N\xc4@\x14\xc6\xf1\xf7\xbd\x1558\x5c\x81 \
\x91\xdc\x00\x89\xc0\xe2\x90\x84\x99V\xf5\x02\x04E\xb8C\
g\x1ap\xe0\x90\x18\x8e\xc1\x0dH\xa0\x82 Wl\xc5\
\xf6Cl\xc5\x86\x90l\xca$S\xb1\xf37M\x93\x99\
\xd7\xdfT\xb4\x22\xa9Tj\xdb\xc3\x98\xc5$\xd59\xf7\
\xa5\xaa\xf3\xc5bqTUU\x17\x0a\xd01\x8b\xbd\xf7\
3\x00\xbb$\x0f\xb3,{ 9\xea\x00\xc1\x80\xb6m\
\xb9v{\xe1\xbd\xbf\x8d\x0a\xf8\xa3k\xe7\xdc\xd5T\x80\
~\xb8\xd6\xce\xb9\xd3)\x00\x1c\x103\x92\xcfu]\x1f\
\xc7\x06\x88\x88\x10\x00\x01\xec\x00xi\x9af?6@\
H\xf6\xb2z\x1b{}\xdf?F\x07\xfc\xead\x0a\x80\
\xca\xea\x83\xf6\xa9\xaa\x07\xb1\x01\x10\x11\x90\x9c\xab\xea\x99\
1\xe6#&\x00\xc3\xfe%\x80sc\xcc\xdb\x7f\x86\x84\
\x00TD\x84dQ\x14\xc5k\xd0\x90\x80\xee\xca\xb2\xbc\
\x0f\x190\x0a\x90\xe7\xf9\xfa\xcf\xe7\xc9Z{\x13\xf2\xf0\
\xd1\x00k\xedRD\xbe\x01\xbcw]w\x09\x80\x1b7\
\xa5R\xa9\xd4\x86~\x00\xd9qT\x223{9\x9c\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01\xbd\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01oIDATX\x85\xed\
\xd4\xb1N\x14Q\x14\x80\xe1\xef\xeel\x0c\xb1\x00m\xb4\
\xa0\xa1\xd0z\xad1<\x80\x91\xd2\xc6h\xe2\x03\x18\xb1\
\x85\xdd5\xeb<\x02\xc4\xca\xcaD\x13\x1b\x0bM4&\
t$\xcbsheccE\xc32\xc7\x82q\x16\xb2\
\x8b\xc0\xb8\xa8\xc5\xfc\xdd=\xe7\xcc=\xff\xb97wh\
hhh\xf8\xc7\xa4\xda_\xf6b\x11\x9f\xd0\xd1\xb6(\
O\xdf\xeal\xd3\xaa\xd5\xbc\x1f71D\x07\x8c\xecZ\
\x8f\x1b\x7fG\xa0\x1b\xb7\x84!\x96\x8eD\x97d\x86\x9e\
E\xe7b\x056bE\xb2\x83k\x08\x1c\xe0@\x08\x5c\
W\xd8\xb1\x11+\x17#\xd0\x8fU-\xdb\x98/\x9b\x17\
U.)\xca\xd8\x82\x96m\xdd\xb8;[\x81n<\x14\
\xdecn\xa2\xf9\x98\xa2<\x899\xc9\x07\xbdx0\x1b\
\x81^\xacI^#+\x1bLk~\xc8\xf8$2\xbc\
\xd1\x8f'\x7f \x10I/rl\x96\x81\xa2lp\x1a\
\xe3\xba\xb0\xa5\x1f\xcf\x89\x13\x9f\xfb\xf4\xc4 Z\xf6m\
I\x1eW\x9b\x1eNvv\x92$\xaa\x01_h{*\
O\x13\x03L\x0a\x0c\xe2\x92\x91W\xb8_V\xfc\xba\xdb\
\xf3s\x5c\xe2\xad\xef\x1ey\x99\xf6O\x16\x18\xc4e#\
\xefp\xa7\x8c\x9c\x7f\xf2i\x1a\xe3\xab\xfe\xac\xed\x9e<\
\xedM\x0a\xac\xc7U\x99\x8fX.3\xf5'\xff\x9dD\
\xb2+\xb3*O?\xa0]\x95d\xbe`\xa1ZG\xcd\
\xdf\xf4i\x84\xdbF\xbe\xe2\x0aG_\xc1\xacf=\x9b\
DCCC\xc3\xff\xc3O\x80\xb1p\xa5\xe9?\xaeF\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x87\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x009IDATx\x9c\xed\
\xd0\x81\x09\x00 \x10\x03\xb1\xea\xda\x0e\xffN!\x05I\
&8.\x01\x00\x00\x00\x00\x00\x00\xe0\x7f+g\xa6\x1d\
\xd1\xb4\xdb\x01m\x06\xb4\x03\x00\x00\x00\x00\x00\x00\x00\xe0\
\xbd\x0b\x86@\x02\x81I\x17\xac\xcf\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x03\x94\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03FIDATx\x9c\xed\
\x9b\xbfO\x14A\x18\x86\x9f\xcf\xdb\x84\x1a\x1b\x0a\x0c\x89\
\x05\xa24\x16\x18\x82\xbd\xdaH\x8c\x0dRHaci\
$6\xca\x92x9\x02\x87Z\x18\x8d\x7f\x80\x9aP\x88\
v\x04\x1a\xf4O\xd0D%\xc1\x10bb\x10B\xb0\xc0\
V\x10\xf2Y\xec\x11n\x7f\x1c,7s; \xfbt\
3;\xbc\xfb\xce{\xbb;\xc3d\x06rrr\x8e3\
\x92\xaaUQ=\xb6\xb9\x06\xf4\xa3\x5c\x00Z\x81\xa6F\
\x1a\xab\x83\x0d`\x05\xe1#0I\x81)J\xb2\xb5\xdf\
\x1f\xed\x1f\x80\xaf\x97\x11\x9e\x03\xe7\xcc=f\xca<\xca\
ey\xbfW\xa3\x13\xb5/\xa90\xac>\xc2,G\
\xaf\xf3\x00\x9d\x08\xb3\xf8:\x04Z\xf3\x87\xae\x1d\xc00\
C\xc0X#\x9ce\x8aP\xc6\xe7A\xed\xcbI\x04\x8f\
\xfdl\xa4\xf67\xf0\x10a\x86\x05\x96x'\xdb\x16m\
\x9a\xd3\xa7\x05:hC\xb9\x0a\x8c\x00\xcd\xa1\xeb\xca\x95\
\xa4\xd7!\x1e@Q=\xb6\xf8J\xf8\xb1\xff\x802@\
Y\xd6\xec\xban\x10\xbe\xb6 L\x00\x97\xaaj\xe7\xf1\
8\x1f\xfd0\xc6_\x81\xe0k_\xdd\xf9u<n\x1e\
\x99\xce\x03\x94e\x0de\x80\xe0\xa9\xdd\xa1\xb3\xd2\xb7\x10\
I\xdf\x80\xfeH\xb9HI~\xd9\xf4\x97\x09eYC\
(Fj\xa3}K\x08 \x18\xe7w\x11f\xac\x1a\xcb\
\x96\xe9PI\xe9\x8a6Hz\x02ZC\xa5\x05\x96\xac\
Z\xca\x92\xb8\xf7S\xd1&I\x01\x84gx\x87\xedk\
\x7f\x10\xe2\xdec\xb3\xd7=&B\xc7\x83<\x00\xd7\x06\
\x5c\x93\x07\xe0\xda\x80k\xf2\x00\x5c\x1bpM\x1e\x80k\
\x03\xae\xf1\xac)\x05\xffF\xdf\x03n\x01\xa7I\xbb\xde\
\x98\x1e\x05~\x00/\xf1x\x9af\xbd/\x0dv\x02\xb8\
\xafml\xf3\x06\xb8hE\xaf6g\x81\xc7ls\x9d\
a\xedgL~\x9a\x0a\x9a\xbf\x02E\xf5\xf0\x98D\x1b\
\xde\xf9]\x82{\xbd\xa5O\x0b\xa6R\xe6\x01\xfc\xe5.\
\xd0c\xacspzhg\xd0T\xc4<\x00\xe1\xb6\xb1\
\x86\xc3{\xdb\x18\x05\xda-h\xd4\xcb\x19S\x01\x1b\x01\
\xb8\x1cJ\x8dG\x9ac?\x0f\xc8\x03pm\xc056\
\x02P\x0b\x1a\xce\xb0\x11\xc0w\x0b\x1a\xce\xeem#\x80\
\xd7\x164\xea\xe5\x95\xa9\x80y\x00\x1eO\x80/\xc6:\
\x07\xe7s\xe5\xdeF\x98\x07P\x92M\x84>`\xceX\
+=s\x087(\xc9\xa6\xa9\x90\x9dQ`T\x16\xf1\
\xe8F\x18\x07V\xadh&\xb3\x8a0\x8eG7\xa3\xb2\
hC\xd0\xdez@I\xfe\x00>\xe0sG\x9b8i\
y=`\x1d\xe5\x85lX\xd5\xc4f\x00\xd54\xc0h\
\xa3\xc8'B\xae\x0d\xb8&\x0f\xc0\xb5\x01\xd7\xe4\x01\xb8\
6\xe0\x9a<\x00\xd7\x06\x5c\x93\x14@x\x12ca\xed\
\xdd\x19q\xef\xb1\x09ZR\x00+\xa1R\x07m\x16-\
eK\xdc\xfbr\xb4I<\x80`\xbf\xfd.\xc1\xde\xdb\
\xa3Jo\xa8$|\x8a6Hz\x02&#\xe5\x11|\
m\xb1h*\x1b|mA)Ej\xa3}K\x08\xa0\
\xc0\x14\xf0\xad\xaa\xa6\x19a\xe2H\x85\xb0\xbbY\xbaz\
\xc7\xf8|\xa5o!\x0e\xb6]>\xd8{;}\xa8\xb7\
\xcbCo\xe5\x97\xafs\xbb\xfc\x0e\xc3\xea\xf3?\x1c\x98\
\x00P|\xca2\x9et\xa9\xf6<`\x8cq\x14\xbfa\
\xa6\xb2A\x81!\xca<\xaa\xd5 \xed\xa1\xa9g@\xa7\
EcY\x90\xea\xd0T=\xc7\xe6\xba\x08v]\x1f\xc6\
cs\xcb\x95\xa1.\xf5\xb1\xb9\x9c\x9c\x9c\xe3\xcd?\xda\
/\xc3\xffG\xb5\xad\xb3\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x0c\xd6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x0c\x88IDATx\x9c\xe5\
\x9b[o[\xc7\x11\x80\xbf%E\x8a\x94(\x89\x92\xad\
\xbbd\xc9N\x9a\xc2A\xe0&E\xd1\xa0H\x0a\xf4\xa9\
}\xe9{\x81\x16\xfd\xa3}*P\xb4\x0fA\x906N\
R i\x92\xc6\x96l\xc97]HI\xa4.\xe4\xf4\
a\xf6\x1c\xee\xd93\x87\xa4\xe4\xf4\xc9\x03\x10$w\xf7\
\xcc\xce\xcc\xee\xcem\xe7\x00\xb2\x05\xe2x\xe3@\x9c\xf2\
\x9e\xfex\x93\x84\x90\xe3\xf9M\x12B\x96W\x97\xed\xe0\
\x0e\xf0\x18\x9c\x14<\xdc\x00n\x19\x1d%`2\x8b/\
m\xaf\x0d\xa1f\x12\x10\xe0b\xc8\x98s\xa0g\xb4w\
\x81\xbe\xd1\xfe\x12\xdc\xa9\x8d*\xcf\xa3\x1b5\x00d\x1b\
\xb8\xed\x09=\x01^\xf8\x89\xa7\x809\xdf.\xc0Y\xd0\
>\xeb\xdb\xfa\xbe\x1d\x8f\xa3\x0a4\x81\x8a\xef?\xf74\
T\xfd\xf7%p\x04\x97\xa7P9\xf2mS\xa8 \x9d\
\x9f\xff\xc4\xff\x9f\xf2m\x0eh\x01\xa7\xbe})\xe8{\
\x01\xeeq1o\x85R\x92-\x90\x09\x90\x8f@V\x8d\
1k \x0bF\xfb\x06\xc8\xbc\xff=\x05r\x0f\xe4\xae\
\xff\xcc\x80\xdc\x01\x19\xb2#\xa4\xee\xc7,\xa8\xe0\xe5\xae\
\xc71\xe1\xfb\xe7@6\xf3GU\x9a\x05\xed\x1b \xbf\
\x06)_\xf3\x88\xcb\x04\xc8\x9f\xf5\xc1\x5c\xdf6H\xc5\
h\x7f\xdb?\xb7\xe2'[\x8e\xf0\xdd\x1bsr<\xe3\
%\xff\xdbyF\xb6\xa0uK\xdb\xe5-\x83\xd92\xc8\
O\x8c\xf6\x09\x90?\xda\xbc\x14\x13\xf0\x91\x7f0\x92\x9a\
\xac\x170\x7f\xc7\x7f\xb6\xed\x15\x96\xedkLN`\xa2\
\xe2\xf6Y\x15N{I\xe7\xcb\xf5\x97\xb3\xcf\xa5\xbb\xb9\
\x02\xf2\xabq'\xdf\x1el\xfbPc\xca\x14\xc8mc\
\xfc*\xc8\x07\xba}M|\xf3^y^\x13dV\xb7\
\xbc\xd97\x07\xf2\x00d\xd1\xe8k\xfag#\xcb&\x9b\
\xfa\xc9\x82q&\xe4\x17\xe0>\x0d\xfe'\xca\xa3\x07\xec\
\x01!\xa3\xabpy\x0b*_\x0e\xe1d\x0dxZ\xd0\
\x97\xda\xe1\x1b<\x0b\xf0\x00\xbaO\xa0\xf6*h\xeb(\
]\x94\xc9)\xbc\x987\x980\x90\xc6\xc44P\xe6\x1f\
\xa0Z\xbd\xed\xc7l\x01/T\xa1\x0f\x05\xf1\xc4,\xf9\
\xff\x89\xe9J4x\xd8F\xd0\xf6\xc2\xa0%\x86\x17 \
\x822\xbc\xe7\x9f]\x02~\x06|\x0e\xcc\xa0\x16\x22\x81\
\x9c\xd9\x8c\x04 \x0d\xd4\xcc$\xff7\x806\xb8]?\
Q\x055]\x9b\xc0\xd7\xe0\xae\xf4|\xb9\x13r \xce\
\x8f\x9bB}\x81oG\x98\x9f\xf8\xd9E`\x1a5\xa9\
{\xf6\xb3\xd2\x86\xfa\x0b\xd4\x9fX\x01~\x00\x16\x80\xcf\
\x80\xe7\x80\xb7<\xec\xf8\xe7{\xaa\xdb\xdcU\xd1\xc4[\
\x03\xf3&[Y\xcd)\x1b^\x0f|\x1c)F\xcbL\
.\xa1\xa6rF?7\x05Y\xf5\xcax=kU\xd2\
\xfe\x99\x81~\x91\x09\x90\xdfx+\x11\xb6\x07\x8aQ\xee\
\xaa\x8e\x18@\xc9\x98\xb5\xaf\x13\xb2\x0b\xae\x17\x8d]\x03\
\xfe\x0e\xdc\x09\x84\x10\xac\xccaS\x19\xe7\x10\xdcS\xdf\
7\xe6\xaa\x9b\xe0\x9fuO\x80\x03\xc5}\xd8\xcc\xf7\x8b\
\x03\xd6\x81\xbf\x01\xf7\xb2s\xba\x9e\xf2\x22\xeb\x18G\xc0\
\x12\xc0\x14p\x161\x0fz\xe6\xbf\xf3[\xe91Y!\
\xa0\x1a\xb9\xd9W\xc6\xdd\xe5\xf8<\x8e\x0b\xeeRq7\
\xfb\xd1n\x08=\xbc\x1e\xf0\x04=z\xe1\x90\x1e\xea)\
N\xc7X-%8\xe7W/\x00\xd9F\x95L)0\
w\x07\xc0}\xe0\xd2\x9b\xabW\xe8\xee\x09M\x9e\x9f\xd0\
\xdc\x04%\xe8\xfa\xe3V;\xc4\xf6\xf7\xa7\x81.Hx\
f\xfb:V\xee\x03G\xe8\xca\x7f\xadc\x05\xa0\x03\x9d\
\x13\xa8/\x92\xd1g\xee\x08\xe4\xa7\xf1\x04cX\x01y\
\x0b.*P\x9dF\x15\xd3)\x83\xad\xbd\x0b\xfc\x0e\xf8\
K\x01\x03\x01t\xe6\xa1\x9e\x04?>N\xa8\x1d\xf9\xce\
y\xd4R\xf8\x1d\xd59\x87\xfa\xe1\x10d]\xd4<\xfe\
\x06\xf8$\xa0\xd9+\xcfz\x0d\xb8\x0dr\x1e-fn\
%b\x01\xc4\xd1\xe1]`\x1a&\x1f\xaa\x12t\xfb\xd9\
\xe1\xb2\x0e\xfc\x03\x0dp\x8c C\x80\xeem\xa8M@\
\xfd%\xb8N\x01CG\xd9\xbfR\x07\x16\xe0\xa2\x06\xd5\
\x93\xbc\xd6N}\x93\xbf\x02k\xe0\xf6\x82\xce6\xc8\x09\
\xbac\xdf\xf6\x9ekB[\x9f\xe8\xd8\xc7:\xa0\x0a\x9c\
\xfb\x09\xee\xa1\xab\xf2\x85M\xb3,\xa1\xdb\xbe\x87\xad\x13\
\xa6\x81U\xa8\xb5U\x89\x152o\x80\xeb\xe83\xd5\xb6\
2\x18\x1e\xab0\xaa\xa3\x87\xfa\x02+\x05\x88\xbe\xf1c\
\xee\xf9\xe7:d\x1d\xb9\x22+\xc0\x06\xf0\x0c\xf5\x01\x8c\
\x03|\xd8\x04\xba\xe0\xba\x9e\xe0H1\x1e\xcdC\xbb\x86\
\xae\xc2\xf9X<\xdbp\x01<\x85\xf6$\x1c/`\x87\
\xb4]\xe0L\xe7\x8c\xc1\x9d\xa1\x8b\xfa\x83\xe7)\xc7\x8b\
%\x80\x06\xea=-\xe6\xb7|\x02\xcd)p\xadl[\
\x22\x84\xcb\xf7a\xae\x07\xb3\xaf\xccGo\x04\xb3\xaf`\
\xf6Rq[G\xcd\xb5`\xae \x16a\x075\xdf-\
\xd4\xc2e\xc0\x12\xc04\xaa=\x0b\x94\x9a,\xa3n\xaa\
\x01\xc7M\xa8|\x0f\xcc3~\xec=\x06\x88\x03\x16\xa0\
\xf2\x9d\xcea\xc2s\xdbYr\x97@\x19\xdc1\xba\xb8\
\x19\xb0\x04 \xa8i\xd9) d\xc2\xb6\xf32\x05\xa5\
d\x22\x7f\x1c\xac`\xeb\xda\x10n\xfb\x16\x94J^\xbf\
\xc4\xc3\xae\x946\xb1x:\xd4#4\xda\x0a\x94\x07\x83\
L\xbf}\x13\xd5\xb2\xe1*\xcc\x82t\x81\x15\x98\xd9\x0f\
\xfaZ\xc0\xbb\xc0\x13\xd2\x8cN\x06\x92\xd4\x19\xa8Oa\
\xe5\x05\xe7\xd0@\xe7\x07\xfd-\xa0;s\x03\xe4\x19\x03\
?#\xc1\x7f\xa6}\x1cd\xd1\xb8c\xef\x0e'\x81Y\
\x0a1a5rIH\x99G\x83\x8deOd\x84\x9c\
\x1etf\xa1~\x00\xc4A\xc6#O\xd0\xd7\xc1\xe4+\
@\x1f:gP\xdf\x05\x1ctoA-\xc9/>\xf3\
\xdf\xce\xcf\xf9\x05\x9a+\x0c\xe1\x15tf\xa0\x9e\x08-\
\x9c\xb7\x89*\xbe\xbe\xee\x86TW%y\xcbL\xc2\xc6\
Z\x99E\xe0K\x90\xaa'\xe0%\xb8C4\xd3s\x96\
\x8f\xfc\xa4\x01\xf52\xb8\xe7yT\x82g~\x018F\
W\xec\x1bcw\xb5\xfd\xf82\xba\xe2\x07\x9e\x8e\xffh\
_.z;\xf1\xa6\xcfg\x7fC\x9ad\x1f\x15\x98\x17\
\x9al\x02O\xe0\xa4\x03\x8d)\xb2\xe1\xb1\xa9\x03J\xa8\
\x04o\x83\xdb\x09\xec\xf7-l\xe57\x0dG\x05ih\
\xa5\x00\xcd\xf4n\x01O\x87\x87\xc4\xa9/\x7f\x1f\x0dg\
\x87\x05R'\x18\xbe\xbd_\x08\x9f\xb9r'\xa8\xb7\xba\
\x01\x8d\x03\xf4He\xa0H\x09.\xe5\xe3\x01( \xbe\
\x01\xf3GF{\x02e%\xb4\xf2\x90\x9c\xb3\x94\x9b:\
Qx\x9fa\xdf?\x84\xb4\x14\x08 7N|j|\
\xcd\xea\xb5\x04\xb0\x00X\xf6\xdf\xba\x84\x18\x07V\x18$\
4\x0c\x8f1\x81\x9c\x93\xf3\x12.\x8c\xd4{\x06\x8a\x84\
i\xd1\xfa\x0aC`\x05G\xe0Z\xe1\xec(\xc1\xf4\x07\
;\xa70\x946<<\xd7\x85\xea\xa8|\xdb5r\x0d\
\xee\x0cU\xe6\x19\x88\x050AqTw\x13\x9b^\x83\
nd\xdeb!\x0c\xbd\xb1\xb9\xa9\x1fQ\xf4\x5c\xae=\
\xb6\x02\xcbpei\xf3\xc0?\xc8\xb4\x97\xec\xf6\x14\x9a\
P{f\xd0! \x8f\xd1$\x0b\xc0\xa3\x02\xfd2b\
\x85\xbb}\x8d4s\xd0\xc3\xce\xd6\x8e\x8a\x05z\x15\x98\
\xb8\xce\xf6O\xecu\x11\xf4G\xf4\xbf&\xd4\x1c\xc5G\
p\xacy#\x01\x94\x9f\xa1\xf67\xc6\xd5\xb3\x11\x8e\xcc\
\xf2\x1e\x90\x9a\xa4\x10\xd2m\xff\xc8\x7fFX\x87B(\
\x12@\x19\xdb\xb3\xcc\xcd\x11\xeb\x80.Q\xbc\x1c@\x11\
\xb3\xc3\x08\xbf\xca\xcf\x11\x9f\xf9Q\xd6a(\x14\x8d\x1f\
[9\xc6\x02Hr\xe79my\x03\x22\x12\xe8\x93\xde\
'\x16)<K\x082C\xea\xe9\xddx\xee\x00\xc4\xe7\
\x17\xb3`\x99\xc1#\x06\xb78?\x06<\x07VFh\
{\x22!\x94P\xaf\xcd\xb8p\xc9\xc0\x98\xbeI\x12N\
\xe7\x05j\x09\xc0\x01\xfb\xe4/\x12\x8b\xa4}\x00mC\
od\xe0%\xf0!#\x8b\x13\x9c\xa0a\xf8G\x0c\xbf\
\x13\xc4g\x80\x8e\x8b\x10\x0d~\x8aC\xad\xcd.c\xe8\
\x00\x00\xf1\x8e\xd0S\x15Bz\xb3s\x80y\x1b\xcb%\
4\xaaC(M\xee\xeb\xfe\x05lj\xde\xa0\x08d\x8e\
\xc1\xe5\xcb\xa6E\xf0\x00\xe6&1\xd3m\xedE\xd2\x88\
U\x9ahn\xe3\x91\xc752\x1f\x00\x9a\xe7\x9f\x04w\
\x0e\xec(\x12\xd9@\xad\xc3\xbc\x8f\xbdCDK\xc0\x19\
\xc8;D\x91\x16\x9a\x81YC\xa3\xba&p\x01\x17[\
^\xc7XN\xcf)\x1a\x19.\xe9X\x1e\x00\xff\x06\x89\
Ms\x92\xd9I\xf2\x01\xc9\xff$\x84\xeex\xfc{z\
\xaf\x09>\x83\x9d\xf3Ib\x01t|\xdb2z\x1e\xd1\
\x0b\x05\x8e<\xbd\x02\xecg\xb7\xb1\xa0\xb9CY\xcf\xe6\
\x10\xd3s\xf7Op\xed`\x8e\x82<\xa3\x05\x02\x9a8\
\xd9\x8d\xe6\x5c\xd3`-a<\x09\x87\xc5\xa1\xbb\xfa8\
\xdb\x0e\x0c\x0a\xb62\xd9\xe9\xf8\x08\x84W\xd7\x16\xec\xa1\
\xc1\x8d\x05\xcf\xc8\x14V\xe0oe_\xfbn0\xb6\x0e\
+\x14\xe6$\x93\xc0\xcb\x84\xe4:>\xa38\x8b\x94\xe0\
\x85m\x0a]_\x89\xb2\xeam\xdc\x15\xd0\xf2g0\xc9\
\xdb\xbf\x0e\xf3\x09\x04Bh\xddF\x13$VN\xb2\x1c\
\xd0\x18\xf7-\xa3\xd6h,%\xd8F\xed\xa5\x19?\xfb\
mnd_\x018\x83\xc62\x9c\x9c\x8d\xe1%^\x03\
\x9c(\xce\x99\x15\x06ew1,S|\xbc\x92\x1a\x85\
\x9cY\xb5\x04p\x86*\x97rA\x86\x158\xee\x90\xbb\
\xf7O\xb7\xfdW\xd08\xd3s\xfac\x81\xac*N\xbe\
\xc2\xf4\x18\xa5\x01\xad\xae-t\x99\x83\xb3.\xcaSN\
xE\xf9\x80\xc4f\xbem\x13\xd4<T\x84\xc91\xc9\
\xb9\xb7\xa7\xe8\x96[\x85NA\xa1\xd38p>\xab8\
\x92\xeaO\xd3m\x9e\x04fa.N\xd6&\xb0\x02S\
\xd3\x01O\x19\x88\x05pA\x9a4p\xdet\xc9\xba\x8d\
\xd7\xed+rJ\xd8\xee\xed\x15\xb0\x07\xf5KU\x5c\xb2\
8\x9e\xaf/\xce\x8f]\x81I\x8f#<\xf3\xa1\x10(\
\x01\xabv\xfa\x0e\xd44_T\xc0}\xeb\x1b\xeaDV\
6\x83\xf1\x95\xd3'h9\x1a\xc02Z'\xd4\x0f\
\xc6]\x02\xbfE\xaf\xc7\x97\x0d\x9d\x97\xa4\xa0N\xd1\xf8\
\xfc=/\x84a\x89\x0f!\xad5\xa0\x81\xba\xd1VM\
\xcf%\xf0{\xe0S\x06\x97\xa3\x89\x19L\xcak'\xf5\
f;\x85\x12\xc3\xddg\xd9B\x0b\x0f\xc2\xb6\x86\xf7\x08\
7\xa2\xf6\xa4\x0eo\xcd\x7f\x1bVC\x1a\xdc\xa8F0\
}~\x05\xf3RE\xaah\x09\xed\x1c\xc8\xbb\xb6N\x90\
\xf7\xf3\xd6J>d\x8c\x1a\xa1C\x90 #\xebN\xe0\
\xa4\xab\xf5\x80)\xa2\xf0\x8a\xba\x0f\xee\x11\xea%\xbe\x06\
\xb3\xe3\x82\xcc\xa0)\xfb\xef\xd1\xcc\xcf\x0ey\xc5\xb8\x81\
\xa6\xe0\xc3\x0b\x9e\xe4n\x22\x03\x96\x00\xba@\x95LI\
\xec\xcc\x0b\xa8Lz\xc9\x16\x85\xb4\xfb\xd0\xaa\xaa\xce\xb8\
V]\xee\x98 e\xc5\xdd\xaa\x90\xaf\xfa\x08\x14c{\
\x11\xba\x1d2\x1a_*\xa8n\xcb\xd5(X\xb1@\x09\
\xdc\x9enyy\x16(\xa0\xa7\xa8F\xee\x01\xff\x0d\x98\
\x0f$?w\xe0\x05\x94\x84\xbf\xa1\x0b|\x13H\xbc\xbf\
U\x94\xd1\xa70'Q\xbf\x049\xc6\xfb\xd0h\x91\xb9\
\xbe\x93\x8a\xd2\xe3v@\xee\x1a\xccf\xe0%i.\xc0\
\xed\xa2u6\xc9\xd6\x17T\xf1T\xc8f\x8d\x22\x1cN\
T\x80\xec\xa3\xb5?\xf7\xc6\x08\x97\x0dh\xddF\x9d\x9b\
%\xe0\xb9\xee\xb0\x9c\x9d\x9f&]\xd5\xe3&\xba\xeae\
Tyv\xd0\xda\xe6%e\x1e\xd0\xcb\xd8\x8c3\x14\xed\
\x00w\x9a\x0dW\xdd\x1eZ\xc3\xbf\x81Ff\x9f\xa3B\
x\x00\xe7'P=R\x22\x0b\xcd[_\xe7h$\x15\
\x9bI\x1b\x80\x83\x0b\xbf\xbb\xaa\xc9\x0b\x14!\x1c{f\
\xbc\xa93\x1d\xcbe\xc5/K\x1eo\x12#|\x00<\
\x04\x0e\xc0\xbd\x0c\xc6\x97\xe3{F\xeb\x08\xc4\xcct=\
!\x0f\xd1\x82E\xd0+\xefe\xdf\xbe\x1f\xb4\x1b b\
\xf7\x8b\x83\xea\xa4g\xb0S\xe0\xc5\xad\x8f\xc0}\x05L\
\xc1\xd1\xf7\xd9\xeb9q\x9e\xb6\xf8\xcc\x8f\x93B\x93;\
\x03\xe7'S._\xcfZ\x07\xf0f\xe8}\xecDI\
2\xe6\xffP.\x0f\xba\x00\xf2\xf3\xbc\xf9\x95\xa6Z\x8a\
\x5c\xb9\xfc\x1d\xcc\xb2^\x1b\xf9\xc7\xd8/L\xac\x92{\
aB\x1c\xfa\x82\x85\xf1\x02C:f{\xcc\x89C\x9c\
\x05\xcf\x88C\xdf\x18\xf9\xa5\xd1W\xce\xfa+\xa9\x10\xaa\
\x8c\xff\xc2D\x8a\xe8O\x05N\xc8F^\x08\x00\xf2\x1e\
\xfa\xcaJ\xee\xa5\x04^\xeb\x95\x99\xb4\xad\xe4\x9d\x9f\xb7\
@\xde1\x9c\x9f\xb2\xa5\xe5=\xf3\x7f\xc8\xe3+\x9e<\
\x91ZY\xa5\x16{\x80\xe0w\x82q}-\x1b~k\
\xde\xd3O+t\x9e*\x8c~ij\xca\x8f\x09\x04/\
+\x0c^\xbe*z9j\x1e3f\x91-\xcfC)\
\xbf\x9b\x15bD\x86\x93#\x9b\xa8\xb6\xf55\xba\xb4\xfc\
\xef\x1aj\xe6\x1cz\x01r\xc1\xe0\xb5\xb9\x19@\xa07\
\x0d\xe5\xc4)JJd{\xc1\xff\xe4\xf6&ym.\
(\x97M\xe9\xeb\xfaq\x0e5a\xa7\xfe\xf7$\xaa\xc4\
}\x01\x06\x1dT\xa1\xce\x06x\xf6\x06N\x93\xed\xc0\x8d\
\xb8\xa2\x8eA&0J\xcd<\x9e:y-\x1b\xbf8\
YB\xaf\xca\x92#Te\xe0_\xe0\x998$k\xf3\
\xac\x17'\x85A\xe23\x06\xa3\xb46}\xac\x88\xc77\
\xf7\xd5Y\xab\xe1\x0d\x80\x0c\xcfo\x1a\xf3\x09\xa8\x10\xfe\
\x07\xb4\x0a\xfd~\xcf\x22[\xc2\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x01t\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01&IDATX\x85\xed\
\xd71N\xc3@\x10\x85\xe1\x7fX))1M8\x83\
/\xe0\x13 %\xd5\xae\xb6\xce)B\x0d\x14\xa4ON\
\x91\xda\xb2\x1b\x84\xc4\x09|\x81\xdc!ML\x99H\xab\
\xa5\xb0\x1dY6\xa1\xc1\x16\x05\xfb\xca)<\x9f=.\
f\xe0\xbfG\xba\x05c\xcc\x1cx\xf4\xde'@4P\
\x9fRD\x0a`\x93e\xd9\xfbU\x80\xd6z\x0d<\x01\
'`\x0f|\x0e\x04\xb8\x05b`\x0a\xac\xf3<\x7f\xe9\
\x01\xb4\xd6\x0b\xe0\x0d\xf8PJ-\xd34=\x0c\xd4\x1c\
\x00k\xed\xcc9\xb7\x03\x1eDd\xd1|\x89\x9b\x8bD\
d\x05\x9c\xc6h\x0e\x90\xa6\xe9A)\xb5\x04\xce\xde\xfb\
US\xbf\x00\xea\x99\xef\xc7h\xdeFP\x8d6\xe9\x01\
\xa8~\xb8\xa1f\xfeSJ\xe0\xee;\xc0\x9f$\x00\x02\
\x00\x02 \x00\x02 \x00\x02\xa0\x0d(\xa9\xb6\xd7\xb1\
\x13\x01\xc7\x1e\xa0\xde\xdbck\xedl\xac\xce\xf5\xb3c\
\xa0\xe8\x01\x80\x0d0u\xce\xed\xc6@h\xad\xef\xeb\xb5\
|\x22\x22\xdb\xa6\xde=L^\x81g\xe0L\xb5\xbd\x96\
\x03\xf5\x8f\xa8\xde|\xc2\xb5\xc3\xa4\x891f^\xef\xed\
\x09\xad\xed\xf5\x979\x02\x85\x88l\xbb\xa7Y\xc8\x17\x82\
v\x5c.2/\xe2\x0c\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x00\x87\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x009IDATX\x85\xed\
\xcd\xa1\x11\x00 \x0c\x04\xc1\x87\xca0\xd4\xf2=\xa5\x16\
f(-($6\x86[u\xee$\x00\x00~\xd7n\
D\xc4\xce\xccQ\xf4]\xb6\xa7$\xf5\xa2!\x00\x00\xc0\
\xd3\x01h\xd9\x08\x04\xd5\x96y\xec\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x08\xe1\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x08\x93IDATx\x9c\xed\
\x9b\x7f\x8cTW\x15\xc7?g\xe6\xed\xae\xa0\x80\xb5\x85\
j\x8a\xb1\xd4@!H\x93\xb6\xa0\xd4\xe0\x22\xa8i\xad\
@\x7f@#\xa5\xa1\xc5\x16\xb1TQ!\x15\xbb;\x0b\
\xc3\xc0\xee\xb2\xd4\x16H\x9b\x8a\x12\xc1\xf2+jH(\
\x11#-I\xb1\x88\xda\xa6 hS\x04\x8a\xd2\x16\x10\
kAZ~H\x81y3\xc7?\xdeB\xdf\xaf\xb9\xef\
\xbd\x9d\x99\x8d\xd1\xfd\xfe\xf7\xce\xfd\xdes\xcf=s\xe7\
\xfe8\xe7^\xe8B\x17\xba\xf0\xff\x0c\xe9\x94V\x1a\xb4\
7)\xea\x11\x86\xa0\x0cD\xb9\x06\xe1\xc3@O \x0d\
\x9c\x02N\xa1\x1c\x22\xc5^\x8a\xfc\x85\x14\xdbi\x96\xd7\
\xabmZ\xf5\x1c\xd0\xa4\x9fD\x99\x02\x8c\x03\xae\xeb\xa0\
\x96\xd7\x81\xcd\xa4x\x9a\x05\xec\x04\xd1\x8a\xd9\xd7\x8e\x0a\
;@\x85&nF\x99\x0d\x8c\xaa\xacn^EX\xcc\
\xdb\xace\xb9\xe4+\xa5\xb4r\x0eh\xd4Q\x08\x8f\x02\
C+\xa63\x1co\x00\xf3hau%FD\xf9\x0e\
h\xd4+\x11\x1e\x07\xee1\xb0\x8a\x08\xbf\x07^\xa0\xc8\
>\xd2\xfc\x0d\xe5\x04iNs\x81\x02J\x0fj\xe8\x85\
\xd2\x0fe\x00\xcaM\x08_\x02\xba\x19,\xdf\x8e0\x9d\
\x05\xb2\xa7\x1c\xf3\xcbs@F?\x0dl\x04>\x16R\
z\x1a\xf85\xb0\x89\x22\xcf\xb2P\xfe\x95H\xf7L\xed\
F7F\x03c\x11\xc6\x95h\xe3\x1cp?-\xf2\xb3\
d\x86\xbf\x8f\x8e;\xa0Q'!\xac\x04\xeaB\x8cz\
\x82\x02m\xb4\xc9;\x1d\xd6\xefFVk)\xf0u\x94\
\xb9@\x9f@\xb9\xd0B\x9a\xb9\xe4\xa4\x98Tur\x07\
d5E\x81f\x94\x06_I\x11X\x89E\x8e\x9c\x1c\
I\xac7\x0efk\x0f,f!<\x0c|\xc8S\xa6\
l\xa4\x86\xc9\xe4\xe4L\x12\x95\xc9\x1c\xe0t~\x1d\xca\
D_\xe3G\x11\xee\xa0E^N\xa4\xaf\xa3\xc8j_\
l\x9e!8\xe1\xee\xc6\xe2\xf3\xe4\xe4T\x5cU\xa9D\
\x0d\x17\x98\x17\xe8<\xbc\x04\x0c\xed\xb4\xce\x03\xe4\xe4\x08\
g\xa9\x07\xd6\xf9J\xae\xc7f\x1dwi:\xae\xaa\xf8\
\x0e\xc8\xe8WQ\xe6\xf8\xa4\xab\xb0\x18E\xab\xfc#\xb6\
\x9eJa\x89\xbcG\x0b\x93\x81\xef\x03\xee\xe5p\x0c\x03\
h\x8d\xab&\xde_ \xa3C\x81\xed\xc0\x07\x5c5\xd7\
\xd2\xcc\xbd\xd5\xd8\x9d%FF\xbf\x0b,\xf1\xc8\x94\xfb\
h\x95\xd5QU\xa3\x1d\xd0\xa0\x97\x93\xe2\xcf\xc0U.\
\xe9\xcbX\x8c$'\xe7\x12\x19\xda\xa4\x83P\xee\x00\xae\
C\xe8\x8b\xd2\x17(\x00G\x10\x8ePd\x17)6$\
?\x03\xa8\x90a\x05\xf05\x97\xf0\x02\xcaM\xb4\xca.\
S\xcdh\x07dt\x05p\xff\xfbmq\x94\x1a\x86\x91\
\x93\xa3\xb1ls\x96\xb0\xe9(\x0f\x02\x03c\xd5\x81\xdd\
(Op\x805\xac\x97B\xac\x1a3\xb4\x8e\x9el\x05\
>\xeb\x92\xee\xc2\xe23\xe4\xc4.U\xcd<\x07dt\
\x04\xee\xce\x83\x22\x8c\x8f\xdd\xf9&\xbd\x1d\x9b=(K\
\x89\xdfy\x80\xeb\x11~\xca\x00v\xd2\xa4\xa3c\xd5x\
R\xce\xa3\xdc\x09\x1cwIo\xc0\xe6!S5\xc3\x08\
P!\xc3o\x81\x11.\xf6Z\x9aer\xa41\xd3\xb4\
\x86\xde,\x05s\xe3\xb1!\xe4H3?\xd6F'8\
\x1f\x1c\xe7<W\xf3\x98\xfc;\x8c^z\x044P\x8f\
\xbb\xf3\x90\xc7&\x1bi\xc0#z\x19\xbd\xd9L\xa5:\
\x0f\xa0d\xc9\xf3\x0b\xb2\xda=\x92k\xf1#\x84C.\
\xc9\x15\xd4\xf1\x8dR\xf4\xd2\x0eH\xf1=\x9f\xe4\xc7\xb4\
\xc9Ac\xe3Y\xad%\xcdF\xe0\x0b\x91\x86&\x850\
\x01\x9b\xd5d\xd5\xfc\xb7\xcd\xc99\x8a\x81\x1fjV\xa9\
\xbdA\xb8\xb2\xac~\x14\xb8\xc5%\xc9\xa34\x9b-T\
\xc1\xe6)\xa0\xde\xcc+\x0b\xe3c\x8d\xc2\x03\xac\x01\x0e\
\xb8$W\xd1\x9f/\x86Q\xc3\x1d`3\x09'Tu\
\x11[i\x95\x7f\x1a\x1bm\xe4\x1e`j\xa4q\xe5c\
.M\x1a\xda\x99KpV\x8e\xf5\x1e\x99p_\x18\xb5\
\xd4p\x1a\xeb\xfb\xfe\xa5\xb1\xc1\xacvGh3r*\
\x09eq\xe4v7\x15\xb0\xf9\xd6\xb0:A\x07<\xac\
\x1f\xc4\xbb\x96\x82\xcd\xaf\x8c\x8d\xd9\xcc\xc2\xbbQ\xaa6\
\x86p-S\x8c\x8c\x14;\x00\xf7\xa8\xed\xc5\x00n\x0c\
\xd2\xfc\xa8e8P\xeb\x92\xfc\x89Er(\xc0\xbb\x08\
\xc7\xab\xdf6\x1aS\x0d(\xdf1\x96;K\xa6\xf7\x87\
\xd3`\x9c2\xe8\x80\x14\x9f\xf2U\xdanl\xe8Z>\
\x07\xf46r\xaa\x83!4i\xff\x08\x8e\xd7va\xb0\
\x9f\x10t@\x91A>\xc6\x81\x00\xc7\xcb\x9f\x10aD\
\xf5\xa0\x8c\x8f`\xf8m\x1f\xe4'\x04\x1d \x5c\xed\xf9\
.b^\xfb\xab\x1f\x05.\x0d\x0d\xfe\xa7=\xb0\x02\xb6\
\xf7\xf3S\xc2V\x81\x1e\xbeF\xde\x8d0\xa33'?\
/\x84\xbe\x11\x0c\xbf\xed=\xfc\x84h\x07X\x94\x8e\xb1\
e5\x85\x84Fk;\x07\x1a\xe1\x80\x1c\xe7\x01\xf7I\
\xb0\x96\xac\xba'\xf8P\x07x\x0fH\x05L\x01\x8fT\
\x09\x1d\x9d\x03\xa1\xa6\x5c\x15as\xc0i\xcf\xb7\x06\x87\
\xcd%8\xe7l\xf3\x0e\xb1\x9aP\xcc\xd1\xe7,u\x80\
\xe5\x92\x5c '\x17\xdc\x94\xa0\x03\x14oD\xd5\xc9\xe2\
\x9a\x8c\xf8\xbb\xd9\xca*B\x22\x1c\x90\xa7\x97Or\xda\
O\x09\x1b\xbeo\xfa\x1a\x09\xcc\x9c\xbe\xf2W\x8d\xe5\xd5\
DT\xdb\xca5\xbe\xef7\xfc\x940\x07\xec\xf5}\x9b\
7\x1b\xc2\x06cy5Q\x8ch[|\xb6\x0b\xfb\xfc\
\x94\xb0\xbf\x80?\xd98\x22\xc0q#\xcd\x160\xac\x14\
\xd5\xc3\x9b\xb4\xb2\xdb\xc8\x90\x80\xed\x81\x11\x13t@\x0d\
/\x02\xee\xfc\xfb\x0dd\xb5\xf4r\xe3D\x86\x9f6\x1a\
R\x1d,7\x86\xe4\x9d\xc0\xc9\x18\x9f\xf4\x05?-\xe8\
\x00'\xb7\xf6\xa2Gf\x07\x14yQd>p\xd2\xc8\
\xa9,\x0es\xd6\x97\x07\xf0\xa3\xc8\x8dx3\xca\xa7\xb0\
\xd8\xe9\xa7\x85\xaf\xe1\x1a8\xfe\x8e36\xb6P\x8eA\
T\xc4\xa8\x82P\x1aY\x22\xef\x199E\x9f\xcd\xc2\xb3\
a\xe1\xf1p\x07\xd4\xb0\x0e'\xdb{\x11\xa3iP\xf3\
\x89\xcfb)\xf0\x9c\x91S\x19\xac\xa15\x90\x13\xf4\xc2\
\x19\xfe\xfeC\xda\xaa0j\xb8\x03\x9c\xb8\xff\x16\x97\xa4\
\x0e\x09\xa4\xc3\xfdul,&\x02\xfb\x8d\xbc\xf2\xf0\x12\
\x16\xd3\x22\xd3q6w\xe3\xcdC\xbc\xd5>Y\x07P\
z\x1b\xab<\xe6\xf9\x16\xbeIF?al8'\xef\
R\xe0V\xaa\xe3\x84\x9d(\xb7G\xa6\xe3\x9c\xbd\xfe\x02\
\x9ftI\xa9\xecPi\x07\xb4\xb2\x15\xf1L\x86\xb5\xc0\
\xbcH3\xdb\xe4 \x16\xc3!\xdc\xe3\x1d\x82\xf0s\xce\
R\x1f\x19\x98\x05\xb0\x99\x86\xf7\xd8{\x82<\xcbJ\xd1\
\x0d\x07\x19Q\xa0\xd1'\xbc\x979j>\x83\x833\x12\
,\xbe\x82\xf2\x08!\xdb\xcf\x048\x0eL\xa7\x99I\x91\
\x93\x1e@V\xaf\x00_\x0a_i\xe5Q)iC\x9c\
\xe4\xe8j\xc0\x9d\x0e;\x8c2,\xd6\xaf\xe1\x18\xd5\x87\
<\xf3\xda\xc3\xd2\xd1\x99\x1d\x07'\x81e\xd8\xb4\xb1H\
\xe2-\xafN\x12v\x0b\xcaH\x97\xf4\x15\x8e1\xd4t\
\xaf0\xda\x01Y\xed\x83\xcd+\xc0\x95.\xe9\x1f8\xc5\
h\x9e\x94\xf3\xb1\x8cs\xf4t\xa7\xc0-\xc0x\x94!\
8\x81\x94\x8f\xb4\x97\x1e\x03\x8e\x02\xbbP\xd6S\xc3\xf3\
\xfeS[$2\xba\x0cx\xd0%\xc9\x03#\xa2n\xae\
\xc4\xbd 1\x1cg\x17\xe5\xbe\x11\xb6\x92\x16\xa6\x96u\
Ab\xa6v\xc3\xa6\x98\xc8\x91\xe1\xf6=\x04<\xe5\x91\
\x09Si\x96\x15QU\xe3_\x92\xca\xe8d\xc0\x7f\xe3\
b9\x163\x12\xffZ\x15\x83\x0a\x19f\xe0d\x83\xdd\
\xf3\xd9RZdf\x1c\x0d\xc9n\x89et\x110\xdb\
\xa7a\x1bi&\x90\x93\xe3\xe1\x95\xaa\x84\xac\xd6b\xf3\
C\xe0\x01_\xc9sX\x8c1]\x8ap#Y8\xeb\
5\x1a\x81g<2e$6;\x98\xa3C\x12\xe9*\
\x07\xce\xbc\xf4<\xc1\xce\xef\xc1bb\xdc\xceCG.\
J\xde\xa5i\xfa\xf3\x03\x04\xff\x10\xcb\x03\xcb\xb0h!\
'o'\xd6\x1b\x07\xce\xf5\xd9o\xb5\xefJ/\xf3\x95\
n\xc6\xe6\xee\xd8\xabF;:~U\xb6I\x1f@Y\
\x06\x81\xc0\xe4\x19\x84\xc7I\xb38\xc9\x85E#\xb2j\
\x91g\x0a\xc2<\xc2\xc3\xf0\x8by\x8d\xd9\xb1\xef\x13\xb9\
P\xeee\xe9z`\x03pyH\xe9;\x08\x9b\x80M\
\xa4\xd9\x92\xd8\x19\xce\xba^\x8f2\x16\xb8\x0d\x08\xdb\x86\
\xe7\x11\xa6\xc7\x99\xedK\xa1\xfc\xeb\xf2\x19\xfd8\xcaR\
\x84;\x0d\xac<\xb0\x0d\xf8\x0d\xb0\x9f\x14\x7f\xa5\xc8\x09\
\x0a\x9c\xa1\x8e\x026=(\xd2\x0b\xa1\x1f\xa9\xf6\xeb\xf2\
p3\xce\x93\x9ap(;H3\x9d\x05\xf2\xc7r\xcc\
\xaf\xe4\x83\x89/#,\x02\xaa;\x19*GI1\x9f\
\xfd\xfc\xa4#C\xde\x8f\xca>\x99\xc9j\x0a\x9b\xdbP\
\x1a\x10\x86UT7\x1cDXL\x9a\x15\x89/h\x1a\
P\xbdGSst0\xc5K\x8f\xa6\x06tP\xcb[\
8\x8f.Va\xf1\xbb\x8e\xbc\x07\x88B\xe7<\x9bs\
\xe6\x89Q\x08\x83Q\x06\x22\xf4C\xe8\x85\xd2\x13's\
s\x12\xe7\xe9\xdca`\x1f\xc2>\x0alc!{\xff\
+\xee\x22w\xa1\x0b]\xf8\x9f\xc5\x7f\x00\xe8a~t\
\x82\xb2\x01\xcd\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x02\x87\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x029IDATx\x9c\xed\
\xd6\xbfk\x13a\x18\x07\xf0\xef\xf7bJ\xc5\x80\x90\xcd\
Eprp2\x93\x22:\x0a\x1dl\xb7\x08\x0ev\xc9\
\xdd\x9b\x8c\xc6? R\x5c\x1c\xbb\x98\xdc%\x90\xb1\x10\
\x85L5\x93\xa3\xa2\xff\x82\x82\x83\x90\xad4\x0aA\x0d\
4\xef\xe3\x90Flz)M\xeeG\x86>\x1f\xb8\xe9\
\xbd{\xeey\x9e{\x9f\xbb\x03\x94RJ)\xa5\x94R\
J)\xa5\x94RJ)uQ0j\x80 \x086\xad\
\xb5{$/\x03\x18\x1d\x1fI\xca\x02X'9\xb6\xd6\
\xbe,\x97\xcb;Q\x82En\x80\xef\xfb?\x00\x5c\x8d\
\x1ag\x19$EDr\xc6\x98_\xcb\xc6p\xa2&!\
\x22\x91\x9b\xb8J\x91\x1b@r[D\x8e\xe2Hf\xc1\
\xfb\x8a\x88\xecDy\xfa@\x0c#\x00\x00\xcdf\xf3\x86\
\xb5\xb6\x07\xe0\xe6\xec\x9a\x88X\x92\xb2ll\x92N\xc8\
.;\xb4\xd6nV*\x95\x0f\xcb\xc6\xfd\x17?j\x80\
\xa9V\xab\x95\x1f\x8f\xc7]\x00\x0fB\x96-\x80E\x9b\
@\x84\xef\xd0o$7<\xcf\xfb\xb2h\x8ea\x22\x8f\
\xc0T\xa9T:\x1c\x8dF\x0fI\xee\xcd\xb9\xcf\x22\xcd\
\x9eW\xfc\xe7l6{'\xae\xe2\x01 \x13W \x00\
\xe8\xf5z\xe3B\xa1\xd0\xcd\xe5rk$\xef\xcf,\xf3\
\xf88s'\x88\x08I\x9e*^D\xba$\xb7\x5c\xd7\
\xfd\x19c\xca\xf1\x8d\xc0\xacF\xa3\xe1\x91|\x8d\xd3M\
\x16LFb^>a\xc5\xef\xe6\xf3\xf9\xe7\xc5bq\
\x1cs\x9a\xc95\x00\x00\x82 \xd8\x10\x917\x00\xae\x9c\
\xb8\xe9\xe4\x0d>\xdb\x84\xb01\x11\x92\xcf<\xcf\xdbM\
*\xc7\xc4\xbf\xe1\xf5z\xfd\xb6\xe38\xfb\x00\xae\x85,\
O\x9fhX\xf1\x7fH>\xf1<\xaf\x9bd~\xa9\xfc\
\xc4\xf8\xbe\x7f\x1d\xc0;\x00\xb7\xcey\xc9\x81\xe38\x8f\
\x5c\xd7\xfd\x94`Z\x00b\xfc\x0a\x9c\xc5\x18\xf3\x1d\xc0\
=\x00\xef\xcfq\xfa\xd7L&s7\x8d\xe2\x81\x94v\
\xc0T\xa7\xd3Y\x1b\x0c\x06\x01\x80\xed9\xa7|\x04\xb0\
e\x8c9H+\xa7\xd4\xff\xe3E\x84A\x10\xd4\x00\xd4\
N$B\xbe\x1d\x0e\x87O\xab\xd5\xea\xef4\xf3Ie\
\x04\xfeGR\x8c1/\x00\xb40y\x09\x1e\x91|\xd5\
\xef\xf7\x1f\xa7]\xfc\xca\xd5j\xb5K\xedv{}\xd5\
y(\xa5\x94RJ)\xa5\x94RJ)\xa5\x94R\x17\
\xc4_g\x5c\xab\xdb\x977\xfb\x81\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x00\xbb\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00mIDATx\x9c\xed\
\xd0\xb1\x0d\x82\x00\x14E\xd1\x8bC\x18\xe7r\x05+v\
\xb0t\x076q&\xe2\x12\xd8\x1a\xa9\xc1D\xce)_\
~\xf1\xfe+\x00\x00\x00\x00\x00\x00\xe0\x08\x86Ur_\
\xae-M\xd5y\xff:\x9b\x9a\x1b\xba\xf5\x18\x9e\x9f\xe1\
iu\xf6\x9f\xcfW]\xaa\xe9;\x5c\x0fp0\xeb\x01\
\x86\xc6\xea\xb5\x7f\x95\xcd\xcd\xd5\xf8\xeb\x12\x00\x00\x00\x00\
\x00\x00\x00\xc0\xfe\xde\xbd\xff\x0b\x08;\x83\xf2!\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\x04\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xb6IDATX\x85\xed\
\xd6\xbf\xab\x13A\x10\xc0\xf1\xef\xe4\xc9% \xa8\x9d\xa0\
\x8d\x88\xbdi-,\xcdk^&\x019l\x04m-\
\xe4\xfd\x05\x22\xc1\x7f@\x14\xacE,\x84`\x91\xcd!\
\x1aK\x0bk{\x0b+\xc1Fy\x82\xe4\x07\xb8cq\
{\x18^\xf3\xee.\xc7^\xa1\x03\x07[\xec\xee|f\
\x98\xe3\x0e\xfe\xf5\x902\x9bT\xf5\x87\x88H\x92$\x97\
\xa7\xd3\xe9\xf7&\x01\x9d\x92\xfb\xce\x99\xd9\xd9\xcdf\x93\
\x0d\x06\x83\xd3m\x00\x000\xb3k\xbd^\xefu\x9a\xa6\
I+\x80\x10\xfb\xab\xd5\xeaE\x9a\xa6{m\x00<`\
\x22rk\xbd^?\xa5\xe4\x0c5\x09\xb0\xf0\x00\xdcS\
\xd5Il@\x81\xf0a\xfd@U\x0fc\x03\x8e#\x1e\
\xab\xea\xed\xd8\x00\xc8g\xa1@<\x1f\x0e\x87\x07\xb1\x01\
X\x08`OD\xa6\xa3\xd1\xe8zT\x00\x80\x88\xf8\x80\
\xe8\x99Y6\x1e\x8f\xfbQ\x01\x05\x82|.\xcex\xef\
\xdf\xaa\xea\x95\xa8\x80\x10\x05\xe2<\xf0^U/\xc4\x06\
\x14\x08\x80K\xc0\x9b6\x00\xe4\xe3\x00\xc0\xd56\x00\x1d\
\x11\x01\xf8\x02\x5c\x8c\x0a0\xb3\x0e\xf9\xb7\xe1\x1bp\xc3\
9\xf7\xb5\xcc\xb9SM%\x97\xbc\xf4#\xef\xfd~\x96\
e\x9f\xcb\x9e\xdd\xb9\x03[\xc9W\x222\xcc\xb2\xecS\
\x95\xf3\xbbv@B\xf2\xdff\x96:\xe7>T\xbd`\
\x97\x0e\xc8\xd6\xf9\xbb\xf3\xf9<\xabsI-@\xa8\xba\
\x13\xd6\x87\xce\xb9\x97u\xee\xa9\x0b\x900\xf1\x00\x8ff\
\xb3\xd9\x93\xba\xc9+\x03\x8eU\xfe\xcc9\xf7p\x97\xe4\
\x95\x01[\x95\xbf\xea\xf7\xfb\xf7\xf9\xfb{\x16\x07\x10\xe2\
]\xb7\xdb\xbd3\x99L\xfc\xc9[O\x8eJ\xaf\xa1\x88\
|\x5c.\x977\x9ds\x9b&\x92C\xc9\x0e\x88\xc8\x11\
\xf03I\x92\x83\xc5b\xf1\xab\xa9\xe4\xff\x03\xe0\x0fP\
w\x95[\xee+\xbdv\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x00\xda\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x8cIDATx\x9c\xed\
\xd9\xb1\x0d\x830\x00EA\xc3\x80\xde\x83\xf5<\x16K\
$\x1dBb\x80\x87\x92\xbb\xce\x95\xbf\x9e\xdcy\x1b\x91\
9\xe7\xe7~^km\xc5\x8e\xbd\xb8\xf4M\x04\xa8\x07\
\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\
\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\
\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\
\xd4\x04\xa8\x07\xd4\x92\x1f\xd91\x9e\xbf\xc3\x95\xbf\x7f\x01\
e\x803\xbc\xfbR\x068\xc6K\x22\x00\x00\x00\x00\x00\
\x00\x00\xf0\xeb\xbeV\x8e\x08i\x7f&y\x0b\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x01\x00\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xb2IDATx\x9c\xed\
\xda1\x0a\x800\x10\x00\xc1D\xfc\xb5\xb5\xef\x8e\x9d \
>`\x04w\xbbT\xb7,\xd7]\xe6P\x1ck=\xde\
\xe7\x9cBc\x13C\xbfD\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00\
-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\xe4\x22\
;\xc6x_\x87\x11\xbf\xdf\x80\x02h\x01\xcd\xae\x05n\
\xfa!b(\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00\
-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\
\x02\x9a\x02h\x01M\x01\xb4\x80\xe6\x02\x91L\x06\x81\x9f\
\xdf\xb1\xa8\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01\xb2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01dIDATX\x85\xe5\
\xd61N\xc30\x14\xc6\xf1\xbf\x1f\x88-+\x1d8A\
abbmSv$8Ce\x85\x85#\xe4\x18\x1d\
r\x0a\xc4\x82\x84\xd4^\x02\xca\x09@\x02\x16.\xd0g\
\x16\x82 mH\xec:a\xc0\xa3\xfd\x94\xdf'\xfb\xe9\
)\xf0\xdf\x97\xe9\x13+\x8ab\xa0\xaa\xd7\xc0\x93\xb5\xf6\
\x02@z\xc6\x17\xc0\x09pP\xee\xf7\x12\xe0\x1b>\x04\
\x1eE\xe4\xac<\xeb\xfc\x096\xe0\xe3\xe9t\xfa\xd2K\
\x80&\xbc\xd3\x00m\xf0\xce\x02\xb4\xc5;\x09\xe0\x83G\
\x0f\xe0\x8bG\x0d\x10\x82G\x0b\xd0\x16\x9f\xcdf\xfb\x22\
r\x0b\xbc[kS\x880\x88<\xf19pl\x8c\xd9\
+\xf7\xb7\x0a\x10\x80\x1f\x01\xf7\xab\xd5\xea\xbc<\x0b~\
\x82P\x5cU'Y\x96\xbdn\x15 \x16\x1e\x14\xc0\x13\
_\x00\x87\xc0\x83\xaa\xa6U\xdc;@l\xdc+@\x17\
8\xc0NL\xbc(\x8a\x01\xd0\x1a\x87\x167\xe0\x83\xab\
\xea\xdc\x07o\x0c\x10\x88/Uu\xbc\x09\xf7\x9a\x84\x1d\
\xe1k\x93p\xb7G\xbc\xec\x8d\x1f\x93p\xad\x09=\xf1\
\xf2\xa3\xb5\xf8\x86\xc6\xac\x9f\x84\x01\xf8\x10X\x8aH\x1a\
\xda\x98\xa6R\x1c\x1b\xff\xaa\xab\xbb!\x01\xc8\xf3\x5cT\
\xf5\xae\x09w\xce\x19U\xbdi\xc2\xabuu8|\xf6\
\xc0h42I\x92\x5c\x01\xcf\x222\xf9\xe5OF\x92\
$\xb9\x04\xdeD\xe4\xb4m\x9d\xb5\xb6q\x1e\x90\xe7\xb9\
8\xe7\x1a\x07\x93s\xce\xc4\xac\xfb\xf3\xf5\x01\xd5Q\xe3\
5*E\xfc\xe1\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x00\x8f\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00AIDATX\x85\xed\
\xd5\xb1\x0d\x000\x08\x03A'\x03z\xe6l\xe6\x0ca\
$\x9a\xbf\x1e\xf4\xa2A*\xd8\x8e\xed4;n3<\
\x81\x00\x02\x08 \x80\x00\x02\xd6\x03N3\xdc\xbeb\xa9\
\xbc@\x92\xd7\x06\x00\x00\x80u\x1fI\x9f\x09\x98j\x0e\
\x9e!\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\xc2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00tIDATX\x85\xed\
\xd2\xb1\x09\x80P\x0c\x84\xe1?\xcf\x1d\x04\xb7q\x13\x0b\
\x1b\x87\x10Dp\x08\x0bkgp#\xc1\x1d$V*\
\x22\xd8\xf9^s_\x97\x10\xb8+\x02\x22\x22\x22\x89\xd9\
st\xa3#\xfb5\xb1g\x07\xf3w\x81\xd6K\x9c\x19\
(~-\x00\x1bF\xc5`\x0b@\xb8\xd6\xce\x18!\x1c\
\xc7\x99\xce!|]\xc6p\x170\x1a`\x8d\x90\xb9\
\xe1\xd4w\xecC\xfc'\x14\x11\x11I\xee\x00\xbc\x95\x15\
\x07\x0a;?\xa1\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x04\xe8\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x04\x9aIDATX\x85\xc5\
\x97\xd9v\xe2F\x10\x86\xbff\x11\x12`P\x9c\xc4\x9e\
\xf1$9Y\xde\xff\x9dr1\x9eI\x1c\xcf\x18l#\
\x19$\xa8\x5c\xd4\xdf\xa8\x91qr\x97\xd49\x1c\x89V\
\xd7\xf6\xd7\xd6\x0dX\x09\x16\xf8\xcf\xc9\x02X\x19\xa4|\
\x09\xac!X\xf7\x91K \x1a\x96%\xef\x93DJ\x5c\
\xb3dm\x9b\xac\xed\xf4~\x00\x1ez\xf2\x97\xc0:\xf4\
\x16\x0e\xc0\x050\x00\xaaDY\x90\x11\x13\xd8\x0d!\x8c\
\x81q\xcf\xa5\x16\xac\x81\xac\x95\x11Q\xb9\x01\x0d\x90K\
\xfe#0<u\xd8\xf7-\xc0~\x114c\xb0\x99\xd6\
3\xb0\xf7\xf0P\x82\xe5`\x13\xb0\x82Wd\x85\xbeM\
\xb5\xf7\xcay\xc1\xd7,\x93\xec_\xc1.\xfa\x10\x02\xf6\
\x01\xf8$$\x0cx\x01\x0a\xd8\xbd\x87\xec\xa3\xbc\x00X\
\xc8\x8bs\x94~\x9b\xc0\xee\x06\xb2[!\x92K\xdf\x1a\
\xb8\x81p\x0b0\x92\xf2\x80\xc3>\x96\xf2\x1b\xe0\xde\x19\
\xb2\xfbD\xf9\x04\x0f\x91q\x1a\xf7\xe8\xccL\xca\xf4\xcb\
\xbe\xc2\xa6\x80\xd9\x18x\x07|\x94\x8eA\x0f\x01\xfbN\
\xff+\x08\x15\xd8\xb5\xbe\xfd\x09\xcc\x1d\x8d\xd5\x0cJ\x5c\
p\xa8\xcf\x03`s\xa0\xc5\xf3\xa5\xd2\xf3\x80'\xf4\x0e\
x\xc2\xe3\xff\x0d\xb0\x82\xb0\x19%\xdcc)\xcf\xe5\xdd\
\x1a\xb8\x92\xc59\x94O\x82q\x02f\x1d\x0f$\x08\xe5\
\xc0\xb3\x94\x95B8\x03\xee\xf0\xf0d\x10\x9e\x12\x07;\
(\xdcR\x9b\xc0\xcb\xb5\x18\x83\xa0\x5cHh\xa49\x1e\
\x86\xb9\xf8\x07\xfa\x1f\xd7\x22m\xc4\xbb\x93\xac\x00\xdb\xf7\
J\xccc\xee\xc5\x10\xbcsA\x150\xfd\x8c\xc7\xb2\x96\
\xf5#\xc1VCu\x09\xd3\xb5#u\x8el!\x995\
0\x95\x03S\xba\xd2\x1bI\xf6\x1c\x0f\xc1\x97\x14\x81\x09\
\xb4/Im\x16\x8a\xb5\xe1\x96]\xc3t\xe5H\xbdI\
\xb1\xce\xbf\x17\x8f\x09\x89X\xb6-<6x\xe8\xfa!\
hJX<t\xc60T>\xe4x\xd2\xfc%\xc1\x85\
\xfaA\xeeIg\xb3\xee?\x05\x9e7_as)\xde\
<\x91\x09,\x9eIB\x15\x0d\xc8\xbc\x8b\x91\x0b\xc6R\
\x1e\xb4b\x5c\xe1\x89\xf6 Hs=\x83\xa0\x9d\xba\x0c\
\xa6\xae\x9c\x06f\x0f\xda\xd7\xe2=\xe5\x12\xef1Ch\
L\xfbc\x1f @P\xd7\x0a\x8f\xde\xb9\x822\xdb\x0c\
\x82\xfa\xbb5\x126\x06\xee{\xbd\xfd\xca\x8d\x8e|\xb4\
`{\x7f\x86\x1d\xd83^\x86\x03\xba$?\xa9\x82a\
R\xdfI\x93\xa9\xd3=\xda\xc7\xbd{c\xe90\xbbK\
\x1c\x8a\x94NY\xc9\x0cU\xe7l\xc70\x82\xf1!\xf1\
\x86\xe4\xbdM\x84\x8c\x80\xc6=\xb75\xeaLxF[\
\xd2\x1fRJ\x1dx5=\x07\xc9s\x7f\x86\xb9O\x87\
\x9e\xc0>\x9dk\xcf\x96\xbc\xbf\xda\x17\x85\xed\xa0QW\
\x0b\xd6m\x0e\x06\xf5\xb0g\xc00\x81}\xa5\xdf2\x99\
'}\x83OFn\xdf\x98\x94\xa1U)\xf5\xac-\xfa\
u\xdf\xe2\x09\xa7y\x1eb\xdb\xbe\xa6;\x03D\x0a\xaf\
\xdf\xad\x00;\xee\x8b9`\xcapS\x19\xce4X\xc0\
K\xb3\x94\xe2\x02o\xb9j6\x96B\xdc\x00\xdfJ\xb8\
I\xb6\x0e!\x16; 2v\x1f\xf9\xa2\x01;\x08C\
\x95\xdb\xd6\x0f$4\xfe\xdf\xc03\x7f#!\x9f\xffa\
\x1a\xee8\x9ev\xd6%,\xef:\x07y\xc0K8\xee\
\xd9\xc1I\x08\xc6u\xe2\xf5\x165\x0aQ\x05/?\xc9\
\xf3s\x99~\xb4@\x1e~\x80\xe5S\xb7\xbc*\xa4\x1c\
7l\xbc\x89_\x06\x09\xe3\x06\xea\xb2c\xa2\xf6\x86\x14\
\x0f\x1a\xf9->\xdd\xfag\xc1\x94\x22\xd4\x7f\xe0\xed6\
\xf8\xb3L\x86W6\x931'!\xd8\xfb\xe6\xe2\x19\xec\
\x86n\xe0\x14\xf8I\xe6w<\x9e{\xa0t\xa4\xeaA\
\x97\xa0\xf5P\x02\xd5!\x8f{\x7f\xc6\xbb\x9f\x8ew,\
\xa1\xb8\x95\xccmj\x00n@x\x06\x1b\xd0\xc5|$\
o\x0e\x106`-\xf0\x0c\xe1\xe5<\x006w\x19\xa0\
\x83\xebg|\x96l$s\xe5\xf9\xd3E1\x0dA\xe3\
\x93-<B}\xe1\x9e\xb2\x96\xf5[\xe5\xc7q\x8c\xbe\
M6V\xe8\x1a<\xd1\xd6\xc0%T3G\xc3fZ\
?\x09\xc1W\xe0\x07\xdflK`\x06/A\x93tB\
g\xb2\x0e\x97U\x05\x85\xd1u\xcf\xd8\xac\x0a<\xdbw\
8\xf3\xc2\x8d\xaf\xa70\x9d\xe3\x13v\xe3\x8e\x87Mb\
@0\xb0\x03^\xeb\x01\xf8\x04E4\x86\x0eV\xf00\
Lu\xf46!\x18\xe2\x1cY8\x82\xc7\xbd\x17n\xcc\
\xf4\x8bd\xc5\xd9r\xeePc\x17\xba4\xf4/&\x0b\
\xa8~\xec.#\xffv1\x01\xe7\xad>te}r\
1\xf9\xed\xcc\xc5\xe4\xd8\xdb\xf7\x82m +3\x1c\xfe\
\x81\x7fo2y0\x84qz\xf7\xcbu0n}\xd4\
\x8ej\xbcg\xec\xc5\xdb\xd0\x0d\xa65\xc9\xd5\xec\x8d\xcb\
i\xf4\xe2\x98p\xc3\xe4}\xa2\xf7\x09l5;&\x95\
\x94\x18\xdd\xe5T\x06\xb9\xb0\x18\xf3\x9e\xc3k\xf8\x9f\xaf\
\xe7\x7f\x03\x88|\xd3;\xed2O\xdf\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x01`\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x12IDATX\x85\xed\
\xd71N\x02A\x18\x86\xe1g\x0c\xc1Rl\xf0\x0c\x5c\
\x80\x13\x98\xc0\x1d8\x05\x96\x88\x12\xc4X\xca)8\x83\
1\xf1\x04\x5c\x80;\xd0\xb0\x96\x10\x92\xb1`\x89\xab\x80\
\x8d\xbb\xb1p\xbe\xf2\xcfd\xde73\xcd\xff\xf1\xdf\x13\
\x0e&\x83\xd8\x11\xdc\xa0\x8dFI\x9c\x0cs\xd1\xb3\xa7\
\xf0zZ\xe06N0\xc4\x1a\x0b\xc1{)\xf8\xe8\x02\
-\x9c\x0b&\x1e\xc3\xfd\xa1\xc00vE/xS\xd3\
3\x0e\xcbR\xe0\xfb\x8cb\xd3\xd6\x0c\xd7\xa2\xee\xfe%\
\xce\x0a\x96}\xac+\x81\xc38,\xd5\xf4\xb0\x11\xf4\xf7\
\xe3\xb3\xc2\x916\x16\x95\xc0\x8b\x12,r\xd6\x81@\xa3\
\xb4?\xff)A\x86\xcbc\x02\x7f\x92$\x90\x04\x92@\
\x12H\x02I \x09$\x81\xa2@\x96o\xaf\xd5&j\
`uL`\x8e\x96QlV\x06\xdf\xdd\xdd\xcaY\xdf\
\x04\xa2g\x9c\xdb\x9aU\x221\x88W\xf9Z^\x17M\
\xf7\xe3\xaf\xc5d\x18\x1fDw\xd8\xd8\x15\x93\xac\x14\xf8\
\xee\xd9[\xa8\x9f.&\x9f\xa6\x9d|oo+l\xaf\
\xbf\xcc\xca\xae\x9aM\xbfW\xb3\x94\x0f(\x07L-F\
a\x19l\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x82\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x004IDATX\x85\xed\
\xceA\x11\x000\x0c\xc3\xb0\xdch\x17|\x0a\xa2{\xca\
\x00|J.M\x9bi/\x8bw\x02|\x08\x00\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00`\x01\x84v\x05\
1\x15\x00\xaeh\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x00\x88\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00:IDATx\x9c\xed\
\xd0\x01\x09\x00 \x10\x04\xc1\xd7\x80\xd7\xbf\x8d\xa6\x90\x03\
\x99I\xb0\xec\x0c\x00\x00\x00\x00\x00\x00\x00\xff[IN\
;\xa2i\xb7\x03\xda\x0ch\x07\x00\x00\x00\x00\x00\x00\x00\
\xc0{\x17T\x22\x01\xf1\xd1\xfec\x13\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x01\xe8\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x9aIDATX\x85\xed\
\x94?\x8b\x13Q\x14G\xcf\xbd#\xb2X8\x8a\xa0\x81\
m\xb6\xd0L\xb9\xd6\xca\x82\xed\x927o\xc2\xb2\x81\x88\
\x82\xdf\xc0\xce:\xd8\xd9\xdb\xa5\xb2\xb3\xb1\x88!\x22n\
7\xb0\xdb\xec7H\x1a\xad,\xc5j!,\xfb\xee\x16\
\xbeH q\xff\x0cY\xb5\x98\x03\x03\xf3\xde\xdc{\x7f\
\x87\x99\xe1AMMM\xcd?F\xaa6:\xe7\xd6U\
\xf5\x13\xb0\x09\xac\x0f\x87\xc3\xefU\xe6h\xc5\xf0\x07\xaa\
\xba\x1f\xc3\x01\x0e\xbc\xf7\xf7\xff\x8a@\xbb\xdd~\x18\xc3\
7\xe6\xb67\x80}\xe7\xdc\xe6\xd2\xa6U\x09\x14E\xb1\
\x15B(\x81\xbbff\xc0I\xbc\x0c\xb8\xa7\xaaeQ\
\x14[W\x22\x90\xe7\xb93\xb3=\xe0\xa6\x99\x99\x88\x84\
\xb9\xc7!J\xa4f\xb6\xe7\xbdo\xadT\xc0{\xff\x5c\
D\x06\xc0\xda\x92\xf0\xdf\x12\xf1\xad\xac\x01\x1f\xbd\xf7\xcf\
.2;9\xaf\xa0(\x8a\x97@\x1f\xd03\xc2\x01\x10\
\x91X\x22\x0a\xec4\x9b\xcd\x1f\x93\xc9\xe4\xb0\xaa\x80\xe4\
y\xfe\x1ax\x13\xd7AD\xec<a\x111\x11\x89\xb7\
\xb2\x9de\x99\x8c\xc7\xe3\xf2R\x02\xbd^O\xd34}\
+\x22\xaf\xe2\xa4\xd97\xbe,\x02<\xc9\xb2\xecN\xb7\
\xdb\xfdR\x96\xe5\xc2\x8c\x85\x83\xa8\xd3\xe9\x5c\x9fN\xa7\
\xef\x80\xa7q\xabj\xf8l\xfe\xec?{\xdfh4^\
\xf4\xfb\xfd\xe3?\x0a8\xe7n\xa8\xea\x07`{\x05\xe1\
\xcb$>\x87\x10vG\xa3\xd1\xd1\x82@\xab\xd5\xba\x9d\
$\xc9\x08x\xb4\xc2\xf0e\x12\x07\xaa\xea\x06\x83\xc1O\
\x80k\xb3\x8a$I\xbe\x02\xe9\x5cS\xa5c\xfa\x02<\
6\xb3o\xc0\xad\xab\x0c9\x93_\xc7EMMM\xcd\
\x7f\xc2)@%\x83x\x8f\x9d\xa3\x99\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x03\x14\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xc6IDATx\x9c\xed\
\x9a=hSQ\x14\xc7\x7f\xa7ip).\x22\x22v\
\xb0X\x07Apu\xf7\x03tp+\x05\xb7\x06D\xc5\
\xcd\xa5m\x12)ER#\xb8\x08-\xa2CG\x97\xba\
\x88\xd0\x0a\xea\xe6\xe0*88(:\x14D\xc4A\xd1\
\xa1\xd6\xf48<E\x9b\xf7^\xd2\xf7nNo\xe3\xbb\
\xbf\xf1\xe5\xe6\x9c\xff\xfb\xe7~\x1cn\x0e\x04\x02\x81\x22\
#\xce\x11ft\x88u\xae\x00c\x08G\x81]\xce1\
\xddXCy\x05,Qf\x81Y\xf9\xd6i\xb0\x9b\x01\
U=\x05,\x22\x0c;\xc5\xb1BY\x05*\xcc\xc9\x93\
\xb4!\x03\xb9\x83W\xb5\x82\xf0x\xc7\xbe<\x800\x8c\
\xb0B]'\xd2\x87\xe4\xa1\xae\xa7QVp1p{\
i\xa1\x9cI\x9a\x09\xd9\x0d\x98\xd1!~\xf2\x1a8\xd0\
\x0be\xdb\x86\xb2J\x99#\xed{B\xf6_0\xda\xf0\
\xfa\xeb\xe5!Z\x0e\x91\xf6M\xe4\x99\xc2c=\x90\xe3\
\x8b\x98\xf6\xec\x06DG]\x7f\x92\xa0}0G\x98\xce\
\xe7|C\xdck\x0b\x17j\xaa\x1d>\x8di\xef\x97]\
\xdc\x8c`\x80o\x01\xbe\x09\x06\xf8\x16\xe0\x9b`\x80o\
\x01\xbe)\xbc\x01\xdd\x0b\xa1\xaa\xeeg\x80\xcb('\x80\
}]\xc7\xd7\xf4\x8d\x83\x1e\x05VQ\x96)s\x97Y\
\xf9\xea\x10kKt\xae\xda\xeaz\x0ee\x11\xd8c-\
$\x81w\xc0y\x1a\xf2\x22\xd3\xb7:W\x82\xb1J5\
}\x09\xd4\xb5\x89\xf2\x10?/\x0f0\x02<\xa7\xa6\x97\
,\x93$\x1bP\xd3q\x94I\xcb\xc4[\xa4\x04\xccS\
\xd3\xe3V\x09\xe2\x06L\xe9A\xe0\x9eU\xc2\x1c\x94\x80\
\xfb\xcc\xe8n\x8b\xe0q\x03JL\x03&\xc9\x1c\x18a\
\x9d\x8b\x16\x81\xe3\x06(g-\x129#6\xba\xe2\x06\
\xec\xdc[^\x13]\xd9/DZ\x1c6\xd0\x01\x83\x8c\
\xfe\xbeiN\xc3\xe4\xa2%\xbb\x01Mq)t\xd2\x99\
\xd2h\xbb\xdbf\x0a_\x0a\x07\x03|\x0b\xf0M0\xc0\
\xb7\x00\xdf\x04\x03|\x0b\xf0M0\xc0\xb7\x00\xdf\x04\x03\
|\x0b\xf0M0\xc0\xb7\x00\xdf\xe4\xe9\x0f\xf0\xc5\xa1\xae\
7\xbe\xddYk\x7fP\xac\x19\x105Pn\xa2X\x06\
\xc0R\xfb\x83\xe2\x18\x10\xb5\xc9-\xb4?.\x8a\x01-\
\xa0\x92\xd47\x5c\x04\x03Z\x08\x17\xd2\xfa\x85\xfb\xe9\x14\
\xc8\xce\x9ff\xe9Fz\xb3\xf4\xffh\xc0\xdfv\xf9\x1f\
\xccsK\xbew\x1a\x1c\xbfjv?k\xadxKC\
F{\x1d4i\x0f\xf8\xd4\xeb$=\xe2\xa3E\xd0$\
\x03\x9eZ$rFxf\x116n\xc0\x007\x81u\
\x8bd\x0e|f\x83;\x16\x81\xe3\x06\x5c\x97\x97\xc8\x8e\
\xe8\x0d\xf8\x97\x09\xe6\xe4\x83E\xe0\xe4:\xa0\xc4m\x94\
\x07\x16\x09s\xd0\xa4!\x8f\xac\x82'\x1b0+\x1b\x94\
\x19G\xb8\x8a\xbf\xe5\xf0\x05e\x9c\x86L[&\xe9\xfe\
\x8f\xeb5=\xc6\x06\x93\xc0I`\xaf\xa5\x18 *^\
\x84eZ\xdc\xa0)\xef\xcd\xf3\x05\x02\x81B\xf3\x0b+\
1\x93\x1c\xaa\x82\x8a\xc0\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x00\x83\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x005IDATX\x85\xed\
\xce\xb1\x11\x000\x0c\x021_\xf6_\x80i\xed!H\
\xa9\xef\xe14S\x94d\x93l\xf3\xf1\x9a\xf1\x8f\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x92\xca\
\x05\xd3\xff\x13L\xed\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x01\xd6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x88IDATX\x85\xe5\
\xd61h\x15A\x10\xc6\xf1\xdf\x98\x87\x08\x82\xa2\x85\x8d\
\xb5\xa9-\xad,#(i\x04\xb5R\xb0\xb3\x11RX\
y\xc1\xa0\xbcg%\x88 X\x0aZ\xa9`\x13,\xd4\
\xce*\xa5\xd8\x06\x82\x856v\x06\x04\x95\x97\x8c\xc5;\
C:o\xef\x96\x08\xba\xd5-\xdc|\xdf\x7ffv\x87\
\xe5\x7f_Q]q%\x8f\x9a\xda\x10\xd28\x8e\xfc\xe9\
\xf7QU\xf3\x1by\xd0\xd4+\x1c\x96\xddB\xea\x01\xac\
\xe4~S/q\xaa$l_\x15\xf3\x0b9g\xea\x09\
\x16JC+\x00d\x98\xf7\x10\x97@\xd8\xde[\x80\xc6\
\x1d\x5ckw\xdb\xb2k\xf7k\x004\xb9\x84e\xfc\xce\
\xbc\xc8|\x18@\x93\x97q\xbf\xdd\x15g>\x0c\xa0\xc9\
E<\xde1\xef\x91y\x7f\x80&O\xe39\xe6\xda\xac\
{\x9b\x97\x03\xdc\xcc\x93X\xc5\x01d\xe9\x89\x1f\x06\xb0\
\x9c'\x84\xd78d\x96\xf5`\xf3\xee\x00M\x1e\x97\xde\
\xe2XMs\xba\x8f\xe2O\xbb\xbe\xab\x99\xd3\xbd\x05\x1f\
j\x9a\xf6\x018\x8b\x8f\x851\x15\x01&\xf1YX\xc0\
\x17\xb37D5\x88\xeeB\xe3X\x97\xce`\x13!\xeb\
@\x94\x89\xdc\x8d\xf7X\xc4wQ\xa7\x12\xe5\x02\x93x\
\x87\x8b\xd8B\xb4 {\x080\x83X\xc5Uh[\xd1\
\x1b\xa2\x7f\x09'\xf1TX\xda\xd1\xe9Y\x89a=\x1c\
\xc7\x03\x8c\xd1\xbb\x12\xc3O\xf2\xc4-\xe9\xd1.\xbd\x22\
\x88\x0aW)\xd2\xba\xebx\xd6G\xb3\xce@y\x11[\
F\xae\xe0Mih\xbd\xb1z;~\xfa\xe1<\xd6\xfe\
\x0e\x00\xdc\x8boF\xce\x09\x9b\xf8ZU\xfb\x9f]\xbf\
\x00B\xf6`\x06\x0b\xeaS\x17\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x00v\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00(IDATX\x85\xed\
\xceA\x01\x00 \x0c\xc3\xc0\x81\x7f\x03U\x0b2\xba\xc7\
\x9d\x81d\x06\x00(;I^s\xe06\xe3\x00\xc0\x0a\
\x1f\x07\x11\x02\xce\xa2n\xa7\xb7\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x01\xe4\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x96IDATX\x85\xed\
\x97\xd1J\x02Q\x10\x86\xbf\x11)\x224,\xeaU\x14\
\x8a^\xc0\x1e!\xa3\xee\x22(/\x8a\x16\xdd\x0b\xf1&\
\xd9 \x22{\x83\xea\x09\x02_ \x08\xeaU\x8c\x22\x8b\
\x90\xa0v\xbaXW\x97\xdc\xdc\xb5]\x91\xc8\xff\xeap\
\xce\xec\xfc\x1fg\xe7\xc0\x0c\xfcwI\xdfNI\x97I\
`\x009`1&\x9f\x07\xe0\x0e\x1b\x8b\x9a\xdc\xfe\x0c\
`\xea\x01p\xec\x0b\x16\x8fl\x94C\x8e\xe4\xa4\x1f\xc0\
\xd4\x15\xe0\x06h\x01{$iP\x95\xa7Xl+:\
\xcf\x07y\xa0\x0e\xa4\xb1Y\xfd~\x13`\xea5\xa6*\
\xa6\x16b1\xf5SY7:\x1e\xd7\xeeV\xc2s\x9c\
\x03 Icd\x00\xda\xcd\x9d\xf5\x03p\x0a.\xaek\
\xf7SM\x1e;\xab%?\x80\xb1h\x020v\x80d\
`\xc4\xaeN\x93\xc2B(\x00s!\xf3\xbe\xa0\x5c\xf0\
\x8a\xc1\xb9\xbcG\x03HQC(\x864v\x95A(\
\x92\xe6\x13\xd8\x1f\x14\x18\xfc\x0b\x84\xcd!\xcd\xbd\xda\x0a\
\x0a\x08S\x03\x99\x08\x00\x81\xdf\x8e\xbd\x08\xc3\x00\xb4\x22\
\xe4\x7f\x8e\x0e\xa0\x5c\xfc\xda^\xb9\x0c\x0a\x09~\x05m\
\x0cf\x98BX\x07fCZ\xbf\xa1\x5c\xd1\xc6\x88\x0e\
p*m`\x9b\x8a\xee\x10\xbefl\xaab\x87\x09\x0c\
\x06p\xe5$\x0c\x95t\x18\xfd\x89W\xf0\x7f\x00\x1e\x00\
\xa7\x81\x1c\x95J\xba\xd0Y5\xfd\x00\xee\x00:\xdd\xeb\
h$\xdd\xdc\xf7\xeeV\xef\x15\xd8X$X\x03\xea\x94\
UP\x1a\x9e\x1e.\x9aJ\xba\x80\x90G8\x03ll\
\xac\x1e\x93W\xce`b1\xba\xda\x180\x98\xf4h\xdd\
\xd1,\x8b\xa7{\x8d\xa8&p\xef7\x9aM\xf4\x05\xc5\
\x9dl\xf9\xd6\x9fH\xa4\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x00\x96\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00HIDATX\x85\xed\
\xd7\xb1\x0d\xc00\x0c\x03\xc1W\x90\xc1\xbc\x007\x0e\xe0\
\xd5<\x04\xd3\xf9\xbf\xa7p\xad\xc0\x8a\x92\xec$\xbb\xb9\
\xf16\xe3\x99Y\xcd\x1e\xe0i\x0f\x08\x10 @\x80\x00\
\x01\x02\x04\x08\x10 @@[\xf5\x19\x01\xdf/\x8a\xab\
;\x97v\x04\x86\xf0\xa8\xb4z\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x01+\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xddIDATx\x9c\xed\
\x90\xb1\x0d\x021\x14\xc5^\x18\xe2\x06c\x85\xab\xd8\x81\
\x92\x1d\xd8\x82\xa1\xa8\xd8\xe2(\x88\xa8\xa0\xca\xcf\x19\x09\
[\x8a\x94\xe2+\xf1w\x22\x22\xffL\x9b\xfe\xc3y;\
f\xcb\xb5\xffv\xca\xa5\xddJ\xe7\x079\xcc|<I\
\xfa2K\x92\xe5\xbdX\xe5\xfc \xf3\x03\xbc\x96\xf9t\
\xaf\x9a\x1fb\x8f\x00?\x8d\x01h\x01\x1a\x03\xd0\x024\
\x06\xa0\x05h\x0c@\x0b\xd0\x18\x80\x16\xa01\x00-@\
c\x00Z\x80\xc6\x00\xb4\x00\x8d\x01h\x01\x1a\x03\xd0\x02\
4\x06\xa0\x05h\x0c@\x0b\xd0\x18\x80\x16\xa01\x00-\
@c\x00Z\x80\xc6\x00\xb4\x00\x8d\x01h\x01\x1a\x03\xd0\
\x024\x06\xa0\x05h\x0c@\x0b\xd0\x18\x80\x16\xa01\x00\
-@c\x00Z\x80\xc6\x00\xb4\x00\x8d\x01h\x01\x9a=\
\x02<\xbe\xdc\xab\xe6\x87\x98\x1f\xa0eM\xcb\xbd\x9f\xb5\
|^Dd\x80'v\x0d\x1a4\xf7W\xf8Z\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x01\xfa\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xacIDATX\x85\xed\
\x94?kSQ\x18\xc6\x7f\xefq8\x01Ath\x07\
\xa7\x0a\x92\x8cqquk\x1a$y\xcd`g'g\
?A\xc1\xba\xf9\x09\x1c\xfc\x02J\x10\x93s\x1d\xf4:\
8th\xddt\x09\x04D\xba(8Y\x0a\x85\x0c\xde\
{:\xe4\x1e\xb9MM\x93\x9b\xa8Y\xee\x03\x07\xce\x9f\
\xf7<\xcf\xf3\xbe\xe7\x0f\x94(Q\xa2\xc4\x8a!\xa1\xa3\
\xaa?\x81\xab\xffI\xf7\xc89w\x0d\xc0\xe4&\xcd\x94\
\xe0\x7f\x01s\xaec\xad\xbd\x01\x1c\xe4\x82R \xf9K\
-\x0d\xa4\x22\xb2\x9fi\x8d\xc7y[\x8dF\xe3r\xa5\
Ry\x05l\xe5L\xf8eR\xcd4B\xa2oG\xa3\
\xd1\xfd8\x8eO\xc2\xe2\x99\xb2\xc7q|b\xadU\xef\
\xfd\xcb\xb0.\x22gL.!\xfe\xc2Z{//\x0e\
pir\xc7`0H\xea\xf5\xfa\xeb$I\xd6\x80\xdb\
LTin\xe5\xb1\xf1 \xfe\xccZ\xfb\xb0\xdb\xed\xfe\
\xfa\x93\xc3\xa9\x1c\xaa\xba\x0b\xecd\xe3\x22\xc7\xf1[\xdc\
{\xff$\x8a\xa2\xc7\xd3\xf6\x9e\xab@\x1e\xc3\xe1\xf0C\
\xadV;\x02\x9a\x80x\xefEDf\x990A\x5cD\
\x1e9\xe7\x9e^\x14|\xa1\x81\xcc\xc4\xc7j\xb5\xfaU\
DTD\xcc\x0c\x13\x86q\xf6\x09\xf0\xc09\xf7|\x16\
\xff\xdc\xe7\xdbn\xb7[\x22\xd2\x05*\x8c\xcb\x99N\x84\
\x04\xf1\x91\xf7~;\x8a\xa27\xf3\xf0\x16\xba`\xaaz\
\x07\x88\x80+\x13&\x82\xf8\xb1\x88\xb4\xfa\xfd\xfe\xde\xbc\
\x9c\x85ox\xa7\xd3\xb9\x95\xa6\xe9;`=3\x118\
~\x18c\x9a\xbd^\xefS\x11\xbe\x85\x9e\x98\xaa\xde\x04\
\xde\x03\x1b\xd9\xd4!\xb0\xe9\x9c\xfbR\x94k\xe1OF\
U\xaf\x03\xdf\x80\xcf\xc0]\xe7\xdc\xf7E\xb9J\x94(\
Qb\xa58\x05\x02\x9c\x8alSJ\xa4'\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x02\x1a\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xccIDATX\x85\xed\
\x97\xc1J\xc3@\x10\x86\xffYB\xdb\x93RE_E\
A\xf1\x05*\xbe\x81\xa0PZ+%B\x15{,=\
I\x04\x0f\x86@\x93\xd2\x8b\xfa\x0c}\x01A\xd0WQ\
\x14\x95\x8aX\xe2\xac\x07\xb3%h4\xdb&\xa5\x88\xfd\
O\xcbfv\xfe/\xd9]2\x03\xfcw\xd1\xd7\x89V\
\xab\xb5\x22\x84\xa8\x03X\x06\xb0\x90\x92\xcf\x1d\x80kf\
\xb6*\x95\xca\xd5\x8f\x00\xedv\xfb@Jy\x1c\x05\x96\
\x92\x18\xc0a\xb9\x5c>\xf9\x06\xe0y\xde*\x80K\x00\
ODd\x0a!\xba\xc5b\xf1!\x0d\xd7N\xa73\xc7\
\xcc\x05)\xa5\x0d`\x86\x99\xd7\xd4\x970Bq\x87\x00\
\x88\x88\xccR\xa9t\x91\x86\xb1R\xf0\x22\x17\xae\xeb\x12\
\x11\x9d\x05[\xbc\x01\x00\x22\x14\xb7\x0c\x00B\x88n\x9a\
\xe6a\xf9\xbe\xafr/\xa9\xb90\xc0B\x88v,\xaa\
V\xab\xf7\xc1p1\x0a`\x22\x9a\x02L\x1c\xc0\x88\x0b\
\xb0m;\x9b\xc9d,\x22\xda\x040\xab\x99\xf7YJ\
y\xde\xef\xf7\xeb\xa6i\xbe%\x02\xc8f\xb3G\x00\xf6\
4\x8d\x95\xf2D\xb4\x97\xcb\xe5\xde\x01\xec\xff\x16\xa8\xb3\
\x05[C\x9a\x0f$\xa5\xdc\x8e\x8b\xd1\x01\xc8\x8f\x0a\xa0\
\xb3v\xe2\x87P\x07\xe0)A\xfe\xc7\xc4\x00Dt>\
\xaa;\x11\xc5\xfe\xd4b\x01z\xbd^\x1d\x80\x07\xe0e\
\x08\xef\x17\x00^\xb0\xf6W\xc5^\xc3Z\xad\xf6\x0a`\
\xa7\xd1h\xecB\xff\xccp\xb3\xd9d\x9d\xc0X\x00\xa5\
\xa1V\xd2a\xf4'n\xc1\xff\x01\xb8\x03>\x0b\xc8\
q\x999\x8e3\x1f\x0co\xa3\x00\xae\x01\x80\x99\x0b\xe3\
\x020\x0cC\xe5\xbe\x19\xcc\xa9\x013[B\x88u)\
\xa5\xed\xba.\xf9\xbe\xdf\x0d\xd5p\x89\xe48\xce\xbca\
\x18\x05\x22:\xfd\xb4bK=\x8bjL,\x8c\xefl\
\xfc\xdc\x98(\x85Z\xb3%\x84\xaa\xd7\x84\xba\x05p\x13\
\xd5\x9aM\xf5\x01r\xad\x9a\xb4\xa1\xf4\x08Y\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x00\x97\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00IIDATX\x85\xed\
\xd7\xb1\x0d\xc00\x0c\x03\xc1\x87\x91\xc12'g\x09\xe0\
\xd1\xe4!\x98\xce\xff=\x85k\x05V\x94d'\xd9\xcd\
\x8d\xa7\x19\xcf\xcc\xdb\xec\x01V{@\x80\x00\x01\x02\x04\
\x08\x10 @\x80\x00\x01\x02\xda\xaa\xcf\x08\xf8~Q\x5c\
\xdd\x016\xfa\x09N\x90\xa2ug\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x00v\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00(IDATX\x85\xed\
\xceA\x01\x00 \x0c\xc3\xc0\x81\xc0\xfaw\x032\xba\xc7\
\x9d\x81d\x06\x00(;I^s\xe06\xe3\x00\xc0\x0a\
\x1f\x80\xea\x01\xed\xd8\x11\xd3\xdd\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x01\xe4\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x96IDATX\x85\xed\
\x97\xd1J\x02Q\x10\x86\xbf\x11)\x224,\xeaU\x14\
\x8a^\xc0\x1e!\xa3\xee\x22(/\x8a\x16\xdd\x0b\xf1&\
\xd9 \x22{\x83\xea\x09\x02_ \x08\xeaU\x8c\x22\x8b\
\x90\xa0v\xbaXW\x97\xdc\xdc\xb5]\x91\xc8\xff\xeap\
\xce\xec\xfc\x1fg\xe7\xc0\x0c\xfcwI\xdfNI\x97I\
`\x009`1&\x9f\x07\xe0\x0e\x1b\x8b\x9a\xdc\xfe\x0c\
`\xea\x01p\xec\x0b\x16\x8fl\x94C\x8e\xe4\xa4\x1f\xc0\
\xd4\x15\xe0\x06h\x01{$iP\x95\xa7Xl+:\
\xcf\x07y\xa0\x0e\xa4\xb1Y\xfd~\x13`\xea5\xa6*\
\xa6\x16b1\xf5SY7:\x1e\xd7\xeeV\xc2s\x9c\
\x03 Icd\x00\xda\xcd\x9d\xf5\x03p\x0a.\xaek\
\xf7SM\x1e;\xab%?\x80\xb1h\x020v\x80d\
`\xc4\xaeN\x93\xc2B(\x00s!\xf3\xbe\xa0\x5c\xf0\
\x8a\xc1\xb9\xbcG\x03HQC(\x864v\x95A(\
\x92\xe6\x13\xd8\x1f\x14\x18\xfc\x0b\x84\xcd!\xcd\xbd\xda\x0a\
\x0a\x08S\x03\x99\x08\x00\x81\xdf\x8e\xbd\x08\xc3\x00\xb4\x22\
\xe4\x7f\x8e\x0e\xa0\x5c\xfc\xda^\xb9\x0c\x0a\x09~\x05m\
\x0cf\x98BX\x07fCZ\xbf\xa1\x5c\xd1\xc6\x88\x0e\
p*m`\x9b\x8a\xee\x10\xbefl\xaab\x87\x09\x0c\
\x06p\xe5$\x0c\x95t\x18\xfd\x89W\xf0\x7f\x00\x1e\x00\
\xa7\x81\x1c\x95J\xba\xd0Y5\xfd\x00\xee\x00:\xdd\xeb\
h$\xdd\xdc\xf7\xeeV\xef\x15\xd8X$X\x03\xea\x94\
UP\x1a\x9e\x1e.\x9aJ\xba\x80\x90G8\x03ll\
\xac\x1e\x93W\xce`b1\xba\xda\x180\x98\xf4h\xdd\
\xd1,\x8b\xa7{\x8d\xa8&p\xef7\x9aM\xf4\x05\xc5\
\x9dl\xf9\xd6\x9fH\xa4\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x03\x14\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xc6IDATx\x9c\xed\
\x9a=hSQ\x14\xc7\x7f\xa7ip).\x22\x22v\
\xb0X\x07Apu\xf7\x03tp+\x05\xb7\x06D\xc5\
\xcd\xa5m\x12)ER#\xb8\x08-\xa2CG\x97\xba\
\x88\xd0\x0a\xea\xe6\xe0*88(:\x14D\xc4A\xd1\
\xa1\xd6\xf48<E\x9b\xf7^\xd2\xf7nNo\xe3\xbb\
\xbf\xf1\xe5\xe6\x9c\xff\xfb\xe7~\x1cn\x0e\x04\x02\x81\x22\
#\xce\x11ft\x88u\xae\x00c\x08G\x81]\xce1\
\xddXCy\x05,Qf\x81Y\xf9\xd6i\xb0\x9b\x01\
U=\x05,\x22\x0c;\xc5\xb1BY\x05*\xcc\xc9\x93\
\xb4!\x03\xb9\x83W\xb5\x82\xf0x\xc7\xbe<\x800\x8c\
\xb0B]'\xd2\x87\xe4\xa1\xae\xa7QVp1p{\
i\xa1\x9cI\x9a\x09\xd9\x0d\x98\xd1!~\xf2\x1a8\xd0\
\x0be\xdb\x86\xb2J\x99#\xed{B\xf6_0\xda\xf0\
\xfa\xeb\xe5!Z\x0e\x91\xf6M\xe4\x99\xc2c=\x90\xe3\
\x8b\x98\xf6\xec\x06DG]\x7f\x92\xa0}0G\x98\xce\
\xe7|C\xdck\x0b\x17j\xaa\x1d>\x8di\xef\x97]\
\xdc\x8c`\x80o\x01\xbe\x09\x06\xf8\x16\xe0\x9b`\x80o\
\x01\xbe)\xbc\x01\xdd\x0b\xa1\xaa\xeeg\x80\xcb('\x80\
}]\xc7\xd7\xf4\x8d\x83\x1e\x05VQ\x96)s\x97Y\
\xf9\xea\x10kKt\xae\xda\xeaz\x0ee\x11\xd8c-\
$\x81w\xc0y\x1a\xf2\x22\xd3\xb7:W\x82\xb1J5\
}\x09\xd4\xb5\x89\xf2\x10?/\x0f0\x02<\xa7\xa6\x97\
,\x93$\x1bP\xd3q\x94I\xcb\xc4[\xa4\x04\xccS\
\xd3\xe3V\x09\xe2\x06L\xe9A\xe0\x9eU\xc2\x1c\x94\x80\
\xfb\xcc\xe8n\x8b\xe0q\x03JL\x03&\xc9\x1c\x18a\
\x9d\x8b\x16\x81\xe3\x06(g-\x129#6\xba\xe2\x06\
\xec\xdc[^\x13]\xd9/DZ\x1c6\xd0\x01\x83\x8c\
\xfe\xbeiN\xc3\xe4\xa2%\xbb\x01Mq)t\xd2\x99\
\xd2h\xbb\xdbf\x0a_\x0a\x07\x03|\x0b\xf0M0\xc0\
\xb7\x00\xdf\x04\x03|\x0b\xf0M0\xc0\xb7\x00\xdf\x04\x03\
|\x0b\xf0M0\xc0\xb7\x00\xdf\xe4\xe9\x0f\xf0\xc5\xa1\xae\
7\xbe\xddYk\x7fP\xac\x19\x105Pn\xa2X\x06\
\xc0R\xfb\x83\xe2\x18\x10\xb5\xc9-\xb4?.\x8a\x01-\
\xa0\x92\xd47\x5c\x04\x03Z\x08\x17\xd2\xfa\x85\xfb\xe9\x14\
\xc8\xce\x9ff\xe9Fz\xb3\xf4\xffh\xc0\xdfv\xf9\x1f\
\xccsK\xbew\x1a\x1c\xbfjv?k\xadxKC\
F{\x1d4i\x0f\xf8\xd4\xeb$=\xe2\xa3E\xd0$\
\x03\x9eZ$rFxf\x116n\xc0\x007\x81u\
\x8bd\x0e|f\x83;\x16\x81\xe3\x06\x5c\x97\x97\xc8\x8e\
\xe8\x0d\xf8\x97\x09\xe6\xe4\x83E\xe0\xe4:\xa0\xc4m\x94\
\x07\x16\x09s\xd0\xa4!\x8f\xac\x82'\x1b0+\x1b\x94\
\x19G\xb8\x8a\xbf\xe5\xf0\x05e\x9c\x86L[&\xe9\xfe\
\x8f\xeb5=\xc6\x06\x93\xc0I`\xaf\xa5\x18 *^\
\x84eZ\xdc\xa0)\xef\xcd\xf3\x05\x02\x81B\xf3\x0b+\
1\x93\x1c\xaa\x82\x8a\xc0\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x02=\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xefIDATx\x9c\xed\
\xd7\xb1k\x13a\x18\xc7\xf1\xef\x93^\xa1\xa2\xe0\xec\x22\
tr\xe8\xe4f\xdb\xcdAP\xb0\x7f\x80\x94\x8aKw\
q\x10\xd2HhI\x88\x1dD\x8a\xe0\xa0\x93S\x87\x0a\
\x9d\xdaN]\x04E\xff\x05+\x0a\xae\x96\xa2\x0e\xb6\x85\
\xe6\x1e\x87\xc6b\x9a\xb7\x92\xde{w\x01\xfb\xfb@ \
\xbcw\xf7\xbc\xbf\xf7\xb9p\xef\x05DDDDDD\
DDDDD\xe4\xac\xb0\xe8\x0a5\x9f\xc2Y\x06\xce\
\x01\xfb\x9dO\x91\x86\x81\x11\xa0\x0d4h\xdaBL\xb1\
\xf8\x06\xcc\xf9w\xe0bt\x9d,\x1cg\x9b\x0b\xbc\xb0\
_YKTr\x88\x11\xdf\xc4\x01\x8ao@\xca]\x9c\
\x83\x1c\xb2\x9c\x96\x03\x0b1w\x1f\xf2\xba{5\x1f\xc5\
\xd9\x00\xaet\x8d;`\xa4\x9doYU\xe8\xcd\xb9C\
\xca\x14-{\x1bQ\xf7\xa8x\xbc\x86}!a\x02x\
\xd35nGsdi\xb4\x01C\x81k?\x932\x9e\
\xc7\xe2!\xaf\x06\x00\xcc\xdb\x0e?\xb9\x01,\x07\xe7\xb1\
S5\xc1\x08es>\x90r\x8d\x96}\xcc\x982\x10\
,O\xcfl\x9f\x84i\x8cV\xcf1\xa7\xd2\xe7|\xe1\
\xc5\xc3*\xc3\x5c\xa7e\xdf\x22S\xf6LV\x8c\xaa\xcf\
b<\xe7\xf0g\xfc7\x07\xd2\x13\xd2X\xa7Q\xc7\xaf\
Xb\x8b\x07\xacX;\xef\x98\xc5naU\xbf\x89\xb1\
\x02\x9c?v$\xd4\x84\xd0\xb3\xc21\xee\xd3\xb0\xa5\xa2\
\x22\x16\xbf\x87?\xf2\xab\xa4\xac\x01\x97\x02G\xff\xdc\xd1\
\xd0\xe2\xf7\x80;4m\xb5\xc8x\xe5\xbc\xc4<\xf4\xcb\
$\xac\x03c}^\xb1\x0d\xdc\xa6i\xef\x0bL\x05\xe4\
\xfd\x10<\xc9\xa2}\xe5\x80I`\xb3\x8f\xb3\xb7h3\
^\xc6\xe2\xa1\xac\x06\x00,\xda\x0f\x12n\x01\xaf\xfeq\
\xd6;\x12&xl\x9f\xca\x8a5\x80\xf7x7j\xd4\
q\xea\xdd\xc3\xbcf\x97\x19\x9e\xdan\x99i\x06\xf7G\
f\xce_\x02\xf78|\xd2?a\x88*\xf3\x16\xde\x1e\
\xff[uO\xa8\xfb\xc8\xa0c\x88\x88\x88\x88\x88\x88\x88\
\x88\x88\x88\x88\x9c\x11\xbf\x01\xb5)l\x86Q0\x85\x87\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\xf2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xa4IDATx\x9c\xed\
\xd0\xb1\x11\x80@\x10\xc3@\x9e\x02\xaf\xd8k\x10R:\
X\x02)sd\x8d\xce\x85\x98\x99\xe7\xbbw\xf7\x08\x8f\
[\x9c\xfe\x89\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00\
-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\
\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\
\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\x02\
\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\xa0\
)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054/T\xb1\x04\
\x80\xb9\xf2\xa8t\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x04\x06\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xb8IDATx\x9c\xed\
\x9b\xcdk\x13A\x18\xc6\x9fI\x02I\x0f\xdd\xe0\xa1x\
\xa8\x16<\xe8\xaa\x17\x0fJ\xd1\xdb\x82\x1fPL\xb7\xa7\
\xe8\xc1\x0a^<+\x1es\xb0X\x90R\x0f\x82\x7f\x81\
U\xbc\xd4=\x14\x86-\x05\xf5\x10J\xf5\xa4\xe0\x07D\
\xb6E\x10\xb1\x14=(\xcc\xa5I\xd1\xbc\x1e\xb2\x95\xed\
d\x13\x93\xec$\xd3\xd8\xfdA\x0e3\xfb\xe6\xddg\x9f\
\xec\xeeL\x86w\x80\x98\x98\x98\xbd\x0ck%\xc8\xb2\xac\
\x94a\x186\x80\xcb\x00N\x01\x18\x06\x90\xee\xa6\xb0\x0e\
\xa8\x00X\x07\xf0\x1a\xc0\xbc\x10\x82\x17\x8b\xc5_\xff\xfa\
\xd2?\x0d\xb0m\xfb<\x11=`\x8c\x1dS \xb2\x97\
\x94\x00\xdc\xe4\x9c?o\x16\x94lr\x8c\x8d\x8f\x8f\x17\
\x18cs\x8c\xb1!\xb5\xdaz\xc2\x10\x80\xab\xa6in\
y\x9e\xf7\xb2QPC\x03\xfc\x8b\xbf\xdb\x15i\xbd\xe5\
\xaci\x9a\x15\xcf\xf3V\xc2\x0e\x86>\x02\xb6m\x9f\x07\
\xf0L\xea\xfe\x09\xe06\x11-f2\x99/\x8e\xe3\xfc\
V,4\x12\xf9|>Y.\x97G\x18c\x17\x01L\
\x03\xd8'\x85\x5c\x08{\x1c\xea\x0c\xb0,+588\
\xf8^z\xe6_\x00\x98\xe4\x9c\x7fS\xaa\xbaK\xd8\xb6\
\xbd\x1f\xc0\x13\x00\xe7\x02\xdd%!\xc4\x09\xf9\xc5\x98\x90\
\xbfl\x18\x86\x1d\xbcx\x22\xfa\x91L&\xaf\xf4\xcb\xc5\
\x03\x80\xafu\x12\xb5\xbbv\x9b\xe3\xfeH\xb6\x83:\x03\
P\x1b\xea\xfe\xc2\x18\x9bZXX\xf8\xaeVb\xf7\xe1\
\x9c\x7f#\xa2)\xa9\xfb\xb2\x1c\x17f\xc0\xa9`\x83\x88\
\x16U\x0a\xeb1\xae\xd4>)\x07\x84\x190\x1cld\
2\x99/*\x15\xf5\x92\x10\xed\x07\xe4\x980\x03v\xcc\
\xf0v\xdb\xdb\xbe\x1dB\xb4\xd7\xcd^\xc3\x0c\xd8S\xc4\
\x06\xe8\x16\xa0\x9b\xd8\x00\xdd\x02t\x13\x1b\xa0[\x80n\
b\x03t\x0b\xd0MJU\x22\x7f\xdd\xf0\x16\x11]c\
\x8c\x1dB\x8b\xeb\x8dm@\x00>\x03x(\x84\xb8\xdf\
\xcaz_+(\xb9\x03r\xb9\xdcH6\x9b]\x060\
\xeb\xff\x95\xce\xa06\xedT\xf9\xc9\x008\x0a`6\x9b\
\xcd.OLL\x1cT\xa1=\xb2\x01\x96e\xa5\x12\x89\
\xc4<\x11\x9dQ!\xa8\x15\x88\xe8\x0c\x11=\xcd\xe7\xf3\
\xcd\xd64[\x22\xb2\x01\x86a\xdc\x00p:j\x9e\x0e\
8]\xa9TnFM\xa2\xe2\x11\xb8\xae \x87\xb6s\
\xab0\xe0\xb0\x82\x1c\x9dr$j\x02\x15\x06\xe8\x1cJ\
#\x8f4{~\x1e\x10\x1b\xa0[\x80nT\x18@\x0a\
rhC\x85\x01\x9f\x14\xe4\xd0vn\x15\x06<R\x90\
\xa3S\xe6\xa2&\x88l@:\x9d\xbe\x07\xe0]\xd4<\
\x1d\xf0\xd6?w$\x22\x1b\xe08\xceV\xb5Z\xcd\x03\
\xf8\x105W\x1b|\xa8V\xab\x97\x1c\xc7\xd9\x8a\x9aH\
\xc9(\xe0\xba\xee\x9a\x10b\x14\xc0\x0c\x80\x0d\x159\x1b\
\xb0\x01`F\x081\xea\xba\xee\x9a\x8a\x84\xca\xd6\x03\x8a\
\xc5b\x19@\x01@all,\xbd\xb9\xb9\xa9t=\
```\x80\x96\x96\x96**s\x02\x0a\x0d\x08\xd2\x0d\
\xa1\xdd\x22\x9e\x08\xe9\x16\xa0\x9b\xd8\x00\xdd\x02t\x13\x1b\
\xa0[\x80nb\x03t\x0b\xd0M\x98\x01;&1*\
\xd6\xdeu\x11\xa2\xbdn\x82\x16f\xc0z\xb0Q.\x97\
GT\x8a\xea%!\xda\xbf\xca1a\x06\xbc\x0e6\xfc\
\xda\xdb~%'\xb5\xdf\xc8\x01a\x06\xccK\xedi\xbf\
\xf6\xb6\xaf\xb0m{?c\xec\x8e\xd4-_[\xbd\x01\
B\x08ND\x1f\x03]\xfb\x00<\xe9'\x13\x02\xc5\xd2\
\xc1\x8a\xf1\x92\x10\x82\xcb\xb1m\x95\xcb\xfb\xb5\xb7\xeen\
.\x97\x07\x90\xf3\x7f\xf9\xce\xca\xe5\xb7\xf9\x8f6L\x00\
@\x81s>\x13v\xa0\xe1\x10\xb7\xba\xba\xbab\x9af\
\x05\xc0\xd9\xae\xc9\xea>\xc4\x18+p\xceg\x1b\x054\
\x1d\xe3=\xcf[1M\xf3\x15jU\xd6\xfd\xb6o\xa8\
\x84\xda&\x8f\xc7\xcd\x82:\xd96w\x12\xb5\xaa\xeb\xdd\
\xb8m\xee+jC]\xcb\xdb\xe6bbb\xf66\x7f\
\x00qC\x1a\xc4A\x82\xf4\x1d\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x00\xca\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00|IDATx\x9c\xed\
\xd7\xb1\x11Aa\x10\x85\xd1\xef)\xc2\xa8K\x0b\x22=\
\x08\xf5\xf0:Q\x93\xd1\x04\xa9\xf1K=\xc6;'\xbc\
\xb3\xc1\xdd\xcd\xb6\x00\x00\x00\x00\x00X\x8fiHN\xf7\
}\xf7\xe6j\xbb|\x9d\x8f\xba6u\xe8<]\x9e\xc3\
\xcd0\xf6\x9f\xcbW\xed\xaa\xf95\x1c\x0f\xb02\xe3\x01\
\xa6\x8e\xd5m\xf9*\x1fw\xad\x8e\xdf.\x01\x00\xfc\x0e\
\xbf\xc00\xf6\x9f\xcb\x97_\xe0=\xbf\x00\x00\x00\x00\x00\
\x00\x00+\xf1\x00;\xcd\x16\x0fT\xa3\xf4\xea\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x00\x82\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x004IDATX\x85\xed\
\xceA\x11\x000\x0c\xc3\xb0\xdch\x17|\x0a\xa2{\xca\
\x00|J.M\x9bi/\x8bw\x02|\x08\x00\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00`\x01\x84v\x05\
1\x15\x00\xaeh\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x00\x8b\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00=IDATX\x85\xed\
\xd3\xa1\x11\x00 \x0c\x04\xc1\x87\xca0\xd4\x92\x9eRK\
f(-($61\xb7\xea\xdd\xa9\x97\x00\x00\xcd\xc6\
\x1b\xee~2s\x15u\xc3\xcc\xb6$\xcd\xa2 \xf0\xc5\
\x0b\x00\x00hw\x01\xc1\x92\x10\x07\x0csTo\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x01,\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xdeIDATx\x9c\xed\
\xd6\xb1M\xc3P\x14\x85\xe1\xff\x11W\x14T\xa1\xcf\x02\
H\x14\xec\x00\x030G\x1a\x06\xb0\xdc\xd0e\x89\xf4\x94\
H0\x06\x1bP!\xa1t\x14Q\x8a\xc4/-z\xcf\
I\xe7\x8b\x84\xff\xaf<\xd7\xc5\xf1il\x90$I\x92\
$I\x92$I\x92&!\x9d?\xe7D\xcb,\xa6\xca\
hz\xba\xd4\x9f:\x0e\x0f\xd0\xe69\x07Vd\x1e\x81\
\xcb\xb1\x9a\x05\xd9\x01\xaf4,\xe9\xd2Wy\xac\x07h\
\xf3\x15{>\x80\xc5\xf8\xddBm\xc8\xdc\xf0\x9c\xbe\x7f\
\x87\x17\xd5c{:\xfe\xdf\xcb\x03\x5c\x93X\x95a=\
\x00\xdc\x07\x94\xf9+\x0fe04\xc0\xa4\x0c\x0d\xf0\x1e\
\xde\x22\xce[\x19\xd4\x034\xb4\xc0g@\x99h\x1b2\
OeX\x0f\xd0\xa5\x1fz\xeeH\xac\x81mD\xb3\x91\
\xed\x80\x17\x1an\xcb/\x00\xf8#$I\x92$I\x92\
$I\x92$M\xc5\x11j\xe3&\x99J3F.\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01\xba\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01lIDATX\x85\xed\
\x971J\x03A\x14\x86\xff7\xa6X\x10\x04\x0d\xf1\x0a\
9\x82\x01\xc5\x0b\xecf\x97-r\x03\xebT\x92\x9ca\
\x05\x0bs\x03I%)\x02\x13\xb6\xd4BP\xe2\x15r\
\x84\x04\x05\xbb\xad\xe6\xb7\xc8n\x18\x8cI\x8a\xccZ\xe8\
\xfe\xd5\xf0f\xd8\xef\x9ba`\xdf\x00\xff=\xf2\xbd\x10\
\x86\xe19\xc9\xbe\x88\xb4\x004\x1cq\x16$\xa7\x22\x92\
h\xad_6\x0a\xb4\xdb\xedk\x11\xb9\xf9I\xccQ\x0c\
\x80\x9e\xd6\xfavM \x08\x82\x0b\xa5\xd43\x80O\x92\
]\xcf\xf3\xd2\xd1h\xf4\xe1\x82\xda\xe9tN\xb2,\xf3\
Ed\x00\xe0\x08\xc0eq\x12\xb5\x95\x89H\x0f\x80\x90\
\xecN&\x93\xa1\x0bp\x91|#\xc3(\x8a\x84\xe4=\
\xc9>\x80\x10\x00\x94%\xd0\x02\x00\xcf\xf3R\x97p;\
J\xa94g\x9d\xadj\xd6|\xc3\xb2-%\xe3\xf1\xf8\
=\x1f\x9e\x16\xb5\xda\x86\xb5\xab\x84a\xc8}\xa0Z\xeb\
\xad\x17Zm\x9b\xfc\x8dT\x02\x95@%P\x09T\x02\
\x95@%\xb0\xb3\x1f\xd8\xf5?\xdf7\xf6\x09,\x80e\
\x03Y\x16,\x8e\xe3z>\x9c\xaf\x09\x90\x9c\x02@\x96\
e~Y\x02\xc6\x18?g\xbd\x155\xbb+N\x00\x04\
\x222\x88\xa2H\x94R\xa9\xd5\xc3\xed\x958\x8e\xeb\xc6\
\x18\x9f\xe4\x1d\x00\x93\xb3\x96\x5c{a\xfe0IP\xde\
\xe5\x5c{\x98\x1c\xd8\xb3\xb3\xd9\xec\xb5\xd9l>\x92l\
\x88\xc81\x80CG\xe09\xc9'\x11\xb9\xd2Z?8\
\xfa\xe6\x1f\xc9\x17\xd9?|\xcb\x17\x83h\xc5\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x03\xc4\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03vIDATx\x9c\xed\
\x9bKhSA\x14\x86\xbfs\x1b\x1f ucq#\
\xe2\xce\xc7V\xc5\xadPlE\xc1\x07E\xc4\x85 \xf8\
@A\x5c(R\xb0\x89\xc6\xd2$\xb4\x08\x0a\x0a>\x8a\
\x82\x0bQtU\x8b\xa8(B\xc1\x8d \x08.D\x10\
\x17\x22\x22X\x10Q|A\x93\x1c\x17\xb7-\x9a;\xd1\
\xc6\xce\xcc\x1d1\xdf\xae\x09\xcc\x7f\xce\x97\x99\x9b\x99\xdc\
[h\xd2\xa4\xc9\xff\x8cX\x1b\xa9G\x8f#\xe4\x00E\
(P\x90^kc;\xc4\x9e\x80\xacV\x80\x08\x00E\
\x89h\xa7 #\xd6\xc6wD\xe4d,AP\x869\
\xaa+,\x8e\xef\x04\x9b\x02\xaa5\x7f\xb7R\xe5.9\
]b1\xc3:6\x05\xa8\xe1\xb56\x94\xfbdu\xa1\
\xc5\x1c\xab\xd8\x14P\x8f\x85\xc0=\xf2\xda\xe6!\xaba\
|\x08\x00XJ\x99;tk\xab\xa7\xbc)\xe3R@\
\xed\x92X\xc9\x0c\x868\xa0\xb3\x1cf6\x8cK\x01U\
\x92\x12\xdai\xe5*y\xcd8\xccm\x08\xd7K )\
A\xe8\xa2\xccyP{{\x90i\xe0\xe3\x1a`\x9a\x09\
\xbb\xc8\xd2\xef!\xfb\x8f\xf8\xb9\x08Jb\x8f\x00\xd0M\
V\xbb\xbd\xe4\xff\x06?\x02\xe2\xcf\xbfbxg\x80\x1e\
\xdd\xed\xa5\x86:\xf8\xfa\x1a\x9c 9\x13\x84\x0b\xe4\xb4\
\xcbs\x1d\x93\xf8\x16\xa0$%D(\xd7\xc8\xe9\x1a\xcf\
\xb5\x8c\x87\xfbG\x0d\xd7\x84\x99(Cdu\x95\xefb\
\xd2\x10\x10\x1f\x97\x933a\x0ep\x9b\x9c.\xf3YJ\
:\x02bL3a\xde\xf8\xe1i\x91\xaf\x22\xd2\x14P\
o&, ><\xcd\xf7QB\xba\x02bt\x5c\xc4\
\xcf,\xa6\xcc\x1d\xf2:\xd7ux\x08\x02&6J\xb5\
\x12\x96Sa\x98\xbc\xcev\x19\x1d\x86\x80\x98jb&\
(\xab\x19\xe3\xba\xcb\xc3SH\x02\xcc3A\xd8H\x99\
\x8b\xe4\xd5I\xada\x09\x88I\xce\x04\xd8A\x99\x13.\
N\x90!\x0a\xa8wx:D\x96#\xb6\xa3\xc2\x14\x10\
S1\xfc\xccZ$\xa7{m\x86\x84,\xc0<\x13\x94\
s\xe4t\x8b\xad\x88\xb0\x05\x98\x0fO\x82r\xc6V@\
\xe8\x02\xeaa\xedk\xf1_\x10\x90\xacQ\xb8dk\xf0\
`~\x9d\xadC\x8b\xe1\xb5\xfd\x14\xe4\xac\xad\x80\x90\x05\
$\x9bW\x8eQ\xb2\xd7<\x84\xba\x04\xd4X\xd7iJ\
\x14lG\x858\x03\x22\xa4\xe6\xb9\x05\xe1\x0a-\x1c\x04\
1\xdd\x80\x9d\x16a\x09PC\xf3p\x8bQv2(\
\xa6\xdd\xe1\xb4\x09g\x09\x98\x9a\x17\x1e\xf2\x95\xad\x0c\xca\
\x98\xab\xd80\x04\x98?\xf9\xa7\x8c\xb1\x81S\xf2\xcde\
t\xfaK n\xbc\xb6\xf9\x97(k\x19\x90\x8f\xae\xe3\
\xd3\x16 \x89+\xbe\xf2\x96*\x1d\xf4\xcb;\x1f\x05\xa4\
\xb9\x04\xc4\x90\xff\x81\x16:\xe9\x97W\xbe\x8aHK\x80\
\xa9\xf9/\xc0z\xfa\xe4\x99\xcfB\xd2\x10`j~\x0c\
\xa1\x8b\xa2<\xf2]\x8c\xefk\x80\xa9yE\xd9NQ\
\xeey\xae\x05\x0c\xc5\xf8\xcfS\xf6Q\x92\x1b\x9e\xeb\x98\
\xc4\xd7\x03\x12`>\xdc\xf4P\x92A/5\xd4\xc1\x8f\
\x80\xaa1\xe7$\xa5\xf4\x1f\x93\xf1!\xc0\xb4\xcb\xbbL\
\x91\xc3.\x0e7\x8d\xe2Z@Dr\x97w\x93\x0c{\
Bh\x1e\xdc\x0a05?B\x86m\xf4J\xd9an\
C\xb8\x14P\xdb\xfc\x132l\xa2W\xbe;\xccl\x18\
__\x83/\xc8\xb0\x8e^\xf9\xe4)o\xca\xb8\xdf\x08\
)o\xa8\xd0AQF\x9dg\xfd\x056g\x80\xe9\xc6\
\xe5{\x22:\x19\x90\xd7\x16s\xac\xe2\xe6_fb>\
\x13\xb1\x8e\x82<\xb7\x98a\x1d{\x02\xf4\x97[X\x8a\
\xb2\x99>ylm|G\xd8\x13\x10QD\xa9\x10?\
\x12\xdbGI\x1eX\x1b\xbbI\x93&M\x1c\xf1\x03\xe0\
\xcb\xd6\x07q\xbd'\xa8\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x01\x01\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xb3IDATx\x9c\xed\
\xda\xc1\x09\x800\x10\x00\xc1(\xd6\x97b\xd3\xa0\xbe\x04\
\xc1\x02Fp\xf7\x97\xd7-\xcb\xfd.\xdb@\xcc9\xcf\
\xe7{\xad\xb5\x09\x8f]\x0c\xfd\x12\x05\xd0\x02\x9a\x02h\
\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\xa0)\x80\x16\
\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\x02\x9a\x02h\x01\
M\x01\xb4\x80\xa6\x00Z@S\x00-\xa0)\x80\x16\xd0\
\x90\x8b\xec\x18\xef\xeb\xb0\xe2\xf7\x1bP\x00-\xa09\xb4\
\xc0M?D\x10\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\
\xa6\x00Z@S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\
\x0a\xa0\x054\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\
\x00Z@S\x00-\xa0)\x80\x16\xd0\x5c\x8ea\x08\x81\
x\x11+V\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x03\xba\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03lIDATx\x9c\xed\
\x9bM\x88\x8da\x14\xc7\x7f\xe7\xce;\x22\xa4\x84\x8d\xb0\
\x12\xd9)Y*b\x90L>\x8a\x95D\x14\x0b1\x85\
i\xe6\xde\xban\xee\xbd3JYH>\xb2\xb1 \xac\
\xa6)_\x83\x85R\xcaB)Y(\xc9\x82D!E\
j\xee\xdccqg4\xefs\xdfP\x9e/\xe6\xfe\x97\
\xe7_\xcf9\xe7\xff\x9c\xe7<\xcf\xf3~@\x0b-\xb4\
0\x91!\xa1\x03\xf8c\x14\xb4\x88R\x00\x04\xa5LU\
\x8e\xd9\x18\xf6\xdf\x10\xa0WW\x02\xf7\x91\x9f\xf1\xd6\xa9\
H\x9b\x8d\xa1\x13\x1b\x838E^\x97\x01\x83\xa4'+\
gkxk\x039A\x8f.\x06n\x01\xd3\x0c\xa6n\
\xcbE\xbc\x02t\xeb|r\x0c\x01\xb32X\xb5\xe5&\
\xce%\xd0\xa3\xb3G\x93\x9f\xe7\xdaU|\x15pT\xa7\
\x93\xe3&\xb0\xc8\x87\xbb\xb8\x04(\xead\xda\x19\x00\x96\
\x19\x8c\xb5\x927\x11\x8f\x00EM\xa8q\x05Xe0\
\x8a\xc5\xa6g\x22\x12\x01T\xa8q\x1e\xd8l\x128L\
\x1eb\x11\xa0\xc0\x09`w\xca\xa6\xee\x93\x87\x18\x04\xe8\
\xd5n\x94#M\xf6\x9c\xfb\xe4\x1bnB\xa2\xa0{\x11\
\xfa3\x98\x11wm/\x8dp\x02\xe4u+\xca\xb9\x0c\
\xc6\xcb\xcc\x8f!\x8c\x00\x05]\x0d\x5c\xc9\xf0_\xc7\xe1\
\x96\x97\x05\xff\x02\xe4u9\xca\x000\xc9`\xbc'\x0f\
\xbe\x05\xe8\xd1%4.7S\x0d&H\xf2\xe0\xf3.\
\x90\xd7\x05\xc0\x1003e\x17\xea\xa3[^\x10\xf8\xa9\
\x80\xa2\xce\x01\xee\x02sS\xf6\xc0\xc9\x83\x0f\x01\xbau\
\x065n\x03\x0b\x0dFC'\x0f\xae\x05\xe8\xd2)$\
\x0c\x02KSvO\xa7\xbc?\x81\xbb\x1eP\xd4\x84a\
\xae\x02+\x0cF\x918\x92\x07W\x15P\xd4\x1c5.\
\x22t\x1aL43?\x06\x07\x02\xa80\xccI`\xa7\
I\x10Y\xf2\xe0B\x80^z\x11\xba2\x98\xe8\x92\x07\
\xdb\x02\xe4u\x1fB9ek\xf4\xf9\x11\xab~,\xc2\
\x9e\x00\x05\xed\x07\xce6\xd9#jxY\xb0'\x80\x1a\
\x0f4`,\xf9\xe0{\xfd\xaf`s\x09D[\xe6\xbf\
\x82\xcd\x0a8\x889\xdb\x1a\xc1\x13\xa7\xdf\xc0^\x80U\
\xb9\x8ep \x83\xb1\xf2\x12\xd3\x15\xec\xcePY\xce\x00\
\xc5\x0c&Z\x11\xec\x97h\x85\xe3(\xa7\xbd\xf8\xb2\x00\
\x07A\x89\xd2\xce!\xe0\xb2I\xb8\xf1\xf7wp\x13P\
I\xea|`\x17p\xc3`$\xb6\xc6\xe8.\x98\x0b2\
L\xc26\xe0a\xca.q\x89\xe06\x90\x92|#a\
#\xf04e\x97x\x96\x83\xfb J\xf2\x99\x84u\xc0\
K\x83\x11\x22\xf8F\xc9\xcf,\x94\xe4\x1d\xc2\x1a\x94\xb7\
M\xfe%\xac\x08\xfe\xca\xb0,\xaf\x80\xb5\xc0\xa7\x94\xbd\
\xd1\x0f\x82\x89\xe0w\x1dV\xe5\x19u6\x00\xdf\x9a\xe2\
\x08T\x09\xfe\x1bQ\x9f<B\xd9\x02\x0c\xa7\xec\x81*\
!L'\xae\xca\x1d`\x07\xcdWe\xef\x22\x84\xdb\x8a\
*r\x0da\x7f\x93\xdd\xf3\x19!\xec^\x5c\x96\xf3@\
>ek\xcc\xbf\xb7\xcbS\xf8\xc3H\x85>\x94SM\
vO\x95\x10^\x80\xc6\xe5\xe90p)m\xf6sZ\
\x8c@\x00\x1a\x97\xa7\x84=(\x83\x06\xe3\x5c\x848\x04\
\x00(I\x8dv\xb6#<0\x18\xa7\x22\xc4#\x00@\
I\xbe\xd3F'\xf0\xc4`\x9cm\x8dq\x09\x00P\x92\
/$\xac\x07^\xf8p\x17\x9f\x00\x00%y\x0ft\x00\
o\x5c\xbb\x8aS\x00\x80\x8a\xbc\xa6N\x07\xf01\x83\xb5\
\xb6$\xe2\x15\x00\xa0O\x9e\x03\xeb\x81\xaf\x063A~\
\x99\x01\xa8\xc8c\x84M\x8c\xbf7\xe8D\xf8ef<\
\xcar\x0f8N\xe3\x13\xda\x11rTB\x87\xd4B\x0b\
-\xfc\x1f\xf8\x01\xb0\x8b\xcd\xab\xb2\x0d9U\x00\x00\x00\
\x00IEND\xaeB`\x82\
\x00\x00\x00\xf2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xa4IDATx\x9c\xed\
\xd0\xb1\x11\x80@\x10\xc3@\x9e\x02\xaf\xd8k\x10R:\
X\x02)sd\x8d\xce\x85\x98\x99\xe7\xbbw\xf7\x08\x8f\
[\x9c\xfe\x89\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00\
-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\
\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\
\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\x02\
\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\xa0\
)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054/T\xb1\x04\
\x80\xb9\xf2\xa8t\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x04\xf5\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x04\xa7IDATX\x85\xe5\
\x97_l\x14U\x14\xc6\x7fgf\xdb\xdd\x84\xa4\x1a\xc3\
C[\x8bE\xa2\xa0TM\x96\xa8\x89\x0f\xf8\x07\x11R\
\xb7;]\x9bl\x0c\xd1HB\x10\x89\x0f>\x98\xa0\xa0\
\xc4\x0dA\xb1\xbe\x98\xa0\x04\xb4ibLx0YS\
\xba\xb3K\xab$\x90\xfa&A)\xc4(4\x12\x04,\
\xb4\xc6\x84\x84\x06\x8c\xcb\xec\xdc\xe3Cg\xebt\xdb.\
\xdd\xea\x1b\xe7e\xee=\xf7\xbb\xdf\xf9f\xee\x9cs\xef\
\x85\xdb\xdd\xa4\x16pgg\xe7\x12cLJD\xd6\x02\
K\x80\x16\xc0\x02.\xab\xea\xa8\x88|g\x8c9T(\
\x14~\xfd_\x05\xa4R\xa9\xc7\x8d1\xdd\xc03\xf3\xe4\
=a\x8c\xd9Q(\x14\x8e\xfe'\x01\xe9t\xfa\x8eb\
\xb1x\x00\xd8\x10\xb8\xc6\x80\xbc1f\xd0\xb2\xac\xf3\x9e\
\xe7\x8d\xc5b1S*\x95\x1aEd\xa9\xaa\xae\xb3,\
\xabSU[\x01Tu@D6\xb9\xae\xfbG\xcd\x02\
\x1c\xc7\xb9OU]\x11y0\x08\x9c\x99\x98\x98\xf8b\
hh\xa8TMt&\x93\xb1N\x9e<\xf9\xa2\x88\xbc\
\x0f,\x03.\x19c\x9cB\xa1pz\xde\x02\x12\x89\xc4\
2\xdb\xb6\x8f\x03\x8b\x81\x9c\xe7y\xaf\x0c\x0e\x0eNT\
\x0b\x5ci\xed\xed\xed\xd1\xba\xba\xba\xfd\xc0&\xe0\x06\xb0\
\xdau\xdd\xe1J\x9c=\xcb\xc4\x86H$r\x14h\x05\
\xf6\xc6\xe3\xf1M\xbd\xbd\xbd\x7f\xd7\x12\x1c\xe0\xdc\xb9s\
\xfe\xc8\xc8H~\xc5\x8a\x15E\xa0\x1dH\xb4\xb5\xb5}\
u\xe6\xcc\x99\xeba\x5c\xa4rb}}\xfd>U]\
\xa9\xaa\xf9U\xabV\xbd\xb9k\xd7.\x13\x1e\x0f2a\
\xb3\x88<\x0f\xdc\x03\x18\xe0\x22p8\x12\x89\xf4\xf6\xf5\
\xf5\x8d\x85\xe0\xea\xbanw2\x99\x5c&\x22\x9bK\xa5\
\xd2A`-\xa0e\xc0\xb4%p\x1c\xe7Q\xe0\x04\xf0\
g4\x1a\xbd?\x9b\xcd^+\x8fe2\x19kxx\
\xf8m\xe0= 6\xc7\x8b\xdf\x10\x91wr\xb9\xdc\xa7\
\xe1 \xe9t\xba\xbeX,\x9e\x06\x1e\x10\x91D.\x97\
\x1b(\x8fY\x15\x04\x1f\x02\xa8\xea\xeeY\x82\x7f\x09\xec\
\xa9\x12\x1c`\x91\xaa\xeeu\x1cg\x7f\xf8\xe5\xb2\xd9\xec\
M\xe0\xdd\x80\xbb;<6%\xa0\xab\xab\xab\x09xV\
U\xaf\xc6b\xb1\xcf\xc3\xac\xa7N\x9d\xda\x09\xbc\x5c%\
p\xa5mu\x1c\xe7\x8d\xb0\xc3u\xddC\xc0Y\xe0\xe1\
\x8e\x8e\x8eGf\x08\xf0</\x09\x88eY\x87\x03\xc5\
\xc0dF\xa8\xea\xce\x1a\x82\x97\xed\x03\xc7q\x9aC}\
\x05\x5c\x00\xcb\xb2^\x98!@D\x9e\x0e\x9a\xdf\x84Y\
l\xdb~\x1d\xa8[\x80\x80E\xc0\xaba\x87\xaa~\x1b\
4\xd7\xcc\x10\xc0dm\xc7\xf7\xfd\xdf*\x88\x12\x0b\x08\
^\xb6\x8ep\xc7\xb6\xed\xf3A\xb3e6\x01-\x00\x91\
H$\x9cF\xc2d5[\xa8\xb5\x86;\xc5b\xb1\xcc\
}w\xc0=#\x0b\xa6Y&\x93\x91[a\xaa\x99\xaa\
\xce(t\x15\xdc\xd3\xc8/\x03\xf8\xbe\xdfXv\x04E\
\xe8\xe2B\x05\x88\xc8\xa5\x8a~\x99\xfbJ\xb9\xc0\x85\x05\
\xfc\x1e<\xef\xad\x984\xc0\x02\xadrn$\x12)/\
\xe7h\xd9\x17\xce\x82\xa1\xe0\xb9\xbe\x82\xe73&\xcbm\
\xadv\xd3\x18\xd3\x1bv\xa8\xea\xba\xe0yl\x86\x00U\
\xcd\x07\xcd\xc4\x96-[\xa6\xd2.\x97\xcb\xfd\x02|\xb2\
\x00\x01{\xf2\xf9|8\xa3DD\x1c\x00\xdb\xb6\x0f\xcd\
\x10\xe0\xba\xee\x15\xe0\x18\xb0x|||s\x98\xa9\xb1\
\xb1\xf1-U\xade)\xb2\xf1x|w\xd8\xe18N\
\x12X\x09\xfc\xdc\xdf\xdf?u6\x98\xf6\x87\xab\xea\xf6\
\xa0\x99iooo(\xfb{zz\xbc\xa6\xa6\xa6\x14\
\xb0\x97\xea\xcbQ\x12\x91=\xd1htCx\x17M\xa7\
\xd3\xf5\x04\xfb\x8c\x88\xec`\xae\xdd0Pz\x10x\x09\
\xc8\xc5\xe3\xf1\xae\xca\xed8\x91H<d\xdb\xf6V\xa0\
\xbc\x1d+\x93\x99R\x00\x0e\xb8\xae;RA)\xc9d\
\xf2\x80\x88\xbc\xa6\xaaC\xf9|~MU\x01\xc19\xf0\
{\xe0\x01\xe0\xe3x<\xbe\xadRD\x08k\x03d\xb3\
Y\x7f\x8e/\x22\x8e\xe3l\x03>\x02\xae\x00\x8f\x05K\
\xfd/`\xb6Y\xc1y\xf0\xb8\x88\xdc\x05\xf4E\xa3\xd1\
\x8d\xd9l\xf6\xfal\xd8\xb9,8\x03\xeccr?\xf8\
\x0bx\xcau\xdd\x1f*q\xb3V\xaa\x91\x91\x91\xabm\
mm\xfdA\xda\xac\xf6}\x7f\xe3\xf2\xe5\xcb\xaf57\
7\xfft\xe1\xc2\x85\xaa)\x99\xc9d\xac\x86\x86\x86\xb4\
\xef\xfb_\x03\xcf\x01\xa3\xc6\x98u\xf9|\xfe\xc7\xd9\xf0\
U\x8f\xe5\xa9T\xeaNcL\x0f\x90\x0e\x5c\xa3@^\
D\x06\x8d1\xe7c\xb1\xd8\x98\xe7y\xa6T*5\xda\
\xb6\xddj\x8cY/\x22\x9d\x04\xfb\x87\x88\x1c\xf1<o\
\xe3\xc0\xc0\xc0\xf8\x5c1\xe6u1\xe9\xe8\xe8x\xc2\xb2\
\xacn\xe0\xc9\xf9\xe0\x81ac\xcc\xf6B\xa1p\xe4V\
\xc0\x9a\xaef\xa9Tj\xa9\xef\xfbSW3Um\x11\
\x11\x9b\xc9/3\x0a\x94\xaffgk\xe1\xbd\xbd\xed\x1f\
\x99\xb0\xe0\x22\xd2Wi\x22\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x00\xc8\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00zIDATX\x85\xed\
\xd2\xb1\x0d\x830\x14\x84\xe1\xdf/;D\xca6\x1e\xc1\
\x1b\xa4\xa0\xc9H\x14\xa93\x80+Jo\x83\xc4\x0e<\
\xa8L\x01R:\xec\xe6\xbe\xee\xac'\xdd\x15\x06\x11\x11\
\x91\xce\xc29\xc7\x18\x1fw\x16\x96RV`\xbb\x0cH\
)Ew\xff\x01\xaf;\x07\x00\x0b\xf0\xce9O\x00V\
_\xdd}lP\x0e\xf0\x04\xbe5\xd8\x9f\xc3&\x8e\x01\
f\xf6\x01\xe6\x06\x9dK\x08a\xa8\xa1\xfb'\x14\x11\x11\
\xe9n\x07C>\x1a\x0c\xecd\x01\x9a\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x01s\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01%IDATX\x85\xed\
\x97AJ\xc3@\x14@\xdf\x0fY\xbb\xb0\xe8UZP\
\xbc@\xbd\x82\x1e\xc1\x95(\xe9,\xc4\x85\x96\x08.\xec\
Q\x0a\xb9\x80 \xb4WiQp/\xf3]$i\x06\
;&\x8bL\xdc8o5\xfc!\xf3\x1f\x7f\x06\xf2?\
\xfcwd/\x92\xe9\x09\x09\xb7\xc0\x048\x0a\x94g\x0b\
\xac\xb0\xe4\xcc\xe5\xedw\x01\xa3\xd7\xc0\x93W,\x0c\x16\
\xe5\x86Gy\xde\x170z\x0a\xbc\x02\x9f\xc0\x15)\x05\
\xf7\xf2\x11$\xed\x9d\x1e\xf2\xc5\x14X\x00\x07X\xce~\
V\x02\x8c.1\xaa\x18\xbd\x08\x92\xd4\xc7L/\xab\x1c\
\xcb:\x948\xdb\x13\x00R\x8a\xc1\x04tw\xf6\xd8'\
P>\xb8Pe\xf71\x97\xf7ju\x5c\x87\xd2\xce\x8f\
\x8cj\xaf\xa4\x0f\xd2\xfa\xa0\x93\xb6\xcd\xbf \x0aD\x81\
(\x10\x05\xa2@\x14\x88\x02\xdd\xfd@\xc7\xff\xbc/n\
\x05\xb6@\xd9@\x0eE\xa6\xa3j\xb5\xf1\x09\xac\x00\xaa\
\xeeu\x18dw\xf6\xba\x0e5W`\xc9I8\x07\x16\
\xccTP\x0a\xa7\x87\xebG\xa6#\x84)\xc2\x0b`\xb1\
\xe4\x8d\x93K9\x98\xe4\x0c\xf78[\x06\x93\xc6\xb6\x1e\
\xcd\xc68\xddkO6\xc0\xda7\x9aE\xbe\x012D\
P\xafj9\xd5n\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x00\xbf\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00qIDATx\x9c\xed\
\xd0\xb1\x0d\xc2@\x10\x04\xc0=\x8a@T\xf5\x01-\x10\
\xb9\x22\xd7\xf1\x095Y4aRd}\xca#\xe1\x99\
pu\xc1\xde&\x00\x00\x00\x00\x00\x00\xc0\x19\xd41h\
\xad\xdd\x93\xacI\xae\xf3\xeb|\xd5VU\x8f\xde\xfb\xf3\
3\xbc\x0c\x0e\xff\xf1\xf9$\xb9\xed\xfb\xbe\x1e\xc3\xd1\x00\
\xa72\x1a`I\xf2\x9a]d\x82\xad\xaa\x96_\x97\x00\
\x00\x00\x00\x00\x00\x00\x00\xe6{\x03\xf2\xdd\x0d\x08qR\
\xc1\xde\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x84\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x006IDATX\x85\xed\
\xcd\xa1\x11\x00 \x0c\xc0\xc0\x94\xc90L\x85f+\xee\
\x18\x0d\x1c\x0e[C^\xc5\x05$I\xfa]\xdc\xea{\
\x015\xe9;\x19\xd1\x00J\xd2P\x92$\xe9\xe9\x00\x9e\
A\x04\x04\xeb\x07\x14\x09\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x04\x15\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xc7IDATX\x85\xe5\
\xd7_\x88TU\x1c\x07\xf0\xcf\x99\xd9\xb5@\xd8\x22$\
\xac\xdc\xb4E\xcb\xa4z*\xa1\x87\xfe\x99$d\xfe)\
\x92\x90\x22A\xb4$\xa8\x87\xc0\xdc\xdd\xd9\x1a\x86\x9d\x1d\
\xd7\x97\xc0\x12-\x11B\xf0MhI\xd3J(\xf4\xa9\
\xc2H|(\xac\xc0\xd0v\xddB\x08\x8a\xecaw\xdc\
\xd3\xc3\xdc\x9d\xdd\xbb\xb3;\xbb\xb3\xf6\xe6\xef\xe5\xde\xfb\
\xfb\xfd\xce\xef\xfb\xbd\xf7\xdcs~\xdf\xc3\xf5n\xa1\xa1\
\xec\x5cl\x15\xac7b\xa5\xa0\x15\x0b\x90\xc1\x00\xfaq\
J\xd0\xa7\x18~\xf9\x7f\x09\xe4\xe2r\xf4\xe2\x89\x19\xe5\
G\xa7\xd1\xa1\x14\xbe\xbc6\x02;\xe2M\x9a\xec\xc3\xc6\
\xc43\x88\xa3\x82\xcf\x8c8/\x1a\xc4\x88&\xf3]\xb5\
H\xf0\x14\xd6aa\x92\x7f\x5c\xb4Y)\xfc\xd18\x81\
\xf6\xb8X\xd6\x11\xdc\x8bAA^\xd6G\x0a\xa1\x5c\x97\
t>f\x94\xbd\x80\x22\xda\x04\x17\x05ku\x87\xb33\
'\xd0\x1e\xdbd}\x8by\xf8D\x93\x97\x15\xc2\xdfu\
\x81'\xda\xeb\xf1\x06-\xf6b3\xae\xc8xDw8\
3=\x81|lQ\xf65\x96\x89vk\xf6\xa6B\x18\
i\x08\xbcj1\xe8\xd4.(\x89\xfa\xb1\x5c)\x0c\x8e\
\xcfh\xaa\x19S\xb6\x07\xcbptR\xf0\x5cl\xc5\x16\
<\x8d;1\x22\xba\x80c8\x90\x06\x08Q)\xf6\xca\
i\x13l\xc1!\xe2JB\x9c\xfc\x0b\xe4\xe2\x838\x8d\
\xcb\xca\x96\xd8\x15\xfe\xaa\xc6\xf21c\xd8\x0e\xc1;\xb8\
q\x8aW\xbe\x82N=\xde\x1f\x0f\x22\x1f\xe7(;\x8b\
\xa5\x82\xd5\x8a\xe1\xf8h(3\xa1\xc0\xce\x84Vw\x0d\
\xf8U\x07\x05\xa5:\xe00\x17\xbb\xe5\xec%\x8e\xbd\x5c\
!\x0c\x09r \xea\x1d\x1f\x1b#\xd0\x19o\xc3\x93\xf8\
S\xd6\x87\xa9\xb2e]\xa2\x97\xea\x00O\xb4m\xba\xbc\
\x91\xf2\x14\xf5\xe1\x1c\xee\xf7\xb6\x07j\x09\xb0FeJ\
\x8e)\x84\xa1\xaa\xb7=\xb6\xa1\xab\x01\xf0\x8aE=\xf2\
\xf1\xf61G\x888\x92\xc4\x9e\xad%\x10<\x9e\x04?\
O\x15j\xf2\x1a\x9a\x1b&\xc0\x5c\xc3\xb6\xa6<\xc1\x17\
\xc9\xdd\x8aZ\x02\xb4&\x04~M\x0d\x8aV\xcf\x02|\
\x14\xf0\x99\xd4s\xd9\xf9\xa4\xe6\x82\xc9\x08,H\x82\xe3\
\x96Q\x0ch\x9b5\x81\xb1-\xb9bW\xaa\xb5\xef\x18\
\xfd\x11'\xae\x82\xb4\xe5\x85is\xea[v\x9a\xda\xa9\
\x7f` \x192\xbf\xea\xablB\x17\xae\x81\xc0\xc5\xd4\
SK\xb5\xf6\xa5\xd1\x0dn\xfc\xdb\xfd\x96\x5c\xefJ\x0d\
\x8a\x8e\x9b\xbd\xa5\xc7\xc6\xeat\xf6\x8f\xba\xc6\x138\x99\
\x5cWM\x18\xf4\x01f\xd3\x0b\x86\x04\x07R\x9eJ\xbb\
\x86\xafj\x09d\x1dM\xeeV{%\x8e-\xbb\x9d\xe1\
G\xbc\xd70|TR\x0c\xe3VT\x0cX\x9b\xc4\xfa\
j\x09\x14\xc2\xa5\x84\xd9<\xb7\xda\x92*v\xd9[&\
~\xce\xfavX\xb3\xee\x94\xa7\xcb\x1a\x95&\xf7\x83\x92\
\xaa6H\xff\xe1\x19\xed\x09\xc3\xbc|l\xa9\xfa\xf7\x87\
a\x97\xad\x17\xedV\x7f:\xca(\xf9\xd9\xc6T\x17\xcd\
\xc79b\xd2g\xe8\x98\xba\x1bB.\x1e\xc2\x8b*B\
\xe4\xb9\x9av\xdc\x19\xef\xc36\xa1\xda\x8e#.\x88>\
\x95\xb1O1\xfc\x94.\x18\x83N\xfb\x04\xaf\xe2\xa4\x1e\
+\xea\x13\xa8\xe8\xc0o\xb0\x14\xefj\xb2}JA\xb2\
!V\xd6\xf9\xe1pu\xd2\xb8\x18\xe4l\xc7.\xd1%\
\xcd\x1eJ\xa6\xbajSI\xb2\xc5\x89$\xbbE\xf4\xb1\
f\x9b\x14\xc2?\x93\x83La\x15\x0d\xb0\x07[\xf1/\
\x1e\xd3\x13\xbe\x9b\x986\xb5(\xed\x88w\xcb8\x82{\
0\x90\x88\xd2\x833\x12\xa5\xc3\x9e\x17\x14\xb1$\x91b\
\xeb\x94\xc2\xf7\x93\xa5\xd7\x97\xe5\xf9x\xb3\xb2\xfd\xd8\x00\
I\xb1\x8a,\xcf8/\x93\xc8\xf2!\xf3\x05\x0b\xb1J\
\xb0\xceX\xff8\xa1\xc9&\x85\xf0\xfbT\x103;\x98\
t\xc4\x87e\xf4\xe2\xd1\x19\xe5sF\xd0\xae\x18NL\
\x97\xd8\xd8\xd1\xac=.\x92\xb5\x1e+\xa9\x1e\xcd\xb2*\
[k\xbf\xe8\x94\xa8\xcf\xcep\xae\xa1\xba\xd7\xb5\xfd\x07\
\xfe\xfd'\x1a\x9du\xd5\x07\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x00\xf1\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xa3IDATx\x9c\xed\
\xd0\xa1\x11\xc00\x10\xc4\xc0|\xda\x0ev\xdd6v\x05\
\x1b \xb1C\xa7\xd1<\x8ao\xefk\xaf\x19\xa1\xf1\x8a\
\xd3?Q\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\
\x054\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z\
@S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x05\
4\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@\
S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\
\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xe6\x00\xa2\xf1\x03\x80\
p\xd6\x18s\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x02\xe3\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\x95IDATx\x9c\xed\
\x9a?n\x13A\x14\x87\xbf\xe7\x10%\x15]\xee\xe0;\
\xd0X\xa2\xb2d\xafi@\x09\x09\xd0-\x14\x1c\x81\x96\
\x1b\x80\x04%\x7f\x82\xc3\x1f\x09\xed\xcc\x198\x01\x9d+\
\x1f\x01!9\x15xhR\x98\xc9\xda\xce\xaegfg\
\xd6~\xe5\xfa\xed\xcf\xfb}\x1a\x8ff\x9f\x0c\xbb\xda\xd5\
\xae\xb6\xb9\xa4\xe9\x07\xf0]\x83\xc1\xe0^\xa7\xd3y\x09\
\xfc\x12\x91gEQ\xfc\x5c\xfc\xfcVC\xcf\x15\xa4\xb2\
,;\x06\xce\x81\x0e\x801\xe6\x0dpg\xb1\xa7\xd3\xc0\
s\x05)\x1b\x1e@Dn\xdb}\xad\x14P\x06\x0f\xfc\
\x9d\xcf\xe7/\xec\xde\xd6\x09X\x06\x0f\x9ch\xad\x0b\xbb\
\xbfU\x9b\xe0*x\xa5\xd4\xd7\xb2{Z#\xa0\x0e<\
\xb4D@]xh\x81\x80M\xe0!q\x01\x9b\xc2C\
\xc2\x02\x5c\xc0C\xa2\x02\x5c\xc1C\x82\x02\x5c\xc2Cb\
\x02\x5c\xc3CB\x02|\xc0C\x22\x02|\xc1C\x02\x02\
|\xc2C\xe4\x02|\xc3C\xc4\x02B\xc0C\xa4\x02B\
\xc1C\x84\x02\x5c\xc3gYv\x1fx\x0d \x22O\x8b\
\xa2\xf8\xbe\xf8yT\x03\x11\x0f\xf0\xc7\xc0\x05p\x04\x1c\
\x19c\xde\xda=\xd1\x08\xf0\x04o\xe7]\xab(\x04\x04\
\x82\x9f\x1bc\x9e\xdb\xbd\x8d\x0b\x08\x05\x0f<\xd6Z\x7f\
\xb1\xfb\x1b\xdd\x04C\xc2+\xa5\xce\xcb\xeeiL@\x0c\
\xf0\xd0\x90\x80X\xe0\xa1\x01\x011\xc1C`\x01\xb1\xc1\
C@\x011\xc2\x03\xecU\xfd\xe2:\x15\x0a^D\x1e\
)\xa5>U\xc9\xf2\xbe\x02B\xc2\x17EQ\x09\x1e<\
\x0b\x88\x1d\x1e<\x0aH\x01\x1e<\x09H\x05\x1e<\x08\
H\x09\x1e\x1c\x0bH\x0d\x1e\x1c\x0aH\x11\x1e\x1c\x09H\
\x15\x1e\x1c\x08\x088\xcc8\xd3Z\x8f\xab\xe6\x0d\x87\xc3\
\x07\x22\xf2\x0a<\xcc\x04c\x87\xcf\xb2\xecLD\xc6\xf8\
\x98\x09\xa6\x00\x0f\xbcc\x0dc-\x01\x09\xc0\x9fr\x1d\
\xde\xcdL0\x11\xf8\xf7v\x1e.f\x82)\xc3/{\
E\xbe\xf1\xebp\xec\xf0\xa3\xd1\xe8!\xf0\xc1\xce[\xf7\
\x8a|\xa3\x15\x90\x02\xbc1\xa6\x14~\xdd\xb9a\xed\x0a\
\x088\xc99\xd5Z_T\xcd\xdb\x04\x1e\xd6\xac\x80\x90\
\xf0J\xa9\xe0\xf0\xb0B@\xec\xf0\xc3\xe1\xf0DD>\
\xdayU\x7fF\xa5\x02\xb6\x05\x1eJ\x04\x5c\x9d\x9d\xc7\
8\x82_\x92\xb7\x09|i^\xdd\x0d\xf4\xbfM0\xcf\
\xf3\xfd\xd9l\xf6\x038\x5c\xb8\x5c\x1b~I^m\xf8\
Uyu6P\xb0N\x82\x93\xc9d\x0f8X\xb8\xb4\
\xd1\xdfRJ\xf2j\xc3\xfb\xc8\x03k\x05L\xa7\xd3?\
\xddn\xf77p\x17\xb8\xbc:D|\xab\x1bn\xe7\x19\
c\x9eh\xad?\xc7\x92\xb7\xb4\xfa\xfd\xfeA\x9e\xe7\xfb\
\xb1\xe6\xf5z\xbdC\x97y\xbb\xda\xd5\x16\xd7?\x88y\
\xc5\xb9\x15\x9a\xe2\xb9\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x0c\xd6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x0c\x88IDATx\x9c\xe5\
\x9b[o[\xc7\x11\x80\xbf%E\x8a\x94(\x89\x92\xad\
\xbbd\xc9N\x9a\xc2A\xe0&E\xd1\xa0H\x0a\xf4\xa9\
}\xe9{\x81\x16\xfd\xa3}*P\xb4\x0fA\x906N\
R i\x92\xc6\x96l\xc97]HI\xa4.\xe4\xf4\
a\xf6\x1c\xee\xd93\x87\xa4\xe4\xf4\xc9\x03\x10$w\xf7\
\xcc\xce\xcc\xee\xcem\xe7\x00\xb2\x05\xe2x\xe3@\x9c\xf2\
\x9e\xfex\x93\x84\x90\xe3\xf9M\x12B\x96W\x97\xed\xe0\
\x0e\xf0\x18\x9c\x14<\xdc\x00n\x19\x1d%`2\x8b/\
m\xaf\x0d\xa1f\x12\x10\xe0b\xc8\x98s\xa0g\xb4w\
\x81\xbe\xd1\xfe\x12\xdc\xa9\x8d*\xcf\xa3\x1b5\x00d\x1b\
\xb8\xed\x09=\x01^\xf8\x89\xa7\x809\xdf.\xc0Y\xd0\
>\xeb\xdb\xfa\xbe\x1d\x8f\xa3\x0a4\x81\x8a\xef?\xf74\
T\xfd\xf7%p\x04\x97\xa7P9\xf2mS\xa8 \x9d\
\x9f\xff\xc4\xff\x9f\xf2m\x0eh\x01\xa7\xbe})\xe8{\
\x01\xeeq1o\x85R\x92-\x90\x09\x90\x8f@V\x8d\
1k \x0bF\xfb\x06\xc8\xbc\xff=\x05r\x0f\xe4\xae\
\xff\xcc\x80\xdc\x01\x19\xb2#\xa4\xee\xc7,\xa8\xe0\xe5\xae\
\xc71\xe1\xfb\xe7@6\xf3GU\x9a\x05\xed\x1b \xbf\
\x06)_\xf3\x88\xcb\x04\xc8\x9f\xf5\xc1\x5c\xdf6H\xc5\
h\x7f\xdb?\xb7\xe2'[\x8e\xf0\xdd\x1bsr<\xe3\
%\xff\xdbyF\xb6\xa0uK\xdb\xe5-\x83\xd92\xc8\
O\x8c\xf6\x09\x90?\xda\xbc\x14\x13\xf0\x91\x7f0\x92\x9a\
\xac\x170\x7f\xc7\x7f\xb6\xed\x15\x96\xedkLN`\xa2\
\xe2\xf6Y\x15N{I\xe7\xcb\xf5\x97\xb3\xcf\xa5\xbb\xb9\
\x02\xf2\xabq'\xdf\x1el\xfbPc\xca\x14\xc8mc\
\xfc*\xc8\x07\xba}M|\xf3^y^\x13dV\xb7\
\xbc\xd97\x07\xf2\x00d\xd1\xe8k\xfag#\xcb&\x9b\
\xfa\xc9\x82q&\xe4\x17\xe0>\x0d\xfe'\xca\xa3\x07\xec\
\x01!\xa3\xabpy\x0b*_\x0e\xe1d\x0dxZ\xd0\
\x97\xda\xe1\x1b<\x0b\xf0\x00\xbaO\xa0\xf6*h\xeb(\
]\x94\xc9)\xbc\x987\x980\x90\xc6\xc44P\xe6\x1f\
\xa0Z\xbd\xed\xc7l\x01/T\xa1\x0f\x05\xf1\xc4,\xf9\
\xff\x89\xe9J4x\xd8F\xd0\xf6\xc2\xa0%\x86\x17 \
\x822\xbc\xe7\x9f]\x02~\x06|\x0e\xcc\xa0\x16\x22\x81\
\x9c\xd9\x8c\x04 \x0d\xd4\xcc$\xff7\x806\xb8]?\
Q\x055]\x9b\xc0\xd7\xe0\xae\xf4|\xb9\x13r \xce\
\x8f\x9bB}\x81oG\x98\x9f\xf8\xd9E`\x1a5\xa9\
{\xf6\xb3\xd2\x86\xfa\x0b\xd4\x9fX\x01~\x00\x16\x80\xcf\
\x80\xe7\x80\xb7<\xec\xf8\xe7{\xaa\xdb\xdcU\xd1\xc4[\
\x03\xf3&[Y\xcd)\x1b^\x0f|\x1c)F\xcbL\
.\xa1\xa6rF?7\x05Y\xf5\xcax=kU\xd2\
\xfe\x99\x81~\x91\x09\x90\xdfx+\x11\xb6\x07\x8aQ\xee\
\xaa\x8e\x18@\xc9\x98\xb5\xaf\x13\xb2\x0b\xae\x17\x8d]\x03\
\xfe\x0e\xdc\x09\x84\x10\xac\xccaS\x19\xe7\x10\xdcS\xdf\
7\xe6\xaa\x9b\xe0\x9fuO\x80\x03\xc5}\xd8\xcc\xf7\x8b\
\x03\xd6\x81\xbf\x01\xf7\xb2s\xba\x9e\xf2\x22\xeb\x18G\xc0\
\x12\xc0\x14p\x161\x0fz\xe6\xbf\xf3[\xe91Y!\
\xa0\x1a\xb9\xd9W\xc6\xdd\xe5\xf8<\x8e\x0b\xeeRq7\
\xfb\xd1n\x08=\xbc\x1e\xf0\x04=z\xe1\x90\x1e\xea)\
N\xc7X-%8\xe7W/\x00\xd9F\x95L)0\
w\x07\xc0}\xe0\xd2\x9b\xabW\xe8\xee\x09M\x9e\x9f\xd0\
\xdc\x04%\xe8\xfa\xe3V;\xc4\xf6\xf7\xa7\x81.Hx\
f\xfb:V\xee\x03G\xe8\xca\x7f\xadc\x05\xa0\x03\x9d\
\x13\xa8/\x92\xd1g\xee\x08\xe4\xa7\xf1\x04cX\x01y\
\x0b.*P\x9dF\x15\xd3)\x83\xad\xbd\x0b\xfc\x0e\xf8\
K\x01\x03\x01t\xe6\xa1\x9e\x04?>N\xa8\x1d\xf9\xce\
y\xd4R\xf8\x1d\xd59\x87\xfa\xe1\x10d]\xd4<\xfe\
\x06\xf8$\xa0\xd9+\xcfz\x0d\xb8\x0dr\x1e-fn\
%b\x01\xc4\xd1\xe1]`\x1a&\x1f\xaa\x12t\xfb\xd9\
\xe1\xb2\x0e\xfc\x03\x0dp\x8c C\x80\xeem\xa8M@\
\xfd%\xb8N\x01CG\xd9\xbfR\x07\x16\xe0\xa2\x06\xd5\
\x93\xbc\xd6N}\x93\xbf\x02k\xe0\xf6\x82\xce6\xc8\x09\
\xbac\xdf\xf6\x9ekB[\x9f\xe8\xd8\xc7:\xa0\x0a\x9c\
\xfb\x09\xee\xa1\xab\xf2\x85M\xb3,\xa1\xdb\xbe\x87\xad\x13\
\xa6\x81U\xa8\xb5U\x89\x152o\x80\xeb\xe83\xd5\xb6\
2\x18\x1e\xab0\xaa\xa3\x87\xfa\x02+\x05\x88\xbe\xf1c\
\xee\xf9\xe7:d\x1d\xb9\x22+\xc0\x06\xf0\x0c\xf5\x01\x8c\
\x03|\xd8\x04\xba\xe0\xba\x9e\xe0H1\x1e\xcdC\xbb\x86\
\xae\xc2\xf9X<\xdbp\x01<\x85\xf6$\x1c/`\x87\
\xb4]\xe0L\xe7\x8c\xc1\x9d\xa1\x8b\xfa\x83\xe7)\xc7\x8b\
%\x80\x06\xea=-\xe6\xb7|\x02\xcd)p\xadl[\
\x22\x84\xcb\xf7a\xae\x07\xb3\xaf\xccGo\x04\xb3\xaf`\
\xf6Rq[G\xcd\xb5`\xae \x16a\x075\xdf-\
\xd4\xc2e\xc0\x12\xc04\xaa=\x0b\x94\x9a,\xa3n\xaa\
\x01\xc7M\xa8|\x0f\xcc3~\xec=\x06\x88\x03\x16\xa0\
\xf2\x9d\xcea\xc2s\xdbYr\x97@\x19\xdc1\xba\xb8\
\x19\xb0\x04 \xa8i\xd9) d\xc2\xb6\xf32\x05\xa5\
d\x22\x7f\x1c\xac`\xeb\xda\x10n\xfb\x16\x94J^\xbf\
\xc4\xc3\xae\x946\xb1x:\xd4#4\xda\x0a\x94\x07\x83\
L\xbf}\x13\xd5\xb2\xe1*\xcc\x82t\x81\x15\x98\xd9\x0f\
\xfaZ\xc0\xbb\xc0\x13\xd2\x8cN\x06\x92\xd4\x19\xa8Oa\
\xe5\x05\xe7\xd0@\xe7\x07\xfd-\xa0;s\x03\xe4\x19\x03\
?#\xc1\x7f\xa6}\x1cd\xd1\xb8c\xef\x0e'\x81Y\
\x0a1a5rIH\x99G\x83\x8deOd\x84\x9c\
\x1etf\xa1~\x00\xc4A\xc6#O\xd0\xd7\xc1\xe4+\
@\x1f:gP\xdf\x05\x1ctoA-\xc9/>\xf3\
\xdf\xce\xcf\xf9\x05\x9a+\x0c\xe1\x15tf\xa0\x9e\x08-\
\x9c\xb7\x89*\xbe\xbe\xee\x86TW%y\xcbL\xc2\xc6\
Z\x99E\xe0K\x90\xaa'\xe0%\xb8C4\xd3s\x96\
\x8f\xfc\xa4\x01\xf52\xb8\xe7yT\x82g~\x018F\
W\xec\x1bcw\xb5\xfd\xf82\xba\xe2\x07\x9e\x8e\xffh\
_.z;\xf1\xa6\xcfg\x7fC\x9ad\x1f\x15\x98\x17\
\x9al\x02O\xe0\xa4\x03\x8d)\xb2\xe1\xb1\xa9\x03J\xa8\
\x04o\x83\xdb\x09\xec\xf7-l\xe57\x0dG\x05ih\
\xa5\x00\xcd\xf4n\x01O\x87\x87\xc4\xa9/\x7f\x1f\x0dg\
\x87\x05R'\x18\xbe\xbd_\x08\x9f\xb9r'\xa8\xb7\xba\
\x01\x8d\x03\xf4He\xa0H\x09.\xe5\xe3\x01( \xbe\
\x01\xf3GF{\x02e%\xb4\xf2\x90\x9c\xb3\x94\x9b:\
Qx\x9fa\xdf?\x84\xb4\x14\x08 7N|j|\
\xcd\xea\xb5\x04\xb0\x00X\xf6\xdf\xba\x84\x18\x07V\x18$\
4\x0c\x8f1\x81\x9c\x93\xf3\x12.\x8c\xd4{\x06\x8a\x84\
i\xd1\xfa\x0aC`\x05G\xe0Z\xe1\xec(\xc1\xf4\x07\
;\xa70\x946<<\xd7\x85\xea\xa8|\xdb5r\x0d\
\xee\x0cU\xe6\x19\x88\x050AqTw\x13\x9b^\x83\
nd\xdeb!\x0c\xbd\xb1\xb9\xa9\x1fQ\xf4\x5c\xae=\
\xb6\x02\xcbpei\xf3\xc0?\xc8\xb4\x97\xec\xf6\x14\x9a\
P{f\xd0! \x8f\xd1$\x0b\xc0\xa3\x02\xfd2b\
\x85\xbb}\x8d4s\xd0\xc3\xce\xd6\x8e\x8a\x05z\x15\x98\
\xb8\xce\xf6O\xecu\x11\xf4G\xf4\xbf&\xd4\x1c\xc5G\
p\xacy#\x01\x94\x9f\xa1\xf67\xc6\xd5\xb3\x11\x8e\xcc\
\xf2\x1e\x90\x9a\xa4\x10\xd2m\xff\xc8\x7fFX\x87B(\
\x12@\x19\xdb\xb3\xcc\xcd\x11\xeb\x80.Q\xbc\x1c@\x11\
\xb3\xc3\x08\xbf\xca\xcf\x11\x9f\xf9Q\xd6a(\x14\x8d\x1f\
[9\xc6\x02Hr\xe79my\x03\x22\x12\xe8\x93\xde\
'\x16)<K\x082C\xea\xe9\xddx\xee\x00\xc4\xe7\
\x17\xb3`\x99\xc1#\x06\xb78?\x06<\x07VFh\
{\x22!\x94P\xaf\xcd\xb8p\xc9\xc0\x98\xbeI\x12N\
\xe7\x05j\x09\xc0\x01\xfb\xe4/\x12\x8b\xa4}\x00mC\
od\xe0%\xf0!#\x8b\x13\x9c\xa0a\xf8G\x0c\xbf\
\x13\xc4g\x80\x8e\x8b\x10\x0d~\x8aC\xad\xcd.c\xe8\
\x00\x00\xf1\x8e\xd0S\x15Bz\xb3s\x80y\x1b\xcb%\
4\xaaC(M\xee\xeb\xfe\x05lj\xde\xa0\x08d\x8e\
\xc1\xe5\xcb\xa6E\xf0\x00\xe6&1\xd3m\xedE\xd2\x88\
U\x9ahn\xe3\x91\xc752\x1f\x00\x9a\xe7\x9f\x04w\
\x0e\xec(\x12\xd9@\xad\xc3\xbc\x8f\xbdCDK\xc0\x19\
\xc8;D\x91\x16\x9a\x81YC\xa3\xba&p\x01\x17[\
^\xc7XN\xcf)\x1a\x19.\xe9X\x1e\x00\xff\x06\x89\
Ms\x92\xd9I\xf2\x01\xc9\xff$\x84\xeex\xfc{z\
\xaf\x09>\x83\x9d\xf3Ib\x01t|\xdb2z\x1e\xd1\
\x0b\x05\x8e<\xbd\x02\xecg\xb7\xb1\xa0\xb9CY\xcf\xe6\
\x10\xd3s\xf7Op\xed`\x8e\x82<\xa3\x05\x02\x9a8\
\xd9\x8d\xe6\x5c\xd3`-a<\x09\x87\xc5\xa1\xbb\xfa8\
\xdb\x0e\x0c\x0a\xb62\xd9\xe9\xf8\x08\x84W\xd7\x16\xec\xa1\
\xc1\x8d\x05\xcf\xc8\x14V\xe0oe_\xfbn0\xb6\x0e\
+\x14\xe6$\x93\xc0\xcb\x84\xe4:>\xa38\x8b\x94\xe0\
\x85m\x0a]_\x89\xb2\xeam\xdc\x15\xd0\xf2g0\xc9\
\xdb\xbf\x0e\xf3\x09\x04Bh\xddF\x13$VN\xb2\x1c\
\xd0\x18\xf7-\xa3\xd6h,%\xd8F\xed\xa5\x19?\xfb\
mnd_\x018\x83\xc62\x9c\x9c\x8d\xe1%^\x03\
\x9c(\xce\x99\x15\x06ew1,S|\xbc\x92\x1a\x85\
\x9cY\xb5\x04p\x86*\x97rA\x86\x158\xee\x90\xbb\
\xf7O\xb7\xfdW\xd08\xd3s\xfac\x81\xac*N\xbe\
\xc2\xf4\x18\xa5\x01\xad\xae-t\x99\x83\xb3.\xcaSN\
xE\xf9\x80\xc4f\xbem\x13\xd4<T\x84\xc91\xc9\
\xb9\xb7\xa7\xe8\x96[\x85NA\xa1\xd38p>\xab8\
\x92\xeaO\xd3m\x9e\x04fa.N\xd6&\xb0\x02S\
\xd3\x01O\x19\x88\x05pA\x9a4p\xdet\xc9\xba\x8d\
\xd7\xed+rJ\xd8\xee\xed\x15\xb0\x07\xf5KU\x5c\xb2\
8\x9e\xaf/\xce\x8f]\x81I\x8f#<\xf3\xa1\x10(\
\x01\xabv\xfa\x0e\xd44_T\xc0}\xeb\x1b\xeaDV\
6\x83\xf1\x95\xd3'h9\x1a\xc02Z'\xd4\x0f\
\xc6]\x02\xbfE\xaf\xc7\x97\x0d\x9d\x97\xa4\xa0N\xd1\xf8\
\xfc=/\x84a\x89\x0f!\xad5\xa0\x81\xba\xd1VM\
\xcf%\xf0{\xe0S\x06\x97\xa3\x89\x19L\xcak'\xf5\
f;\x85\x12\xc3\xddg\xd9B\x0b\x0f\xc2\xb6\x86\xf7\x08\
7\xa2\xf6\xa4\x0eo\xcd\x7f\x1bVC\x1a\xdc\xa8F0\
}~\x05\xf3RE\xaah\x09\xed\x1c\xc8\xbb\xb6N\x90\
\xf7\xf3\xd6J>d\x8c\x1a\xa1C\x90 #\xebN\xe0\
\xa4\xab\xf5\x80)\xa2\xf0\x8a\xba\x0f\xee\x11\xea%\xbe\x06\
\xb3\xe3\x82\xcc\xa0)\xfb\xef\xd1\xcc\xcf\x0ey\xc5\xb8\x81\
\xa6\xe0\xc3\x0b\x9e\xe4n\x22\x03\x96\x00\xba@\x95LI\
\xec\xcc\x0b\xa8Lz\xc9\x16\x85\xb4\xfb\xd0\xaa\xaa\xce\xb8\
V]\xee\x98 e\xc5\xdd\xaa\x90\xaf\xfa\x08\x14c{\
\x11\xba\x1d2\x1a_*\xa8n\xcb\xd5(X\xb1@\x09\
\xdc\x9enyy\x16(\xa0\xa7\xa8F\xee\x01\xff\x0d\x98\
\x0f$?w\xe0\x05\x94\x84\xbf\xa1\x0b|\x13H\xbc\xbf\
U\x94\xd1\xa70'Q\xbf\x049\xc6\xfb\xd0h\x91\xb9\
\xbe\x93\x8a\xd2\xe3v@\xee\x1a\xccf\xe0%i.\xc0\
\xed\xa2u6\xc9\xd6\x17T\xf1T\xc8f\x8d\x22\x1cN\
T\x80\xec\xa3\xb5?\xf7\xc6\x08\x97\x0dh\xddF\x9d\x9b\
%\xe0\xb9\xee\xb0\x9c\x9d\x9f&]\xd5\xe3&\xba\xeae\
Tyv\xd0\xda\xe6%e\x1e\xd0\xcb\xd8\x8c3\x14\xed\
\x00w\x9a\x0dW\xdd\x1eZ\xc3\xbf\x81Ff\x9f\xa3B\
x\x00\xe7'P=R\x22\x0b\xcd[_\xe7h$\x15\
\x9bI\x1b\x80\x83\x0b\xbf\xbb\xaa\xc9\x0b\x14!\x1c{f\
\xbc\xa93\x1d\xcbe\xc5/K\x1eo\x12#|\x00<\
\x04\x0e\xc0\xbd\x0c\xc6\x97\xe3{F\xeb\x08\xc4\xcct=\
!\x0f\xd1\x82E\xd0+\xefe\xdf\xbe\x1f\xb4\x1b b\
\xf7\x8b\x83\xea\xa4g\xb0S\xe0\xc5\xad\x8f\xc0}\x05L\
\xc1\xd1\xf7\xd9\xeb9q\x9e\xb6\xf8\xcc\x8f\x93B\x93;\
\x03\xe7'S._\xcfZ\x07\xf0f\xe8}\xecDI\
2\xe6\xffP.\x0f\xba\x00\xf2\xf3\xbc\xf9\x95\xa6Z\x8a\
\x5c\xb9\xfc\x1d\xcc\xb2^\x1b\xf9\xc7\xd8/L\xac\x92{\
aB\x1c\xfa\x82\x85\xf1\x02C:f{\xcc\x89C\x9c\
\x05\xcf\x88C\xdf\x18\xf9\xa5\xd1W\xce\xfa+\xa9\x10\xaa\
\x8c\xff\xc2D\x8a\xe8O\x05N\xc8F^\x08\x00\xf2\x1e\
\xfa\xcaJ\xee\xa5\x04^\xeb\x95\x99\xb4\xad\xe4\x9d\x9f\xb7\
@\xde1\x9c\x9f\xb2\xa5\xe5=\xf3\x7f\xc8\xe3+\x9e<\
\x91ZY\xa5\x16{\x80\xe0w\x82q}-\x1b~k\
\xde\xd3O+t\x9e*\x8c~ij\xca\x8f\x09\x04/\
+\x0c^\xbe*z9j\x1e3f\x91-\xcfC)\
\xbf\x9b\x15bD\x86\x93#\x9b\xa8\xb6\xf55\xba\xb4\xfc\
\xef\x1aj\xe6\x1cz\x01r\xc1\xe0\xb5\xb9\x19@\xa07\
\x0d\xe5\xc4)JJd{\xc1\xff\xe4\xf6&ym.\
(\x97M\xe9\xeb\xfaq\x0e5a\xa7\xfe\xf7$\xaa\xc4\
}\x01\x06\x1dT\xa1\xce\x06x\xf6\x06N\x93\xed\xc0\x8d\
\xb8\xa2\x8eA&0J\xcd<\x9e:y-\x1b\xbf8\
YB\xaf\xca\x92#Te\xe0_\xe0\x998$k\xf3\
\xac\x17'\x85A\xe23\x06\xa3\xb46}\xac\x88\xc77\
\xf7\xd5Y\xab\xe1\x0d\x80\x0c\xcfo\x1a\xf3\x09\xa8\x10\xfe\
\x07\xb4\x0a\xfd~\xcf\x22[\xc2\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x00\x83\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x005IDATX\x85\xed\
\xce\xb1\x11\x000\x0c\x021_\xf6_\x80i\xed!H\
\xa9\xef\xe14S\x94d\x93l\xf3\xf1\x9a\xf1\x8f\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x0e\x92\xca\
\x05\xd3\xff\x13L\xed\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x00\xf2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xa4IDATx\x9c\xed\
\xd0\xb1\x11\x80@\x10\xc3@\x9ef\xaf\xa6\xab\x16R:\
X\x02)sd\x8d\xce\x85\xd8\xdd\xe7\xbbg\xe6\x08\x8f\
[\x9c\xfe\x89\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00\
-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\
\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\
\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\x02\
\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\xa0\
)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054/b\xc1\x04\
\x80\xae\x05\xa0\x9f\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x07 \
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x06\xd2IDATx\x9c\xed\
\x9bi\x8c\x14E\x14\xc7\x7fo\xa6wW\xa2\xcbj\xbc\
#D\xd1@0\xa8\x89\x88F\x0dY\xc4h<\xc2\xe1\
\x19\xaf\xa0F\x82\xba*\x89\x1a\xc4\xec\x0e\xcb0\xb2\xb3\
\x1c*x$\xa2\xe0\x85\xba\xf1\x83F\x8c\x18\xafD\x85\
\xa0bD\xa31*(\x9eh\xf0\x08\xa2.D\x81\xe9\
\x99\xe7\x87^\xb0\xbb\xba\xe7\xe8\x99\x9eqV\xf7\xf7\xad\
^\xbdz\xfd\xef\xd7\xdd\xd5\xd5U\xd50\xc0\x00\x03\xfc\
\x9f\x91\x9a\x1c\xa5]\x0f$F+\xc2\xb1(#Q\x8e\
D\xd8\x17\x18\x0c\xc4\x81^\xa0\x17e\x131\xd6\x93\xe3\
3b\xac\xa1K\xbe\xa9\xb6\xb4\xea%`\x96\x1e\x85r\
50\x098\xae\xcc(\xdf\x00/\x13\xe3q\xe6\xf2>\
\x88F\xa6\xaf\x8f\x88\x13\xa0\xc2,\xceB\x99\x09\x8c\x8f\
66\x9f ,\xe2\x17\x9eb\xa9d\xa2\x0a\x1a]\x02\
:t<\xc2B`Ld1\x83\xf9\x16\x98C\x9a'\
\xa2\xb8#*O@\x87\x1e\x8cp7pE\x01\xaf\x1c\
\xc2\xdb\xc0*rl \xceW([\x89\xb3\x8d]d\
Q\x9ai\xa0\x05e\x18\xca\x08\x94S\x10\xce\x04\x06\x15\
P\xbe\x06\xa1\x8d\xb9\xf2i%\xf2+K@BO\x02\
\x9e\x07\x0e\x0d\xa8\xdd\x06\xbc\x04\xac$\xc7+\xcc\x93_\
C\xc5\xbeE\x071\x88\xd3\x81\x89\x08\x93\xf2\x1cc\x07\
p\x0diy:\x9c\xf0\x7f(?\x01\x1dz9\xc2\xa3\
@S\x80\xa8\xfb\xc82\x9f\xf9\xf2[\xd9\xf1\xdd$\xb5\
\x91,\xd3Pf\x03\x07\xf9\xea\x854qf\x93\x92\x5c\
\xd8\xd0\xe1\x13\x90\xd4\x18Y\xbaP\xda\x8d\x9a\x1c\xf0(\
\x16)R\xf2C\xe8\xb8\xa50S\x9b\xb1\xb8\x15a\x06\
\xb0\x8f\xa7Ny\x9e\x06\xa6\x90\x92\xedaB\x86K\x80\
s\xf2=(\x97\x1a\x07\xdf\x8cp>iy/T\xbc\
rI\xea\x10lV\xe0\xefp?\xc4\xe24R\xd2[\
j\xa8X\xa8\x03g\x99\xe3;yx\x17\x18S\xb3\x93\
\x07H\xc9\x0f\xfcI+\xd0c\xd4\x1c\x8fM\x0f\x17k\
\xbc\xd4P\xa5' \xa1\x97\xa0t\x1a\xd6\xe5X\x8c\xa7\
[~,9NT,\x96\xbfH3\x05\xb8\x1dp\xbf\
\x0e'0\x82\xeeR\xc3\x94\xf6\x08$t\x0c\xb0\x06\xd8\
\xcb\xd5\xf2)\xba\xb8\xb2\x1a\xa3\xb3\xd0$\xf4f`\xb1\
\xc7\xa6\x5cE\xb7<Q\xaci\xf1;\xa0]\xf7\xc7y\
\xd5\xed\xe5\xb2\xbeG\x9ciuq\xf2\x00i\xee\x05\x1e\
\xf3\xd8\x84et\xe8\xe8bM\x8b' \xc6B\xe0\xb0\
=ee3\x16\xe7\x93\x92\x1d\xa1\x85V\x0dQzi\
\x03\xdeq\x19\x1b\x11\x96\x91T\xabP\xcb\xc2\x09H\xe8\
X\xe0\x1a\x97E\x11.$%\x9b\xcb\xd6Z-\xee\x97\
\x9d(\x17\x00[\x5c\xd6\xd1\xd8\xdcP\xa8Y\x81\x04\xa8\
\x00\xf3<&\xa1\x87\xb4\xbc[\xbe\xca*\xd3-?\x03\
i\xc3\xda\xc9\x0c\xdd;_\x93\xfc\x09h\xa7\x15\x18\xeb\
\xb2d\xb0IV$\xb0\x16X<\x88\xb0\xc9e9\x80\
&\xae\xcb\xe7\x9e?\x011n3,\x0f1_\xbe\xae\
P^\xf5I\xc9\x0er\xbe\x0buk\xbe\xb1Ap\x02\
\x92z\x08p\xb6\xcb\x92A\xe9\x8aFa\x0d\xd8\xc8\x93\
\xc0F\x97\xe50\x86sF\x90kp\x02l.\xc7\x99\
\xaa\xda\xcd\x1b}\xcfW\xff\xe0\x19\xc9\x02\xcfxl\xc2\
UA\xae\xf9\x1e\x81\x89F\xf9\x85\xcaU\xd5\x98\x98O\
\xf3\xb9A\x8f\x81?\x01N\x8fy\xaa\xc7f\xf3b\x94\
\xdajB\x8cu\x80\xfb\xaema\x04'\xf8\xddL\x1a\
9\x19htY>b\x81l\xf2\xf9\xd5;\xce\xdc\x80\
\xf7\xc2\xa9\x7f\x9e\xd2\x9f\x80\x18\xc7\x18\x8d\xd6D\xab\xac\
\xa6x\xb5\x0b\xa3L\x07\x7f\x02r\x1cmxl\xf4\xf9\
\xf4\x1fL\xedG\x9b\x0e\xfe\x04\x08Gx\xca9\xea\xff\
\xdd\x9f\x0f\xcb\xa7}\x98\xe9\x12\xf4\x16h\xf6\x94\x94\xdf\
#\x94TkL\xed\xcd\xa6C\xf1\x04X\x84\x9ac\xab\
+R\xec\x04l\x97\xa5\x91\xa4\xba;\xf8\xc0\x04x'\
I\xb2\xd4\xc77\x7f\x95\x08\xea\x03\xb6y\xca\xea\xbfm\
\xfa\x0dI\x9a\x00\xf7|\xc0.R\xb2\xcb\xed\xe2O\x80\
\xe2\x9dQuVq\xfb'\x19Z\x0c\xcb6\xd3%\xe8\
\x11\xf8\xceS\x12\x7f\xcf\xd9oP\x8e4\xca\xdf\x9a.\
A\x09Xo\x94\x87G\xa7\xa8\xc6\x88\xa1]\xd8`\xba\
\x04=\x02\xe6b\xe3X\x9fO\x7fA|\xda?1]\
\xfc\x09h`-\xe0^\x7f\x1fMR\x87D\xab\xac\x06\
$5\x06L0\xac\xabL7\x7f\x02\x9c\xb5\xb5\xb5\x1e\
\x9b\xed\x0bT\xff\xe48\x01\xef\x8ar/\x16\xef\x9bn\
\xc1\xf3\x01\xea\xfb\xfc\x9d\x14\x9d\xb2\x1a\x9134\x0b\xaf\
\x90\x12\xdbt\x0bN@\x03=8\xab\xbd\xbb9\x9dv\
=0J}U\xc5\xb9\xfd/2\xac\xcb\x83\x5c\x83\x13\
\xe0\xcc\xfb\xbf\xe6\xb24!\xbe\xe5\xf0\xfa\xc5\xe62`\
\xa4\xcb\xf2\x13q\xcf\xf9\xec!\xff\xac\xb0r\x97\xa7,\
\xdcHB\x0f\x8fB_Uq\xc6\xfas\x0d\xeb\xe2\xa0\
\xdb\x1f\x0a%\xa0\x9b7\x10Og\xd8\x08\xcc\xa9T_\
\xd5\xb1\xb9\x16\xefg\xefV2,\xc9\xe7^`eH\
\x14\xe80\x8cW\xd2\xa9\xbey\xb5\xba!\xa9\x07\x80\xb1\
\x84\xaft\xb3P|C\xe0\xdd\x14^\x1b\xec\x92U\xc0\
\x93\x1e\xff\x1c+\xe8\xd0\x83\xcbWY%\x9c}D\xcf\
\xe2\xddC\xf41[\xb8\xafP\xb3\xe2\xab\xc3\x163\xf0\
\xce\xae\x0eEx\x8e\xe9jn\x8e\xfaw\xb1\xb9\x17e\
\x9c\xcb\x92\x01\xa6\x15\xdbTY<\x01)\xf9\x058\x0f\
\xd8\xe9\xb2\x9e\xca`\x1e\xe8[@\xfd\xf7I\xe8\x0d\xc0\
\xf5\x1e\x9b\xd0V\xca\xb6\x9d\xd2O \xa1S\x00s\xc7\
\xc5R,\xa6\x9b\xdf\xd8\xb5C\x85\x04\xd3qv\x87\xb8\
/\xe6=\xa4\xe5\x96R\x22\x84\xbb\x82\x09]\x00\xcc4\
\x22\xac&\xceE\xa4dKp\xa3*\x91\xd4Fl\x1e\
\x00\xa6\x1a5\xafb1!\xdfk\xcf$\xdc.\xb1/\
\xe8\x00Vxl\xca8l\xd6\xd1\xa9\xc7\x86\x8aU\x09\
I=\x08\x9b\xd7\xf1\x9f\xfc\xa7X\x5cZ\xea\xc9C9\
\x1b%/\xd68\xc3\xb9\x13\xc1\xbc\xc52\xc0\x12,\xd2\
}\xfdF\xf48\xdbgo\xea\x1b\x95\xeeg\xd4\xbe\x8c\
\xcde,\x90?\xc2\x84,\xbf\x13\x9b\xa5SQ\x96\x00\
\x0dF\xcdv\x84\xbb\x89\xb3(\xcc\x86\xc5\x82$\xd5\x22\
\xc3\xd5\x08sp\xefW\xfa\x87E|\xc1\xcc\xbeU\xe1\
PT\xbaY\xba\x15x\x0e\xd8?\xa0\xf67\x84\x95\xc0\
J\xe2\xbc\x16:\x19\xce{\xbd\x15e\x220\x19\x08\x1a\
\x86g\x10\xda\xe8\x92G\xc2J\xdfM\xe5\xaf\xb1\x84\x0e\
E\xb9\x07\xe1\x82\x02^\x19`5\xf0&\xf091\xbe\
$\xc7V\xb2l\xa7\x89,6\xcd\xe4hA\x18F\xac\
o\xbb<\x9c\x85\xf3KM0\xca:\xe2\xb41W>\
\xa8D~\x94?L\x9c\x83\xb0\x00\xa8ng\xa8l&\
\xc6\x1d|\xce\xc3\xe5\xdc\xf2&\xd1\x0ed\x92\x1a\xc3f\
2J;\xc2\x89\x91\xc6\x86\xaf\x11\x16\x11\xe7\x91(\xf7\
(Vo$\xd7\xa9\xa3\xc8\xed\xf9ijD\x99Q~\
\xc2\xf9\xe9b9\x16o\x95\xf3?@1j3\x94u\
\xfa\x89\xf1\x08\xa3PF\x22\x0cChA\x19\x8c\xb3r\
\xf3\x07\xce\xafs\xdf\x03\x1b\x106\x90e5\xf3X_\
7\xdbq\x07\x18`\x80\xff$\x7f\x03\x98\xb8\xd4{D\
5\x9aM\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\x97\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00IIDATX\x85\xed\
\xd7\xc1\x09\x000\x08\x04A\x09),}\xd9Z\xc0\xd2\
L\x07&\x1ey\xee>\x0f\x84\xf9jF\xdd<\xc3<\
\xe3y\xbf4\x05\xc2j\xeeeC9\xfa\x19\x00\x00\x00\
\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00(\x9f\xd1n\xeeT\
v\x00\x18\xcd\x0b\x17\x02\xaa\xe5\x94\x00\x00\x00\x00IE\
ND\xaeB`\x82\
\x00\x00\x03\x03\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\xb5IDATX\x85\xe5\
\x96\xcdN\x151\x18\x86\xdfo`\xa1^\x07i\xbb\xd0\
\x1b\xf0\x16<m9\xe7D\xd4\xc4pPI\xf0\x02H\
\xbc\x06\x97\xec\x5c\xf8G\x14\x041$\xf4\x5c\x83{P\
\x01;\x0a\xfe%z\x07\xea\x06>\x17\x9e\xe2\xfc\x9f\x19\
\x99\x8d\xf1]u:\x9d\xefy\xa6\xed4\x03\xfc\xef\xa1\
\xd0\xb0\xd6^d\xe6{\x00\xce\x02\xb8\xe3\x9c\xdbl\x13\
d\x8c\xe9\x01\xb8KD?\x99\xf9\xb6s\xee%\x00D\
a\x003?\x00p\x01\xc0\x14\x80\x0dk\xed\x95\x16\xe1\
W\x01l\x00\x98b\xe6\xf3\x00\xee\x87{Qb\xdc\x99\
D;b\xe6\xd56$F\xf0\x95\x0c\xeb\x5cN\x80\x99\
\x17\x01\x1c\xb7)1z6\x0b?\x06\xb0\x18.&B\
#\x8e\xe3}!\xc4;\x22\xea\xe2\xcf\xde \x00]\xa5\
\x94\xf7\xde\xef6\x853\xf3j\x01|\xe0\x9c[\xcb\x09\
\x8c$\xde\x14HDM%F\xf0\x95L\xfd\x00\x7f\x9a\
\x1c\x9b\x12\x08\x12J\xa9\xf7\x00r\x12B\x88\xb7q\x1c\
WJh\xadg\x00\xac\xd6\x81\x17\x0a\x00\x80\xf7\xfeu\
\x91\x04\x11\xf5\xaa$\xb4\xd63D\x94\x85s\x19\xbcT\
HH)\x0f\x00L\xd7\x910\xc6\x5c&\xa2g\x05\
\xf0\xd92x\xa5\xc08\x09)\xe5\xbe\xf7~/\xc0\x01\
4\x86#Q\xb42\xc6\x98\xeb\x00\x96\x91\xde\xd1G\x00\
\xae\x8d\xda983\x0f\x86\xc3\xe1\x93q\xb5k\x09\x94\
I\x10\xd113##V\x1b\x0e\x8cY\x82d\xbc\xf7\
\xaf\xa4\x94\x87HoLB\xfa%\x1a\xc1\x1b\x09$$\
\x0e2\x12'p\x22\x9as\xce\xd5\x86\x03\xe9\xa9\xab\x15\
f\xfe\x81\xdf\x1b,\x15\x22b\x00\xdf\x9b\xd6k4\x03\
Z\xeb>\x11\xad\x95<G\x00\xfaJ\xa9\xbd\xf0u\xb4\
*`\x8c\xe9\x11\xd1:\x80\xc9Dw\x98\x89\xe4\x89\xd9\
\x17B\xec\xc6q\xbc_\xa7n\xad%\x18\xfdL\x14\xc1\
o\x10\xd1\x1c\xd2K2AD\xebZ\xeb~\x9d\xdac\
g\xc0Z\xdb\x05\xf0\xbc\x08\xee\x9c[\xf6\xde\xefH)\
?\x02\xb0H\x1fV\xb5f\xa2R\xc0Z\xdbe\xe6\x1c\
\x9c\x99o\x0e\x87\xc3\xe5\xd0Q!\xd1\x13B\xecUI\
\x94\x0a\x8c\x81?\xce\x8e\xf7\xde\xef\x08!>\x11Q#\
\x89B\x81N\xa73MD\x1bu\xe1!q\x1co\x97\
IH)w\xbd\xf79\x89\x9c@\xa7\xd3\x99\x8e\xa2(\
\x07'\xa2[\xce\xb9RxRB)\xf5\x19\x80A\xe6\
\xeb(\x92H\x09h\xadm\x14E/\x8a\xe0[[[\
\x8f\xc6\xc1C\xbc\xf7\xb5%N\x04\x8c1\x97\x88h\xf3\
\xb4\xf0\xa4\x84\x94\xf2K\x91\x84Rj\xdb{\x1f\x87\x8e\
\x90\xa5,\x1c\xc0\xfc\xdf\xc0C\x9cs\x0f\x01\xcc#}\
NL2\xf3R\xb8\xc8\xfe\xb1\xa6\xe0\xa3\x02\xa7J\x89\
\xc4Q\x91\xc0\x02\x80C\x00\xdf\x98y\xd0\x06<#1\
\x0b\xe0+\x80\x0f\xcc\xbc\xd0V\xed\x7f?\xbf\x00\xc9\xce\
\x86\x82_\x9f\xc3o\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x02\x02\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\xb4IDATX\x85\xed\
\x93AK\x1bQ\x14\x85\xcf\x9d\x17JCA|\x9b.\
\xba\xaa\xe0\x0f\xf0\x17tW\x94\xe2\xb2\x1d\x17mc!\
\xc9\x9b\xec\xfc\x05\x05\xf5\x17H7\x86K\x82\x10\xba\x90\
\x94\xae\xdaE\x8bK\x17\xbal\xf7]\xb8Qp\x95R\
h(\x92\xc9q3/FM\x9c\x8c\x0d\xba\x99\x0f\x06\
\xde\xbb\xbc9\xe7\xcc\xbdo\x80\x9c\x9c\x9c\x9c{F\xfc\
BU;$g\xef\xc4T\xe4\xb7s\xce\x02@\xe0\x8b\
$\x83\xf1\xafL\x97a\xaf\xc1\xc2\x183G\xf209\
\x00\x92}\x00\xf14\x1e\x92}\x92\xde\xea\xc0\x183\xe7\
7\x83\x11\x00@\xab\xd5z\xd4\xedv?\x8b\xc8b\x12\
\xa4/\x22\xc4\xff!$\x03\x11\x01\x80o\xc5b\xf1e\
\xa9T\xfa;2\x00\x00\xb4\xdb\xed\x07\x9dN\xa7\x05`\
e\x0a!\x04\x17]\xde\xb5\xd6\xae\x86ax6|\xe0\
\xda\xdc\xc30<\xb3\xd6\xbe\x06\xb0\x0d\x00\x22\x12\x8c\x0a\
\x9a\x06\xc9a\xf3mk\xed\x9b\xab\xe6>\xe1X\x01U\
\xdd\x00\xf0>)\xf5\x01L\xda\x89\x819\xc9\xcd(\x8a\
\xd6\xc7u1\xf5\xcbTu\x8d\xe4\x96\xcf\x95\x04\xb9\x89\
\xe1\x8e\xadEQ\xf4!-i*\xaa\xfa\x96\xe4\x0e\x00\
\x93\x12\xc2\x9b\xc7$\xdf\xd5j\xb5\x8fi\xda\x13\xcfV\
U\x97I~\x02\xf0PD\x98\xfc\xa6\xa3\xcc\xff\x89\xc8\
+\xe7\xdc\xd7It3]\xaez\xbd\xfeLD\xbe\x00\
\x98\xc1\xe5Nx\xf3?A\x10,W\xab\xd5\xfdI5\
3\xdfnU] \xf9\x1d\xc0\xe3$\x84\xd78\x15\x91\
%\xe7\xdc\x8f,z\x99\x03\x00@\xa3\xd1\x98\x8f\xe3x\
\x0f\xc0\xd3\xa4td\x8cy^\xa9T~e\xd5\xbaU\
\x00\x00h6\x9bOz\xbd\xde1\x80\x9f\x85B\xe1E\
\xb9\x5c>\xb9\xadVNNN\xce\xbdr\x0ecj\xb2\
\xf3\x94\x8b\xeck\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x00\x88\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00:IDATX\x85\xed\
\xd3\xa1\x11\x00 \x10\xc4\xc0<\x95a\xa8\x0aMW\xcc\
P\x1a8\x1c\xf61Yu.\xea@\x92\xf4Y\xdc\xd5\
\xf7\x02jRw2\xa2\x01\x94\xa4\xa0\xf4\xe4\x0b$I\
\xfa\xee\x00,q\x08\x07m\x9f\x0a\xa3\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x00u\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00'IDATX\x85\xed\
\xceA\x01\x00 \x0c\xc3\xc0\x82m\xc4\x0f\x19\xdd\xe3\xce\
@\x92\x00\x00e'o\xa69p\x9bq\x00`\x85\x0f\
P\xa6\x02}\xb4\xe1b\xcd\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x01H\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xfaIDATx\x9c\xed\
\xd61N\x84@\x18\xc5\xf1\xf7\xc1$\x93Xl\xa5\xbd\
\x170\xb1\xf0\x0ez\x00o@hi<\x80p\x80m\
\xe8h\xed-M\xf4\x18\xde\xc0\xcad\xb3\x9d\x85YB\
\xd8\xb15\x03\xda1&\xf2\xff\x95\xef\xa3x\xbc\x06$\
\x00\x00\x00\x00\x00\x00\x00\x00\x00`\x15\xec\xb7c\x08\xc1\
\xea\xba\xceS\x95Y\xc8\xb1i\x9a\xe3O\xc7\xd9\x01\xba\
\xae;5\xb3m\x08\xe1V\xd2\xc9b\xd5\xd28Hz\
r\xceUEQ\xbc\xc7\xc7\xc9\x00m\xdbn\xbc\xf7\xaf\
\x92\xce\x13\x94Ki\x9fe\xd9EY\x96\xbb\xefa\x16\
?\xe5\xbdo\xf4\xff^^\x92\xce\xc6q\xdc\xc6\xe1d\
\x00I\xd7\x09\xca\xfc\x093\xbb\x89\xb3\xb9\x01Ven\
\x80\x97\xe4-\x12\x09!<\xc7\xd9d\x80\xbe\xef\xef%\
\xbd\xa5(\x94\xd8>\xcf\xf3\xbb8\x9c\x0cPU\xd5\xc7\
0\x0cWf\xf6 \xe93I\xb5e\x1d$=:\xe7\
.\xe3/\x80\xc4\x8f\x10\x00\x00\x00\x00\x00\x00\x00\x00\x00\
\xb0\x16_\xf4\x17:\x06\xfd\xe7U\x96\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x04D\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xf6IDATx\x9c\xed\
\x9bM\x88\x1cE\x14\xc7\x7fof\x19\x94U\x04Q\x0f\
#\xeaI\x14oB\xf0((\x1a\x151\xf8\x01z\x12\
\x99\xb0\xd3\x1f,\xae\x0a\x06\xc1\x0f\xda!\x11#\xc8z\
\x10\x99\xeef?\xf0`POA\xd0h\xf4\x22\x08\x82\
\x07A\x10\x0f\x82\x84\x1cv\x10\x0f*\x82\xc1av\xfa\
y\x98Yhk\x1b\xb2Juu\x11\xe7\x7f\xfc?\xe8\
\xf7\xeaW\xaf\xba\xab\xbag`\xa1\x85\x16\xfa?K\x9a\
.\xe0\xa0\xca\xb2,Q\xd5\x97ED\x80\x13a\x18\xbe\
j\xe3\xba-\x1b\x17\xa9[Y\x96\xdd\x05$\x22\xb2\x04\
\xb4\x81Wl]\xdb{\x00i\x9a\x1e\x02>\xe2\x9f\xdd\
j\xad\xee%[\x17\xaaCY\x96\xdd\x0a\x9c\x01\xae0\
B\x85\xad\x1c\xdev@\x96e7\x02g\x81k*\xc2\
j+\x8f\x97\x00\xb6\xb6\xb6\xaee6\xf8\x1b\xea\xce\xe5\
\x1d\x80\xcd\xcd\xcd+'\x93\xc9'\xc0-.\xf2y\x05\
`{{\xfb\xb2\xc9dr\x1a8d\x84\xac\xb5\xbc)\
o\x00$I\xb24\x1e\x8fO\x89\xc8\xddFH\xb1x\
\xd33\xe5\x05\x00U\x95n\xb7\x9b\x89\xc8#e_D\
j\x1d<x\x02 \xcf\xf37\x80\xa3e\xcf\xc5\xe0\xc1\
\x83}@\x9a\xa6/\x00\xc7L_Uk\x1f<4\xdc\
\x01y\x9e\xf7E\xe4dEh\xea\xaa\x86\xc6\x00\xe4y\
\xfe\x98\xaa\xa6\xa6\xefj\xe6\xf7\xd4\x08\x80<\xcf\xefQ\
\xd5Sf~U-\xe6k\xdf\x99\x9c\x03\x18\x0e\x87w\
\xa8\xeai\xa0c\x84\x9c\x0f\x1e\x1c\x03H\xd3\xf4\xb6V\
\xabu\x06X.\xfb\xf3\xb6w>xp\x08`cc\
\xe3&\x119\x0b\x5cm\x84\x1a\x99\xf9=9\x010\x1c\
\x0e\xaf\x9bN\xa7\x9f\x03\xd7\x1b\xa1\xc6f~O\xb5\xef\
\x03\xb2,\xbb\x0a\xf8\x14\xb8\xd9\x08)\x0d\x0f\x1ej\xee\
\x80\xf5\xf5\xf5\xcb\x99\xbd\xcd\xb9\xdd\x089\xd9\xe5\x1dD\
\xb5\x01H\x92diyy\xf9}\xe0\xce\xb2\xefj\x8b\
{P\xd5\x02 I\x92V\xb7\xdb\xdd\x00\x8e\x94}\x11\
Q\xd7\x1b\x9d\x8b\xc9:\x80\xf9\xc9\xeeM\xe0\xa9\xfd!\
\xbf\x06\x0f5\x00\xc8\xf3\xfcE\xe0\xb9\xb2\xa7\xaa\xe0Q\
\xdb\x97e\x15@\x9a\xa6\x11p\xa2\xec\xa9*\x22\xe2\xec\
p\xf3oe\x0d@\x9e\xe7'Edh\xfa\x22\xe2\xe5\
\xcc\xef\xc9\x1a\x00U=Z\xe15\xbe\xd1\xb9\x98l.\
\x81}m>\xfb\x8c\xe7\xb7\xac\x01\x10\x91g\xd8?\xdb\
-\xdf!X\x03\x10\x04\xc1\x87\xc0\xd3\xa6\xaf\xaam\x9f\
!X}\x0a\x84a\xf8\x8e\x88$\xa6\xaf\xaam\x9by\
l\xca\xfa>\xa0\xdf\xef\x1f\x17\x91\xb7M_D\xbcx\
\x03m\xcazQ\x22\xa2;;;\xcf\xaa\xea{e_\
U\xc5G\x08\xb5\x144\x18\x0c\x0a\x11\xe9\x01\x1f\x97}\
U\x95\xbar\xfeW\xd5VL\x18\x86\x13\xe0q\xe0+\
#\xe4\x15\x84Z\x0b\x09\xc3\xf0B\xa7\xd3y\x08\xf8\xce\
\x08y\xb3\x1cj/\xa2\xd7\xeb\xfd\xbe\xbb\xbb{?\xf0\
S\xd9\x9f/\x87\xc6\x9f\x8fNfauu\xf5\xe7V\
\xabu/0\xaa\xc8\xdf(\x04gm\xd8\xef\xf7\xcf\x15\
Eq\x1f\xf0[E\x0d\x8dAp\xba\x0e\xe38\xfe^\
U\x1f\x04.T\xd4\xd1\x08\x04\xe77\xa2(\x8a\xbe\x16\
\x91G\x81IE-\xce!4r'\x0e\x82\xe03U\
}\x92\x8a\xc3\x13\x8e!4\xf6(\x8a\xa2\xe8\x03 6\
}UuZS\xa3\xcf\xe20\x0c3\xe0\xa5\xb2'\x22\
N\x0fO\x8doF\x82 x\x1dx\xab\xec\x89\x08\x22\
\xe2\xe4]B\xe3\x00DDG\xa3\xd1\xf3\xc0\xbbe_\
U\xc5\xc5rh\x1c\x00\xcc\x0eO\xa3\xd1h\x85\xd9g\
\xb4\xb2j?7x\x01\x00`0\x18\xecv:\x9d'\
\x80/\x8dP\xad\x10\xbc\x01\x00\xd0\xeb\xf5\xfe\x1a\x8f\xc7\
G\x80o\x8dPm7\x03\xaf\x00\x00\xac\xad\xad\xfdQ\
\x14\xc5\x03\xc0\x8f.\xf2y\x07\x00 \x8e\xe3_\xda\xed\
\xf6a`\xa7\xee\x5c^\x02\x00XYY9\xaf\xaa\x87\
\x81_+\xc2\xd6\x96\x84\xb7\x00\x00\xa2(\xfaa\xbe\x1c\
\xfe4B\xd6\xea\xf6\x1a\x00@\x1c\xc7\xdf\x88\xc8\xc3\xc6\
\x0f\xa9.\xfd\xbf\xcc\x94\x15\x04\xc1\x17EQ\x1cg\xf6\
\xf9m\x0a\xbc\xd6pI\x0b-\xb4\xd0%\xa2\xbf\x01\x96\
\xfb>\x84\xa9\xc2qt\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x00\x88\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00:IDATx\x9c\xed\
\xd0\x01\x09\x00 \x10\x04\xc1\xd7\xfe\x05.\xad\xa6\x90\x03\
\x99I\xb0\xec\x0c\x00\x00\x00\x00\x00\x00\x00\xff[IN\
;\xa2i\xb7\x03\xda\x0ch\x07\x00\x00\x00\x00\x00\x00\x00\
\xc0{\x17T\x04\x02\xd2D\x91\xc2\xa0\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x03T\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\x06IDATx\x9c\xed\
\x98=LSQ\x14\xc7\x7f\xa7}\xb8\x18&\xdd\x0cq\
\xf3c6q\x92\x01\xa3\x04Bb4\x1a\x12W1j\
\xe2,j[b^h\xab0\xe8\xe0\xa2&$\xba8\
\x19\x04\x07c4$8\xa3\xac~M\x82\x93\x1f\x0b8\
\xa0\xd2\x1e\x87\x96@\xdf\xbb\x85\xd2\xbeW\xaa\x9c\xdfx\
\xce\xbb\xe7\x9e\xff\xb9\xf7\xdd/0\x0c\xc30\x0c\xc30\
\x0c\xc30\x0c\xc30\xb6\x17\x12\xb2\xa4\xf4\x060\x84\x90\
\x04\x8a\x806;\xa9\x88\x11 \x81R\x00\x86\xc9\x8b\x1f\
tV\x92\xd2\xe5\xb2\xf8\xff\x0f\xa5@^\xbc\xb5\xa6\xc4\
V\xe5\xd2*\xb8\x0a\x90\xe5\xdf\x9f\xf6.\x94\x92\xb6\x0a\
\xc2\xbf\x00@J\xbb\x10&\x81\xf6@\x08E(\xc6\x91\
]\x84$\x08\xebZD8AV\xa6\x83\x1f\xbb\x0b\x00\
0\xa4\x87(\xf2\x02\xd8]ao\xed\x22\xb8\xc4\x7f'\
A\x0f\xc3\xf2\xd6\xd5\xa0z\x01\x002\xba\x1f\xe5\x15\xd0\
\x11\xf0(\xb4\x5c\x11\xc2\xe2\x859\xa0\x9b\xac|\xa8\xd6\
h\xfd\x02\x00\xa4\xb5\x03x\x09\x1c\xa8\xb0\xb7\xd2LP\
\x12HH\xcb{\xa0\x9b\x9c\xcc\xaf\xd7t\xe3] '\
\xf3xt\x02o*\xec\xa5\x0e[a\xbbL\x86\xc4+\
3xtn$\x1ej\x99\x01+\x0cj;mL\x00\
G\x1d\xdeB\xcdq\xa2\xa3t\xc0\x093\xc5\x1fN1\
*\x8b\xb5\x04\xa9\xfd\x1c0*\x8bx\xf4\x01O\x1d\xde\
\xf0(\xc4\x89T\x11\xaf\x8c\xb3@_\xad\xe2q\x06Y\
\x0f_\x96\xf0\xe8\x07\xc6\x1c\x9d\xbbV\xe08\x90r_\
A\xc6\xf8D?w\xe5\xd7\xe6\x82\xd5\x85\x0a\x19FP\
\xae8\x22\x16\xd1\xd8\x0eR\xd5\xa6\xfd(9\xae\x81l\
\xba\xdf\xc6F,\xad\x83\xc0\x88#j\x1cE\xa8&\xfe\
*9\x19m$hc\xa4\xf4<\xc2}\x82\xc9E[\
\x04\x97\xf8\x22\xc2\x05\xb2\x12\xfe\x1d7\x19\xb8q\xd2z\
\x1ax\x0c\xec\x08x\xa280\xb9\xd6\x96\xdf\x08g\xc9\
\xcax\x83\xb1#\x5c\xb42z\x0ce\x02\xd8\x19\xf0\xd4\
_\x04\xf7\x01\xe7'\xcaI\xf22UW\xcc\x00\xd1\xae\
\xdai=\x0c<\x07v\x05<\xf5\x14\xc15\xf2?H\
\xd0\xcb\xb0\xcc\xd4\x99a\x88\xe8\xb7\xad\x8c\x1e,\xdf\x1f\
\xf6\x04<\x9b)BX\xbc\xf2\x85\x04\xddd\xe5]\xe3\
I\xae\x12\xcf\xbe\x9d\xd6\xbd\x94\xee\x0f\xfb*\xec\xb5\xdd\
\x1f\x5c#\xff\x91e\x8e3\x22s\xd1%\xb9\xdaY\xf4\
\xe4\xe4s\xf9\xfe0[a\xdf\xf8\xfe\x90$,~\x96\
\x22G\xe2\x10\x0fq>\x89\xf9\xf2\x15\x8f.\x84\xd7!\
\x9f:\x8b\xe0\xb2M\xe3\xd1\xc5M\xf9\x16y~e\xe2\
}\x13\xf4e\x81$=(\xcf*\xec\xa51^\x19\xed\
j\xb3b\x12\x8f^|Y\x883\xc5\xf8\x1fE}Y\
\xa2\x8d\xd3\xc0\xa3*\xfd\xbbrx\x88\xc7\x19|Y\x8a\
7\xb9f\xbd\x0a\xfb\xb2\x8c\xc79\x94;5|}\x1b\
\x8f\x01|Y\x8e=/\x9as{[\x83\x0ai\xae\x03\
9\xb7\x9b\x14yn\xd5s\xa9\xa9\x97&\x17\xa0LF\
/\xa2\xdc[cQ\x94K\xe4\xe5A\xb3S\xd9\x9a\x02\
\x00\xa4u\x04\x18\x00\x0a\x08\x97\xc9\xca\x93-\xcb\xc50\
\x0c\xc30\x0c\xc30\x0c\xc30\x0c\xc3\xd8F\xfc\x05\xc8\
\x8f\xbez\x94\xe2\x88\xbe\x00\x00\x00\x00IEND\xae\
B`\x82\
\x00\x00\x05\x8b\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x05=IDATx\x9c\xed\
\x9a\xdbo\x14U\x1c\xc7?\xbf\x0d\x18\x14)\xc8M\x13\
\x9f|\x15\xe4Z\x81\xa2Q\x0a\xa5-RZ\xff\x16b\
\x0c\xdd\xed\x9a`\xa7[_|\xd4\xbf\xc3\xc8%\xb0\x97\
V\xbc\xa1\x11\x8dxy2\x86\x18\x9f\x04A\xb9\x09%\
:?\x1ff\x87\x96\x99\xe9\xee\xef\xec\xcet\xd7\xd8\xcf\
\xe3\x993\xe7\x9c\xefg\x7f\xe7\xec\xccfa\x99e\x96\
\xf9?#\x89\xado\xe8j\x1e\xe38p\x0ca\x15p\
\x11\xe1\x1d<\xb9\xb2\xa4\xabk\x95\x09}\x0e\xe5\x04\xd0\
\x87r\x1f8\xc3J\xde\xe5\xa4\xdc\x89v\x8d\x0bxS\
\xd7\xb0\x92\x0b\xc0\xce\xc8\x95\x9b\xe4\x18bR\xbe\xccd\
\xd1iQ\xd4\x17\xf1\xa9\x00k#W.\xb3\x82W8\
)\xb7\x166\xe6b\x03\xac\xe4\x04\xf1\xf0\x00k\xf1)\
S\xd4\xbd\xa9-6m\x16\x0f\x0f\xb0\x9d\xbf\x19\x8f6\
\xc6\x05\xc0h\x83)z\xbaVB\xe3\xf0!c\xd1\x86\
$\x01\x8f7\x99*\x90P\xd0=.\xeb\xcb\x94\x82\xf6\
\x1a\xc2\x03\xac\x8a6\xc4\x05\x08\x9f\x19\xa6\xec\x01*]\
!\xa1\xa0\xbd@\x95\xe6\xe1\x13\xb3%U\x80\x07\xdc4\
L\xddy\x09.\xe1\xe1\x16\xf0v\xb41.\xc0\x93\x9f\
\x80A\xec\x12:\xb3\x1d\x82\xf0\x96\xb2\x87 \xfcP=\
\xdb#$?\x07\x04\x13\xec\xa9O\xd0c\x98\xe0&9\
\x0e3)_\x19\xfa\xb6OQw\xe3S\x05\xd6\x19z\
\xdf\x06\x06\x99\x92/\x92...\x00\xbaSB\x8a\xe1\
\xa1\x99\x00\xe8.\x09)\x87\x07\x8b\x80`\xe2\xbd\xf8\x94\
\xb1J\x80\x01\xa6\xe4\x92il+y\xdd\x85P\x05\x9e\
2\xf4\xbe\x8d\xcf\x10\xd3r\xb1YG\x9b\x00\xe8\xac\x84\
\x8c\xc2C\xf2\xd7`2\xc1;\xc0\x10\xc1\x89\xda\x8c\xb5\
@\xb5~R\xb7\x87kx\x18\xb6\x86\x07\x97\x0a\x08)\
\xe8>\xa0\x0c\xac1\xf4\xfe\x138\xdcr%\xb8\x85\xbf\
\x03\x0c1%\x9f\xbbLa\xaf\x80\x90\xe0P\x19$\xb0\
\xdd\x8cu@\x85\xa2\xeev\x9eg\x09\xc2C+\x15\x10\
\xe2Z\x099\x06\x98\x94\xafMc\x17u'>52\
\x0e\x0f\xed\x08\x00\x18\xd7>r\x9c'M\x09\xae\xe1}\
\x86\x99\x16\xcb\xfbK\x22\xed\x09\x80t%,qxh\
\xe5\x0c\x88\x12\x9c\xb8\xc3X\xcf\x04\x9f\x0ay\xdd\x15\xbb\
\x12\x84w\xd9\xf3G\xda\x0d\x0fiT@HA\xf7\x03\
\xe7\x81'\x0d\xbd\xff@\x19\xa0$\xdf\x00\x90\xd7\x1d\x08\
5`\xbd\xe1\xde\xbb\xc00S\xf2i\xcbk]@z\
\x02\xa05\x09\xe0w*<\xa4-\x00\x5c%\x84\x0fU\
\x96\xa7\xcb\xd4\xc3C\x16\x02\x00\xc6\xf5%r\x9c\xc3&\
\xc1\xc2]|\x8e0-\x9f\xa44\xdeC\xb2\x11\x00i\
J\xc8,<\xa4\xf1-\xb0\x18\xc1\x09}\x84\xe0\xc4n\
\x95\xbb\xc0kY\x85\x87,+ \xa4\xa0/\x03\xe7\x80\
\xd5\x8ew\x06\xe1\xa7\xe4\xe3\xf4\x175O\xf6\x02 \x94\
P\xa6\xf9O\xee!\xf7\x09\x1eo3\x0d\x0fYn\x81\
\x85(\xb7\x80\x07\x0ew<\xa8\xdf\x939\xd9\x0b\xc8\xeb\
6\x84\x19l\xbf\xde\x86\xf4 \xd4\xc8\xeb\x8e\xac\x96\x15\
\x92\xed\x16\x98\x0f\xbf\xa1\xc5\x11n\xa0\x1c\xa2$\xdf\xa6\
\xb9\xac\x85dW\x01A\xf8\x1a\xad\x87\x07X\x8fP\xa3\
\xa8\xdb\xd3ZV\x94l*\xa0\xa8/\xe03\x03lL\
i\xc4\x1b\xe48\xc8\xa4\x5cNi\xbc\x87\xa4_\x01n\
\xe1\xe7P\xe6\x0c\xfd\xd6\xe3gS\x09\xe9\x0ap\x0b\x7f\
\x0fa\x18a\x10\xf8\xcb\xd0\x7fC\x16\x12\xd2\xdb\x02y\
\xdd\x8a0\x8b5\xbcr\x94\x92\xcc\x020\xae\xaf\x92\xe3\
,\xf0\x84\xe1\xde\xeb(\x07)\xc9wm\xac\xf6!\xe9\
\x08h'|H\x87$\xb4\xbf\x05\x5c\xc3\x0b#\xb1\xf0\
\x00\xd3r\x01\xe1(\xd6\xed \xcc\x90\xd7m\x8e\xab\x8d\
\xd1\x9e\x80 \xbc\xcb\x9e\x1f\xc1\x93\x99E{x\xf2\x91\
\xa3\x84Z\xbb\x12Z\xdf\x02\xf3\xe17\x19z\xdfC9\
FIj\xa6\xb1'\xf4\x00\xcaYl\xef\x0e\xbf\xd7\xbf\
\x22\xbf7\x8d\x1d\xa15\x01E\xdd\x82\xcf,\xb6\xf0\xf7\
QF\xcc\xe1C\x96H\x82\xbb\x80\xa5\x08\x1f\x92\xd7~\
\x843d(\xc1M@\x10~\x06\xd8l\xe8\xdd^\xf8\
\x10W\x09J?%\xf9\xc1:\xbc\xfd\x10t\x0d/\x0e\
{\xbe\x11%\x99E\x18\x01\xee\x19zoD\x98%\xaf\
[\xad\xc3\xdb*`\x5c\x9f'\xc7,.\xe1=\xa9Z\
\x17abB\x0f\xa2\x9c&\xe5Jh.\xc05\xbc2\
JI*\x86\xbe\xee\xe4\xf5\x10\xc2)l\x12\xae\xd5\x1f\
\x96\x1aJh,\xa0\x9b\xc2\x87\x04\x12N\x93\xf0\xaf\xcf\
\x04\x9aJX\xfc\x0c\x08\xc2\xbb\xec\xf9\xb1\xcc\xc3\x03\x94\
\xa4\x862B\xf0\xbba36!\xccP\xd4-\x8bu\
H\xae\x80\xf9\xf0O\x1b&\x99C\x18\xc5\x93\xb2\xa1o\
z\xb8VB\x8e~&\xe5\xc7\xe8\x85\xb8\x80\x82>\x0b\
\x5c\x02\x9e1\x0c\xdc\x99\xf0!\x13:\x80r\x0a\x9b\x84\
\xab@/S\xf2\xeb\xc2\xc6\xf8\x16P\x8a\xfc\x17\xc2\x03\
xRE8\x86m;l\x06\xde\x8a6&\xfd[\xfc\
\x80a\xb09\x94\xb1\x8e\x86\x0f\xf1\xa4\x8a2\x8aMB\
\x7f\xb4!\xe9\x10\xfc\xa7\xc9 A\xf8\x92\x9c\xb7\xaco\
I(I\xc5(!\x96-I@\xa3Ou\x0e\xe1\xf5\
\xae\x0a\x1fR\x92\x0a\xc2\x18\x8d%\x9c\x8b6\xc4\x05\xf8\
x\xc0\xcf\x097\x07\xe1=\x89\x0d\xd25xRn \
\xe1J=\xdb#\xc4\x05L\xcbuV\xb0\x0f\xe5=\xe0\
\x17\xe0*\xca\x87(\xfb\xbb:|\x88'e\x94>\x94\
\x0f\x80\xdf\x082\xbc\x8f\xcf^\xa6\xe5Z\x87W\xb7\xcc\
2\xcbt\x19\xff\x020{\x1ai]Y\xa2\xc9\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x00\xf2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xa4IDATx\x9c\xed\
\xd0\xb1\x11\x80@\x10\xc3@\x9ef\xaf\xa6\xab\x16R:\
X\x02)sd\x8d\xce\x85\xd8\xdd\xe7\xbbg\xe6\x08\x8f\
[\x9c\xfe\x89\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00\
-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\
\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\
\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\x02\
\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\xa0\
)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054/b\xc1\x04\
\x80\xae\x05\xa0\x9f\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x01_\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x11IDATX\x85\xed\
\x921J\xc4@\x18F\xdf\x1f\xd6\x04<\x80\xd8na\
c\x17\xf0\x106I\x1a\xc1#Xx\x07+K+\x0f\
`e!d\x8b0\x8c\x8d\x8dg\xb0\xb4\xb1\xb1\x16\x04\
\x0b\x0bu>\x9b\x09,\xc8\x9ad\xb7\x11\x9c\x07\xd3\x0c\
?o\xbeof \x91H$\x12\xff\x1d\x1b\x1ah\x9a\
\xe6Q\xd2\x1e\xf0\x01h\xac\xd7\xccf\x92^\x9cs\xbb\
@X58\x1b!\xcbc\xd0|\xe4\xe1\x00H\x02\xd8\
\x1a\x9a\xcb\x06O\xcf\xf3}`\xd1K\xcd,\x00_+\
\xd6r\xd3\xfb,\xcb\xe6\xfc\xd2~T\x80\xb6m\xdf\xcb\
\xb2<6\xb3\x0b3CRff?\x9e.\xee\xf5\xbe\
\xeb\xa2(\x0e\xbb\xae{\x1d\xf2\x0f\xfe\x81e\x9a\xa69\
\x95t\x09d\x92\x14o\xa3/\xd2\xbb\xce\x9dsg\x8c\
\xfc/\x93\x02\xc4\x10\x95\xa4\x1b`[\xf1\xa1c\xfbO\
\xe0\xc49w5\xc579\x00@]\xd7\x07\xc0-\xb0\
\x13\xb7\xdeB\x08G\xde\xfb\xbb\xa9\xae\xb5\x02\x00TU\
57\xb3'\xe09\x84Py\xef\x1f\xd6um\x82\xb1\
A\x89D\x22\x91H\xfc\x09\xbe\x01\xc7\x8dWS\xd1+\
\x1b\xb0\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00h\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x1aIDATX\x85\xed\
\xc1\x01\x01\x00\x00\x00\x82 \xff\xafnH@\x01\x00\x00\
\x00\xef\x06\x10 \x00\x01G\x01\xa0\x88\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x00\xf1\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xa3IDATx\x9c\xed\
\xd0\xa1\x11\xc00\x10\xc4\xc0|\xda\x0ev\xdd6v\x05\
\x1b \xb1C\xa7\xd1<\x8ao\xefk\xaf\x19\xa1\xf1\x8a\
\xd3?Q\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\
\x054\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z\
@S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x05\
4\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@\
S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\
\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xe6\x00\xa2\xf1\x03\x80\
p\xd6\x18s\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x01+\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xddIDATx\x9c\xed\
\x90\xb1\x0d\x021\x14\xc5^\x18\xe2\x06c\x85\xab\xd8\x81\
\x92\x1d\xd8\x82\xa1\xa8\xd8\xe2(\x88\xa8\xa0\xca\xcf\x19\x09\
[\x8a\x94\xe2+\xf1w\x22\x22\xffL\x9b\xfe\xc3y;\
f\xcb\xb5\xffv\xca\xa5\xddJ\xe7\x079\xcc|<I\
\xfa2K\x92\xe5\xbdX\xe5\xfc \xf3\x03\xbc\x96\xf9t\
\xaf\x9a\x1fb\x8f\x00?\x8d\x01h\x01\x1a\x03\xd0\x024\
\x06\xa0\x05h\x0c@\x0b\xd0\x18\x80\x16\xa01\x00-@\
c\x00Z\x80\xc6\x00\xb4\x00\x8d\x01h\x01\x1a\x03\xd0\x02\
4\x06\xa0\x05h\x0c@\x0b\xd0\x18\x80\x16\xa01\x00-\
@c\x00Z\x80\xc6\x00\xb4\x00\x8d\x01h\x01\x1a\x03\xd0\
\x024\x06\xa0\x05h\x0c@\x0b\xd0\x18\x80\x16\xa01\x00\
-@c\x00Z\x80\xc6\x00\xb4\x00\x8d\x01h\x01\x9a=\
\x02<\xbe\xdc\xab\xe6\x87\x98\x1f\xa0eM\xcb\xbd\x9f\xb5\
|^Dd\x80'v\x0d\x1a4\xf7W\xf8Z\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x01.\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xe0IDATx\x9c\xed\
\xd0\xb1\x11\xc20\x00\x04\xc1\x17E\xb80Z 1\x15\
\xa1*(\xca\x11]\x88\x00\x93A$\xc9\xc7\x0c\xb7\x91\
\x02\x8d\xfd\xbaD\xd2?+\xb3\x7fPk=\x97Rn\
I\xd2Z\xbb\xae\xebz\x1fy\xbf\xd7i\xe6\xc7\x93d\
\x7f\xcc\x92dy?l\xe4\xfd^\xd3\x03\xe4\xf5\x98O\
\xe7Q\xf7\xbb\x1c\x11\xe0\xa7\x19\x80\x1e@3\x00=\x80\
f\x00z\x00\xcd\x00\xf4\x00\x9a\x01\xe8\x014\x03\xd0\x03\
h\x06\xa0\x07\xd0\x0c@\x0f\xa0\x19\x80\x1e@3\x00=\
\x80f\x00z\x00\xcd\x00\xf4\x00\x9a\x01\xe8\x014\x03\xd0\
\x03h\x06\xa0\x07\xd0\x0c@\x0f\xa0\x19\x80\x1e@3\x00\
=\x80f\x00z\x00\xcd\x00\xf4\x00\x9a\x01\xe8\x014\x03\
\xd0\x03h\x06\xa0\x07\xd0\x0c@\x0f\xa0\x19\x80\x1e@;\
\x22\xc0\xe3\xcby\xd4\xfd.\xd3\x03\xb4\xd6.I\xb6$\
\xdb~\x1ez_\x92z<\x01Y\xd4(0\x07\xea\x9c\
)\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x00h\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x1aIDATX\x85\xed\
\xc1\x01\x01\x00\x00\x00\x82 \xff\xafnH@\x01\x00\x00\
\x00\xef\x06\x10 \x00\x01G\x01\xa0\x88\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x03Q\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\x03IDATx\x9c\xed\
\x9b\xcfN\x14A\x10\xc6\xbf\xea\xac\xc9\xb2\x1c\x95\xf0\xef\
\xeeE\xd7'\x90\xb7\x00\x8c$\x8e\xa7\x9dF\x13\xd0#\
<\x81\x9eA\xe26{rL$\x01\xdeb}\x02\x16\
O\x9eY$\xd1#\x0b\x89\xa4\xcb\x03\xb38\xf4\xcc\xb2\
\x88\xcc\xd6l\xe8\xdfi\xba\xaa;\xf9\xfa\x9b\xee\xe99\
t\x01\x1e\x8f\xe7.C\xd7\xe9\x14E\xd1h\xa7\xd3\x99\
WJ\xcd2\xf3c\x00S\x00J\xf9J\xfbg\xce\x00\
\xb4\x89h\xdfZ\xbb[\xa9T\xb6\x83 8\xee7\xe8\
J\x03\x98\x99677\x03\x00\xef\x00L\xde\x92\xd0A\
q\xc8\xcc+Z\xeb\xcfD\xc4\xbd:\xf54\xc0\x18s\
\x0f\xc0:\x00\x9d\x87\xba\x01b\x00,i\xad\x7fg%\
3\x97q\xfc\xe6?\x00\x08\x9dT\x0b\xc0W\x22\xfaa\
\xad\xb5\xb7\xab\xf3\xffPJ)f\x9e\x00\xf0\x14@5\
\x91\xd2\x00\xc0\xcc\xaf\xb2VB\xe6\x0a\xa8\xd7\xeb\x01\x11\
}J\x84~\x01X\x0e\xc3p\xeb\xaa\xe5T\x04\xe2\x97\
\xf7\x1c\xc0\x1a\x80\xfb\x89\xf8\xcb\xc5\xc5\xc5\xc8\xed\x9f2\
\x8a\xa2\xd1\x93\x93\x93\xef\xf8\xbb\xe7\x7f\x02x\xa2\xb5\
>\xccIs.\x18c&\x01\xec\x01x\x10\x87\xda#\
##\x0f\xdd\x0f\xa3r\x07v:\x9dy\x5c\xfe\xe0\xbd\
\x19\xb6\xc9\x03\x80\xd6\xfa\x90\x88\xde&BS\xa7\xa7\xa7\
sn\xbf\x94\x01J\xa9\xd9D\xb3\x15\x86\xe1V\x1e\x02\
\x07A\xadV\xfb\x82\xf3\xefV\x97\xfe\x06\xc4\xe7|\xf7\
\xb9Y\xf4=\x7f\x15D\xc4\xcc\xdc\xec\xb6\x99\xf9\x91\xdb\
'e\x00\xce\x7fr\xce\x93J\x1d\xe5\xa4m`8s\
\x98N\xe53\xc6\x5c\x1c\x8dE;\xean\x823\x87\xd4\
\xb1\x9fe\xc0\x9d\xc2\x1b -@\x1ao\x80\xb4\x00i\
\xbc\x01\xd2\x02\xa4\xf1\x06H\x0b\x90\xc6\x1b -@\x1a\
o\x80\xb4\x00i\xbc\x01\xd2\x02\xa4\xf1\x06H\x0b\x90\xc6\
\x1b -@\x1ao\x80\xb4\x00i\xbc\x01\xd2\x02\xa4\xf1\
\x06H\x0b\x90\xc6\x1b -@\x1ao\x80\xb4\x00i\xbc\
\x01\xd2\x02\xa4\xf1\x06H\x0b\x90\xc6\x1b -@\x9a,\
\x03\xce.\x92J\x0d\xbdA\xce\x1c\xceR\xf9\x8c1\xed\
\xee\x83\xb5v<\x0fQ\x83\xc4\x99\xc3\x81\x9bO\x19@\
D\xfb\x89\xe7\x19f\xbeVMA\x11af\x22\xa2\x99\
n\x9b\x88\xbe\xb9}R\x06Xkw\x13\xcd\xaa1f\
>'}\xb9\xd3h4\x9e\xe1\xf2\xcd\xf1\x1d\xb7O\xca\
\x80J\xa5\xb2\x0d\xe0\xe2n0\x11\xad7\x1a\x8d\xa1\xdb\
\x0a\x1b\x1b\x1b\x13\xcc\xbc\x96\x08\xb5\xcb\xe5r\x7f\x03\x82\
8f\xe6\x95Dh\xccZ\xdb2\xc6,\x0c\xc3v\
`f2\xc6,\x94J\xa5=\x00c\x89\xf8jV\x09\
M\xe6\x84\xe2;\xf7\x1f\x91\xae\x16i1sS)u\
T\xb4[\xa4J)e\xad\x1d\x8f\xf7|r\xd9\x83\x88\
\xea\xb5Z\xedu\xd6\xbd\xe7\xcc\x8a\x11\x22bc\xccR\
\xdcL\x9aP%\xa2*3\x83\xa8X\x8b\xa1\x97&\x22\
\xaa3\xf3r\xafK\xdf}\x8b\xa6\x8c1/\x88\xe8=\
\x86\xafh\xaa\xcd\xcc\xab7.\x9aJ\x12E\xd1h\x5c\
l0\x17_9\x9fF1\xcb\xe6\x0e\xe2\xa3n\xa7\x5c\
.\xef\x5c\xa7l\xce\xe3\xf1\xdcm\xfe\x008\xeb\x080\
\xae<)\x17\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x00\xf1\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xa3IDATx\x9c\xed\
\xd0\xa1\x11\xc00\x10\xc4\xc0|\xda\x0ev\xdd6v\x05\
\x1b \xb1C\xa7\xd1<\x8ao\xefk\xaf\x19\xa1\xf1\x8a\
\xd3?Q\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\
\x054\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z\
@S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x05\
4\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@\
S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\
\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\x00Z@S\
\x00-\xa0)\x80\x16\xd0\x14@\x0bh\x0a\xa0\x054\x05\
\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xe6\x00\xa2\xf1\x03\x80\
p\xd6\x18s\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x00\xdc\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\x8eIDATx\x9c\xed\
\xd9\xb1\x0d\xc3 \x00EA\x9ce\x91Gb\xc5,A\
\xba\xc8R\x06xV|\xd7Q\xf1\xf5D\xc71\x22k\
\xad}=\xcf9\x8fb\xc7\xab\xb8\xf4N\x04\xa8\x07\xd4\
\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\
\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\
\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\x04\xa8\x07\xd4\
\x04\xa8\x07\xd4\x92\x1f\xd91~\x7f\x87+\x8f\x7f\x01e\
\x80wx\xf7W\x16`\xef}\x8e\x9bD\x00\x00\x00\x00\
\x00\x00\x00\xe0\xdf}\x00\x93n\x0cG$\xe6\xccg\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01|\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01.IDATX\x85\xed\
\xd71n\xc2@\x10\x85\xe1\x7f\xa6\x802\xa6!g\xf0\
\x058A$\xb8\x03=\xc8\xa5S')B\x0f\xa5\xcd\
\xba\xe6\x0c(RN\xe0\x0bp\x07\x1a\x9c\x12\x8a\xdd\x14\
\xc6\xc8\x02\x93\x22\xb2\x95\x22\xfb\xca\xf5\xca\xef\x93\xdd\xcc\
\xc0\x7f\x8f\x5c\x1f\x18c\xc6\xce\xb9g`\x04\x04-\xf5\
\x14@.\x22\xcb\xd9l\xf6q\x17`\x8cY8\xe7^\
\x80#\xb0\x03\xbeZ\x02<\x00!\xd0\x07\x16\xf3\xf9\xfc\
\xed\x06\x90\xa6\xe9DD\xb6\xc0\xa7\xb5v\x1aE\xd1\xbe\
\xa5r\x00\x92$\x19\xaa\xea\x06x\x12\x91I\xf5%\xf4\
\x22\x11\x89\x81c\x17\xe5\x00Q\x14\xed\xad\xb5S\xe0d\
\xad\x8d\xabs\xad\xdd\x19\x01\xbb.\xca\xeb\x08`'\x22\
\xa3&@@{\xff\xfc\xa7\x14\xc0\xa0\x09\xf0'\xf1\x00\
\x0f\xf0\x00\x0f\xf0\x00\x0f\xf0\x00\x0f\xa8\x03\x0a\xca\xe9\xb5\
\xeb\x04\xc0\xa1\x09\x90\x03a\x92$\xc3\xae\x9a\xcf\xef\x0e\
\x9ds\xf9\x0d@D\x96@_U7] \xb2,{\
<\x8f\xe5=U]]z\xeb\x97\xd6\xeb\xf5;\xf0\x0a\
\x9c(\x17\x93\xa2\xa5\xfe\x80r1\xe9qo1\xa9b\
\x8c\x19[k\xe3\xf3\xe8<\xb8~\xfe\xcb\x1c\x9cs\xb9\
\xaa\xae\xaeW3\x9foM\xbfbF\xdd\x7f&\xd3\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\x8c\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02>IDATX\x85\xe5\
\x96\xbbn\x13A\x14\x86\xbf\xb3\xa4\x00\x9e#%\xbc\x00\
\xaf@\x01\x98\x8bM\x88b;\x89\x14\x1e \x12\xd2\xee\
\x96\xd9E\x94\xe9(\x12'q\x88c\xc7\x80\x22\xe5\x19\
x\x0d\xe8\xe0\x0d\x80\x02\xfbP\xec\xda\xde\xcb\xecU\xdb\
N5\xf6\xce\x9c\xef\xf3?\xb6g\xe0\x7f/Y\x8e\
\x1c}\x00\xbc\x07\xee \xbc\xe1@>7Jr\xb5\x85\
\xf2\x0e\xf8\xcd\x9c\xd7\xbc\x95/\x00Vd\xca1p\x1f\
XG\x99\xe2h\xbb1\xb8\xad\x1d\x94)\xb0\x0e\xdc\xc3\
\xe2h\xf1(*p;2\xb6\x80Q#\x12\xb6v\x10\
.b,\xe1\xaeI`\x1f\x987*\xe1h;\x05\x87\
9\xca~Z\xc0\x93O\xc0\xa6A\xe2\xa2\x96D\xb0f\
d\x80w\xf1d\x9a\x16\x08$.\x0d\x12\xb7*K\x04\
sM\x9f\xbc\x8b/\x1f\xa2S\x05S\xd9\xba\x81p\x9e\
h0C\xd9\xc0\x97\xab\x5c\xb8\xad/\x10F\xa1x.\
<[\xa0\xae\x84\x19\xae([&x\xbe\x00\x80\xa3\xaf\
\x80a)\x09G\x9f\x03\x97U\xe0\xc5\x02y\x12\xf0r\
\xf9e\xaa\x09/'\x00`\xeb&\xc2\x99Q\x22\xa84\
\x1c\xbaxr^\xd4\xba\x9c@\x96\x840G!!V\
\x1a^M`%1\xccYW\x09^] _BQ\
z\xf82\xac\xd2\xce*\x9e\x92(\xe1\x17\x12\x06\x9f\x14\
\xb0\xf8Y\xb5]5\x01G\x9f\x02c\xd4\xb8\xceB\x19\
\xe3\xea\xb3*-\xcboAp\x9eO\x80\xb5\xc8\xbb\x8b\
$\xa2}f@;<[\x0a\xab\x5c\x02\xd9\xf0>J\
/\x22\x02\xc1\xcfq\x12\xa6UXe\xfe\x88\x9e\x00W\
F\xb8'g\xe1\x9c.pB\x8d$\xf2\x13\xc8\x82+\
\xdbK8\x10\x8e\xfb\xa4\x93\x18\x17%\x91\x9d@\x1e\xdc\
\x97S\xe3\x1a[{\x08\x83D\xdf?@'+\x09\xb3\
\x80\xab\x8f\xc3;\x5cyx\x91\x84\xd06]t\xd3[\
\x90\x05\x17v\x0a\xe1\x00\xbe\x9c\x22\xec\x10\xdf\x8e5\x94\
\x09\xae\xb6\x92\xd3\xe3\x098\xfa\x08\xf8h\x84\x1f\xc8I\
!<Z\xae\xf6Q\x8e)Hb\xf5\xd0\xd6\x87\x08\xd7\
\x8d\xc0W=\xb7\x11\x8eR\x12\xd0\xc2\x93\x1b\x88\x9fl\
\x87)\xb8\xb2[\x1b\x0e\xe0\xcb\x00e\x97\xe4v\xc0\xe1\
\xe2E\xfc\xd2\x98\x84\xfb2\xa8\x0d\xcf\x97\x98\xa5\x05\x94\
=\xe0+\xf0\x03\xe86\x02\x8fKl\xa1|\x07\xbe!\
\xec5\xd6\xfb\x9f\xaf\xbfn\x1f\x04\x1fb\x8f\xa8\xe6\x00\
\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x04\xe8\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x04\x9aIDATX\x85\xc5\
\x97\xd9v\xe2F\x10\x86\xbff\x11\x12`P\x9c\xc4\x9e\
\xf1$9Y\xde\xff\x9dr1\x9eI\x1c\xcf\x18l#\
\x19$\xa8\x5c\xd4\xdf\xa8\x91qr\x97\xd49\x1c\x89V\
\xd7\xf6\xd7\xd6\x0dX\x09\x16\xf8\xcf\xc9\x02X\x19\xa4|\
\x09\xac!X\xf7\x91K \x1a\x96%\xef\x93DJ\x5c\
\xb3dm\x9b\xac\xed\xf4~\x00\x1ez\xf2\x97\xc0:\xf4\
\x16\x0e\xc0\x050\x00\xaaDY\x90\x11\x13\xd8\x0d!\x8c\
\x81q\xcf\xa5\x16\xac\x81\xac\x95\x11Q\xb9\x01\x0d\x90K\
\xfe#0<u\xd8\xf7-\xc0~\x114c\xb0\x99\xd6\
3\xb0\xf7\xf0P\x82\xe5`\x13\xb0\x82Wd\x85\xbeM\
\xb5\xf7\xcay\xc1\xd7,\x93\xec_\xc1.\xfa\x10\x02\xf6\
\x01\xf8$$\x0cx\x01\x0a\xd8\xbd\x87\xec\xa3\xbc\x00X\
\xc8\x8bs\x94~\x9b\xc0\xee\x06\xb2[!\x92K\xdf\x1a\
\xb8\x81p\x0b0\x92\xf2\x80\xc3>\x96\xf2\x1b\xe0\xde\x19\
\xb2\xfbD\xf9\x04\x0f\x91q\x1a\xf7\xe8\xccL\xca\xf4\xcb\
\xbe\xc2\xa6\x80\xd9\x18x\x07|\x94\x8eA\x0f\x01\xfbN\
\xff+\x08\x15\xd8\xb5\xbe\xfd\x09\xcc\x1d\x8d\xd5\x0cJ\x5c\
p\xa8\xcf\x03`s\xa0\xc5\xf3\xa5\xd2\xf3\x80'\xf4\x0e\
x\xc2\xe3\xff\x0d\xb0\x82\xb0\x19%\xdcc)\xcf\xe5\xdd\
\x1a\xb8\x92\xc59\x94O\x82q\x02f\x1d\x0f$\x08\xe5\
\xc0\xb3\x94\x95B8\x03\xee\xf0\xf0d\x10\x9e\x12\x07;\
(\xdcR\x9b\xc0\xcb\xb5\x18\x83\xa0\x5cHh\xa49\x1e\
\x86\xb9\xf8\x07\xfa\x1f\xd7\x22m\xc4\xbb\x93\xac\x00\xdb\xf7\
J\xccc\xee\xc5\x10\xbcsA\x150\xfd\x8c\xc7\xb2\x96\
\xf5#\xc1VCu\x09\xd3\xb5#u\x8el!\x995\
0\x95\x03S\xba\xd2\x1bI\xf6\x1c\x0f\xc1\x97\x14\x81\x09\
\xb4/Im\x16\x8a\xb5\xe1\x96]\xc3t\xe5H\xbdI\
\xb1\xce\xbf\x17\x8f\x09\x89X\xb6-<6x\xe8\xfa!\
hJX<t\xc60T>\xe4x\xd2\xfc%\xc1\x85\
\xfaA\xeeIg\xb3\xee?\x05\x9e7_as)\xde\
<\x91\x09,\x9eIB\x15\x0d\xc8\xbc\x8b\x91\x0b\xc6R\
\x1e\xb4b\x5c\xe1\x89\xf6 Hs=\x83\xa0\x9d\xba\x0c\
\xa6\xae\x9c\x06f\x0f\xda\xd7\xe2=\xe5\x12\xef1Ch\
L\xfbc\x1f @P\xd7\x0a\x8f\xde\xb9\x822\xdb\x0c\
\x82\xfa\xbb5\x126\x06\xee{\xbd\xfd\xca\x8d\x8e|\xb4\
`{\x7f\x86\x1d\xd83^\x86\x03\xba$?\xa9\x82a\
R\xdfI\x93\xa9\xd3=\xda\xc7\xbd{c\xe90\xbbK\
\x1c\x8a\x94NY\xc9\x0cU\xe7l\xc70\x82\xf1!\xf1\
\x86\xe4\xbdM\x84\x8c\x80\xc6=\xb75\xeaLxF[\
\xd2\x1fRJ\x1dx5=\x07\xc9s\x7f\x86\xb9O\x87\
\x9e\xc0>\x9dk\xcf\x96\xbc\xbf\xda\x17\x85\xed\xa0QW\
\x0b\xd6m\x0e\x06\xf5\xb0g\xc00\x81}\xa5\xdf2\x99\
'}\x83OFn\xdf\x98\x94\xa1U)\xf5\xac-\xfa\
u\xdf\xe2\x09\xa7y\x1eb\xdb\xbe\xa6;\x03D\x0a\xaf\
\xdf\xad\x00;\xee\x8b9`\xcapS\x19\xce4X\xc0\
K\xb3\x94\xe2\x02o\xb9j6\x96B\xdc\x00\xdfJ\xb8\
I\xb6\x0e!\x16; 2v\x1f\xf9\xa2\x01;\x08C\
\x95\xdb\xd6\x0f$4\xfe\xdf\xc03\x7f#!\x9f\xffa\
\x1a\xee8\x9ev\xd6%,\xef:\x07y\xc0K8\xee\
\xd9\xc1I\x08\xc6u\xe2\xf5\x165\x0aQ\x05/?\xc9\
\xf3s\x99~\xb4@\x1e~\x80\xe5S\xb7\xbc*\xa4\x1c\
7l\xbc\x89_\x06\x09\xe3\x06\xea\xb2c\xa2\xf6\x86\x14\
\x0f\x1a\xf9->\xdd\xfag\xc1\x94\x22\xd4\x7f\xe0\xed6\
\xf8\xb3L\x86W6\x931'!\xd8\xfb\xe6\xe2\x19\xec\
\x86n\xe0\x14\xf8I\xe6w<\x9e{\xa0t\xa4\xeaA\
\x97\xa0\xf5P\x02\xd5!\x8f{\x7f\xc6\xbb\x9f\x8ew,\
\xa1\xb8\x95\xccmj\x00n@x\x06\x1b\xd0\xc5|$\
o\x0e\x106`-\xf0\x0c\xe1\xe5<\x006w\x19\xa0\
\x83\xebg|\x96l$s\xe5\xf9\xd3E1\x0dA\xe3\
\x93-<B}\xe1\x9e\xb2\x96\xf5[\xe5\xc7q\x8c\xbe\
M6V\xe8\x1a<\xd1\xd6\xc0%T3G\xc3fZ\
?\x09\xc1W\xe0\x07\xdflK`\x06/A\x93tB\
g\xb2\x0e\x97U\x05\x85\xd1u\xcf\xd8\xac\x0a<\xdbw\
8\xf3\xc2\x8d\xaf\xa70\x9d\xe3\x13v\xe3\x8e\x87Mb\
@0\xb0\x03^\xeb\x01\xf8\x04E4\x86\x0eV\xf00\
Lu\xf46!\x18\xe2\x1cY8\x82\xc7\xbd\x17n\xcc\
\xf4\x8bd\xc5\xd9r\xeePc\x17\xba4\xf4/&\x0b\
\xa8~\xec.#\xffv1\x01\xe7\xad>te}r\
1\xf9\xed\xcc\xc5\xe4\xd8\xdb\xf7\x82m +3\x1c\xfe\
\x81\x7fo2y0\x84qz\xf7\xcbu0n}\xd4\
\x8ej\xbcg\xec\xc5\xdb\xd0\x0d\xa65\xc9\xd5\xec\x8d\xcb\
i\xf4\xe2\x98p\xc3\xe4}\xa2\xf7\x09l5;&\x95\
\x94\x18\xdd\xe5T\x06\xb9\xb0\x18\xf3\x9e\xc3k\xf8\x9f\xaf\
\xe7\x7f\x03\x88|\xd3;\xed2O\xdf\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x04\xe8\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x04\x9aIDATX\x85\xc5\
\x97\xd9v\xe2F\x10\x86\xbff\x11\x12`P\x9c\xc4\x9e\
\xf1$9Y\xde\xff\x9dr1\x9eI\x1c\xcf\x18l#\
\x19$\xa8\x5c\xd4\xdf\xa8\x91qr\x97\xd49\x1c\x89V\
\xd7\xf6\xd7\xd6\x0dX\x09\x16\xf8\xcf\xc9\x02X\x19\xa4|\
\x09\xac!X\xf7\x91K \x1a\x96%\xef\x93DJ\x5c\
\xb3dm\x9b\xac\xed\xf4~\x00\x1ez\xf2\x97\xc0:\xf4\
\x16\x0e\xc0\x050\x00\xaaDY\x90\x11\x13\xd8\x0d!\x8c\
\x81q\xcf\xa5\x16\xac\x81\xac\x95\x11Q\xb9\x01\x0d\x90K\
\xfe#0<u\xd8\xf7-\xc0~\x114c\xb0\x99\xd6\
3\xb0\xf7\xf0P\x82\xe5`\x13\xb0\x82Wd\x85\xbeM\
\xb5\xf7\xcay\xc1\xd7,\x93\xec_\xc1.\xfa\x10\x02\xf6\
\x01\xf8$$\x0cx\x01\x0a\xd8\xbd\x87\xec\xa3\xbc\x00X\
\xc8\x8bs\x94~\x9b\xc0\xee\x06\xb2[!\x92K\xdf\x1a\
\xb8\x81p\x0b0\x92\xf2\x80\xc3>\x96\xf2\x1b\xe0\xde\x19\
\xb2\xfbD\xf9\x04\x0f\x91q\x1a\xf7\xe8\xccL\xca\xf4\xcb\
\xbe\xc2\xa6\x80\xd9\x18x\x07|\x94\x8eA\x0f\x01\xfbN\
\xff+\x08\x15\xd8\xb5\xbe\xfd\x09\xcc\x1d\x8d\xd5\x0cJ\x5c\
p\xa8\xcf\x03`s\xa0\xc5\xf3\xa5\xd2\xf3\x80'\xf4\x0e\
x\xc2\xe3\xff\x0d\xb0\x82\xb0\x19%\xdcc)\xcf\xe5\xdd\
\x1a\xb8\x92\xc59\x94O\x82q\x02f\x1d\x0f$\x08\xe5\
\xc0\xb3\x94\x95B8\x03\xee\xf0\xf0d\x10\x9e\x12\x07;\
(\xdcR\x9b\xc0\xcb\xb5\x18\x83\xa0\x5cHh\xa49\x1e\
\x86\xb9\xf8\x07\xfa\x1f\xd7\x22m\xc4\xbb\x93\xac\x00\xdb\xf7\
J\xccc\xee\xc5\x10\xbcsA\x150\xfd\x8c\xc7\xb2\x96\
\xf5#\xc1VCu\x09\xd3\xb5#u\x8el!\x995\
0\x95\x03S\xba\xd2\x1bI\xf6\x1c\x0f\xc1\x97\x14\x81\x09\
\xb4/Im\x16\x8a\xb5\xe1\x96]\xc3t\xe5H\xbdI\
\xb1\xce\xbf\x17\x8f\x09\x89X\xb6-<6x\xe8\xfa!\
hJX<t\xc60T>\xe4x\xd2\xfc%\xc1\x85\
\xfaA\xeeIg\xb3\xee?\x05\x9e7_as)\xde\
<\x91\x09,\x9eIB\x15\x0d\xc8\xbc\x8b\x91\x0b\xc6R\
\x1e\xb4b\x5c\xe1\x89\xf6 Hs=\x83\xa0\x9d\xba\x0c\
\xa6\xae\x9c\x06f\x0f\xda\xd7\xe2=\xe5\x12\xef1Ch\
L\xfbc\x1f @P\xd7\x0a\x8f\xde\xb9\x822\xdb\x0c\
\x82\xfa\xbb5\x126\x06\xee{\xbd\xfd\xca\x8d\x8e|\xb4\
`{\x7f\x86\x1d\xd83^\x86\x03\xba$?\xa9\x82a\
R\xdfI\x93\xa9\xd3=\xda\xc7\xbd{c\xe90\xbbK\
\x1c\x8a\x94NY\xc9\x0cU\xe7l\xc70\x82\xf1!\xf1\
\x86\xe4\xbdM\x84\x8c\x80\xc6=\xb75\xeaLxF[\
\xd2\x1fRJ\x1dx5=\x07\xc9s\x7f\x86\xb9O\x87\
\x9e\xc0>\x9dk\xcf\x96\xbc\xbf\xda\x17\x85\xed\xa0QW\
\x0b\xd6m\x0e\x06\xf5\xb0g\xc00\x81}\xa5\xdf2\x99\
'}\x83OFn\xdf\x98\x94\xa1U)\xf5\xac-\xfa\
u\xdf\xe2\x09\xa7y\x1eb\xdb\xbe\xa6;\x03D\x0a\xaf\
\xdf\xad\x00;\xee\x8b9`\xcapS\x19\xce4X\xc0\
K\xb3\x94\xe2\x02o\xb9j6\x96B\xdc\x00\xdfJ\xb8\
I\xb6\x0e!\x16; 2v\x1f\xf9\xa2\x01;\x08C\
\x95\xdb\xd6\x0f$4\xfe\xdf\xc03\x7f#!\x9f\xffa\
\x1a\xee8\x9ev\xd6%,\xef:\x07y\xc0K8\xee\
\xd9\xc1I\x08\xc6u\xe2\xf5\x165\x0aQ\x05/?\xc9\
\xf3s\x99~\xb4@\x1e~\x80\xe5S\xb7\xbc*\xa4\x1c\
7l\xbc\x89_\x06\x09\xe3\x06\xea\xb2c\xa2\xf6\x86\x14\
\x0f\x1a\xf9->\xdd\xfag\xc1\x94\x22\xd4\x7f\xe0\xed6\
\xf8\xb3L\x86W6\x931'!\xd8\xfb\xe6\xe2\x19\xec\
\x86n\xe0\x14\xf8I\xe6w<\x9e{\xa0t\xa4\xeaA\
\x97\xa0\xf5P\x02\xd5!\x8f{\x7f\xc6\xbb\x9f\x8ew,\
\xa1\xb8\x95\xccmj\x00n@x\x06\x1b\xd0\xc5|$\
o\x0e\x106`-\xf0\x0c\xe1\xe5<\x006w\x19\xa0\
\x83\xebg|\x96l$s\xe5\xf9\xd3E1\x0dA\xe3\
\x93-<B}\xe1\x9e\xb2\x96\xf5[\xe5\xc7q\x8c\xbe\
M6V\xe8\x1a<\xd1\xd6\xc0%T3G\xc3fZ\
?\x09\xc1W\xe0\x07\xdflK`\x06/A\x93tB\
g\xb2\x0e\x97U\x05\x85\xd1u\xcf\xd8\xac\x0a<\xdbw\
8\xf3\xc2\x8d\xaf\xa70\x9d\xe3\x13v\xe3\x8e\x87Mb\
@0\xb0\x03^\xeb\x01\xf8\x04E4\x86\x0eV\xf00\
Lu\xf46!\x18\xe2\x1cY8\x82\xc7\xbd\x17n\xcc\
\xf4\x8bd\xc5\xd9r\xeePc\x17\xba4\xf4/&\x0b\
\xa8~\xec.#\xffv1\x01\xe7\xad>te}r\
1\xf9\xed\xcc\xc5\xe4\xd8\xdb\xf7\x82m +3\x1c\xfe\
\x81\x7fo2y0\x84qz\xf7\xcbu0n}\xd4\
\x8ej\xbcg\xec\xc5\xdb\xd0\x0d\xa65\xc9\xd5\xec\x8d\xcb\
i\xf4\xe2\x98p\xc3\xe4}\xa2\xf7\x09l5;&\x95\
\x94\x18\xdd\xe5T\x06\xb9\xb0\x18\xf3\x9e\xc3k\xf8\x9f\xaf\
\xe7\x7f\x03\x88|\xd3;\xed2O\xdf\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x0c\xd6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x0c\x88IDATx\x9c\xe5\
\x9b[o[\xc7\x11\x80\xbf%E\x8a\x94(\x89\x92\xad\
\xbbd\xc9N\x9a\xc2A\xe0&E\xd1\xa0H\x0a\xf4\xa9\
}\xe9{\x81\x16\xfd\xa3}*P\xb4\x0fA\x906N\
R i\x92\xc6\x96l\xc97]HI\xa4.\xe4\xf4\
a\xf6\x1c\xee\xd93\x87\xa4\xe4\xf4\xc9\x03\x10$w\xf7\
\xcc\xce\xcc\xee\xcem\xe7\x00\xb2\x05\xe2x\xe3@\x9c\xf2\
\x9e\xfex\x93\x84\x90\xe3\xf9M\x12B\x96W\x97\xed\xe0\
\x0e\xf0\x18\x9c\x14<\xdc\x00n\x19\x1d%`2\x8b/\
m\xaf\x0d\xa1f\x12\x10\xe0b\xc8\x98s\xa0g\xb4w\
\x81\xbe\xd1\xfe\x12\xdc\xa9\x8d*\xcf\xa3\x1b5\x00d\x1b\
\xb8\xed\x09=\x01^\xf8\x89\xa7\x809\xdf.\xc0Y\xd0\
>\xeb\xdb\xfa\xbe\x1d\x8f\xa3\x0a4\x81\x8a\xef?\xf74\
T\xfd\xf7%p\x04\x97\xa7P9\xf2mS\xa8 \x9d\
\x9f\xff\xc4\xff\x9f\xf2m\x0eh\x01\xa7\xbe})\xe8{\
\x01\xeeq1o\x85R\x92-\x90\x09\x90\x8f@V\x8d\
1k \x0bF\xfb\x06\xc8\xbc\xff=\x05r\x0f\xe4\xae\
\xff\xcc\x80\xdc\x01\x19\xb2#\xa4\xee\xc7,\xa8\xe0\xe5\xae\
\xc71\xe1\xfb\xe7@6\xf3GU\x9a\x05\xed\x1b \xbf\
\x06)_\xf3\x88\xcb\x04\xc8\x9f\xf5\xc1\x5c\xdf6H\xc5\
h\x7f\xdb?\xb7\xe2'[\x8e\xf0\xdd\x1bsr<\xe3\
%\xff\xdbyF\xb6\xa0uK\xdb\xe5-\x83\xd92\xc8\
O\x8c\xf6\x09\x90?\xda\xbc\x14\x13\xf0\x91\x7f0\x92\x9a\
\xac\x170\x7f\xc7\x7f\xb6\xed\x15\x96\xedkLN`\xa2\
\xe2\xf6Y\x15N{I\xe7\xcb\xf5\x97\xb3\xcf\xa5\xbb\xb9\
\x02\xf2\xabq'\xdf\x1el\xfbPc\xca\x14\xc8mc\
\xfc*\xc8\x07\xba}M|\xf3^y^\x13dV\xb7\
\xbc\xd97\x07\xf2\x00d\xd1\xe8k\xfag#\xcb&\x9b\
\xfa\xc9\x82q&\xe4\x17\xe0>\x0d\xfe'\xca\xa3\x07\xec\
\x01!\xa3\xabpy\x0b*_\x0e\xe1d\x0dxZ\xd0\
\x97\xda\xe1\x1b<\x0b\xf0\x00\xbaO\xa0\xf6*h\xeb(\
]\x94\xc9)\xbc\x987\x980\x90\xc6\xc44P\xe6\x1f\
\xa0Z\xbd\xed\xc7l\x01/T\xa1\x0f\x05\xf1\xc4,\xf9\
\xff\x89\xe9J4x\xd8F\xd0\xf6\xc2\xa0%\x86\x17 \
\x822\xbc\xe7\x9f]\x02~\x06|\x0e\xcc\xa0\x16\x22\x81\
\x9c\xd9\x8c\x04 \x0d\xd4\xcc$\xff7\x806\xb8]?\
Q\x055]\x9b\xc0\xd7\xe0\xae\xf4|\xb9\x13r \xce\
\x8f\x9bB}\x81oG\x98\x9f\xf8\xd9E`\x1a5\xa9\
{\xf6\xb3\xd2\x86\xfa\x0b\xd4\x9fX\x01~\x00\x16\x80\xcf\
\x80\xe7\x80\xb7<\xec\xf8\xe7{\xaa\xdb\xdcU\xd1\xc4[\
\x03\xf3&[Y\xcd)\x1b^\x0f|\x1c)F\xcbL\
.\xa1\xa6rF?7\x05Y\xf5\xcax=kU\xd2\
\xfe\x99\x81~\x91\x09\x90\xdfx+\x11\xb6\x07\x8aQ\xee\
\xaa\x8e\x18@\xc9\x98\xb5\xaf\x13\xb2\x0b\xae\x17\x8d]\x03\
\xfe\x0e\xdc\x09\x84\x10\xac\xccaS\x19\xe7\x10\xdcS\xdf\
7\xe6\xaa\x9b\xe0\x9fuO\x80\x03\xc5}\xd8\xcc\xf7\x8b\
\x03\xd6\x81\xbf\x01\xf7\xb2s\xba\x9e\xf2\x22\xeb\x18G\xc0\
\x12\xc0\x14p\x161\x0fz\xe6\xbf\xf3[\xe91Y!\
\xa0\x1a\xb9\xd9W\xc6\xdd\xe5\xf8<\x8e\x0b\xeeRq7\
\xfb\xd1n\x08=\xbc\x1e\xf0\x04=z\xe1\x90\x1e\xea)\
N\xc7X-%8\xe7W/\x00\xd9F\x95L)0\
w\x07\xc0}\xe0\xd2\x9b\xabW\xe8\xee\x09M\x9e\x9f\xd0\
\xdc\x04%\xe8\xfa\xe3V;\xc4\xf6\xf7\xa7\x81.Hx\
f\xfb:V\xee\x03G\xe8\xca\x7f\xadc\x05\xa0\x03\x9d\
\x13\xa8/\x92\xd1g\xee\x08\xe4\xa7\xf1\x04cX\x01y\
\x0b.*P\x9dF\x15\xd3)\x83\xad\xbd\x0b\xfc\x0e\xf8\
K\x01\x03\x01t\xe6\xa1\x9e\x04?>N\xa8\x1d\xf9\xce\
y\xd4R\xf8\x1d\xd59\x87\xfa\xe1\x10d]\xd4<\xfe\
\x06\xf8$\xa0\xd9+\xcfz\x0d\xb8\x0dr\x1e-fn\
%b\x01\xc4\xd1\xe1]`\x1a&\x1f\xaa\x12t\xfb\xd9\
\xe1\xb2\x0e\xfc\x03\x0dp\x8c C\x80\xeem\xa8M@\
\xfd%\xb8N\x01CG\xd9\xbfR\x07\x16\xe0\xa2\x06\xd5\
\x93\xbc\xd6N}\x93\xbf\x02k\xe0\xf6\x82\xce6\xc8\x09\
\xbac\xdf\xf6\x9ekB[\x9f\xe8\xd8\xc7:\xa0\x0a\x9c\
\xfb\x09\xee\xa1\xab\xf2\x85M\xb3,\xa1\xdb\xbe\x87\xad\x13\
\xa6\x81U\xa8\xb5U\x89\x152o\x80\xeb\xe83\xd5\xb6\
2\x18\x1e\xab0\xaa\xa3\x87\xfa\x02+\x05\x88\xbe\xf1c\
\xee\xf9\xe7:d\x1d\xb9\x22+\xc0\x06\xf0\x0c\xf5\x01\x8c\
\x03|\xd8\x04\xba\xe0\xba\x9e\xe0H1\x1e\xcdC\xbb\x86\
\xae\xc2\xf9X<\xdbp\x01<\x85\xf6$\x1c/`\x87\
\xb4]\xe0L\xe7\x8c\xc1\x9d\xa1\x8b\xfa\x83\xe7)\xc7\x8b\
%\x80\x06\xea=-\xe6\xb7|\x02\xcd)p\xadl[\
\x22\x84\xcb\xf7a\xae\x07\xb3\xaf\xccGo\x04\xb3\xaf`\
\xf6Rq[G\xcd\xb5`\xae \x16a\x075\xdf-\
\xd4\xc2e\xc0\x12\xc04\xaa=\x0b\x94\x9a,\xa3n\xaa\
\x01\xc7M\xa8|\x0f\xcc3~\xec=\x06\x88\x03\x16\xa0\
\xf2\x9d\xcea\xc2s\xdbYr\x97@\x19\xdc1\xba\xb8\
\x19\xb0\x04 \xa8i\xd9) d\xc2\xb6\xf32\x05\xa5\
d\x22\x7f\x1c\xac`\xeb\xda\x10n\xfb\x16\x94J^\xbf\
\xc4\xc3\xae\x946\xb1x:\xd4#4\xda\x0a\x94\x07\x83\
L\xbf}\x13\xd5\xb2\xe1*\xcc\x82t\x81\x15\x98\xd9\x0f\
\xfaZ\xc0\xbb\xc0\x13\xd2\x8cN\x06\x92\xd4\x19\xa8Oa\
\xe5\x05\xe7\xd0@\xe7\x07\xfd-\xa0;s\x03\xe4\x19\x03\
?#\xc1\x7f\xa6}\x1cd\xd1\xb8c\xef\x0e'\x81Y\
\x0a1a5rIH\x99G\x83\x8deOd\x84\x9c\
\x1etf\xa1~\x00\xc4A\xc6#O\xd0\xd7\xc1\xe4+\
@\x1f:gP\xdf\x05\x1ctoA-\xc9/>\xf3\
\xdf\xce\xcf\xf9\x05\x9a+\x0c\xe1\x15tf\xa0\x9e\x08-\
\x9c\xb7\x89*\xbe\xbe\xee\x86TW%y\xcbL\xc2\xc6\
Z\x99E\xe0K\x90\xaa'\xe0%\xb8C4\xd3s\x96\
\x8f\xfc\xa4\x01\xf52\xb8\xe7yT\x82g~\x018F\
W\xec\x1bcw\xb5\xfd\xf82\xba\xe2\x07\x9e\x8e\xffh\
_.z;\xf1\xa6\xcfg\x7fC\x9ad\x1f\x15\x98\x17\
\x9al\x02O\xe0\xa4\x03\x8d)\xb2\xe1\xb1\xa9\x03J\xa8\
\x04o\x83\xdb\x09\xec\xf7-l\xe57\x0dG\x05ih\
\xa5\x00\xcd\xf4n\x01O\x87\x87\xc4\xa9/\x7f\x1f\x0dg\
\x87\x05R'\x18\xbe\xbd_\x08\x9f\xb9r'\xa8\xb7\xba\
\x01\x8d\x03\xf4He\xa0H\x09.\xe5\xe3\x01( \xbe\
\x01\xf3GF{\x02e%\xb4\xf2\x90\x9c\xb3\x94\x9b:\
Qx\x9fa\xdf?\x84\xb4\x14\x08 7N|j|\
\xcd\xea\xb5\x04\xb0\x00X\xf6\xdf\xba\x84\x18\x07V\x18$\
4\x0c\x8f1\x81\x9c\x93\xf3\x12.\x8c\xd4{\x06\x8a\x84\
i\xd1\xfa\x0aC`\x05G\xe0Z\xe1\xec(\xc1\xf4\x07\
;\xa70\x946<<\xd7\x85\xea\xa8|\xdb5r\x0d\
\xee\x0cU\xe6\x19\x88\x050AqTw\x13\x9b^\x83\
nd\xdeb!\x0c\xbd\xb1\xb9\xa9\x1fQ\xf4\x5c\xae=\
\xb6\x02\xcbpei\xf3\xc0?\xc8\xb4\x97\xec\xf6\x14\x9a\
P{f\xd0! \x8f\xd1$\x0b\xc0\xa3\x02\xfd2b\
\x85\xbb}\x8d4s\xd0\xc3\xce\xd6\x8e\x8a\x05z\x15\x98\
\xb8\xce\xf6O\xecu\x11\xf4G\xf4\xbf&\xd4\x1c\xc5G\
p\xacy#\x01\x94\x9f\xa1\xf67\xc6\xd5\xb3\x11\x8e\xcc\
\xf2\x1e\x90\x9a\xa4\x10\xd2m\xff\xc8\x7fFX\x87B(\
\x12@\x19\xdb\xb3\xcc\xcd\x11\xeb\x80.Q\xbc\x1c@\x11\
\xb3\xc3\x08\xbf\xca\xcf\x11\x9f\xf9Q\xd6a(\x14\x8d\x1f\
[9\xc6\x02Hr\xe79my\x03\x22\x12\xe8\x93\xde\
'\x16)<K\x082C\xea\xe9\xddx\xee\x00\xc4\xe7\
\x17\xb3`\x99\xc1#\x06\xb78?\x06<\x07VFh\
{\x22!\x94P\xaf\xcd\xb8p\xc9\xc0\x98\xbeI\x12N\
\xe7\x05j\x09\xc0\x01\xfb\xe4/\x12\x8b\xa4}\x00mC\
od\xe0%\xf0!#\x8b\x13\x9c\xa0a\xf8G\x0c\xbf\
\x13\xc4g\x80\x8e\x8b\x10\x0d~\x8aC\xad\xcd.c\xe8\
\x00\x00\xf1\x8e\xd0S\x15Bz\xb3s\x80y\x1b\xcb%\
4\xaaC(M\xee\xeb\xfe\x05lj\xde\xa0\x08d\x8e\
\xc1\xe5\xcb\xa6E\xf0\x00\xe6&1\xd3m\xedE\xd2\x88\
U\x9ahn\xe3\x91\xc752\x1f\x00\x9a\xe7\x9f\x04w\
\x0e\xec(\x12\xd9@\xad\xc3\xbc\x8f\xbdCDK\xc0\x19\
\xc8;D\x91\x16\x9a\x81YC\xa3\xba&p\x01\x17[\
^\xc7XN\xcf)\x1a\x19.\xe9X\x1e\x00\xff\x06\x89\
Ms\x92\xd9I\xf2\x01\xc9\xff$\x84\xeex\xfc{z\
\xaf\x09>\x83\x9d\xf3Ib\x01t|\xdb2z\x1e\xd1\
\x0b\x05\x8e<\xbd\x02\xecg\xb7\xb1\xa0\xb9CY\xcf\xe6\
\x10\xd3s\xf7Op\xed`\x8e\x82<\xa3\x05\x02\x9a8\
\xd9\x8d\xe6\x5c\xd3`-a<\x09\x87\xc5\xa1\xbb\xfa8\
\xdb\x0e\x0c\x0a\xb62\xd9\xe9\xf8\x08\x84W\xd7\x16\xec\xa1\
\xc1\x8d\x05\xcf\xc8\x14V\xe0oe_\xfbn0\xb6\x0e\
+\x14\xe6$\x93\xc0\xcb\x84\xe4:>\xa38\x8b\x94\xe0\
\x85m\x0a]_\x89\xb2\xeam\xdc\x15\xd0\xf2g0\xc9\
\xdb\xbf\x0e\xf3\x09\x04Bh\xddF\x13$VN\xb2\x1c\
\xd0\x18\xf7-\xa3\xd6h,%\xd8F\xed\xa5\x19?\xfb\
mnd_\x018\x83\xc62\x9c\x9c\x8d\xe1%^\x03\
\x9c(\xce\x99\x15\x06ew1,S|\xbc\x92\x1a\x85\
\x9cY\xb5\x04p\x86*\x97rA\x86\x158\xee\x90\xbb\
\xf7O\xb7\xfdW\xd08\xd3s\xfac\x81\xac*N\xbe\
\xc2\xf4\x18\xa5\x01\xad\xae-t\x99\x83\xb3.\xcaSN\
xE\xf9\x80\xc4f\xbem\x13\xd4<T\x84\xc91\xc9\
\xb9\xb7\xa7\xe8\x96[\x85NA\xa1\xd38p>\xab8\
\x92\xeaO\xd3m\x9e\x04fa.N\xd6&\xb0\x02S\
\xd3\x01O\x19\x88\x05pA\x9a4p\xdet\xc9\xba\x8d\
\xd7\xed+rJ\xd8\xee\xed\x15\xb0\x07\xf5KU\x5c\xb2\
8\x9e\xaf/\xce\x8f]\x81I\x8f#<\xf3\xa1\x10(\
\x01\xabv\xfa\x0e\xd44_T\xc0}\xeb\x1b\xeaDV\
6\x83\xf1\x95\xd3'h9\x1a\xc02Z'\xd4\x0f\
\xc6]\x02\xbfE\xaf\xc7\x97\x0d\x9d\x97\xa4\xa0N\xd1\xf8\
\xfc=/\x84a\x89\x0f!\xad5\xa0\x81\xba\xd1VM\
\xcf%\xf0{\xe0S\x06\x97\xa3\x89\x19L\xcak'\xf5\
f;\x85\x12\xc3\xddg\xd9B\x0b\x0f\xc2\xb6\x86\xf7\x08\
7\xa2\xf6\xa4\x0eo\xcd\x7f\x1bVC\x1a\xdc\xa8F0\
}~\x05\xf3RE\xaah\x09\xed\x1c\xc8\xbb\xb6N\x90\
\xf7\xf3\xd6J>d\x8c\x1a\xa1C\x90 #\xebN\xe0\
\xa4\xab\xf5\x80)\xa2\xf0\x8a\xba\x0f\xee\x11\xea%\xbe\x06\
\xb3\xe3\x82\xcc\xa0)\xfb\xef\xd1\xcc\xcf\x0ey\xc5\xb8\x81\
\xa6\xe0\xc3\x0b\x9e\xe4n\x22\x03\x96\x00\xba@\x95LI\
\xec\xcc\x0b\xa8Lz\xc9\x16\x85\xb4\xfb\xd0\xaa\xaa\xce\xb8\
V]\xee\x98 e\xc5\xdd\xaa\x90\xaf\xfa\x08\x14c{\
\x11\xba\x1d2\x1a_*\xa8n\xcb\xd5(X\xb1@\x09\
\xdc\x9enyy\x16(\xa0\xa7\xa8F\xee\x01\xff\x0d\x98\
\x0f$?w\xe0\x05\x94\x84\xbf\xa1\x0b|\x13H\xbc\xbf\
U\x94\xd1\xa70'Q\xbf\x049\xc6\xfb\xd0h\x91\xb9\
\xbe\x93\x8a\xd2\xe3v@\xee\x1a\xccf\xe0%i.\xc0\
\xed\xa2u6\xc9\xd6\x17T\xf1T\xc8f\x8d\x22\x1cN\
T\x80\xec\xa3\xb5?\xf7\xc6\x08\x97\x0dh\xddF\x9d\x9b\
%\xe0\xb9\xee\xb0\x9c\x9d\x9f&]\xd5\xe3&\xba\xeae\
Tyv\xd0\xda\xe6%e\x1e\xd0\xcb\xd8\x8c3\x14\xed\
\x00w\x9a\x0dW\xdd\x1eZ\xc3\xbf\x81Ff\x9f\xa3B\
x\x00\xe7'P=R\x22\x0b\xcd[_\xe7h$\x15\
\x9bI\x1b\x80\x83\x0b\xbf\xbb\xaa\xc9\x0b\x14!\x1c{f\
\xbc\xa93\x1d\xcbe\xc5/K\x1eo\x12#|\x00<\
\x04\x0e\xc0\xbd\x0c\xc6\x97\xe3{F\xeb\x08\xc4\xcct=\
!\x0f\xd1\x82E\xd0+\xefe\xdf\xbe\x1f\xb4\x1b b\
\xf7\x8b\x83\xea\xa4g\xb0S\xe0\xc5\xad\x8f\xc0}\x05L\
\xc1\xd1\xf7\xd9\xeb9q\x9e\xb6\xf8\xcc\x8f\x93B\x93;\
\x03\xe7'S._\xcfZ\x07\xf0f\xe8}\xecDI\
2\xe6\xffP.\x0f\xba\x00\xf2\xf3\xbc\xf9\x95\xa6Z\x8a\
\x5c\xb9\xfc\x1d\xcc\xb2^\x1b\xf9\xc7\xd8/L\xac\x92{\
aB\x1c\xfa\x82\x85\xf1\x02C:f{\xcc\x89C\x9c\
\x05\xcf\x88C\xdf\x18\xf9\xa5\xd1W\xce\xfa+\xa9\x10\xaa\
\x8c\xff\xc2D\x8a\xe8O\x05N\xc8F^\x08\x00\xf2\x1e\
\xfa\xcaJ\xee\xa5\x04^\xeb\x95\x99\xb4\xad\xe4\x9d\x9f\xb7\
@\xde1\x9c\x9f\xb2\xa5\xe5=\xf3\x7f\xc8\xe3+\x9e<\
\x91ZY\xa5\x16{\x80\xe0w\x82q}-\x1b~k\
\xde\xd3O+t\x9e*\x8c~ij\xca\x8f\x09\x04/\
+\x0c^\xbe*z9j\x1e3f\x91-\xcfC)\
\xbf\x9b\x15bD\x86\x93#\x9b\xa8\xb6\xf55\xba\xb4\xfc\
\xef\x1aj\xe6\x1cz\x01r\xc1\xe0\xb5\xb9\x19@\xa07\
\x0d\xe5\xc4)JJd{\xc1\xff\xe4\xf6&ym.\
(\x97M\xe9\xeb\xfaq\x0e5a\xa7\xfe\xf7$\xaa\xc4\
}\x01\x06\x1dT\xa1\xce\x06x\xf6\x06N\x93\xed\xc0\x8d\
\xb8\xa2\x8eA&0J\xcd<\x9e:y-\x1b\xbf8\
YB\xaf\xca\x92#Te\xe0_\xe0\x998$k\xf3\
\xac\x17'\x85A\xe23\x06\xa3\xb46}\xac\x88\xc77\
\xf7\xd5Y\xab\xe1\x0d\x80\x0c\xcfo\x1a\xf3\x09\xa8\x10\xfe\
\x07\xb4\x0a\xfd~\xcf\x22[\xc2\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x00\x92\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00DIDATX\x85\xed\
\xd7\xb1\x0d\x00 \x0c\xc4\xc0\x17b0\xf6\xcajH\x8c\
\x16\x860\x1dv\x9f\xd7\xb5I\x8cT}R}\xc8\xc4\
\x84\x84\x05\xef3\xe8\x80\x00\x01\x02\x04\x08\x10 @\x80\
\x00\x01\x02\x04\xd0\xe8g\xb4\x9f(\xbe\xee\x02~N\x05\
\xa9Jl^)\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x08\xe1\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x08\x93IDATx\x9c\xed\
\x9b\x7f\x8cTW\x15\xc7?g\xe6\xed\xae\xa0\x80\xb5\x85\
j\x8a\xb1\xd4@!H\x93\xb6\xa0\xd4\xe0\x22\xa8i\xad\
@\x7f@#\xa5\xa1\xc5\x16\xb1TQ!\x15\xbb;\x0b\
\xc3\xc0\xee\xb2\xd4\x16H\x9b\x8a\x12\xc1\xf2+jH(\
\x11#-I\xb1\x88\xda\xa6 hS\x04\x8a\xd2\x16\x10\
kAZ~H\x81y3\xc7?\xdeB\xdf\xaf\xb9\xef\
\xbd\x9d\x99\x8d\xd1\xfd\xfe\xf7\xce\xfd\xdes\xcf=s\xe7\
\xfe8\xe7^\xe8B\x17\xba\xf0\xff\x0c\xe9\x94V\x1a\xb4\
7)\xea\x11\x86\xa0\x0cD\xb9\x06\xe1\xc3@O \x0d\
\x9c\x02N\xa1\x1c\x22\xc5^\x8a\xfc\x85\x14\xdbi\x96\xd7\
\xabmZ\xf5\x1c\xd0\xa4\x9fD\x99\x02\x8c\x03\xae\xeb\xa0\
\x96\xd7\x81\xcd\xa4x\x9a\x05\xec\x04\xd1\x8a\xd9\xd7\x8e\x0a\
;@\x85&nF\x99\x0d\x8c\xaa\xacn^EX\xcc\
\xdb\xace\xb9\xe4+\xa5\xb4r\x0eh\xd4Q\x08\x8f\x02\
C+\xa63\x1co\x00\xf3hau%FD\xf9\x0e\
h\xd4+\x11\x1e\x07\xee1\xb0\x8a\x08\xbf\x07^\xa0\xc8\
>\xd2\xfc\x0d\xe5\x04iNs\x81\x02J\x0fj\xe8\x85\
\xd2\x0fe\x00\xcaM\x08_\x02\xba\x19,\xdf\x8e0\x9d\
\x05\xb2\xa7\x1c\xf3\xcbs@F?\x0dl\x04>\x16R\
z\x1a\xf85\xb0\x89\x22\xcf\xb2P\xfe\x95H\xf7L\xed\
F7F\x03c\x11\xc6\x95h\xe3\x1cp?-\xf2\xb3\
d\x86\xbf\x8f\x8e;\xa0Q'!\xac\x04\xeaB\x8cz\
\x82\x02m\xb4\xc9;\x1d\xd6\xefFVk)\xf0u\x94\
\xb9@\x9f@\xb9\xd0B\x9a\xb9\xe4\xa4\x98Tur\x07\
d5E\x81f\x94\x06_I\x11X\x89E\x8e\x9c\x1c\
I\xac7\x0efk\x0f,f!<\x0c|\xc8S\xa6\
l\xa4\x86\xc9\xe4\xe4L\x12\x95\xc9\x1c\xe0t~\x1d\xca\
D_\xe3G\x11\xee\xa0E^N\xa4\xaf\xa3\xc8j_\
l\x9e!8\xe1\xee\xc6\xe2\xf3\xe4\xe4T\x5cU\xa9D\
\x0d\x17\x98\x17\xe8<\xbc\x04\x0c\xed\xb4\xce\x03\xe4\xe4\x08\
g\xa9\x07\xd6\xf9J\xae\xc7f\x1dwi:\xae\xaa\xf8\
\x0e\xc8\xe8WQ\xe6\xf8\xa4\xab\xb0\x18E\xab\xfc#\xb6\
\x9eJa\x89\xbcG\x0b\x93\x81\xef\x03\xee\xe5p\x0c\x03\
h\x8d\xab&\xde_ \xa3C\x81\xed\xc0\x07\x5c5\xd7\
\xd2\xcc\xbd\xd5\xd8\x9d%FF\xbf\x0b,\xf1\xc8\x94\xfb\
h\x95\xd5QU\xa3\x1d\xd0\xa0\x97\x93\xe2\xcf\xc0U.\
\xe9\xcbX\x8c$'\xe7\x12\x19\xda\xa4\x83P\xee\x00\xae\
C\xe8\x8b\xd2\x17(\x00G\x10\x8ePd\x17)6$\
?\x03\xa8\x90a\x05\xf05\x97\xf0\x02\xcaM\xb4\xca.\
S\xcdh\x07dt\x05p\xff\xfbmq\x94\x1a\x86\x91\
\x93\xa3\xb1ls\x96\xb0\xe9(\x0f\x02\x03c\xd5\x81\xdd\
(Op\x805\xac\x97B\xac\x1a3\xb4\x8e\x9el\x05\
>\xeb\x92\xee\xc2\xe23\xe4\xc4.U\xcd<\x07dt\
\x04\xee\xce\x83\x22\x8c\x8f\xdd\xf9&\xbd\x1d\x9b=(K\
\x89\xdfy\x80\xeb\x11~\xca\x00v\xd2\xa4\xa3c\xd5x\
R\xce\xa3\xdc\x09\x1cwIo\xc0\xe6!S5\xc3\x08\
P!\xc3o\x81\x11.\xf6Z\x9aer\xa41\xd3\xb4\
\x86\xde,\x05s\xe3\xb1!\xe4H3?\xd6F'8\
\x1f\x1c\xe7<W\xf3\x98\xfc;\x8c^z\x044P\x8f\
\xbb\xf3\x90\xc7&\x1bi\xc0#z\x19\xbd\xd9L\xa5:\
\x0f\xa0d\xc9\xf3\x0b\xb2\xda=\x92k\xf1#\x84C.\
\xc9\x15\xd4\xf1\x8dR\xf4\xd2\x0eH\xf1=\x9f\xe4\xc7\xb4\
\xc9Ac\xe3Y\xad%\xcdF\xe0\x0b\x91\x86&\x850\
\x01\x9b\xd5d\xd5\xfc\xb7\xcd\xc99\x8a\x81\x1fjV\xa9\
\xbdA\xb8\xb2\xac~\x14\xb8\xc5%\xc9\xa34\x9b-T\
\xc1\xe6)\xa0\xde\xcc+\x0b\xe3c\x8d\xc2\x03\xac\x01\x0e\
\xb8$W\xd1\x9f/\x86Q\xc3\x1d`3\x09'Tu\
\x11[i\x95\x7f\x1a\x1bm\xe4\x1e`j\xa4q\xe5c\
.M\x1a\xda\x99KpV\x8e\xf5\x1e\x99p_\x18\xb5\
\xd4p\x1a\xeb\xfb\xfe\xa5\xb1\xc1\xacvGh3r*\
\x09eq\xe4v7\x15\xb0\xf9\xd6\xb0:A\x07<\xac\
\x1f\xc4\xbb\x96\x82\xcd\xaf\x8c\x8d\xd9\xcc\xc2\xbbQ\xaa6\
\x86p-S\x8c\x8c\x14;\x00\xf7\xa8\xed\xc5\x00n\x0c\
\xd2\xfc\xa8e8P\xeb\x92\xfc\x89Er(\xc0\xbb\x08\
\xc7\xab\xdf6\x1aS\x0d(\xdf1\x96;K\xa6\xf7\x87\
\xd3`\x9c2\xe8\x80\x14\x9f\xf2U\xdanl\xe8Z>\
\x07\xf46r\xaa\x83!4i\xff\x08\x8e\xd7va\xb0\
\x9f\x10t@\x91A>\xc6\x81\x00\xc7\xcb\x9f\x10aD\
\xf5\xa0\x8c\x8f`\xf8m\x1f\xe4'\x04\x1d \x5c\xed\xf9\
.b^\xfb\xab\x1f\x05.\x0d\x0d\xfe\xa7=\xb0\x02\xb6\
\xf7\xf3S\xc2V\x81\x1e\xbeF\xde\x8d0\xa33'?\
/\x84\xbe\x11\x0c\xbf\xed=\xfc\x84h\x07X\x94\x8e\xb1\
e5\x85\x84Fk;\x07\x1a\xe1\x80\x1c\xe7\x01\xf7I\
\xb0\x96\xac\xba'\xf8P\x07x\x0fH\x05L\x01\x8fT\
\x09\x1d\x9d\x03\xa1\xa6\x5c\x15as\xc0i\xcf\xb7\x06\x87\
\xcd%8\xe7l\xf3\x0e\xb1\x9aP\xcc\xd1\xe7,u\x80\
\xe5\x92\x5c '\x17\xdc\x94\xa0\x03\x14oD\xd5\xc9\xe2\
\x9a\x8c\xf8\xbb\xd9\xca*B\x22\x1c\x90\xa7\x97Or\xda\
O\x09\x1b\xbeo\xfa\x1a\x09\xcc\x9c\xbe\xf2W\x8d\xe5\xd5\
DT\xdb\xca5\xbe\xef7\xfc\x940\x07\xec\xf5}\x9b\
7\x1b\xc2\x06cy5Q\x8ch[|\xb6\x0b\xfb\xfc\
\x94\xb0\xbf\x80?\xd98\x22\xc0q#\xcd\x160\xac\x14\
\xd5\xc3\x9b\xb4\xb2\xdb\xc8\x90\x80\xed\x81\x11\x13t@\x0d\
/\x02\xee\xfc\xfb\x0dd\xb5\xf4r\xe3D\x86\x9f6\x1a\
R\x1d,7\x86\xe4\x9d\xc0\xc9\x18\x9f\xf4\x05?-\xe8\
\x00'\xb7\xf6\xa2Gf\x07\x14yQd>p\xd2\xc8\
\xa9,\x0es\xd6\x97\x07\xf0\xa3\xc8\x8dx3\xca\xa7\xb0\
\xd8\xe9\xa7\x85\xaf\xe1\x1a8\xfe\x8e36\xb6P\x8eA\
T\xc4\xa8\x82P\x1aY\x22\xef\x199E\x9f\xcd\xc2\xb3\
a\xe1\xf1p\x07\xd4\xb0\x0e'\xdb{\x11\xa3iP\xf3\
\x89\xcfb)\xf0\x9c\x91S\x19\xac\xa15\x90\x13\xf4\xc2\
\x19\xfe\xfeC\xda\xaa0j\xb8\x03\x9c\xb8\xff\x16\x97\xa4\
\x0e\x09\xa4\xc3\xfdul,&\x02\xfb\x8d\xbc\xf2\xf0\x12\
\x16\xd3\x22\xd3q6w\xe3\xcdC\xbc\xd5>Y\x07P\
z\x1b\xab<\xe6\xf9\x16\xbeIF?al8'\xef\
R\xe0V\xaa\xe3\x84\x9d(\xb7G\xa6\xe3\x9c\xbd\xfe\x02\
\x9ftI\xa9\xecPi\x07\xb4\xb2\x15\xf1L\x86\xb5\xc0\
\xbcH3\xdb\xe4 \x16\xc3!\xdc\xe3\x1d\x82\xf0s\xce\
R\x1f\x19\x98\x05\xb0\x99\x86\xf7\xd8{\x82<\xcbJ\xd1\
\x0d\x07\x19Q\xa0\xd1'\xbc\x979j>\x83\x833\x12\
,\xbe\x82\xf2\x08!\xdb\xcf\x048\x0eL\xa7\x99I\x91\
\x93\x1e@V\xaf\x00_\x0a_i\xe5Q)iC\x9c\
\xe4\xe8j\xc0\x9d\x0e;\x8c2,\xd6\xaf\xe1\x18\xd5\x87\
<\xf3\xda\xc3\xd2\xd1\x99\x1d\x07'\x81e\xd8\xb4\xb1H\
\xe2-\xafN\x12v\x0b\xcaH\x97\xf4\x15\x8e1\xd4t\
\xaf0\xda\x01Y\xed\x83\xcd+\xc0\x95.\xe9\x1f8\xc5\
h\x9e\x94\xf3\xb1\x8cs\xf4t\xa7\xc0-\xc0x\x94!\
8\x81\x94\x8f\xb4\x97\x1e\x03\x8e\x02\xbbP\xd6S\xc3\xf3\
\xfeS[$2\xba\x0cx\xd0%\xc9\x03#\xa2n\xae\
\xc4\xbd 1\x1cg\x17\xe5\xbe\x11\xb6\x92\x16\xa6\x96u\
Ab\xa6v\xc3\xa6\x98\xc8\x91\xe1\xf6=\x04<\xe5\x91\
\x09Si\x96\x15QU\xe3_\x92\xca\xe8d\xc0\x7f\xe3\
b9\x163\x12\xffZ\x15\x83\x0a\x19f\xe0d\x83\xdd\
\xf3\xd9RZdf\x1c\x0d\xc9n\x89et\x110\xdb\
\xa7a\x1bi&\x90\x93\xe3\xe1\x95\xaa\x84\xac\xd6b\xf3\
C\xe0\x01_\xc9sX\x8c1]\x8ap#Y8\xeb\
5\x1a\x81g<2e$6;\x98\xa3C\x12\xe9*\
\x07\xce\xbc\xf4<\xc1\xce\xef\xc1bb\xdc\xceCG.\
J\xde\xa5i\xfa\xf3\x03\x04\xff\x10\xcb\x03\xcb\xb0h!\
'o'\xd6\x1b\x07\xce\xf5\xd9o\xb5\xefJ/\xf3\x95\
n\xc6\xe6\xee\xd8\xabF;:~U\xb6I\x1f@Y\
\x06\x81\xc0\xe4\x19\x84\xc7I\xb38\xc9\x85E#\xb2j\
\x91g\x0a\xc2<\xc2\xc3\xf0\x8by\x8d\xd9\xb1\xef\x13\xb9\
P\xeee\xe9z`\x03pyH\xe9;\x08\x9b\x80M\
\xa4\xd9\x92\xd8\x19\xce\xba^\x8f2\x16\xb8\x0d\x08\xdb\x86\
\xe7\x11\xa6\xc7\x99\xedK\xa1\xfc\xeb\xf2\x19\xfd8\xcaR\
\x84;\x0d\xac<\xb0\x0d\xf8\x0d\xb0\x9f\x14\x7f\xa5\xc8\x09\
\x0a\x9c\xa1\x8e\x026=(\xd2\x0b\xa1\x1f\xa9\xf6\xeb\xf2\
p3\xce\x93\x9ap(;H3\x9d\x05\xf2\xc7r\xcc\
\xaf\xe4\x83\x89/#,\x02\xaa;\x19*GI1\x9f\
\xfd\xfc\xa4#C\xde\x8f\xca>\x99\xc9j\x0a\x9b\xdbP\
\x1a\x10\x86UT7\x1cDXL\x9a\x15\x89/h\x1a\
P\xbdGSst0\xc5K\x8f\xa6\x06tP\xcb[\
8\x8f.Va\xf1\xbb\x8e\xbc\x07\x88B\xe7<\x9bs\
\xe6\x89Q\x08\x83Q\x06\x22\xf4C\xe8\x85\xd2\x13's\
s\x12\xe7\xe9\xdca`\x1f\xc2>\x0alc!{\xff\
+\xee\x22w\xa1\x0b]\xf8\x9f\xc5\x7f\x00\xe8a~t\
\x82\xb2\x01\xcd\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x02O\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02\x01IDATX\x85\xed\
\x97\xcfj\x13Q\x14\xc6\xbfs;3\x0e\x08J,\xf1\
\x15\xf2\x08-(f\x1d\xf2g\x98E\x96B\x05\x17\xe2\
\xa2](\x9de\xc8J\x22\xb8\xb0\xbb.mW2\x8b\
\xc0\x84\x90U%\x11,\xf5\x15\xf2\x08--V(\x8e\
\x04\xef\xe7\xa2\x9324\xd5\x99:\x13\x82\xd6ou\xb9\
\xf7\xcc\xf9~3\xf7\x5c\xe6\x5c\xe0\xa6K.O4\x1a\
\x8d\x07$=\x11Y\x05P\xcc\xc9\xe7\x88\xe4\x81\x88t\
\x82 \xf8\xf4K\x80z\xbd\xfeRD^_\x05\x96\x93\
4\x80\xcd \x08\xde\xcc\x00\xd4j\xb5\x87J\xa9\x8f\x00\
NI\xae\xdb\xb6\xdd\xf7}\xff$\x0f\xd7f\xb3y/\
\x0c\xc3\xaa\x88l\x01\xb8\x03\xe0\xd1\xf4K\x18\x17$\x22\
\x9b\x00\x84\xe4z\xaf\xd7\xdb\xcd\xc3x\xaa\xe8Ev\x1d\
\xc7\x11\x92\xefHz\x00\x1a\x00\xa0b\x00\xab\x00`\xdb\
v?O\xf3\xb8\x94R\xfd\xc8k\xe5b.\xb6^\x8c\
\xd1\xceE\xddn\xf78\x1a\xde\xbf\x0a`!\xfa\x0f\xb0\
p\x00#)\xa0R\xa9\xdc2M\xb3#\x22\x8fI\xde\
M\x99\xf7+\x80\x9d\xc9d\xe2\x0d\x06\x83\xef\x99\x00\x0c\
\xc3x\x05`\x83dJo\x00@\x01\xc0\x86i\x9a?\
\x00\xbc\xf8]`\xe2\x16\x88\xc8\xdau\x9c/\xe9IR\
@\x9a\x1a(d\x00H|v\xe1E\x98f\x0bN3\
\xe4\xff\x92\x19\x00\xc0\xce\x9f\xba\x8bH\xe2O-\x11\xc0\
\xb2,\x8f\xe46\x80\xb3kx\x9f\x91\xdc\xb6,\xcbK\
\x0aL<\x86\xbe\xef\x7f\x03\xf0\xac\xd5j=\x1f\x8dF\
\xa9j\xa6\x5c.\xebv\xbb\xad\xd3\xc4&\x02L\x15%\
L\x95t8\x1c\xa6M\xfb\x17\x9c\x82\x1b\x05p\x04\x9c\
7\x90\xf32s]w9\x1a\x1e\xce\x00\x90<\x00\x80\
0\x0c\xab\xf3\x02\xd0ZW#\xaf\xcf\xd3\xb9xW\xdc\
\x01P\x13\x91-\xc7qD)\xd5\x8f\xf5p\x99\xe4\xba\
\xee\xb2\xd6\xbaJ\xf2-\x00\x1dy\x9d\xfb\xc6\x03\xa3\x8b\
I\x07\xf3\xab\x8d\x99\x8b\xc9R|u<\x1e\xef\x97J\
\xa5=\x92E\x11)\x00\xb8\x9d\x93\xf1!\xc9\x0f\x22\xf2\
4\x08\x82\xf79\xe5\xfcG\xf4\x13#\xc8\xa9w\x0fB\
3\xfa\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x0a\xd6\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x0a\x88IDATx\x9c\xed\
\x9bkp\x1b\xd5\x15\xc7\xff\xe7\xae,)\xd0DP\x1e\
I\x06\xd3\x00M\xfc\x18\x1a\x0f\x09P\xa0\xa4\xc6\x04\x0a\
\xd8H+\xdba\xa7\x01\x86!<\x9a\x16(\xed\x94\xb6\
\xcc\x90\x99bBa\x06\xda\x12204\x90i(\x10\
2\x85\xaa\x13\x8b\x95\x8c S\xa8\x5cJa \xb5\x03\
C\x1c+4`\x1eMI\xa1\x80\xa54\xb5\xbc\xda=\
\xfd`y\xbaZ\xadv%K\xca\x17\xfc\x9b\xd1\x87=\
\xf7\xdcs\xcf\x1e\xdd\xbd{\x1fg\x81Yf\x99\xe5\x8b\
\x0c\x1d\x8eF:;;\x8f\xf3x<\xedD\xb4\x94\x99\
[\x88\xe8\x14\x00G\x01\x98\x07@\x02\x90\xce\xff\xde'\
\xa2=\x00F\x0c\xc3x)\x16\x8b\xbd[o\xdf\xea\x16\
\x80\xee\xee\xee\xaf\x1a\x86\xb1\x06\x80\x0c\xa0m\x86f\xde\
%\xa2\x84a\x18\x8f\xc5b\xb1\x9d\x00\xb8f\x0e\xe6\xa9\
u\x00H\x96\xe5\x8b\x01\xdc\x0a\xe0\xfc\x9a\x1a&z\x0b\
\xc0\x86\xf9\xf3\xe7?\xb9y\xf3f\xadfvkeH\
\x96\xe5\xf3\x01\xfc\x02\xc0\x19\xb5\xb2Y\x821\x00w\xa8\
\xaa\xfa\x04j\xd0#\xaa\x0e\x80,\xcb\xf3\x01\xdc\x07\xe0\
J\x075\x03\xc0\xcb\x00\x92D4\x0a`\x9f\xae\xeb\x9f\
\x1a\x86\x91af]\x081W\x92\xa4\x00\x80\x93\x89\xa8\
\x89\x99\xcf\x01\xf0-\x00s\x1cl\xbe\xc4\xcc7\xc4b\
\xb1\xdd\xd5\xf8_U\x00\xba\xbb\xbb\xbfn\x18F\x14\xc0\
B\x9b\xe2\x0c3?KD1I\x92\x9e\xeb\xef\xef\xff\
w%\xb6\x15E\x99\x93\xcdfW2s\x88\x88\xe4\x12\
mL0\xf3\xb5\xb1X\xecw3\xf1\x1f\xa8\x22\x00\xe1\
p\xf8\x0af~\x14\x80\xcf\xea\x14\x80\x07t]\xbfg\
``\xe0\xb3\x99\xda7\xa3(\x8awrr\xf2;\xcc\
|;\x80\xe3\xad\xe5\xcc|\xf7\xf2\xe5\xcbo_\xbf~\
\xbdQ\xa9\xed\x8a\x03\xd0\xd7\xd7'\x86\x87\x87\xef\x02p\
\x9b\xa5\xc8`\xe6G\x1b\x1a\x1a\xd6o\xdf\xbe\xfd\xc3J\
\xed\x96\x83,\xcbs\x01\xdc\x02\xe0'\x00\xbed.#\
\xa2\xa8\xd7\xeb\xbd*\x12\x89\x1c\xac\xc4fE\x01\xc8\xdf\
\xfc6\x00\xab-E\xfb\x85\x10=\xd1h\xf4\xb5J\xec\
\xcd\x94\xde\xde\xde\xc6\x5c.\xd7\x8f\xe2\x01wX\xd3\xb4\
\x8eD\x22\x91.\xd7\x96TI\xc3\x81@`=\x80\x9b\
,\xe2W=\x1e\xcf\x05\xfd\xfd\xfd\xa9JlU\xc3\x9e\
={\xd2mmmO\xea\xba~\x12\x0a\xe7\x18\x0b%\
IZ\xda\xd6\xd6\xf6\xfb\x91\x91\x91\xb2\xde\x10e\x07 \
\x1c\x0e\x7f\x1b\xc0\x83\x16\xf1\xe3\xe9tZI$\x12\x9f\
\x97k\xa7V\x8c\x8c\x8c\xe4R\xa9T\x7fss\xf3!\
\x00\x17\xe2\xff\xbd\xb9I\xd7u\x7f*\x95\xfac9v\
\xca\x0a\x80,\xcbg\x00P\x01xL\xe2'UU]\
366\x96\xab\xc4\xf1Z\x93J\xa5^njj\x1a\
'\xa2KL\xe2s[ZZ\xdeM\xa5Ro\xb8\xd5\
w\x1d\x03zzz\x8e\xd1u\xfd\x0d\x00'L\xcb\x98\
\xf9\xb5L&s^2\x99\x9c\xa8\xc4\xd9\x9e\x9e\x9e\xd6\
\x5c.\xd7\x03\xa0\x8d\x88\x1a\x89\xa8\x91\x99u\x00\x1f2\
\xf3\x87D4\xc4\xcc\xdbg\xb0\x06\xa0P(\xb4\x85\x88\
\xae1\xc9&\x0d\xc38'\x1e\x8f\x0f9Vt\xb3,\
\xcb\xf2\x16\x00\xd7\x9aD\xfb\x01\x9c\xa9\xaa\xea\xfer<\
S\x14\xc5\x9b\xcdfo\x00\xf0=\x00-\xe5\xd4\x010\
\xcc\xcc\x0f\xf8\xfd\xfe\xad\x91HD/\xa7Bgg\xa7\
\xaf\xa1\xa1\xe1E\x00\xdf0\x89\x87\xd2\xe9\xf4Y\xc9d\
\xb2d/\x15NF\x83\xc1\xe0\x0a\x14\xde<3\xf3\xaa\
ro>\x18\x0cvg\xb3\xd9\xdd\x006\xa2\xfc\x9b\x07\
\x80eD\xf4\xdbl6\xbb3\x14\x0a\xad,\xa7B\x22\
\x91\xc8\x02\xe8\x05\xf0\x89I\xbc<\x10\x08\xdc\xe8T\xcf\
i\x0c\xa0\x96\x96\x96m\x00\xbeb\x92m\x8b\xc5b\xd6\
\x81\xb0\x88\xb5k\xd76466>HD\xf7\x01\xf8\
\xb2\x9b\xbe\x03\x0b\x88\xe8\xea\xe6\xe6fZ\xbdz\xf5\x9f\
\x07\x07\x07\x1dG\xf6T*\xf5\x9f\xa6\xa6&\xcd2\x1e\
\x9c\xb9h\xd1\xa2_\xef\xdb\xb7\xcfv\x01U\xb2\x07\x84\
B\xa1v\x00+L\x22M\xd7\xf5>7\x8f/\xbd\xf4\
\xd2\xa3\x0f\x1c8\x90`f\xc7\xc8WH\xdf\xf0\xf0\xf0\
\xd3\xc1`\xf0\x087\xc5L&\xf30\x80\xf7M\xa2c\
\xfd~\xffwK\xe9\x97\x0c\x00\x11\xfd\xd4\x22zd`\
`\xe0\x1d\xa7\xc6\x15E\xf1J\x92\x14e\xe6\x0b\xdc\x1c\
\x9d\x01\x97I\x92\xf4D__\x9f\xe3c\x9bL&'\
\x98\xd9\xfaG\xdd\xa2(\x8amo\xb75\xd6\xd5\xd5\xb5\
\x00\x80\xb9\x1bi\x00\xeerq\x90&&&\x1e\x02\xd0\
\xee\xa27c\x98y\xd5\xd0\xd0\x90k/\xf4\xfb\xfd[\
\x01\xbcm\x12\x9d099y\xa1\x9d\xaem\x00<\x1e\
\xcf\x15(\x1c\x1f^TU\xf5\x80S\xa3\xb2,_I\
D\xd7\xbb9W-Dt{8\x1c\xb6\xbd\x99i\x22\
\x91\x88ND\x11\xb3\x8c\x99\xaf\xb6\xd3\xb5\x0d\x003\x87\
,\xd7\xaaS\x83\xf9g\xf3\x1e'\x9dZ\xc2\xcc\x1bJ\
ui\x13V\x9f\xbb\xec\xea\x14\x05\xe0\xa2\x8b.:\x92\
\x88\xcc\xefR0s\xdc\xa9%!\xc4-0M\x94\x0e\
\x03K'&&\xd68)\x9cv\xdai\xaf\x030\xf7\
\xda\x80\xa6i\xa7[\xf5\x8a\x02\xe0\xf5z\xcf\x06\xe05\
\x89v\xc5\xe3\xf1\xf7\xadz\xd3\xe4\xa3\xfa\x037\x8fk\
\x0d\x11\xfd\xd0\xa9<\xbf7P\xf0\xc7\xe9\xba^\xb4O\
Y\x14\x00!\xc4\xd7,\x0d\xbd\xe4\xd4\x90\xa6i\xdf\x04\
p\x9c\x93N\x9dX\x1a\x0c\x06\x97\xb8\xe8\x14\xf8.\x84\
8\xd5\xaaP\x14\x00fn5_\x1b\x86\xf1\xb6U\xc7\
R~\x99\x8b\x13uC\x92\xa4UN\xe5DT\xe0\xbb\
\xf5\xde\x00\x9b\x00\x10\xd1I\x96k\xc7w?\xea\xbf\x0b\
\x5c\x12f.z\xa6\xcdh\x9af\xf5\xfdd\xab\x8e\xdd\
[`\xae\xe5\xdam\xad\x7f8\x07?+\x8dN\x85\x87\
\x0e\x1d\xb2\xfan\xbd7\xf7\x00\x18\x86Qr\x8f-?\
+\xb3\xdb\xad=\x5c8\x06 \x99Lf\x01\x98W\x82\
^EQ\xcc\x03\xbc\xed#P\xb0D\x16B\x94\x5c\x80\
\x0c\x0e\x0e\x0a;\x1b\x87\x91\x86j\x0d\xd89\x9f\xb1\x5c\
\x17u\x9bi\xf2\xebl\xc7\x19b=af\xc7\xdd\xe7\
\x8e\x8e\x0e\x1f\x0aw\xb1&#\x91\xc8\xa4Y\xc7\xee-\
`\xddQ=\xca\xc5\x89\x7f\xb8\xf8Y7\x88\xc81\x00\
\xf3\xe6\xcd\x0bXD\xd6?\xd7\xb6\x07\xbcg\xb9.\x1a\
9-N\xbc\xe5T^O\x98\xd9\xb1m\xc30N\xb1\
\xe8\x8fYu\xecz\xc0\x1e\xcb\xb5\xdbdc\xbbKy\
\xdd`f\xc7\xb6%I*\xf0=\x7f.Y\x80\xdd \
\xb8\xdbr\xbd\xc2\xaac&\x9dN\xef\x00P\xd1iL\
- \xa2\xf7\xe2\xf1\xf8\xb0\x93\x0e3\x17\xf8n\xd7[\
\x8b\x02\xe0\xf3\xf9^\xc1\xd4\xfa\x7f\x9a\xe5\xbd\xbd\xbd%\
_7\xf9\x9d\xe1\xc7\xdc\x1c\xae5\x86al\x86\xc3\xf1\
x\xfe\x15\x1d\xb4\xd4IZ\xf5\x8a\x02\x90?[{\xc5\
,\xcb\xe5rA\xab\x9e\x19M\xd3\xee\x040\xee\xe8q\
m\xf9\xc0\xef\xf7\xdf\xef\xa4044t:\x0a\xe7(\
\xe9L&\xb3\xd3\xaaW\xea\x1dn]\xfe\xcaN\x8d%\
\x12\x89\x8f\x99\xd9m\xc7\xa8\x96\xac\x8bD\x22\xffuR\
\xc8\x1f\xa9\x9by\xcen{\xbcT\x00\xb6a*\xa9a\
\x9a\x95\x9d\x9d\x9d\x8e+\xbeL&\xb3\x11\xc0\xf3N:\
\xb5\x80\x88\xb6\xaa\xaa\xba\xcdI'\xdf\xfd\x0b\x16iD\
\xf4\xb8\x9d\xaem\x00\xf2\xfb\xfe;L\x22\x9f\xc7\xe3\xb1\
\x1e\x87\x17\x90L&sB\x88\xd5\x00\xeayH\xfa\xea\
\xf8\xf8\xf8Z\xb8\xa4\xc6\x0c\x0f\x0f_\x8e\xc2s\x88\x8f\
\xc6\xc7\xc7w\xd8\xe9\x96\x9c\xc6\x1a\x86\xf1+\xf35\x11\
\xdd\xd4\xd5\xd5\xb5\xc8\xa9\xe1h4\xfa\xb9\xae\xeb]\xa8\
O\x10v\x02\xe8v;\x8e\xcb\xcf\xf5\x7fn\x11\xdf_\
\xeat\xa8d\x00\xe2\xf1\xf8\x8bDd\x1e\x0c\xbd\x0d\x0d\
\x0dw\xb8y900\xf0\x8e\x10\xe2l\x22\xb2\x8d\xf8\
\x0cy\xca\xe7\xf3\xb5\xbbm\xcc\x02@6\x9b]\x0b\xd3\
\xe4\x8d\x99?\x05\xb0\xa9\x94\xbe\xe3\xc6bkk\xeb>\
f^c\x12\xb5\xb5\xb6\xb6\x0e\x8c\x8e\x8e\xfe\xd3\xa9\xde\
\xe8\xe8\xe8\xc4\xc2\x85\x0b\x9f\xf2z\xbd\x87\x88\xe8,\x14\
\xa7\xd1\x94\xcb'\x00~\xac\xaa\xea\xba\x91\x91\x11\xd7\xd4\
\xb8`0x,\x11=\x0d\xe0\xc8i\x19\x11\xfdLU\
\xd5d\xa9:\x8e+\xb9h4\x9a$\xa2\xadf}\xc3\
0\xfa\xf3\x99a\x8e$\x93\xc9\x5c,\x16\xbbW\x92\xa4\
\xc5\x98\xfa\x07\x0e\xb9\xd511\xce\xcc\xf7\xf8|\xbe\xc5\
\xaa\xaa>\x8c2\xd2\xe1\x14E\xf1\x0a!\xfe\x80\xc2\x1c\
\xa27\x17,X\xf0\x80S\xbdr\x8e\xc7\x8f\xd7u\xfd\
M\x00\xe6\x9b\xfe\xab\xa6i+\xf3\x07\x92e\x11\x0c\x06\
\x8f\x10B\x5c\xc2\xcc\xab\xf2)\xb3'\x10\xd1\xf4\xb9\xe1\
\xc7\x00\xf63\xf3\x10\x80\x88\xdf\xef\x7f\xc1\xbajsC\
\x96\xe5M\x98:\x81\x9eF\x13B\xacpK\xdb)+\
G(\x14\x0a\x9dMDI\x14v\xe5GUU\xbd\x1e\
U$+*\x8a2\xe7\xe0\xc1\x83F%\x81,\xe1\xdf\
\x8dD\xf4\x90Y\xc6\xcc\xd7\xc7b\xb1-nu\xcbN\
\x92\x0a\x85BW\x11\xd1\x13\x16\xf1f\x9f\xcfws\xa5\
\xffV\x0d\xa1p8|33\xdf\x8f\xc2\xc7y\xa3\xaa\
\xaa?*\xc7@\xd99B{\xf7\xee}\xb3\xb9\xb9\xf9\
\x08\x00\xe7\x9a\xc4\xa7\xeb\xba\xde\xbed\xc9\x92\xf8\xde\xbd\
{+y\xc6\xabFQ\x14\xef\xe2\xc5\x8b\x1f\x01\xb0\x0e\
\x85\x7f\xe4\xf3\xe9t\xfa\x9a\xb1\xb1\xb1\xb2r\x06+\xda\
\xce\xf2\xf9|\xeb\x00\xf4[\xc4\xe7\x09!^\x0f\x87\xc3\
K+\xb1U\x0d===\xc7g\xb3\xd9\x17\x00\x5cg\
)\xda-\x84X\xed\x94\x11b\xa5\xe2DIEQ\xa4\
\x89\x89\x89_\x12\x91\xb5\x8bi\xcc\xbc\xc9\xe3\xf1\xdc\xdd\
\xdf\xdf\xff\xafJ\xed\x96\xd9\xf6\x9cl6\xfb}L%\
i\x1em)N\xf8|\xbe\xcb#\x91HE\x8b\xb2\x19\
\xa7\xca\x86B\xa1\xeb\x88h\x13\x8a7&\x0f\x02\xb8O\
\xd3\xb4\x0d\x95$,:\xd1\xd1\xd1\xe1\x09\x04\x02k\x98\
\xf9\x0e\xd8o\xc3o\xf0\xf9|\xb7\x96\x9bOd\xa6\xaa\
diY\x96\xdb1\xb5#t\x8cM\xf1g\x00bD\
\x14\x9b\x9c\x9c\xdcQi0\xf2\xf9\xc1\xed\x86a\x84\x84\
\x10af\xb6\x9b\x86k\xf9\x8cq\xd7\xd1\xbe\x14U\xa7\
\xcb\x87\xc3\xe1\x13\x99y#\xa6\x12\x94J\xa1\x01\x18d\
\xe6?\x01H1\xf3\xdf%I\xfa4\x97\xcb\x1d4\x0c\
C\x97$i\xae$I\x01f6\xa7\xcb_\x8c\xa9O\
jJ\xf1\xba\x10\xe2\x86h4\xfa\xb7j\xfc\xaf\xd9\x07\
\x13\xa1P\xa8\x93\x88\xee\x05P\xef\xc1p?\x11\xdd\xe9\
\xf5z\x7f3\x93.o\xa5\xa6\x9f\xcc\xf4\xf5\xf5\x89]\
\xbbv\x85\x99\xf96\x00g\xd6\xd26\x80w\x88h\xc3\
\xf8\xf8\xf8\x96J\x134\x9d\xa8\xdbGS\xa1P\xe8T\
!\xc4\x1af\x96\x014\xcd\xd0\xccG\x00\x9e\x05\xf0\xf8\
\xb2e\xcb\xfe2\x93\xef\x01\xdc8,\x9f\xcd\x85\xc3\xe1\
\x13\x01\x9c\xcf\xcc\xa7bj\xa3\xe2d\x00\x01L=\xe3\
\x1eL-~\xd2B\x88\x0f\x0c\xc3\x18%\xa2Q\x22\x1a\
|\xe6\x99g\xf6\xa0\x0e_\x8a\xcd2\xcb,\xb3L\xf3\
?\x9b0\x05N~\xb6\xae\x0f\x00\x00\x00\x00IEN\
D\xaeB`\x82\
\x00\x00\x00\x85\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x007IDATX\x85\xed\
\xcd\xa1\x11\x00 \x0c\x04\xc1\x7f*\xc3 \xd3ltf\
h\x0d\x85\xc4\xc6p\xab\xce\x9d\x04\x00\xc0\xef|#\x22\
\xb6\xed\xd9\xf4\xad\xcc\x5c\x924\x9a\x86\x00\x00\x00O\x07\
\xf8\xad\x05\x04_@\x061\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x03X\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\x0aIDATx\x9c\xed\
\x9bAO\x13A\x14\xc7\xffo\xb3\x06\x1a\x8ej\xe8\xe2\
\xdd\x0b\xd6O\xa0\xd7=\x90\xb0\x93\x10\xc0H\x22\xdeJ\
4\x01=\xc2'\xd03\x98\x88\xdc\xd4D\x13JH\xb6\
\xc7^\xf5\x13P<y\xa6[\x12=\x92\xd2\xd8\xec\xf3\
\xd0m\xdd\xcc\xeeZD\xda\xb7\x0d\xf3;M\xdf\xccn\
\xfe\xef\x9f\x99\x9d\x1e\xde\x03\x0c\x06\xc3u\x86.\xb2\xc8\
u\xdd\xa9B\xa1\xb0\x1c\x86\xe1\x22\x11\xdd\x030\x03\xc0\
\x1e\xae\xb4\x7f\xa6\x03\xa0\xc1\xcc\xc7\x96e\x1d\xb4Z\xad\
\xfdZ\xadv6\xe8\xa1A\x06\x90\xe7y\xab\x00^\x01\
p\xaeB\xe5\x08\x09\x88h\xd3\xf7\xfd\x8f\x008kQ\
\xa6\x01\xe5r\xf9F\x10\x04;D\xb46\x14y#\x82\
\x99\xdf9\x8e\xb3\xbe\xb7\xb7\xf7+m>k\x1bS\xb3\
\xd9|CDe-^\x07\xf0\x95\x88\x9a\xcc\x1c^\xa9\
\xd2\xff\x84\x88,f.\x02x\x00\xa0\x14\x8b\xaf\x05A\
\x00\x00\xcf\x90\xb2\x13Rw\x80Rj\x95\x99\xdf\xc7B\
?\x89h\xc3\xf7\xfd\xcfi/\xc9\x19\xa4\x94z\xcc\xcc\
\xdb\x00n\xf6\x83DO}\xdf\xff\x90X\xac\x07\x5c\xd7\
\x9d\x9a\x9c\x9c\xfc\x8e?g\xfe\x87m\xdb\xf7\x0f\x0f\x0f\
\x83\xa1I\x1e\x02\x0b\x0b\x0bN\xa7\xd39\x02p+\x0a\
5\xce\xcf\xcf\xef\xea\x1fFK\x7f\xb0P(,#\xf6\
\xc1#\xa2\x17\xe3\x96<\x00D\x9a_\xc6B3\x13\x13\
\x13K\xfa\xba\x84\x01a\x18.\xc6~\xd6\xa3m?\x96\
T\xab\xd5O\xe8~\xb7z\x0c6 \xba\xe7{\xe3/\
\xc8\xff\x99\xff\x1b\x1c\xe5\x00\x00\xb0,kV_\x900\
\x00\xdd?9=N\x87\xa1j\xc4\xf4s`\xe6;\xfa\
d\x9a\x01\xfd\xab1oW\xdde\xd0rH\x5c\xfbi\
\x06\x5c+\x8c\x01\xd2\x02\xa41\x06H\x0b\x90\xc6\x18 \
-@\x1ac\x80\xb4\x00i\x8c\x01\xd2\x02\xa41\x06H\
\x0b\x90\xc6\x18 -@\x1ac\x80\xb4\x00i\x8c\x01\xd2\
\x02\xa41\x06H\x0b\x90\xc6\x18 -@\x1ac\x80\xb4\
\x00i\x8c\x01\xd2\x02\xa41\x06H\x0b\x90\xc6\x18 -\
@\x1ac\x80\xb4\x00i\x8c\x01\xd2\x02\xa4I3\xa0\xd3\
\x1b\x10\xd1\xd8\x1b\xa4\xe5\xd0\xd1\xe7\xd3\x12l\xc4\xc6\xd3\
W\xaeh\xf4\xf4s \xa2\x13}2a\x003\x1f\xc7\
\xc6\x0fq\xc1\x9e\x82\x9cBQ\x0e\x00\x800\x0c\xbf\xe9\
\x0b\x12\x06X\x96u\x10\xfbYRJ-\x0fI\xdc\xd0\
\xf1<\xef\x11b\x95\xe3\x00*\xfa\x9a\x84\x01\xadVk\
\x1f@\xbf6\x98\x99w<\xcf\x1b\xbb\xa3077W\
\x04\xb0\x1d\x0b5\xda\xed\xf6`\x03j\xb5\xda\x19\x11m\
\xc6B\xb7\x01\xd4\x95R+\x18\x8f\xe3@J\xa9\x15\xdb\
\xb6\x8f\xd0\xd5\xde\x0d\x12m\xa5\xb5\xd0d%D\xf3\xf3\
\xf3oS\xbaE\xeaQ\xed\xedi\xde\xaaH\xa3\xaf\xfd\
tt\xe6K\xda\xf4n\xb5Z}\x8e\x94\xba\xe7\xac\x8e\
\x11v\x1cg=\x08\x02h&\x94\x98Y\x7fy.`\
\xce\xac\xe9\xde-\x16\x8b\x1b\xc8(\xfa\x1e\xd84\xa5\x94\
z\xc2\xcc\xaf1~MS\x0d\x22\xda\xbat\xd3T\x1c\
\xd7u\xa7\xa2f\x83%\xcb\xb2f\xa3\xaa\xeb\xdc\xb5\xcd\
\x11\xd1It\xd5U\xda\xedv\xe5\x22ms\x06\x83\xe1\
z\xf3\x1b4\xed\xe9\xa0\xfb\xb8\x0f\xfb\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x01M\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xffIDATX\x85\xed\
\x95?N\x82A\x10G\xdf,\x96&\x16V\x06\x8c\xa5\
\xa57\xa0\xb4\xb0\xb5\xb3$\x04\xef\xc0\x9f\x18\xe2'\x17\
\xb01&\xd0AgI\xc31\xb8\x81\x89\xc6\xc4\xd0h\
hL\x84\x9f\x05\x1fFh\xc8\xb2\xc9R\xb8\xaf\xd9-\
fg\xded\xb2\xbb\x90H$\xfe;\xe6\x17.G\x83\
w`\xca'\xa7\xdc\xdbW\xa8\x80\xf3\x8a\xaeQ\x00\x0e\
\x81\x13\x0e\xe8\x81<\x1b\x08\x158B\xbf{qE\x93\
\xdb\xb8\x02\xeb\x88\x06uUw#`\xcc\xf3\xf5\x81\xa6\
\xce\xe3\x0b\x08\xe5\x12\x05\xc4\x13-\x9d\xc5\x15XJ\x08\
\x01\xfb\xcc\x19r\xa3R\x5c\x01X\x8eB@\x91o\xfa\
\xf1\x05V)\xefB\xc0\xb1x\xd0^\xd9\xe38\xae\x80\
ay\xf1)\xe2\x82\xb6\xbd\xc4\x130\x0c\xe1\x80\x19\xc6\
%\x1d\x1bo\x93&\xe4\x1a\xba\x5c\xe4\x9a\xccF\xdb\xa6\
\x09\x1d\xc1\x1d\x99uCR\xf8\x09\xbc\xfd\xf9=\x8d\x01\
\x19\xad\x90\xe2\xfe\x02\x8f\xcc\x80\x09\xf0\xcc\x07\x150m\
:\x92H$\x12\x9b\xf8\x01\xba\xd49\x1f\xbaES]\
\x00\x00\x00\x00IEND\xaeB`\x82\
\x00\x00\x01\x01\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00@\x00\x00\x00@\x08\x06\x00\x00\x00\xaaiq\xde\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00\xb3IDATx\x9c\xed\
\xda\xc1\x09\x800\x10\x00\xc1(\xf6\x9a\x9aR\xad\xbe\x04\
\xc1\x02Fp\xf7\x97\xd7-\xcb\xfd.\xdb@\xac\xb5\xce\
\xe7{\xce\xb9\x09\x8f]\x0c\xfd\x12\x05\xd0\x02\x9a\x02h\
\x01M\x01\xb4\x80\xa6\x00Z@S\x00-\xa0)\x80\x16\
\xd0\x14@\x0bh\x0a\xa0\x054\x05\xd0\x02\x9a\x02h\x01\
M\x01\xb4\x80\xa6\x00Z@S\x00-\xa0)\x80\x16\xd0\
\x90\x8b\xec\x18\xef\xeb\xb0\xe2\xf7\x1bP\x00-\xa09\xb4\
\xc0M?D\x10\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\
\xa6\x00Z@S\x00-\xa0)\x80\x16\xd0\x14@\x0bh\
\x0a\xa0\x054\x05\xd0\x02\x9a\x02h\x01M\x01\xb4\x80\xa6\
\x00Z@S\x00-\xa0)\x80\x16\xd0\x5c2A\x08\x81\
\x07\x8c\xf0\x82\x00\x00\x00\x00IEND\xaeB`\x82\
\
\x00\x00\x01\xc5\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01wIDATX\x85\xed\
\x96?K\xc3@\x18\xc6\x7f\x17C\x1d\x0a~\x01A\x17\
\xf7\x82\x93\x08\xe2W\x10E\xa4\x8b_@\x17\xa1\xa8\x18\
:HI\x1cD\x97\xe2'p\x12\xe9'p\x11\xa4\xe0\
hw\x97\xe2\xe0\xe2b\x07\xa7\xda\xd7\xa1\xa4\x5c\xda\xe6\
ziZ3\xb4\xcft\x7f\xde\xbb\xe7\x97\xcb\x93#0\
\xebR\xc6\xd9\x92\xe4\xc9QA\xb1\x0b\xac\xa6\xf4j\x02\
5\x5c\xca\x5c\xaa\x9f\xd1\x00%\xc9\xb3H\x1d(\xa44\
\xeeW\x03\x97\xcd\x10\xc2\x89-\xcbQ\x99\x829@\x81\
6\x95\xb0\x13\x0f\xd0=\xf6ii/l\xb8\x86\xa2\xe8\
;\xf7\x959/\xa3\xe4\x89\x0c\xdb;\xfe\x04\xfeIs\
\x80\xc1\x0c\x9c\xc9\x0a.\xdb\x03\xe3\x9e\x1c\x1b\xf6\xe9\xd0\
\xa1\xc1;\xaf<\xaa\xdf$\x00\xd1`yR\x02\xae\x86\
\x82\xd9\xed\xf6B\x87\x03\x02\xf590\x17\x0da/\xd4\
\x8eVP\x04\xae\xc76\x07\x10\xb6px`_\x16l\
\x97\xe8\x198\x1d\xdb\xb8\x1fb\x8d\x0d\xdbr\xfdi\xa3\
\xb7\x9epgm\xaa\xd8\x01\x96{}\x87\x02PO\x0a\
\x10\xcdC\xa0L\xa1\x8b\xeaB@q\xa4\x8dX\x7f]\
\x99\x7f\x86s\x809@\xe6\x00\xe3\xdfzfU\xf1\xa4\
j\x98o\x86\x8d\xacN\xa0\x96%@\x03\x97r\x16\x00\
M\xe0V\xff#\x06\xfd\xfa\xf5\xe4\x1bX\x9a\x90\xd9!\
\xbe\xba\xb7)\xd4O\xe0iB\xe6m\xe0\xd9\xb6X\x07\
8\x01\xbeR\xdb\x0b\xe7\xf8\xea#9@w\xd1:\xdd\
\x84\xb6\x12\xdb\xc2\x1bB\x91@\xdd$\x5c;\xe3\xfa\x03\
\x17\xc2L\xdc\xab\x1c\x9c\xf9\x00\x00\x00\x00IEND\
\xaeB`\x82\
\x00\x00\x00\x88\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00:IDATX\x85\xed\
\xd3!\x12\x00 \x0c\x03\xc1\x84\x97a\x90\xfdl53\
|\x0d\x85\xc4\xb6\xe6V\xc5\x9d\x8a\x04\x00h\xe67\x22\
\xe2\xd8\x9eE\xdd\x9d\x99K\x92FQ\x10\xf8\xe2\x05\x00\
\x00\xb4\xbb\xe1I\x0a\x07\xd8\x8f7+\x00\x00\x00\x00I\
END\xaeB`\x82\
\x00\x00\x00\xc2\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00tIDATX\x85\xed\
\xd2\xb1\x09\x80P\x0c\x84\xe1?\xcf\x1d\x04\xb7q\x13\x0b\
\x1b\x87\x10Dp\x08\x0bkgp#\xc1\x1d$V*\
\x22\xd8\xf9^s_\x97\x10\xb8+\x02\x22\x22\x22\x89\xd9\
st\xa3#\xfb5\xb1g\x07\xf3w\x81\xd6K\x9c\x19\
(~-\x00\x1bF\xc5`\x0b@\xb8\xd6\xce\x18!\x1c\
\xc7\x99\xce!|]\xc6p\x170\x1a`\x8d\x90\xb9\
\xe1\xd4w\xecC\xfc'\x14\x11\x11I\xee\x00\xbc\x95\x15\
\x07\x0a;?\xa1\x00\x00\x00\x00IEND\xaeB`\
\x82\
\x00\x00\x01i\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x01\x1bIDATX\x85\xed\
\x95\xa1N\xc4@\x14E\xef\x9b\x1d\xc9*$\x10$\x12\
Q\x8fD\x90i\x9b\x14\x87$$|\x04A\x91\xfd\x07\
\x0c8p\xd4\xb4\xa4\x09\xffP\xc3\x1f\x90\x80!\xb8\xae\
\xa1\x99\xedE\xec@\xd6\xb6\x93\xb4\x829fF\xbc\xdc\
w\x9e\x987@ \x10\xf8\xefH\xcfz\x95$\xc9\xa7\
\x88,\xdb\xb6=\xa8\xaa\xea\xdbW@\xf5)\x8e\xa2h\
\x06`\x9b\xe4\xbe\xd6\xfa\x1e\xfd\x07\xf0\x13\x98\xcf\xe7\xfc\
\xbd\x8b\xc8Y\x1c\xc77\xa3\x0alB\x12\x22r\x95\xa6\
\xe9\xc5$\x02\x22\xd29\x91[c\xcc\xf1\xe8\x02\x00\xe8\
$fJ\xa9'c\xcc\xe1\xd8\x02 I\x00\x04\xb0\xa5\
\x94z\xce\xb2lwT\x01G\xe7$v\xac\xb5\x0fS\
\x08lr4\x85\x80\xc2z\x1f|h\xad\xf7F\x15\x10\
\x11q\xcd\x97\x00N\xf2<\x7f\xef\x9b\xa1}\xfa\x93T\
\x00V]\xd7\x9d\x96e\xf9:$\xc4g\x11)w^\
\x96e\xf924\xc7g\x11\x81\xe4\xa2(\x8a\xbb\xa1\x19\
\xbd\x05\x9a\xa6\xf9\xfb|H>\x16Eq\xed\xd3\xbc\xb7\
@]\xd7+\x00_$\xdf\xac\xb5\xe7X\xbf\xff@ \
\x10\xf0\xe2\x07\x91@`!\x9f&v\x1d\x00\x00\x00\x00\
IEND\xaeB`\x82\
\x00\x00\x03\xeb\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\x9dIDATX\x85\xe5\
\x97Mh\x5cU\x14\xc7\x7f\xe7\xbe\x98\x09YT\x13\x0a\
&LBk\xf0\x03\x03\xba\x92\x82\x0b\xbf\xaaXD\xda\
T\xd0\x11\x91*4N\xde\x84@\x16\x82\x90\xe2b2\
X4\xe0\xca\xa1\xc9\xe4M\x02A\xd1\xcd,\x0c&j\
\xb5\xa0\xb4+)\x15\x8b\x8bB@\x88\xa0\x93\x8c\x22$\
(\x1a\xc2d&\x7f\x17yS&\x19\x93&d\xe2\xa6\
g\xf3\x0e\xf7\x9dw\xfe\xbf{\xdf\xfd8\x17nw\xb3\
\xbd\x04\x8f\x8e\x8evz\x9ew\xda\xcc\x9e\x01:\x81\x0e\
\xc0\x01\x0bf\x96\x97tE\xd2t\x22\x91\xf8\xa9\xae\x00\
\x99L\xe6\x98sn\x04xj\x97y\xafI:\x97H\
$\xbe\xd9\x17@\x10\x04w\x9aYF\xd2+aS\x01\
\x98\x05.:\xe7\xe6=\xcf+\xac\xac\xac\xac766\
\xb6I:\x0a<\x0b\xf4\x00G\x00\xcc\xecK3;\x1b\
\x8f\xc7\x7f\xdf3\xc0\xe4\xe4\xe4\xbd\xe5ry\x06x\x10\
(\x98Yraaa*\x95J\x95v\x82N&\x93\
\xae\xbd\xbd\xfde3;\x0ft\x01\xbfH:\x95H$\
~\xdc5\xc0\xd8\xd8X\x97\xe7yW\x81\xc3f\xf6\xd9\
\xea\xea\xeak\x83\x83\x83\x7f\xed$\xbc\xd5\xd2\xe9t$\
\x12\x89\x8c\x01g\x81\x7f\xd6\xd7\xd7\x1f\xeb\xef\xef\xbf~\
K\x80t:}(\x12\x89|\x07tK\xfa\xa0P(\
\xbc\x99J\xa5\xd6\xf7\x22^1I6111$\xe9\
] \x0f\x1c\xf3}\xbfP\x1d\xe3\xb6~\x14\x89D.\
\x00\xdd\xc0\xec~\xc4\x01\xccL\xf1x|\x04\x98\x04:\
$},iS\xa77\x01\x8c\x8f\x8f?\x02\x9c\x01\xfe\
\x00\xce\xecG\xbc\x1a\xa2\xa5\xa5e\x00\x983\xb3\xe3A\
\x10<\xb7-\x80\x99\xbd\x07 \xe9\x1d\xdf\xf7\xff\xdc\xaf\
x\xc5b\xb1XQ\xd2\xdb\xa1\xc6H\xf5(\xdc\x04\x08\
\x82\xa0\x1dx\x1aXjmm\x0d\xea%^1\xdf\xf7\
\xa7\x819\xe0\xa1 \x08\x1e\xae\x01\x90t\x92\x8dI\xf9\
E,\x16+\xd6\x1b\xc0\xcc\x04\xcc\x84\xfe\x0b5\x00\xce\
\xb9'C\xf7\xabz\x8bWi|\x0d \xe9x\x0d\x80\
\xa4\xce\xf0\xf9\xf3A\x01\x94J\xa5y\x003\xeb\xa8\x01\
`\xe3`AR\x81\x03\xb2\xb5\xb5\xb5J\xeehe\x22\
\xd6\xec\x03\xff\x97\x0d\x0f\x0fo\x060\xb3\x05\x80\x86\x86\
\x86\xb6\x83\x12mnn\xae\xe4^\xac\xec1\xd5s\xe0\
W\x80r\xb9|\xcfA\x01\x94\xcb\xe5\xae\xd0\xcdW\xda\
\xaa\x7f\xc1e\x003;qP\x00l\x1c\xd7H\xfa\xb6\
\x06\xa0\xa1\xa1a6t\x9f\x0f\x82\xe0\x8ez+\x87\x93\
\xee\x14\x80sn\xba\x06\xa0\xb7\xb7w1$;\x0c\xbc\
Qo\x80\x89\x89\x89\x93l\x1cr7\xe2\xf1\xf8\xcd\xda\
`\xd3*p\xce\x0d\x85n2\x9dN\x1f\xaa\x97x.\
\x97k\x94T9g\xce\x85\xbbb-@__\xdf5\
I\x9f\x00w755}\x94L&\xf7\xbdL%\xd9\
\xf2\xf2r\x1a\xe86\xb3\xcb\xbe\xef\x7f^\xfd\xbeF\xc0\
\xcc\x06\x809I=\xd1h\xf4\xfd\xfd@H\xb2l6\
\xfb\x16\xe0\x03\x8b\x9e\xe7\xbdZ\xdd{\xd8\xa6$\x0b\xeb\
\xc1\xab@+\xf0i\xa9Tz}``\xe0\xef\xbd\x88\
\xe7r\xb9\xc6\xa5\xa5\xa5\x0bf\x16\x07V$=\x91H\
$\xbe\xdf\x1a\xb7mQ\x9a\xcdf\xef\x974\x03<\x00\
,HJ\x16\x0a\x85\x0fwS\x94F\xa3\xd1\x17%\x9d\
\x07\xeecc\xcd\xf7\xf8\xbe\xff\xc3\x7f\xc5\xefX\x96O\
MM\xddU,\x16\xb3\xc0KaS\x1e\x98\x95t\xd1\
97\xef\x9c+x\x9e\xb7^,\x16\xdb\xcc\xec\x88\xa4\
\x13l\x94\xe5\x95\x0d\xe7R8z\xbfm\xa7\xb1\xab\x8b\
\xc9\xf8\xf8\xf8\xa3f6\x02<\xbe\x9bx\xe0:0\xe4\
\xfb\xfe\xa5[\x05\xee\xe9j\x96\xc9d\x8e:\xe7N\x03\
\xd5W3\x0f\xc8K\xca;\xe7\xaeH\x9a\xf6}\x7fn\
/yoo\xfb\x17b\xd5xa?T\x87\x8f\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x04\x0b\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x03\xbdIDATX\x85\xe5\
\x97_h#U\x14\x87\xbf3\x934y\xaa\x22\x0b\xd6\
\xda\xa5k\xd1V7(\x04D\xf0a\xfdo\x97\x90\xec\
$\x16\x06\x11\xc1B\xd1\xfa\xe0\x9b \xec\xe2\xc3P\x14\
,\xf8\xa4,\x8aR\x10DA\x88\xd8f2\xb6\xba\xb0\
K}\x5c\xaa-\x8b\xc8n\xd8R\x8bv\xdb\x8a\xb0\xb0\
e\x95\xc6\xc9\xdc\xebC&%\x9b\xb4\xb5\xa1\x89/{\
^\xee\x99;\xe7\x9e\xdf7\x97\xb9\xf7\x9e\x0b\xb7\xbbI\
+\xc1\xd9l\xf6\xa8R*'\x22\xcf\x01G\x81>\xc0\
\x00\xaei\xad\xd7D\xe4\x07\xa5\xd4\xb4\xe7yW\xdb\x0a\
\x90\xcb\xe5\x1eSJM\x02O\x1f0\xef\x82R\xea\x8c\
\xe7y\xe7\x0f\x05`\xdb\xf6\x1d\xe5r\xf9c\xe0\xa5\xb0\
k\x03(*\xa5\xe6\x0c\xc3X\xf1}\x7f#\x1e\x8f\xab\
J\xa5\xd2#\x22\xc7\xb4\xd6\xc3\x86ad\xb5\xd6\xfd\x00\
Z\xebY\x11\x19s]\xf7\x8f\x96\x01,\xcb\xba_k\
\xed\x8a\xc8C\xa1\xb0\xb3\xb5\xb5\xf5\xd9\xfc\xfc|e?\
h\xc7q\x8c\xc5\xc5\xc5\x17E\xe4]`\x00\xf8M)\
ey\x9ew\xe9\xc0\x00\xe9tz\xc04\xcd\x8b\xc0\x11\
\xa0\xe0\xfb\xfe+sss[\xfb\x097Z*\x95\x8a\
E\xa3\xd1\x8f\x801\xe0/\xe0\x84\xeb\xbaK\x8dq\xe6\
.\x03\xbb#\x91\xc8y\xa0\x1f\xf8 \x99L\x8eMM\
Mm\xb7\x22\x0e\xb0\xbc\xbc\x1c\x94J\xa5\xe2\xd0\xd0P\
\x19H\x01\xe9D\x22\xf1\xd5\xe5\xcb\x97o\xd6\xc7\x19\x8d\
\x03\xbb\xba\xba\xce\x02\xc7\xb5\xd6\xc5d2\xf9\xe6\xc4\xc4\
\x84jU\xbc\xce\xb4\xeb\xba\x93Z\xeb)\xa0\xafR\xa9\
|A\xc3\xac\xdf\xf2`Y\xd6\xa3\xc0\x02\xf0g,\x16\
{ \x9f\xcf\xdf8\x84\xf8\x8e\xd9\xb6\xddU.\x97/\
\x01\x0f\x8aH\xbaP(\xcc\xd6\xde5\xce\xc0{\x00Z\
\xebw\xda%\x0e\x90\xcf\xe7\xff\x01\xde\x0esOR\xf7\
\xe1;\x00###\xf7\x00\xcfj\xad\xaf\xc7\xe3\xf1O\
\xda%^3\xd7u\xa7\x81+\xc0\xc3\x99L\xe6\x91&\
\x00\xdf\xf7O\x01b\x18\xc6\xb7!q\xbbM\x03.\x80\
a\x18/4\x01\x88\xc8S\xa1\xfb]\x07\xc4\xab\x04Z\
\x7f\x1f\xba\xcf4\x01P\xdd\xdb\x09\x82\xe0\xd7N\x01\x98\
\xa6\xb9\x12\xba}\xbb\x01\xf4\x01D\x22\x91\x8dN\x01\x94\
\xcb\xe5Z\xee{\x09\x7f\xc4\xa6}\xe0\xff2\xc7q\x9a\
\x00\xae\x01\x04A\xd0\xd3)Q\x11\xa9\xe5^\xafmp\
\xf5\x00\xbf\x87\xed}\x9d\x02\x88D\x22\x03\xa1\xbbV\xeb\
\xab_\x05\xf3a{\xb2S\x00Z\xeb\xe1\xb0\xbd\xd0\x04\
\xa0\xb5.\x86nz||<\xda\x01}\x11\x11\x0b\xc0\
4\xcd\xe9&\x00\xd7u\xd7\x81\x0b\xc0\x91\xcd\xcd\xcdW\
\xdb\xadnY\xd6)\xe08\xf0\xcb\xcc\xcc\xccNmp\
\xcb*\xd0Z\x9f\x0e]'\x95Ju\xb7K\xdc\xb6\xed\
.\xc2sFD\xceP\xdd\x15\x9b\x01\x8a\xc5\xe2\x02\xf0\
%pw4\x1a\xfd\xdcq\x9cv,S\xd9\xde\xde\xfe\
\x90\xea\x11?_(\x14\xbc\xfa\x97M\x02\xb1X\xec\x0d\
\xaa\x87Fvii\xe9\xfdCB\x88eYo\x89\xc8\
\xeb\xc0\xba\x88\xbcL\xdd\xd7\xc3\x1e%YX\x0f^\x14\
\x91\xbb\x80ob\xb1\xd8h>\x9f\xbf\xb9[\xec^\x16\
\xd6\x00g\x81\xd7\x80\xbf\x81']\xd7\xfd\xb11\xae\xa9\
$\x03(\x95J\xd7\x13\x89\xc4L\xb8lN\x04A0\
:88x\xa3\xb7\xb7\xf7\xe7\xd5\xd5\xd5}+$\xc7\
q\x8c\xee\xeen;\x08\x82\xaf\x81\xe7\x815\xa5\xd4p\
\xb1X\xfci\xb7\xf8}\xcb\xf2\x5c.w\xa7R\xeaS\
\xc0\x0e\xbb\xd6\x80\xa2\x88\xcc)\xa5V\xe2\xf1\xf8\x86\xef\
\xfb\xaaR\xa9\xf4\x98\xa6\xd9\xaf\x94:)\x22Y\xaa\xd5\
0\x22r\xce\xf7\xfd\xd1\xd9\xd9\xd9\xcd\xbd4\x0et1\
\xc9d2\x8f\x1b\x861\x09<q\x90x`I)u\
\xda\xf3\xbcs\xff\x15\xd8\xd2\xd5,\x97\xcb\x1d\x0b\x82`\
\xe7j\xa6\xb5\xee\x13\x11\x93\xea\xcc\xac\x01\xb5\xab\xd9\x95\
V\xf2\xde\xde\xf6/d\x89{U<\xf0\x06\x14\x00\x00\
\x00\x00IEND\xaeB`\x82\
\x00\x00\x02\xb3\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x02eIDATX\x85\xe5\
\x96Kn\xd4@\x14E\xefu2\x00\xd6\x91!l\x80\
-0\x00:\x82nB\x94\x0eIT~\x99Gb\x0d\
\x0c3+\x97B\xfe\x1f\x92&\x08\x895\xb0\x0d\x98\xc1\
\x0e\x80\x01\xdd\x97I\x1b9\xfe\xbb\xd3\x13\xc4\x1b\x95\xed\
\xe7w\x8e_\x95\xaa\x0c\xfc\xef\xc1t\x10Bx(\xc9\
\x03\xb8+\xe9\xb5\x99}\x98'\xc8{\xdf#\xf9\x06\xc0\
\xaf\xc9db\xdb\xdb\xdb\x9f\x01 J\x13$\xbd\x05\xf0\
\x00\xc0\x12\xc9\x91\xf7\xbe?/x\x08a@r\x04`\
\x09\xc0\xfd(\x8a\xf6\xd2gQ&\xefNf\x1c\x91<\
\x9f\x87D\x08a \xe9,\xc7\xbaW\x10 \xb9\x03`\
2O\x09\xef}\xbf\x04>\x01\xb0S\x10p\xce]K\
Z-\x918\x9bE\xc2{\xdf'y\x9e\x87K\x1a\xc6\
q<*\x08\x00\x80\x99]\x94H,t\x95\x98\xc2\x0b\
_.ihf\xa7\xd9\x5c\xa2$\x92$Y\x01p\x92\
+0&\xb9\xe2\x9c\xbb\xaa\x83\x87\x10\x9eK:\x07\xb0\
\xd0\x04\xaf\x14\x98U\xa2\x02.Ike\xf0Z\x81i\
\xc1\x97\x92\x8e\xdbH$I\xf2\x0c\xc0E\x17x\xa3@\
\x9d\x04\x80\x17\xe9b\x9a\x15\xdeJ\x00\x00\xbc\xf7\xab$\
\x8f\xca$\xa6\xe3\x02\x9c\xe4\xd09w\xd2T\xbb\x95@\
\x95\x84\xa4\x09I\xe4\xc4Z\xc3;\x09d$\x8ek\xde\
\xeb\x04\x07r\xfb@S\x98\xd9\xa9\xa45\x92*\x83K\
Z\xef\x02\xef,\x00\x00Q\x14\xfd\x94T\x10\x98\xde\xfb\
\xd1\xb5^\xa7)\x08!,Kz\x07`\xb1\x22e,\
i`f\xef\xe7.0=\xcf/s\xf0\xb4\x13\xd9:\
c\x92}\xe7\xdcu\x9b\xba\xad\xa6\xa0\x06\xfeJ\xd2z\
F\x04\x00\x16$]\x86\x10\x96\xdb\xd4n\xb3\x11=\x95\
tU\x06\x8f\xe3\xf8\x08\x00\x92$\x19\x028\xc0\x0c\x9d\
h\xda\x8aK\xe1$7\x9cs\x87\xd9\xdc\x0a\x89\xdf$\
\x07u\x12\x95\x02]\xe0\x99w\xd6%\xedw\x91\xa8:\
\x8e\x9f\x00\x18u\x817IH\xea\x97\xfd\xe8\x16\x16a\
\x15\x5c\xd2f\x13\x1c\x00\x9cs\x87\x926qsa.\
\x92\xbc\xf4\xde\xf7j\x05\xbc\xf7\x8f\xab\xe0fv\xd0\x04\
O\xc3\xcc\x0e\xdaJ\xfcmS\x92$\x8f\x00|\xbc-\
<\x1b!\x84\x0dI{(NG\xcf\xcc>\x017;\
\xb0\x9b\x87\x93\xdc\x9a\x15\x0e\x00\xce\xb9}\x92[(v\
b7\xbd\xc8\xff.\xdf\x80;\xe7\xf6g\x857H\x8c\
\xcb\x04b\x00_\x00|\x9f\x1e\xa9\xb7\x86g%$\xad\
\x01\xf8\x06\xe0k\x14E\xf1\xbcj\xff\xfb\xf1\x07\xa8\x18\
\x85,W|kR\x00\x00\x00\x00IEND\xaeB\
`\x82\
\x00\x00\x00\x99\
\x89\
PNG\x0d\x0a\x1a\x0a\x00\x00\x00\x0dIHDR\x00\
\x00\x00 \x00\x00\x00 \x08\x06\x00\x00\x00szz\xf4\
\x00\x00\x00\x09pHYs\x00\x00\x0e\xc4\x00\x00\x0e\xc4\
\x01\x95+\x0e\x1b\x00\x00\x00KIDATX\x85\xed\
\xd51\x0e\x00 \x08C\xd1b\xbc5\xb3\xe7\xc6;X\
\x12\x1c~w\x9a\x97.HN\xb2JY\xe5T,\x0b\
\xd0\x10\x00\x00\x00\x00\x00\x00`\x1c\x10\xd6\xb5\xf9\x8a\xa5\
\x0f\x16\xd8--'\x9e\x97\x1c_\x00\x00\x00\x00\x00\x00\
\x00\x18\x07\x5c\xf6%\x082\xd0\x04\x1b\x1e\x00\x00\x00\x00\
IEND\xaeB`\x82\
\x00\x00\xc3]\
/\
* --------------\
----------------\
----------------\
----------------\
-------------\x0d\x0a\x0d\
\x0a Created by \
the qtsass compi\
ler\x0d\x0a\x0d\x0a WARNI\
NG! All changes \
made in this fil\
e will be lost!\x0d\
\x0a\x0d\x0a-------------\
----------------\
----------------\
----------------\
-------------- *\
/\x0d\x0a/* QDarkStyle\
Sheet ----------\
----------------\
----------------\
----------------\
-\x0d\x0a\x0d\x0aThis is the\
main style shee\
t, the palette h\
as eight colors.\
\x0d\x0a\x0d\x0aIt is based \
on three selecti\
ng colors, three\
greyish (backgr\
ound) colors\x0d\x0apl\
us three whitish\
(foreground) co\
lors. Each set o\
f widgets of the\
same\x0d\x0atype have\
a header like t\
his:\x0d\x0a\x0d\x0a ----\
--------------\x0d\x0a\
GroupName --\
------\x0d\x0a ----\
--------------\x0d\x0a\
\x0d\x0aAnd each widge\
t is separated w\
ith a header lik\
e this:\x0d\x0a\x0d\x0a Q\
WidgetName -----\
-\x0d\x0a\x0d\x0aThis makes \
more easy to fin\
d and change som\
e css field. The\
basic\x0d\x0aconfigur\
ation is describ\
ed bellow.\x0d\x0a\x0d\x0a \
BACKGROUND ---\
--------\x0d\x0a\x0d\x0a \
Light #4D54\
5B #505F69 (unpr\
essed)\x0d\x0a \
Normal #31363B #\
32414B (border, \
disabled, presse\
d, checked, tool\
bars, menus)\x0d\x0a \
Dark #23\
2629 #19232D (ba\
ckground)\x0d\x0a\x0d\x0a \
FOREGROUND ----\
-------\x0d\x0a\x0d\x0a \
Light #EFF0F\
1 #F0F0F0 (texts\
/labels)\x0d\x0a \
Normal \
#AAAAAA (not us\
ed yet)\x0d\x0a \
Dark #505F69 \
#787878 (disable\
d texts)\x0d\x0a\x0d\x0a \
SELECTION ------\
------\x0d\x0a\x0d\x0a \
Light #179AE0\
#148CD2 (select\
ion/hover/active\
)\x0d\x0a Norma\
l #3375A3 #1464A\
0 (selected)\x0d\x0a \
Dark #18\
465D #14506E (se\
lected disabled)\
\x0d\x0a\x0d\x0aIf a strange\
r configuration \
is required beca\
use of a bugfix \
or anything\x0d\x0aels\
e, keep the comm\
ent on the line \
above so nobody \
changes it, incl\
uding the\x0d\x0aissue\
number.\x0d\x0a\x0d\x0a*/\x0d\x0a\
/*\x0d\x0a\x0d\x0aSee Qt doc\
umentation:\x0d\x0a\x0d\x0a \
- https://doc.q\
t.io/qt-5/styles\
heet.html\x0d\x0a - h\
ttps://doc.qt.io\
/qt-5/stylesheet\
-reference.html\x0d\
\x0a - https://doc\
.qt.io/qt-5/styl\
esheet-examples.\
html\x0d\x0a\x0d\x0a--------\
----------------\
----------------\
----------------\
----------------\
--- */\x0d\x0a/* QWidg\
et -------------\
----------------\
----------------\
----------------\
---\x0d\x0a\x0d\x0a---------\
----------------\
----------------\
----------------\
----------------\
-- */\x0d\x0aQWidget {\
\x0d\x0a background-c\
olor: #333434;\x0d\x0a\
border: 0px so\
lid #4e4e4e;\x0d\x0a \
padding: 0px;\x0d\x0a \
color: #ffffff;\
\x0d\x0a selection-ba\
ckground-color: \
#007bff;\x0d\x0a sele\
ction-color: #ff\
ffff;\x0d\x0a}\x0d\x0a\x0d\x0aQWid\
get:disabled {\x0d\x0a\
background-col\
or: #333434;\x0d\x0a \
color: #999999;\x0d\
\x0a selection-bac\
kground-color: #\
007bff;\x0d\x0a selec\
tion-color: #999\
999;\x0d\x0a}\x0d\x0a\x0d\x0aQWidg\
et::item:selecte\
d {\x0d\x0a backgroun\
d-color: #007bff\
;\x0d\x0a}\x0d\x0a\x0d\x0aQWidget:\
:item:hover {\x0d\x0a \
background-colo\
r: #007bff;\x0d\x0a c\
olor: #4e4e4e;\x0d\x0a\
}\x0d\x0a\x0d\x0a/* QMainWin\
dow ------------\
----------------\
----------------\
----------------\
\x0d\x0a\x0d\x0aThis adjusts\
the splitter in\
the dock widget\
, not qsplitter\x0d\
\x0a\x0d\x0ahttps://doc.q\
t.io/qt-5/styles\
heet-examples.ht\
ml#customizing-q\
mainwindow\x0d\x0a\x0d\x0a--\
----------------\
----------------\
----------------\
----------------\
--------- */\x0d\x0aQM\
ainWindow::separ\
ator {\x0d\x0a backgr\
ound-color: #4e4\
e4e;\x0d\x0a border: \
0px solid #33343\
4;\x0d\x0a spacing: 0\
px;\x0d\x0a padding: \
2px;\x0d\x0a}\x0d\x0a\x0d\x0aQMain\
Window::separato\
r:hover {\x0d\x0a bac\
kground-color: #\
666666;\x0d\x0a borde\
r: 0px solid #00\
7bff;\x0d\x0a}\x0d\x0a\x0d\x0aQMai\
nWindow::separat\
or:horizontal {\x0d\
\x0a width: 5px;\x0d\x0a\
margin-top: 2p\
x;\x0d\x0a margin-bot\
tom: 2px;\x0d\x0a ima\
ge: url(\x22:/qss_i\
cons/rc/toolbar_\
separator_vertic\
al.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0a\
QMainWindow::sep\
arator:vertical \
{\x0d\x0a height: 5px\
;\x0d\x0a margin-left\
: 2px;\x0d\x0a margin\
-right: 2px;\x0d\x0a \
image: url(\x22:/qs\
s_icons/rc/toolb\
ar_separator_hor\
izontal.png\x22);\x0d\x0a\
}\x0d\x0a\x0d\x0a/* QToolTip\
---------------\
----------------\
----------------\
----------------\
\x0d\x0a\x0d\x0ahttps://doc.\
qt.io/qt-5/style\
sheet-examples.h\
tml#customizing-\
qtooltip\x0d\x0a\x0d\x0a----\
----------------\
----------------\
----------------\
----------------\
------- */\x0d\x0aQToo\
lTip {\x0d\x0a backgr\
ound-color: #007\
bff;\x0d\x0a border: \
1px solid #33343\
4;\x0d\x0a color: #33\
3434;\x0d\x0a /* Remo\
ve padding, for \
fix combo box to\
oltip */\x0d\x0a padd\
ing: 0px;\x0d\x0a /* \
Reducing transpa\
rency to read be\
tter */\x0d\x0a opaci\
ty: 230;\x0d\x0a}\x0d\x0a\x0d\x0a/\
* QStatusBar ---\
----------------\
----------------\
----------------\
----------\x0d\x0a\x0d\x0aht\
tps://doc.qt.io/\
qt-5/stylesheet-\
examples.html#cu\
stomizing-qstatu\
sbar\x0d\x0a\x0d\x0a--------\
----------------\
----------------\
----------------\
----------------\
--- */\x0d\x0aQStatusB\
ar {\x0d\x0a border: \
1px solid #4e4e4\
e;\x0d\x0a /* Fixes S\
pyder #9120, #91\
21 */\x0d\x0a backgro\
und: #4e4e4e;\x0d\x0a}\
\x0d\x0a\x0d\x0aQStatusBar Q\
ToolTip {\x0d\x0a bac\
kground-color: #\
007bff;\x0d\x0a borde\
r: 1px solid #33\
3434;\x0d\x0a color: \
#333434;\x0d\x0a /* R\
emove padding, f\
or fix combo box\
tooltip */\x0d\x0a p\
adding: 0px;\x0d\x0a \
/* Reducing tran\
sparency to read\
better */\x0d\x0a op\
acity: 230;\x0d\x0a}\x0d\x0a\
\x0d\x0aQStatusBar QLa\
bel {\x0d\x0a /* Fixe\
s Spyder #9120, \
#9121 */\x0d\x0a back\
ground: transpar\
ent;\x0d\x0a}\x0d\x0a\x0d\x0a/* QC\
heckBox --------\
----------------\
----------------\
----------------\
------\x0d\x0a\x0d\x0ahttps:\
//doc.qt.io/qt-5\
/stylesheet-exam\
ples.html#custom\
izing-qcheckbox\x0d\
\x0a\x0d\x0a-------------\
----------------\
----------------\
----------------\
-------------- *\
/\x0d\x0aQCheckBox {\x0d\x0a\
background-col\
or: #333434;\x0d\x0a \
color: #ffffff;\x0d\
\x0a spacing: 4px;\
\x0d\x0a outline: non\
e;\x0d\x0a padding-to\
p: 4px;\x0d\x0a paddi\
ng-bottom: 4px;\x0d\
\x0a}\x0d\x0a\x0d\x0aQCheckBox:\
focus {\x0d\x0a borde\
r: none;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
CheckBox QWidget\
:disabled {\x0d\x0a b\
ackground-color:\
#333434;\x0d\x0a col\
or: #999999;\x0d\x0a}\x0d\
\x0a\x0d\x0aQCheckBox::in\
dicator {\x0d\x0a mar\
gin-left: 4px;\x0d\x0a\
height: 16px;\x0d\
\x0a width: 16px;\x0d\
\x0a}\x0d\x0a\x0d\x0aQCheckBox:\
:indicator:unche\
cked {\x0d\x0a image:\
url(\x22:/qss_icon\
s/rc/checkbox_un\
checked.png\x22);\x0d\x0a\
}\x0d\x0a\x0d\x0aQCheckBox::\
indicator:unchec\
ked:hover, QChec\
kBox::indicator:\
unchecked:focus,\
QCheckBox::indi\
cator:unchecked:\
pressed {\x0d\x0a bor\
der: none;\x0d\x0a im\
age: url(\x22:/qss_\
icons/rc/checkbo\
x_unchecked_focu\
s.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQ\
CheckBox::indica\
tor:unchecked:di\
sabled {\x0d\x0a imag\
e: url(\x22:/qss_ic\
ons/rc/checkbox_\
unchecked_disabl\
ed.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0a\
QCheckBox::indic\
ator:checked {\x0d\x0a\
image: url(\x22:/\
qss_icons/rc/che\
ckbox_checked.pn\
g\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQChec\
kBox::indicator:\
checked:hover, Q\
CheckBox::indica\
tor:checked:focu\
s, QCheckBox::in\
dicator:checked:\
pressed {\x0d\x0a bor\
der: none;\x0d\x0a im\
age: url(\x22:/qss_\
icons/rc/checkbo\
x_checked_focus.\
png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQCh\
eckBox::indicato\
r:checked:disabl\
ed {\x0d\x0a image: u\
rl(\x22:/qss_icons/\
rc/checkbox_chec\
ked_disabled.png\
\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQCheck\
Box::indicator:i\
ndeterminate {\x0d\x0a\
image: url(\x22:/\
qss_icons/rc/che\
ckbox_indetermin\
ate.png\x22);\x0d\x0a}\x0d\x0a\x0d\
\x0aQCheckBox::indi\
cator:indetermin\
ate:disabled {\x0d\x0a\
image: url(\x22:/\
qss_icons/rc/che\
ckbox_indetermin\
ate_disabled.png\
\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQCheck\
Box::indicator:i\
ndeterminate:foc\
us, QCheckBox::i\
ndicator:indeter\
minate:hover, QC\
heckBox::indicat\
or:indeterminate\
:pressed {\x0d\x0a im\
age: url(\x22:/qss_\
icons/rc/checkbo\
x_indeterminate_\
focus.png\x22);\x0d\x0a}\x0d\
\x0a\x0d\x0a/* QGroupBox \
----------------\
----------------\
----------------\
--------------\x0d\x0a\
\x0d\x0ahttps://doc.qt\
.io/qt-5/stylesh\
eet-examples.htm\
l#customizing-qg\
roupbox\x0d\x0a\x0d\x0a-----\
----------------\
----------------\
----------------\
----------------\
------ */\x0d\x0aQGrou\
pBox {\x0d\x0a font-w\
eight: bold;\x0d\x0a \
border: 1px soli\
d #4e4e4e;\x0d\x0a bo\
rder-radius: 4px\
;\x0d\x0a padding: 4p\
x;\x0d\x0a margin-top\
: 16px;\x0d\x0a}\x0d\x0a\x0d\x0aQG\
roupBox::title {\
\x0d\x0a subcontrol-o\
rigin: margin;\x0d\x0a\
subcontrol-pos\
ition: top left;\
\x0d\x0a left: 3px;\x0d\x0a\
padding-left: \
3px;\x0d\x0a padding-\
right: 5px;\x0d\x0a p\
adding-top: 8px;\
\x0d\x0a padding-bott\
om: 16px;\x0d\x0a}\x0d\x0a\x0d\x0a\
QGroupBox::indic\
ator {\x0d\x0a margin\
-left: 2px;\x0d\x0a h\
eight: 12px;\x0d\x0a \
width: 12px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQGroupBox::in\
dicator:unchecke\
d:hover, QGroupB\
ox::indicator:un\
checked:focus, Q\
GroupBox::indica\
tor:unchecked:pr\
essed {\x0d\x0a borde\
r: none;\x0d\x0a imag\
e: url(\x22:/qss_ic\
ons/rc/checkbox_\
unchecked_focus.\
png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQGr\
oupBox::indicato\
r:unchecked:disa\
bled {\x0d\x0a image:\
url(\x22:/qss_icon\
s/rc/checkbox_un\
checked_disabled\
.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQG\
roupBox::indicat\
or:checked:hover\
, QGroupBox::ind\
icator:checked:f\
ocus, QGroupBox:\
:indicator:check\
ed:pressed {\x0d\x0a \
border: none;\x0d\x0a \
image: url(\x22:/q\
ss_icons/rc/chec\
kbox_checked_foc\
us.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0a\
QGroupBox::indic\
ator:checked:dis\
abled {\x0d\x0a image\
: url(\x22:/qss_ico\
ns/rc/checkbox_c\
hecked_disabled.\
png\x22);\x0d\x0a}\x0d\x0a\x0d\x0a/* \
QRadioButton ---\
----------------\
----------------\
----------------\
--------\x0d\x0a\x0d\x0ahttp\
s://doc.qt.io/qt\
-5/stylesheet-ex\
amples.html#cust\
omizing-qradiobu\
tton\x0d\x0a\x0d\x0a--------\
----------------\
----------------\
----------------\
----------------\
--- */\x0d\x0aQRadioBu\
tton {\x0d\x0a backgr\
ound-color: #333\
434;\x0d\x0a color: #\
ffffff;\x0d\x0a spaci\
ng: 4px;\x0d\x0a padd\
ing: 0px;\x0d\x0a bor\
der: none;\x0d\x0a ou\
tline: none;\x0d\x0a}\x0d\
\x0a\x0d\x0aQRadioButton:\
focus {\x0d\x0a borde\
r: none;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
RadioButton:disa\
bled {\x0d\x0a backgr\
ound-color: #333\
434;\x0d\x0a color: #\
999999;\x0d\x0a borde\
r: none;\x0d\x0a outl\
ine: none;\x0d\x0a}\x0d\x0a\x0d\
\x0aQRadioButton QW\
idget {\x0d\x0a backg\
round-color: #33\
3434;\x0d\x0a color: \
#ffffff;\x0d\x0a spac\
ing: 0px;\x0d\x0a pad\
ding: 0px;\x0d\x0a ou\
tline: none;\x0d\x0a \
border: none;\x0d\x0a}\
\x0d\x0a\x0d\x0aQRadioButton\
::indicator {\x0d\x0a \
border: none;\x0d\x0a\
outline: none;\
\x0d\x0a margin-left:\
4px;\x0d\x0a height:\
16px;\x0d\x0a width:\
16px;\x0d\x0a}\x0d\x0a\x0d\x0aQRa\
dioButton::indic\
ator:unchecked {\
\x0d\x0a image: url(\x22\
:/qss_icons/rc/r\
adio_unchecked.p\
ng\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQRad\
ioButton::indica\
tor:unchecked:ho\
ver, QRadioButto\
n::indicator:unc\
hecked:focus, QR\
adioButton::indi\
cator:unchecked:\
pressed {\x0d\x0a bor\
der: none;\x0d\x0a ou\
tline: none;\x0d\x0a \
image: url(\x22:/qs\
s_icons/rc/radio\
_unchecked_focus\
.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQR\
adioButton::indi\
cator:unchecked:\
disabled {\x0d\x0a im\
age: url(\x22:/qss_\
icons/rc/radio_u\
nchecked_disable\
d.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQ\
RadioButton::ind\
icator:checked {\
\x0d\x0a border: none\
;\x0d\x0a outline: no\
ne;\x0d\x0a image: ur\
l(\x22:/qss_icons/r\
c/radio_checked.\
png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQRa\
dioButton::indic\
ator:checked:hov\
er, QRadioButton\
::indicator:chec\
ked:focus, QRadi\
oButton::indicat\
or:checked:press\
ed {\x0d\x0a border: \
none;\x0d\x0a outline\
: none;\x0d\x0a image\
: url(\x22:/qss_ico\
ns/rc/radio_chec\
ked_focus.png\x22);\
\x0d\x0a}\x0d\x0a\x0d\x0aQRadioBut\
ton::indicator:c\
hecked:disabled \
{\x0d\x0a outline: no\
ne;\x0d\x0a image: ur\
l(\x22:/qss_icons/r\
c/radio_checked_\
disabled.png\x22);\x0d\
\x0a}\x0d\x0a\x0d\x0a/* QMenuBa\
r --------------\
----------------\
----------------\
----------------\
-\x0d\x0a\x0d\x0ahttps://doc\
.qt.io/qt-5/styl\
esheet-examples.\
html#customizing\
-qmenubar\x0d\x0a\x0d\x0a---\
----------------\
----------------\
----------------\
----------------\
-------- */\x0d\x0aQMe\
nuBar {\x0d\x0a backg\
round-color: #4e\
4e4e;\x0d\x0a padding\
: 2px;\x0d\x0a border\
: 1px solid #333\
434;\x0d\x0a color: #\
ffffff;\x0d\x0a}\x0d\x0a\x0d\x0aQM\
enuBar:focus {\x0d\x0a\
border: 1px so\
lid #007bff;\x0d\x0a}\x0d\
\x0a\x0d\x0aQMenuBar::ite\
m {\x0d\x0a backgroun\
d: transparent;\x0d\
\x0a padding: 4px;\
\x0d\x0a}\x0d\x0a\x0d\x0aQMenuBar:\
:item:selected {\
\x0d\x0a padding: 4px\
;\x0d\x0a background:\
transparent;\x0d\x0a \
border: 0px sol\
id #4e4e4e;\x0d\x0a}\x0d\x0a\
\x0d\x0aQMenuBar::item\
:pressed {\x0d\x0a pa\
dding: 4px;\x0d\x0a b\
order: 0px solid\
#4e4e4e;\x0d\x0a bac\
kground-color: #\
007bff;\x0d\x0a color\
: #ffffff;\x0d\x0a ma\
rgin-bottom: 0px\
;\x0d\x0a padding-bot\
tom: 0px;\x0d\x0a}\x0d\x0a\x0d\x0a\
/* QMenu -------\
----------------\
----------------\
----------------\
-----------\x0d\x0a\x0d\x0ah\
ttps://doc.qt.io\
/qt-5/stylesheet\
-examples.html#c\
ustomizing-qmenu\
\x0d\x0a\x0d\x0a------------\
----------------\
----------------\
----------------\
--------------- \
*/\x0d\x0aQMenu {\x0d\x0a b\
order: 0px solid\
#4e4e4e;\x0d\x0a col\
or: #ffffff;\x0d\x0a \
margin: 0px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQMenu::separa\
tor {\x0d\x0a height:\
1px;\x0d\x0a backgro\
und-color: #6666\
66;\x0d\x0a color: #f\
fffff;\x0d\x0a}\x0d\x0a\x0d\x0aQMe\
nu::icon {\x0d\x0a ma\
rgin: 0px;\x0d\x0a pa\
dding-left: 4px;\
\x0d\x0a}\x0d\x0a\x0d\x0aQMenu::it\
em {\x0d\x0a backgrou\
nd-color: #4e4e4\
e;\x0d\x0a padding: 4\
px 24px 4px 24px\
;\x0d\x0a /* Reserve \
space for select\
ion border */\x0d\x0a \
border: 1px tra\
nsparent #4e4e4e\
;\x0d\x0a}\x0d\x0a\x0d\x0aQMenu::i\
tem:selected {\x0d\x0a\
color: #ffffff\
;\x0d\x0a}\x0d\x0a\x0d\x0aQMenu::i\
ndicator {\x0d\x0a wi\
dth: 12px;\x0d\x0a he\
ight: 12px;\x0d\x0a p\
adding-left: 6px\
;\x0d\x0a /* non-excl\
usive indicator \
= check box styl\
e indicator (see\
QActionGroup::s\
etExclusive) */\x0d\
\x0a /* exclusive \
indicator = radi\
o button style i\
ndicator (see QA\
ctionGroup::setE\
xclusive) */\x0d\x0a}\x0d\
\x0a\x0d\x0aQMenu::indica\
tor:non-exclusiv\
e:unchecked {\x0d\x0a \
image: url(\x22:/q\
ss_icons/rc/chec\
kbox_unchecked.p\
ng\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQMen\
u::indicator:non\
-exclusive:unche\
cked:selected {\x0d\
\x0a image: url(\x22:\
/qss_icons/rc/ch\
eckbox_unchecked\
_disabled.png\x22);\
\x0d\x0a}\x0d\x0a\x0d\x0aQMenu::in\
dicator:non-excl\
usive:checked {\x0d\
\x0a image: url(\x22:\
/qss_icons/rc/ch\
eckbox_checked.p\
ng\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQMen\
u::indicator:non\
-exclusive:check\
ed:selected {\x0d\x0a \
image: url(\x22:/q\
ss_icons/rc/chec\
kbox_checked_dis\
abled.png\x22);\x0d\x0a}\x0d\
\x0a\x0d\x0aQMenu::indica\
tor:exclusive:un\
checked {\x0d\x0a ima\
ge: url(\x22:/qss_i\
cons/rc/radio_un\
checked.png\x22);\x0d\x0a\
}\x0d\x0a\x0d\x0aQMenu::indi\
cator:exclusive:\
unchecked:select\
ed {\x0d\x0a image: u\
rl(\x22:/qss_icons/\
rc/radio_uncheck\
ed_disabled.png\x22\
);\x0d\x0a}\x0d\x0a\x0d\x0aQMenu::\
indicator:exclus\
ive:checked {\x0d\x0a \
image: url(\x22:/q\
ss_icons/rc/radi\
o_checked.png\x22);\
\x0d\x0a}\x0d\x0a\x0d\x0aQMenu::in\
dicator:exclusiv\
e:checked:select\
ed {\x0d\x0a image: u\
rl(\x22:/qss_icons/\
rc/radio_checked\
_disabled.png\x22);\
\x0d\x0a}\x0d\x0a\x0d\x0aQMenu::ri\
ght-arrow {\x0d\x0a m\
argin: 5px;\x0d\x0a i\
mage: url(\x22:/qss\
_icons/rc/arrow_\
right.png\x22);\x0d\x0a \
height: 12px;\x0d\x0a \
width: 12px;\x0d\x0a}\
\x0d\x0a\x0d\x0a/* QAbstract\
ItemView -------\
----------------\
----------------\
---------------\x0d\
\x0a\x0d\x0ahttps://doc.q\
t.io/qt-5/styles\
heet-examples.ht\
ml#customizing-q\
combobox\x0d\x0a\x0d\x0a----\
----------------\
----------------\
----------------\
----------------\
------- */\x0d\x0aQAbs\
tractItemView {\x0d\
\x0a alternate-bac\
kground-color: #\
333434;\x0d\x0a color\
: #ffffff;\x0d\x0a bo\
rder: 1px solid \
#4e4e4e;\x0d\x0a bord\
er-radius: 4px;\x0d\
\x0a}\x0d\x0a\x0d\x0aQAbstractI\
temView QLineEdi\
t {\x0d\x0a padding: \
2px;\x0d\x0a}\x0d\x0a\x0d\x0a/* QA\
bstractScrollAre\
a --------------\
----------------\
----------------\
------\x0d\x0a\x0d\x0ahttps:\
//doc.qt.io/qt-5\
/stylesheet-exam\
ples.html#custom\
izing-qabstracts\
crollarea\x0d\x0a\x0d\x0a---\
----------------\
----------------\
----------------\
----------------\
-------- */\x0d\x0aQAb\
stractScrollArea\
{\x0d\x0a background\
-color: #333434;\
\x0d\x0a border: 1px \
solid #4e4e4e;\x0d\x0a\
border-radius:\
4px;\x0d\x0a padding\
: 2px;\x0d\x0a /* fix\
#159 */\x0d\x0a min-\
height: 1.25em;\x0d\
\x0a /* fix #159 *\
/\x0d\x0a color: #fff\
fff;\x0d\x0a}\x0d\x0a\x0d\x0aQAbst\
ractScrollArea:d\
isabled {\x0d\x0a col\
or: #999999;\x0d\x0a}\x0d\
\x0a\x0d\x0a/* QScrollAre\
a --------------\
----------------\
----------------\
--------------\x0d\x0a\
\x0d\x0a--------------\
----------------\
----------------\
----------------\
------------- */\
\x0d\x0aQScrollArea QW\
idget QWidget:di\
sabled {\x0d\x0a back\
ground-color: #3\
33434;\x0d\x0a}\x0d\x0a\x0d\x0a/* \
QScrollBar -----\
----------------\
----------------\
----------------\
--------\x0d\x0a\x0d\x0ahttp\
s://doc.qt.io/qt\
-5/stylesheet-ex\
amples.html#cust\
omizing-qscrollb\
ar\x0d\x0a\x0d\x0a----------\
----------------\
----------------\
----------------\
----------------\
- */\x0d\x0aQScrollBar\
:horizontal {\x0d\x0a \
height: 16px;\x0d\x0a\
margin: 2px 16\
px 2px 16px;\x0d\x0a \
border: 1px soli\
d #4e4e4e;\x0d\x0a bo\
rder-radius: 4px\
;\x0d\x0a background-\
color: #333434;\x0d\
\x0a}\x0d\x0a\x0d\x0aQScrollBar\
:vertical {\x0d\x0a b\
ackground-color:\
#333434;\x0d\x0a wid\
th: 16px;\x0d\x0a mar\
gin: 16px 2px 16\
px 2px;\x0d\x0a borde\
r: 1px solid #4e\
4e4e;\x0d\x0a border-\
radius: 4px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQScrollBar::h\
andle:horizontal\
{\x0d\x0a background\
-color: #999999;\
\x0d\x0a border: 1px \
solid #4e4e4e;\x0d\x0a\
border-radius:\
4px;\x0d\x0a min-wid\
th: 8px;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
ScrollBar::handl\
e:horizontal:hov\
er {\x0d\x0a backgrou\
nd-color: #007bf\
f;\x0d\x0a border: 1p\
x solid #007bff;\
\x0d\x0a border-radiu\
s: 4px;\x0d\x0a min-w\
idth: 8px;\x0d\x0a}\x0d\x0a\x0d\
\x0aQScrollBar::han\
dle:vertical {\x0d\x0a\
background-col\
or: #999999;\x0d\x0a \
border: 1px soli\
d #4e4e4e;\x0d\x0a mi\
n-height: 8px;\x0d\x0a\
border-radius:\
4px;\x0d\x0a}\x0d\x0a\x0d\x0aQScr\
ollBar::handle:v\
ertical:hover {\x0d\
\x0a background-co\
lor: #007bff;\x0d\x0a \
border: 1px sol\
id #007bff;\x0d\x0a b\
order-radius: 4p\
x;\x0d\x0a min-height\
: 8px;\x0d\x0a}\x0d\x0a\x0d\x0aQSc\
rollBar::add-lin\
e:horizontal {\x0d\x0a\
margin: 0px 0p\
x 0px 0px;\x0d\x0a bo\
rder-image: url(\
\x22:/qss_icons/rc/\
arrow_right_disa\
bled.png\x22);\x0d\x0a h\
eight: 12px;\x0d\x0a \
width: 12px;\x0d\x0a \
subcontrol-posit\
ion: right;\x0d\x0a s\
ubcontrol-origin\
: margin;\x0d\x0a}\x0d\x0a\x0d\x0a\
QScrollBar::add-\
line:horizontal:\
hover, QScrollBa\
r::add-line:hori\
zontal:on {\x0d\x0a b\
order-image: url\
(\x22:/qss_icons/rc\
/arrow_right.png\
\x22);\x0d\x0a height: 1\
2px;\x0d\x0a width: 1\
2px;\x0d\x0a subcontr\
ol-position: rig\
ht;\x0d\x0a subcontro\
l-origin: margin\
;\x0d\x0a}\x0d\x0a\x0d\x0aQScrollB\
ar::add-line:ver\
tical {\x0d\x0a margi\
n: 3px 0px 3px 0\
px;\x0d\x0a border-im\
age: url(\x22:/qss_\
icons/rc/arrow_d\
own_disabled.png\
\x22);\x0d\x0a height: 1\
2px;\x0d\x0a width: 1\
2px;\x0d\x0a subcontr\
ol-position: bot\
tom;\x0d\x0a subcontr\
ol-origin: margi\
n;\x0d\x0a}\x0d\x0a\x0d\x0aQScroll\
Bar::add-line:ve\
rtical:hover, QS\
crollBar::add-li\
ne:vertical:on {\
\x0d\x0a border-image\
: url(\x22:/qss_ico\
ns/rc/arrow_down\
.png\x22);\x0d\x0a heigh\
t: 12px;\x0d\x0a widt\
h: 12px;\x0d\x0a subc\
ontrol-position:\
bottom;\x0d\x0a subc\
ontrol-origin: m\
argin;\x0d\x0a}\x0d\x0a\x0d\x0aQSc\
rollBar::sub-lin\
e:horizontal {\x0d\x0a\
margin: 0px 3p\
x 0px 3px;\x0d\x0a bo\
rder-image: url(\
\x22:/qss_icons/rc/\
arrow_left_disab\
led.png\x22);\x0d\x0a he\
ight: 12px;\x0d\x0a w\
idth: 12px;\x0d\x0a s\
ubcontrol-positi\
on: left;\x0d\x0a sub\
control-origin: \
margin;\x0d\x0a}\x0d\x0a\x0d\x0aQS\
crollBar::sub-li\
ne:horizontal:ho\
ver, QScrollBar:\
:sub-line:horizo\
ntal:on {\x0d\x0a bor\
der-image: url(\x22\
:/qss_icons/rc/a\
rrow_left.png\x22);\
\x0d\x0a height: 12px\
;\x0d\x0a width: 12px\
;\x0d\x0a subcontrol-\
position: left;\x0d\
\x0a subcontrol-or\
igin: margin;\x0d\x0a}\
\x0d\x0a\x0d\x0aQScrollBar::\
sub-line:vertica\
l {\x0d\x0a margin: 3\
px 0px 3px 0px;\x0d\
\x0a border-image:\
url(\x22:/qss_icon\
s/rc/arrow_up_di\
sabled.png\x22);\x0d\x0a \
height: 12px;\x0d\x0a\
width: 12px;\x0d\x0a\
subcontrol-pos\
ition: top;\x0d\x0a s\
ubcontrol-origin\
: margin;\x0d\x0a}\x0d\x0a\x0d\x0a\
QScrollBar::sub-\
line:vertical:ho\
ver, QScrollBar:\
:sub-line:vertic\
al:on {\x0d\x0a borde\
r-image: url(\x22:/\
qss_icons/rc/arr\
ow_up.png\x22);\x0d\x0a \
height: 12px;\x0d\x0a \
width: 12px;\x0d\x0a \
subcontrol-posi\
tion: top;\x0d\x0a su\
bcontrol-origin:\
margin;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
ScrollBar::up-ar\
row:horizontal, \
QScrollBar::down\
-arrow:horizonta\
l {\x0d\x0a backgroun\
d: none;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
ScrollBar::up-ar\
row:vertical, QS\
crollBar::down-a\
rrow:vertical {\x0d\
\x0a background: n\
one;\x0d\x0a}\x0d\x0a\x0d\x0aQScro\
llBar::add-page:\
horizontal, QScr\
ollBar::sub-page\
:horizontal {\x0d\x0a \
background: non\
e;\x0d\x0a}\x0d\x0a\x0d\x0aQScroll\
Bar::add-page:ve\
rtical, QScrollB\
ar::sub-page:ver\
tical {\x0d\x0a backg\
round: none;\x0d\x0a}\x0d\
\x0a\x0d\x0a/* QTextEdit \
----------------\
----------------\
----------------\
--------------\x0d\x0a\
\x0d\x0ahttps://doc.qt\
.io/qt-5/stylesh\
eet-examples.htm\
l#customizing-sp\
ecific-widgets\x0d\x0a\
\x0d\x0a--------------\
----------------\
----------------\
----------------\
------------- */\
\x0d\x0aQTextEdit {\x0d\x0a \
background-colo\
r: #333434;\x0d\x0a c\
olor: #ffffff;\x0d\x0a\
border: 1px so\
lid #4e4e4e;\x0d\x0a}\x0d\
\x0a\x0d\x0aQTextEdit:hov\
er {\x0d\x0a border: \
1px solid #007bf\
f;\x0d\x0a color: #ff\
ffff;\x0d\x0a}\x0d\x0a\x0d\x0aQTex\
tEdit:selected {\
\x0d\x0a background: \
#007bff;\x0d\x0a colo\
r: #4e4e4e;\x0d\x0a}\x0d\x0a\
\x0d\x0a/* QPlainTextE\
dit ------------\
----------------\
----------------\
-------------\x0d\x0a\x0d\
\x0a---------------\
----------------\
----------------\
----------------\
------------ */\x0d\
\x0aQPlainTextEdit \
{\x0d\x0a background-\
color: #333434;\x0d\
\x0a color: #fffff\
f;\x0d\x0a border-rad\
ius: 4px;\x0d\x0a bor\
der: 1px solid #\
4e4e4e;\x0d\x0a}\x0d\x0a\x0d\x0aQP\
lainTextEdit:hov\
er {\x0d\x0a border: \
1px solid #007bf\
f;\x0d\x0a color: #ff\
ffff;\x0d\x0a}\x0d\x0a\x0d\x0aQPla\
inTextEdit:selec\
ted {\x0d\x0a backgro\
und: #007bff;\x0d\x0a \
color: #4e4e4e;\
\x0d\x0a}\x0d\x0a\x0d\x0a/* QSizeG\
rip ------------\
----------------\
----------------\
----------------\
--\x0d\x0a\x0d\x0ahttps://do\
c.qt.io/qt-5/sty\
lesheet-examples\
.html#customizin\
g-qsizegrip\x0d\x0a\x0d\x0a-\
----------------\
----------------\
----------------\
----------------\
---------- */\x0d\x0aQ\
SizeGrip {\x0d\x0a ba\
ckground: transp\
arent;\x0d\x0a width:\
12px;\x0d\x0a height\
: 12px;\x0d\x0a image\
: url(\x22:/qss_ico\
ns/rc/window_gri\
p.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0a/\
* QStackedWidget\
---------------\
----------------\
----------------\
----------\x0d\x0a\x0d\x0a--\
----------------\
----------------\
----------------\
----------------\
--------- */\x0d\x0aQS\
tackedWidget {\x0d\x0a\
padding: 2px;\x0d\
\x0a border: 1px s\
olid #4e4e4e;\x0d\x0a \
border: 1px sol\
id #333434;\x0d\x0a}\x0d\x0a\
\x0d\x0a/* QToolBar --\
----------------\
----------------\
----------------\
-------------\x0d\x0a\x0d\
\x0ahttps://doc.qt.\
io/qt-5/styleshe\
et-examples.html\
#customizing-qto\
olbar\x0d\x0a\x0d\x0a-------\
----------------\
----------------\
----------------\
----------------\
---- */\x0d\x0aQToolBa\
r {\x0d\x0a backgroun\
d-color: #4e4e4e\
;\x0d\x0a border-bott\
om: 1px solid #3\
33434;\x0d\x0a paddin\
g: 2px;\x0d\x0a font-\
weight: bold;\x0d\x0a}\
\x0d\x0a\x0d\x0aQToolBar QTo\
olButton {\x0d\x0a ba\
ckground-color: \
#4e4e4e;\x0d\x0a bord\
er: 1px solid #4\
e4e4e;\x0d\x0a}\x0d\x0a\x0d\x0aQTo\
olBar QToolButto\
n:hover {\x0d\x0a bor\
der: 1px solid #\
007bff;\x0d\x0a}\x0d\x0a\x0d\x0aQT\
oolBar QToolButt\
on:checked {\x0d\x0a \
border: 1px soli\
d #333434;\x0d\x0a ba\
ckground-color: \
#333434;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
ToolBar QToolBut\
ton:checked:hove\
r {\x0d\x0a border: 1\
px solid #007bff\
;\x0d\x0a}\x0d\x0a\x0d\x0aQToolBar\
::handle:horizon\
tal {\x0d\x0a width: \
16px;\x0d\x0a image: \
url(\x22:/qss_icons\
/rc/toolbar_move\
_horizontal.png\x22\
);\x0d\x0a}\x0d\x0a\x0d\x0aQToolBa\
r::handle:vertic\
al {\x0d\x0a height: \
16px;\x0d\x0a image: \
url(\x22:/qss_icons\
/rc/toolbar_move\
_horizontal.png\x22\
);\x0d\x0a}\x0d\x0a\x0d\x0aQToolBa\
r::separator:hor\
izontal {\x0d\x0a wid\
th: 16px;\x0d\x0a ima\
ge: url(\x22:/qss_i\
cons/rc/toolbar_\
separator_horizo\
ntal.png\x22);\x0d\x0a}\x0d\x0a\
\x0d\x0aQToolBar::sepa\
rator:vertical {\
\x0d\x0a height: 16px\
;\x0d\x0a image: url(\
\x22:/qss_icons/rc/\
toolbar_separato\
r_vertical.png\x22)\
;\x0d\x0a}\x0d\x0a\x0d\x0aQToolBut\
ton#qt_toolbar_e\
xt_button {\x0d\x0a b\
ackground: #4e4e\
4e;\x0d\x0a border: 0\
px;\x0d\x0a color: #f\
fffff;\x0d\x0a image:\
url(\x22:/qss_icon\
s/rc/arrow_right\
.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0a/*\
QAbstractSpinBo\
x --------------\
----------------\
----------------\
---------\x0d\x0a\x0d\x0a---\
----------------\
----------------\
----------------\
----------------\
-------- */\x0d\x0aQAb\
stractSpinBox {\x0d\
\x0a background-co\
lor: #333434;\x0d\x0a \
border: 1px sol\
id #4e4e4e;\x0d\x0a c\
olor: #ffffff;\x0d\x0a\
/* This fixes \
103, 111 */\x0d\x0a p\
adding-top: 2px;\
\x0d\x0a /* This fixe\
s 103, 111 */\x0d\x0a \
padding-bottom:\
2px;\x0d\x0a padding\
-left: 4px;\x0d\x0a p\
adding-right: 4p\
x;\x0d\x0a border-rad\
ius: 4px;\x0d\x0a /* \
min-width: 5px; \
removed to fix 1\
09 */\x0d\x0a}\x0d\x0a\x0d\x0aQAbs\
tractSpinBox:up-\
button {\x0d\x0a back\
ground-color: tr\
ansparent #33343\
4;\x0d\x0a subcontrol\
-origin: border;\
\x0d\x0a subcontrol-p\
osition: top rig\
ht;\x0d\x0a border-le\
ft: 1px solid #4\
e4e4e;\x0d\x0a margin\
: 1px;\x0d\x0a}\x0d\x0a\x0d\x0aQAb\
stractSpinBox::u\
p-arrow, QAbstra\
ctSpinBox::up-ar\
row:disabled, QA\
bstractSpinBox::\
up-arrow:off {\x0d\x0a\
image: url(\x22:/\
qss_icons/rc/arr\
ow_up_disabled.p\
ng\x22);\x0d\x0a height:\
12px;\x0d\x0a width:\
12px;\x0d\x0a}\x0d\x0a\x0d\x0aQAb\
stractSpinBox::u\
p-arrow:hover {\x0d\
\x0a image: url(\x22:\
/qss_icons/rc/ar\
row_up.png\x22);\x0d\x0a}\
\x0d\x0a\x0d\x0aQAbstractSpi\
nBox:down-button\
{\x0d\x0a background\
-color: transpar\
ent #333434;\x0d\x0a \
subcontrol-origi\
n: border;\x0d\x0a su\
bcontrol-positio\
n: bottom right;\
\x0d\x0a border-left:\
1px solid #4e4e\
4e;\x0d\x0a margin: 1\
px;\x0d\x0a}\x0d\x0a\x0d\x0aQAbstr\
actSpinBox::down\
-arrow, QAbstrac\
tSpinBox::down-a\
rrow:disabled, Q\
AbstractSpinBox:\
:down-arrow:off \
{\x0d\x0a image: url(\
\x22:/qss_icons/rc/\
arrow_down_disab\
led.png\x22);\x0d\x0a he\
ight: 12px;\x0d\x0a w\
idth: 12px;\x0d\x0a}\x0d\x0a\
\x0d\x0aQAbstractSpinB\
ox::down-arrow:h\
over {\x0d\x0a image:\
url(\x22:/qss_icon\
s/rc/arrow_down.\
png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQAb\
stractSpinBox:ho\
ver {\x0d\x0a border:\
1px solid #007b\
ff;\x0d\x0a color: #f\
fffff;\x0d\x0a}\x0d\x0a\x0d\x0aQAb\
stractSpinBox:se\
lected {\x0d\x0a back\
ground: #007bff;\
\x0d\x0a color: #4e4e\
4e;\x0d\x0a}\x0d\x0a\x0d\x0a/* ---\
----------------\
----------------\
----------------\
----------------\
----- */\x0d\x0a/* DIS\
PLAYS ----------\
----------------\
----------------\
----------------\
----- */\x0d\x0a/* ---\
----------------\
----------------\
----------------\
----------------\
----- */\x0d\x0a/* QLa\
bel ------------\
----------------\
----------------\
----------------\
-----\x0d\x0a\x0d\x0ahttps:/\
/doc.qt.io/qt-5/\
stylesheet-examp\
les.html#customi\
zing-qframe\x0d\x0a\x0d\x0a-\
----------------\
----------------\
----------------\
----------------\
---------- */\x0d\x0aQ\
Label {\x0d\x0a backg\
round-color: #33\
3434;\x0d\x0a border:\
0px solid #4e4e\
4e;\x0d\x0a padding: \
2px;\x0d\x0a margin: \
0px;\x0d\x0a color: #\
ffffff;\x0d\x0a}\x0d\x0a\x0d\x0aQL\
abel::disabled {\
\x0d\x0a background-c\
olor: #333434;\x0d\x0a\
border: 0px so\
lid #4e4e4e;\x0d\x0a \
color: #999999;\x0d\
\x0a}\x0d\x0a\x0d\x0a/* QTextBr\
owser ----------\
----------------\
----------------\
----------------\
-\x0d\x0a\x0d\x0ahttps://doc\
.qt.io/qt-5/styl\
esheet-examples.\
html#customizing\
-qabstractscroll\
area\x0d\x0a\x0d\x0a--------\
----------------\
----------------\
----------------\
----------------\
--- */\x0d\x0aQTextBro\
wser {\x0d\x0a backgr\
ound-color: #333\
434;\x0d\x0a border: \
1px solid #4e4e4\
e;\x0d\x0a color: #ff\
ffff;\x0d\x0a border-\
radius: 4px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQTextBrowser:\
disabled {\x0d\x0a ba\
ckground-color: \
#333434;\x0d\x0a bord\
er: 1px solid #4\
e4e4e;\x0d\x0a color:\
#999999;\x0d\x0a bor\
der-radius: 4px;\
\x0d\x0a}\x0d\x0a\x0d\x0aQTextBrow\
ser:hover, QText\
Browser:!hover, \
QTextBrowser::se\
lected, QTextBro\
wser::pressed {\x0d\
\x0a border: 1px s\
olid #4e4e4e;\x0d\x0a}\
\x0d\x0a\x0d\x0a/* QGraphics\
View -----------\
----------------\
----------------\
---------------\x0d\
\x0a\x0d\x0a-------------\
----------------\
----------------\
----------------\
-------------- *\
/\x0d\x0aQGraphicsView\
{\x0d\x0a background\
-color: #333434;\
\x0d\x0a border: 1px \
solid #4e4e4e;\x0d\x0a\
color: #ffffff\
;\x0d\x0a border-radi\
us: 4px;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
GraphicsView:dis\
abled {\x0d\x0a backg\
round-color: #33\
3434;\x0d\x0a border:\
1px solid #4e4e\
4e;\x0d\x0a color: #9\
99999;\x0d\x0a border\
-radius: 4px;\x0d\x0a}\
\x0d\x0a\x0d\x0aQGraphicsVie\
w:hover, QGraphi\
csView:!hover, Q\
GraphicsView::se\
lected, QGraphic\
sView::pressed {\
\x0d\x0a border: 1px \
solid #4e4e4e;\x0d\x0a\
}\x0d\x0a\x0d\x0a/* QCalenda\
rWidget --------\
----------------\
----------------\
----------------\
\x0d\x0a\x0d\x0a------------\
----------------\
----------------\
----------------\
--------------- \
*/\x0d\x0aQCalendarWid\
get {\x0d\x0a border:\
1px solid #4e4e\
4e;\x0d\x0a border-ra\
dius: 4px;\x0d\x0a}\x0d\x0a\x0d\
\x0aQCalendarWidget\
:disabled {\x0d\x0a b\
ackground-color:\
#333434;\x0d\x0a col\
or: #999999;\x0d\x0a}\x0d\
\x0a\x0d\x0a/* QLCDNumber\
---------------\
----------------\
----------------\
--------------\x0d\x0a\
\x0d\x0a--------------\
----------------\
----------------\
----------------\
------------- */\
\x0d\x0aQLCDNumber {\x0d\x0a\
background-col\
or: #333434;\x0d\x0a \
color: #ffffff;\x0d\
\x0a}\x0d\x0a\x0d\x0aQLCDNumber\
:disabled {\x0d\x0a b\
ackground-color:\
#333434;\x0d\x0a col\
or: #999999;\x0d\x0a}\x0d\
\x0a\x0d\x0a/* QProgressB\
ar -------------\
----------------\
----------------\
--------------\x0d\x0a\
\x0d\x0ahttps://doc.qt\
.io/qt-5/stylesh\
eet-examples.htm\
l#customizing-qp\
rogressbar\x0d\x0a\x0d\x0a--\
----------------\
----------------\
----------------\
----------------\
--------- */\x0d\x0aQP\
rogressBar {\x0d\x0a \
background-color\
: #333434;\x0d\x0a bo\
rder: 1px solid \
#4e4e4e;\x0d\x0a colo\
r: #ffffff;\x0d\x0a b\
order-radius: 4p\
x;\x0d\x0a text-align\
: center;\x0d\x0a}\x0d\x0a\x0d\x0a\
QProgressBar:dis\
abled {\x0d\x0a backg\
round-color: #33\
3434;\x0d\x0a border:\
1px solid #4e4e\
4e;\x0d\x0a color: #9\
99999;\x0d\x0a border\
-radius: 4px;\x0d\x0a \
text-align: cen\
ter;\x0d\x0a}\x0d\x0a\x0d\x0aQProg\
ressBar::chunk {\
\x0d\x0a background-c\
olor: #007bff;\x0d\x0a\
color: #333434\
;\x0d\x0a border-radi\
us: 4px;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
ProgressBar::chu\
nk:disabled {\x0d\x0a \
background-colo\
r: #007bff;\x0d\x0a c\
olor: #999999;\x0d\x0a\
border-radius:\
4px;\x0d\x0a}\x0d\x0a\x0d\x0a/* -\
----------------\
----------------\
----------------\
----------------\
------- */\x0d\x0a/* B\
UTTONS ---------\
----------------\
----------------\
----------------\
------- */\x0d\x0a/* -\
----------------\
----------------\
----------------\
----------------\
------- */\x0d\x0a/* Q\
PushButton -----\
----------------\
----------------\
----------------\
-------\x0d\x0a\x0d\x0ahttps\
://doc.qt.io/qt-\
5/stylesheet-exa\
mples.html#custo\
mizing-qpushbutt\
on\x0d\x0a\x0d\x0a----------\
----------------\
----------------\
----------------\
----------------\
- */\x0d\x0aQPushButto\
n {\x0d\x0a backgroun\
d-color: #666666\
;\x0d\x0a border: 1px\
solid #4e4e4e;\x0d\
\x0a color: #fffff\
f;\x0d\x0a border-rad\
ius: 4px;\x0d\x0a pad\
ding: 3px;\x0d\x0a ou\
tline: none;\x0d\x0a}\x0d\
\x0a\x0d\x0aQPushButton:d\
isabled {\x0d\x0a bac\
kground-color: #\
4e4e4e;\x0d\x0a borde\
r: 1px solid #4e\
4e4e;\x0d\x0a color: \
#999999;\x0d\x0a bord\
er-radius: 4px;\x0d\
\x0a padding: 3px;\
\x0d\x0a}\x0d\x0a\x0d\x0aQPushButt\
on:checked {\x0d\x0a \
background-color\
: #4e4e4e;\x0d\x0a bo\
rder: 1px solid \
#4e4e4e;\x0d\x0a bord\
er-radius: 4px;\x0d\
\x0a padding: 3px;\
\x0d\x0a outline: non\
e;\x0d\x0a}\x0d\x0a\x0d\x0aQPushBu\
tton:checked:dis\
abled {\x0d\x0a backg\
round-color: #33\
3434;\x0d\x0a border:\
1px solid #4e4e\
4e;\x0d\x0a color: #9\
99999;\x0d\x0a border\
-radius: 4px;\x0d\x0a \
padding: 3px;\x0d\x0a\
outline: none;\
\x0d\x0a}\x0d\x0a\x0d\x0aQPushButt\
on:checked:selec\
ted {\x0d\x0a backgro\
und: #007bff;\x0d\x0a \
color: #4e4e4e;\
\x0d\x0a}\x0d\x0a\x0d\x0aQPushButt\
on:checked:hover\
{\x0d\x0a border: 1p\
x solid #007bff;\
\x0d\x0a color: #ffff\
ff;\x0d\x0a}\x0d\x0a\x0d\x0aQPushB\
utton::menu-indi\
cator {\x0d\x0a subco\
ntrol-origin: pa\
dding;\x0d\x0a subcon\
trol-position: b\
ottom right;\x0d\x0a \
bottom: 4px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQPushButton:p\
ressed {\x0d\x0a back\
ground-color: #3\
33434;\x0d\x0a border\
: 1px solid #333\
434;\x0d\x0a}\x0d\x0a\x0d\x0aQPush\
Button:pressed:h\
over {\x0d\x0a border\
: 1px solid #007\
bff;\x0d\x0a}\x0d\x0a\x0d\x0aQPush\
Button:hover {\x0d\x0a\
border: 1px so\
lid #007bff;\x0d\x0a \
color: #ffffff;\x0d\
\x0a}\x0d\x0a\x0d\x0aQPushButto\
n:selected {\x0d\x0a \
background: #007\
bff;\x0d\x0a color: #\
4e4e4e;\x0d\x0a}\x0d\x0a\x0d\x0a/*\
QToolButton ---\
----------------\
----------------\
----------------\
---------\x0d\x0a\x0d\x0ahtt\
ps://doc.qt.io/q\
t-5/stylesheet-e\
xamples.html#cus\
tomizing-qtoolbu\
tton\x0d\x0a\x0d\x0a--------\
----------------\
----------------\
----------------\
----------------\
--- */\x0d\x0aQToolBut\
ton {\x0d\x0a backgro\
und-color: trans\
parent;\x0d\x0a borde\
r-radius: 4px;\x0d\x0a\
margin: 0px;\x0d\x0a\
padding: 2px;\x0d\
\x0a /* The subcon\
trols below are \
used only in the\
MenuButtonPopup\
mode */\x0d\x0a /* T\
he subcontrol be\
low is used only\
in the InstantP\
opup or DelayedP\
opup mode */\x0d\x0a}\x0d\
\x0a\x0d\x0aQToolButton:c\
hecked {\x0d\x0a back\
ground-color: tr\
ansparent;\x0d\x0a bo\
rder: 1px solid \
#007bff;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
ToolButton:check\
ed:disabled {\x0d\x0a \
border: 1px sol\
id #007bff;\x0d\x0a}\x0d\x0a\
\x0d\x0aQToolButton:pr\
essed {\x0d\x0a margi\
n: 1px;\x0d\x0a backg\
round-color: tra\
nsparent;\x0d\x0a bor\
der: 1px solid #\
007bff;\x0d\x0a}\x0d\x0a\x0d\x0aQT\
oolButton:disabl\
ed {\x0d\x0a border: \
none;\x0d\x0a}\x0d\x0a\x0d\x0aQToo\
lButton:disabled\
:hover {\x0d\x0a bord\
er: 1px solid #4\
e4e4e;\x0d\x0a}\x0d\x0a\x0d\x0aQTo\
olButton:hover {\
\x0d\x0a border: 1px \
solid #007bff;\x0d\x0a\
}\x0d\x0a\x0d\x0aQToolButton\
[popupMode=\x221\x22] \
{\x0d\x0a padding: 2p\
x;\x0d\x0a /* Only fo\
r MenuButtonPopu\
p */\x0d\x0a padding-\
right: 12px;\x0d\x0a \
/* Make way for \
the popup button\
*/\x0d\x0a border: 1\
px solid #4e4e4e\
;\x0d\x0a border-radi\
us: 4px;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
ToolButton[popup\
Mode=\x222\x22] {\x0d\x0a p\
adding: 2px;\x0d\x0a \
/* Only for Inst\
antPopup */\x0d\x0a p\
adding-right: 12\
px;\x0d\x0a /* Make w\
ay for the popup\
button */\x0d\x0a bo\
rder: 1px solid \
#4e4e4e;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
ToolButton::menu\
-button {\x0d\x0a pad\
ding: 2px;\x0d\x0a bo\
rder-radius: 4px\
;\x0d\x0a border: 1px\
solid #4e4e4e;\x0d\
\x0a border-top-ri\
ght-radius: 4px;\
\x0d\x0a border-botto\
m-right-radius: \
4px;\x0d\x0a /* 16px \
width + 4px for \
border = 20px al\
located above */\
\x0d\x0a width: 16px;\
\x0d\x0a outline: non\
e;\x0d\x0a}\x0d\x0a\x0d\x0aQToolBu\
tton::menu-butto\
n:hover {\x0d\x0a bor\
der: 1px solid #\
007bff;\x0d\x0a}\x0d\x0a\x0d\x0aQT\
oolButton::menu-\
button:checked:h\
over {\x0d\x0a border\
: 1px solid #007\
bff;\x0d\x0a}\x0d\x0a\x0d\x0aQTool\
Button::menu-ind\
icator {\x0d\x0a imag\
e: url(\x22:/qss_ic\
ons/rc/arrow_dow\
n.png\x22);\x0d\x0a heig\
ht: 12px;\x0d\x0a wid\
th: 12px;\x0d\x0a top\
: -8px;\x0d\x0a /* Sh\
ift it a bit */\x0d\
\x0a left: -4px;\x0d\x0a\
/* Shift it a \
bit */\x0d\x0a}\x0d\x0a\x0d\x0aQTo\
olButton::menu-a\
rrow {\x0d\x0a image:\
url(\x22:/qss_icon\
s/rc/arrow_down.\
png\x22);\x0d\x0a height\
: 12px;\x0d\x0a width\
: 12px;\x0d\x0a}\x0d\x0a\x0d\x0aQT\
oolButton::menu-\
arrow:open {\x0d\x0a \
border: 1px soli\
d #4e4e4e;\x0d\x0a}\x0d\x0a\x0d\
\x0a/* QCommandLink\
Button ---------\
----------------\
----------------\
------------\x0d\x0a\x0d\x0a\
----------------\
----------------\
----------------\
----------------\
----------- */\x0d\x0a\
QCommandLinkButt\
on {\x0d\x0a backgrou\
nd-color: transp\
arent;\x0d\x0a border\
: 1px solid #4e4\
e4e;\x0d\x0a color: #\
ffffff;\x0d\x0a borde\
r-radius: 4px;\x0d\x0a\
padding: 0px;\x0d\
\x0a margin: 0px;\x0d\
\x0a}\x0d\x0a\x0d\x0aQCommandLi\
nkButton:disable\
d {\x0d\x0a backgroun\
d-color: transpa\
rent;\x0d\x0a color: \
#999999;\x0d\x0a}\x0d\x0a\x0d\x0a/\
* --------------\
----------------\
----------------\
----------------\
---------- */\x0d\x0a/\
* INPUTS - NO FI\
ELDS -----------\
----------------\
----------------\
---------- */\x0d\x0a/\
* --------------\
----------------\
----------------\
----------------\
---------- */\x0d\x0a/\
* QComboBox ----\
----------------\
----------------\
----------------\
----------\x0d\x0a\x0d\x0aht\
tps://doc.qt.io/\
qt-5/stylesheet-\
examples.html#cu\
stomizing-qcombo\
box\x0d\x0a\x0d\x0a---------\
----------------\
----------------\
----------------\
----------------\
-- */\x0d\x0aQComboBox\
{\x0d\x0a border: 1p\
x solid #4e4e4e;\
\x0d\x0a border-radiu\
s: 4px;\x0d\x0a selec\
tion-background-\
color: #007bff;\x0d\
\x0a padding-left:\
4px;\x0d\x0a padding\
-right: 4px;\x0d\x0a \
/* Fixes #103, #\
111 */\x0d\x0a min-he\
ight: 1.5em;\x0d\x0a \
/* padding-top: \
2px; removed\
to fix #132 */\x0d\
\x0a /* padding-bo\
ttom: 2px; remo\
ved to fix #132 \
*/\x0d\x0a /* min-wid\
th: 75px; r\
emoved to fix #1\
09 */\x0d\x0a /* Need\
ed to remove ind\
icator - fix #13\
2 */\x0d\x0a}\x0d\x0a\x0d\x0aQComb\
oBox QAbstractIt\
emView {\x0d\x0a back\
ground-color: #3\
33434;\x0d\x0a border\
-radius: 4px;\x0d\x0a \
border: 1px sol\
id #4e4e4e;\x0d\x0a s\
election-color: \
#007bff;\x0d\x0a sele\
ction-background\
-color: #4e4e4e;\
\x0d\x0a}\x0d\x0a\x0d\x0aQComboBox\
:disabled {\x0d\x0a b\
ackground-color:\
#333434;\x0d\x0a col\
or: #999999;\x0d\x0a}\x0d\
\x0a\x0d\x0aQComboBox:hov\
er {\x0d\x0a border: \
1px solid #007bf\
f;\x0d\x0a}\x0d\x0a\x0d\x0aQComboB\
ox:on {\x0d\x0a selec\
tion-background-\
color: #333434;\x0d\
\x0a}\x0d\x0a\x0d\x0aQComboBox:\
:indicator {\x0d\x0a \
background-color\
: transparent;\x0d\x0a\
selection-back\
ground-color: tr\
ansparent;\x0d\x0a co\
lor: transparent\
;\x0d\x0a selection-c\
olor: transparen\
t;\x0d\x0a /* Needed \
to remove indica\
tor - fix #132 *\
/\x0d\x0a}\x0d\x0a\x0d\x0aQComboBo\
x::indicator:alt\
ernate {\x0d\x0a back\
ground: #19232D;\
\x0d\x0a}\x0d\x0a\x0d\x0aQComboBox\
::item:alternate\
{\x0d\x0a background\
: #333434;\x0d\x0a}\x0d\x0a\x0d\
\x0aQComboBox::item\
:checked {\x0d\x0a fo\
nt-weight: bold;\
\x0d\x0a}\x0d\x0a\x0d\x0aQComboBox\
::item:selected \
{\x0d\x0a border: 0px\
solid transpare\
nt;\x0d\x0a}\x0d\x0a\x0d\x0aQCombo\
Box::drop-down {\
\x0d\x0a subcontrol-o\
rigin: padding;\x0d\
\x0a subcontrol-po\
sition: top righ\
t;\x0d\x0a width: 20p\
x;\x0d\x0a border-lef\
t-width: 0px;\x0d\x0a \
border-left-col\
or: #4e4e4e;\x0d\x0a \
border-left-styl\
e: solid;\x0d\x0a bor\
der-top-right-ra\
dius: 3px;\x0d\x0a bo\
rder-bottom-righ\
t-radius: 3px;\x0d\x0a\
}\x0d\x0a\x0d\x0aQComboBox::\
down-arrow {\x0d\x0a \
image: url(\x22:/qs\
s_icons/rc/arrow\
_down_disabled.p\
ng\x22);\x0d\x0a height:\
12px;\x0d\x0a width:\
12px;\x0d\x0a}\x0d\x0a\x0d\x0aQCo\
mboBox::down-arr\
ow:on, QComboBox\
::down-arrow:hov\
er, QComboBox::d\
own-arrow:focus \
{\x0d\x0a image: url(\
\x22:/qss_icons/rc/\
arrow_down.png\x22)\
;\x0d\x0a}\x0d\x0a\x0d\x0a/* QSlid\
er -------------\
----------------\
----------------\
----------------\
---\x0d\x0a\x0d\x0ahttps://d\
oc.qt.io/qt-5/st\
ylesheet-example\
s.html#customizi\
ng-qslider\x0d\x0a\x0d\x0a--\
----------------\
----------------\
----------------\
----------------\
--------- */\x0d\x0aQS\
lider:disabled {\
\x0d\x0a background: \
#333434;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
Slider:focus {\x0d\x0a\
border: none;\x0d\
\x0a}\x0d\x0a\x0d\x0aQSlider::g\
roove:horizontal\
{\x0d\x0a background\
: #4e4e4e;\x0d\x0a bo\
rder: 1px solid \
#4e4e4e;\x0d\x0a heig\
ht: 4px;\x0d\x0a marg\
in: 0px;\x0d\x0a bord\
er-radius: 4px;\x0d\
\x0a}\x0d\x0a\x0d\x0aQSlider::g\
roove:vertical {\
\x0d\x0a background: \
#4e4e4e;\x0d\x0a bord\
er: 1px solid #4\
e4e4e;\x0d\x0a width:\
4px;\x0d\x0a margin:\
0px;\x0d\x0a border-\
radius: 4px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQSlider::add-\
page:vertical {\x0d\
\x0a background: #\
007bff;\x0d\x0a borde\
r: 1px solid #4e\
4e4e;\x0d\x0a width: \
4px;\x0d\x0a margin: \
0px;\x0d\x0a border-r\
adius: 4px;\x0d\x0a}\x0d\x0a\
\x0d\x0aQSlider::add-p\
age:vertical :di\
sabled {\x0d\x0a back\
ground: #007bff;\
\x0d\x0a}\x0d\x0a\x0d\x0aQSlider::\
sub-page:horizon\
tal {\x0d\x0a backgro\
und: #007bff;\x0d\x0a \
border: 1px sol\
id #4e4e4e;\x0d\x0a h\
eight: 4px;\x0d\x0a m\
argin: 0px;\x0d\x0a b\
order-radius: 4p\
x;\x0d\x0a}\x0d\x0a\x0d\x0aQSlider\
::sub-page:horiz\
ontal:disabled {\
\x0d\x0a background: \
#007bff;\x0d\x0a}\x0d\x0a\x0d\x0aQ\
Slider::handle:h\
orizontal {\x0d\x0a b\
ackground: #9999\
99;\x0d\x0a border: 1\
px solid #4e4e4e\
;\x0d\x0a width: 8px;\
\x0d\x0a height: 8px;\
\x0d\x0a margin: -8px\
0px;\x0d\x0a border-\
radius: 4px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQSlider::hand\
le:horizontal:ho\
ver {\x0d\x0a backgro\
und: #007bff;\x0d\x0a \
border: 1px sol\
id #007bff;\x0d\x0a}\x0d\x0a\
\x0d\x0aQSlider::handl\
e:vertical {\x0d\x0a \
background: #999\
999;\x0d\x0a border: \
1px solid #4e4e4\
e;\x0d\x0a width: 8px\
;\x0d\x0a height: 8px\
;\x0d\x0a margin: 0 -\
8px;\x0d\x0a border-r\
adius: 4px;\x0d\x0a}\x0d\x0a\
\x0d\x0aQSlider::handl\
e:vertical:hover\
{\x0d\x0a background\
: #007bff;\x0d\x0a bo\
rder: 1px solid \
#007bff;\x0d\x0a}\x0d\x0a\x0d\x0a/\
* QLineEdit ----\
----------------\
----------------\
----------------\
----------\x0d\x0a\x0d\x0aht\
tps://doc.qt.io/\
qt-5/stylesheet-\
examples.html#cu\
stomizing-qlinee\
dit\x0d\x0a\x0d\x0a---------\
----------------\
----------------\
----------------\
----------------\
-- */\x0d\x0aQLineEdit\
{\x0d\x0a background\
-color: #333434;\
\x0d\x0a padding-top:\
2px;\x0d\x0a /* This\
QLineEdit fix \
103, 111 */\x0d\x0a p\
adding-bottom: 2\
px;\x0d\x0a /* This Q\
LineEdit fix 10\
3, 111 */\x0d\x0a pad\
ding-left: 4px;\x0d\
\x0a padding-right\
: 4px;\x0d\x0a border\
-style: solid;\x0d\x0a\
border: 1px so\
lid #4e4e4e;\x0d\x0a \
border-radius: 4\
px;\x0d\x0a color: #f\
fffff;\x0d\x0a}\x0d\x0a\x0d\x0aQLi\
neEdit:disabled \
{\x0d\x0a background-\
color: #333434;\x0d\
\x0a color: #99999\
9;\x0d\x0a}\x0d\x0a\x0d\x0aQLineEd\
it:hover {\x0d\x0a bo\
rder: 1px solid \
#007bff;\x0d\x0a colo\
r: #ffffff;\x0d\x0a}\x0d\x0a\
\x0d\x0aQLineEdit:sele\
cted {\x0d\x0a backgr\
ound: #007bff;\x0d\x0a\
color: #4e4e4e\
;\x0d\x0a}\x0d\x0a\x0d\x0a/* QTabW\
iget -----------\
----------------\
----------------\
----------------\
---\x0d\x0a\x0d\x0ahttps://d\
oc.qt.io/qt-5/st\
ylesheet-example\
s.html#customizi\
ng-qtabwidget-an\
d-qtabbar\x0d\x0a\x0d\x0a---\
----------------\
----------------\
----------------\
----------------\
-------- */\x0d\x0aQTa\
bWidget {\x0d\x0a pad\
ding: 2px;\x0d\x0a se\
lection-backgrou\
nd-color: #4e4e4\
e;\x0d\x0a /* Add wan\
ted borders - fi\
x #141, #126, #1\
23 */\x0d\x0a}\x0d\x0a\x0d\x0aQTab\
Widget QWidget {\
\x0d\x0a border: 0px \
solid #4e4e4e;\x0d\x0a\
}\x0d\x0a\x0d\x0aQTabWidget \
QWidget QWidget\x0d\
\x0aQTableView,\x0d\x0aQT\
abWidget QTreeVi\
ew,\x0d\x0aQTabWidget \
QListView,\x0d\x0aQTab\
Widget QGroupBox\
,\x0d\x0aQTabWidget QL\
ineEdit,\x0d\x0aQTabWi\
dget QComboBox,\x0d\
\x0aQTabWidget QFon\
tComboBox,\x0d\x0aQTab\
Widget QTextEdit\
,\x0d\x0aQTabWidget QS\
pinBox,\x0d\x0aQTabWid\
get QDoubleSpinB\
ox {\x0d\x0a border: \
1px solid #4e4e4\
e;\x0d\x0a}\x0d\x0a\x0d\x0aQTabWid\
get::pane {\x0d\x0a b\
order: 1px solid\
#4e4e4e;\x0d\x0a bor\
der-radius: 4px;\
\x0d\x0a margin: 0px;\
\x0d\x0a /* Fixes dou\
ble border insid\
e pane wit pyqt5\
*/\x0d\x0a padding: \
0px;\x0d\x0a}\x0d\x0a\x0d\x0aQTabW\
idget::pane:sele\
cted {\x0d\x0a backgr\
ound-color: #4e4\
e4e;\x0d\x0a border: \
1px solid #007bf\
f;\x0d\x0a}\x0d\x0a\x0d\x0a/* QTab\
Bar ------------\
----------------\
----------------\
----------------\
----\x0d\x0a\x0d\x0ahttps://\
doc.qt.io/qt-5/s\
tylesheet-exampl\
es.html#customiz\
ing-qtabwidget-a\
nd-qtabbar\x0d\x0a\x0d\x0a--\
----------------\
----------------\
----------------\
----------------\
--------- */\x0d\x0aQT\
abBar {\x0d\x0a qprop\
erty-drawBase: 0\
;\x0d\x0a border-radi\
us: 4px;\x0d\x0a marg\
in: 0px;\x0d\x0a padd\
ing: 2px;\x0d\x0a bor\
der: 0;\x0d\x0a /* le\
ft: 5px; move to\
the right by 5p\
x - removed for \
fix */\x0d\x0a}\x0d\x0a\x0d\x0aQTa\
bBar::close-butt\
on {\x0d\x0a border: \
0;\x0d\x0a margin: 2p\
x;\x0d\x0a padding: 2\
px;\x0d\x0a image: ur\
l(\x22:/qss_icons/r\
c/window_close.p\
ng\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQTab\
Bar::close-butto\
n:hover {\x0d\x0a ima\
ge: url(\x22:/qss_i\
cons/rc/window_c\
lose_focus.png\x22)\
;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBar:\
:close-button:pr\
essed {\x0d\x0a image\
: url(\x22:/qss_ico\
ns/rc/window_clo\
se_pressed.png\x22)\
;\x0d\x0a}\x0d\x0a\x0d\x0a/* QTabB\
ar::tab - select\
ed -------------\
----------------\
----------------\
---\x0d\x0a\x0d\x0ahttps://d\
oc.qt.io/qt-5/st\
ylesheet-example\
s.html#customizi\
ng-qtabwidget-an\
d-qtabbar\x0d\x0a\x0d\x0a---\
----------------\
----------------\
----------------\
----------------\
-------- */\x0d\x0aQTa\
bBar::tab {\x0d\x0a /\
* !selected and \
disabled -------\
----------------\
----------------\
-- */\x0d\x0a /* sele\
cted -----------\
----------------\
----------------\
------------ */\x0d\
\x0a}\x0d\x0a\x0d\x0aQTabBar::t\
ab:top:selected:\
disabled {\x0d\x0a bo\
rder-bottom: 3px\
solid #007bff;\x0d\
\x0a color: #99999\
9;\x0d\x0a background\
-color: #4e4e4e;\
\x0d\x0a}\x0d\x0a\x0d\x0aQTabBar::\
tab:bottom:selec\
ted:disabled {\x0d\x0a\
border-top: 3p\
x solid #007bff;\
\x0d\x0a color: #9999\
99;\x0d\x0a backgroun\
d-color: #4e4e4e\
;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBar:\
:tab:left:select\
ed:disabled {\x0d\x0a \
border-right: 3\
px solid #007bff\
;\x0d\x0a color: #999\
999;\x0d\x0a backgrou\
nd-color: #4e4e4\
e;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBar\
::tab:right:sele\
cted:disabled {\x0d\
\x0a border-left: \
3px solid #007bf\
f;\x0d\x0a color: #99\
9999;\x0d\x0a backgro\
und-color: #4e4e\
4e;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBa\
r::tab:top:!sele\
cted:disabled {\x0d\
\x0a border-bottom\
: 3px solid #333\
434;\x0d\x0a color: #\
999999;\x0d\x0a backg\
round-color: #33\
3434;\x0d\x0a}\x0d\x0a\x0d\x0aQTab\
Bar::tab:bottom:\
!selected:disabl\
ed {\x0d\x0a border-t\
op: 3px solid #3\
33434;\x0d\x0a color:\
#999999;\x0d\x0a bac\
kground-color: #\
333434;\x0d\x0a}\x0d\x0a\x0d\x0aQT\
abBar::tab:left:\
!selected:disabl\
ed {\x0d\x0a border-r\
ight: 3px solid \
#333434;\x0d\x0a colo\
r: #999999;\x0d\x0a b\
ackground-color:\
#333434;\x0d\x0a}\x0d\x0a\x0d\x0a\
QTabBar::tab:rig\
ht:!selected:dis\
abled {\x0d\x0a borde\
r-left: 3px soli\
d #333434;\x0d\x0a co\
lor: #999999;\x0d\x0a \
background-colo\
r: #333434;\x0d\x0a}\x0d\x0a\
\x0d\x0aQTabBar::tab:t\
op:!selected {\x0d\x0a\
border-bottom:\
2px solid #3334\
34;\x0d\x0a margin-to\
p: 2px;\x0d\x0a}\x0d\x0a\x0d\x0aQT\
abBar::tab:botto\
m:!selected {\x0d\x0a \
border-top: 2px\
solid #333434;\x0d\
\x0a margin-bottom\
: 3px;\x0d\x0a}\x0d\x0a\x0d\x0aQTa\
bBar::tab:left:!\
selected {\x0d\x0a bo\
rder-left: 2px s\
olid #333434;\x0d\x0a \
margin-right: 2\
px;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBa\
r::tab:right:!se\
lected {\x0d\x0a bord\
er-right: 2px so\
lid #333434;\x0d\x0a \
margin-left: 2px\
;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBar:\
:tab:top {\x0d\x0a ba\
ckground-color: \
#4e4e4e;\x0d\x0a colo\
r: #ffffff;\x0d\x0a m\
argin-left: 2px;\
\x0d\x0a padding-left\
: 4px;\x0d\x0a paddin\
g-right: 4px;\x0d\x0a \
padding-top: 2p\
x;\x0d\x0a padding-bo\
ttom: 2px;\x0d\x0a mi\
n-width: 5px;\x0d\x0a \
border-bottom: \
3px solid #4e4e4\
e;\x0d\x0a border-top\
-left-radius: 3p\
x;\x0d\x0a border-top\
-right-radius: 3\
px;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBa\
r::tab:top:selec\
ted {\x0d\x0a backgro\
und-color: #6666\
66;\x0d\x0a color: #f\
fffff;\x0d\x0a border\
-bottom: 3px sol\
id #007bff;\x0d\x0a b\
order-top-left-r\
adius: 3px;\x0d\x0a b\
order-top-right-\
radius: 3px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQTabBar::tab:\
top:!selected:ho\
ver {\x0d\x0a border:\
1px solid #007b\
ff;\x0d\x0a border-bo\
ttom: 3px solid \
#007bff;\x0d\x0a padd\
ing: 0px;\x0d\x0a}\x0d\x0a\x0d\x0a\
QTabBar::tab:bot\
tom {\x0d\x0a color: \
#ffffff;\x0d\x0a bord\
er-top: 3px soli\
d #4e4e4e;\x0d\x0a ba\
ckground-color: \
#4e4e4e;\x0d\x0a marg\
in-left: 2px;\x0d\x0a \
padding-left: 4\
px;\x0d\x0a padding-r\
ight: 4px;\x0d\x0a pa\
dding-top: 2px;\x0d\
\x0a padding-botto\
m: 2px;\x0d\x0a borde\
r-bottom-left-ra\
dius: 3px;\x0d\x0a bo\
rder-bottom-righ\
t-radius: 3px;\x0d\x0a\
min-width: 5px\
;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBar:\
:tab:bottom:sele\
cted {\x0d\x0a color:\
#ffffff;\x0d\x0a bac\
kground-color: #\
666666;\x0d\x0a borde\
r-top: 3px solid\
#007bff;\x0d\x0a bor\
der-bottom-left-\
radius: 3px;\x0d\x0a \
border-bottom-ri\
ght-radius: 3px;\
\x0d\x0a}\x0d\x0a\x0d\x0aQTabBar::\
tab:bottom:!sele\
cted:hover {\x0d\x0a \
border: 1px soli\
d #007bff;\x0d\x0a bo\
rder-top: 3px so\
lid #007bff;\x0d\x0a \
padding: 0px;\x0d\x0a}\
\x0d\x0a\x0d\x0aQTabBar::tab\
:left {\x0d\x0a color\
: #ffffff;\x0d\x0a ba\
ckground-color: \
#4e4e4e;\x0d\x0a marg\
in-top: 2px;\x0d\x0a \
padding-left: 2p\
x;\x0d\x0a padding-ri\
ght: 2px;\x0d\x0a pad\
ding-top: 4px;\x0d\x0a\
padding-bottom\
: 4px;\x0d\x0a border\
-top-left-radius\
: 3px;\x0d\x0a border\
-bottom-left-rad\
ius: 3px;\x0d\x0a min\
-height: 5px;\x0d\x0a}\
\x0d\x0a\x0d\x0aQTabBar::tab\
:left:selected {\
\x0d\x0a color: #ffff\
ff;\x0d\x0a backgroun\
d-color: #666666\
;\x0d\x0a border-righ\
t: 3px solid #00\
7bff;\x0d\x0a}\x0d\x0a\x0d\x0aQTab\
Bar::tab:left:!s\
elected:hover {\x0d\
\x0a border: 1px s\
olid #007bff;\x0d\x0a \
border-right: 3\
px solid #007bff\
;\x0d\x0a padding: 0p\
x;\x0d\x0a}\x0d\x0a\x0d\x0aQTabBar\
::tab:right {\x0d\x0a \
color: #ffffff;\
\x0d\x0a background-c\
olor: #4e4e4e;\x0d\x0a\
margin-top: 2p\
x;\x0d\x0a padding-le\
ft: 2px;\x0d\x0a padd\
ing-right: 2px;\x0d\
\x0a padding-top: \
4px;\x0d\x0a padding-\
bottom: 4px;\x0d\x0a \
border-top-right\
-radius: 3px;\x0d\x0a \
border-bottom-r\
ight-radius: 3px\
;\x0d\x0a min-height:\
5px;\x0d\x0a}\x0d\x0a\x0d\x0aQTab\
Bar::tab:right:s\
elected {\x0d\x0a col\
or: #ffffff;\x0d\x0a \
background-color\
: #666666;\x0d\x0a bo\
rder-left: 3px s\
olid #007bff;\x0d\x0a}\
\x0d\x0a\x0d\x0aQTabBar::tab\
:right:!selected\
:hover {\x0d\x0a bord\
er: 1px solid #0\
07bff;\x0d\x0a border\
-left: 3px solid\
#007bff;\x0d\x0a pad\
ding: 0px;\x0d\x0a}\x0d\x0a\x0d\
\x0aQTabBar QToolBu\
tton {\x0d\x0a /* Fix\
es #136 */\x0d\x0a ba\
ckground-color: \
#4e4e4e;\x0d\x0a heig\
ht: 12px;\x0d\x0a wid\
th: 12px;\x0d\x0a}\x0d\x0a\x0d\x0a\
QTabBar QToolBut\
ton::left-arrow:\
enabled {\x0d\x0a ima\
ge: url(\x22:/qss_i\
cons/rc/arrow_le\
ft.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0a\
QTabBar QToolBut\
ton::left-arrow:\
disabled {\x0d\x0a im\
age: url(\x22:/qss_\
icons/rc/arrow_l\
eft_disabled.png\
\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQTabBa\
r QToolButton::r\
ight-arrow:enabl\
ed {\x0d\x0a image: u\
rl(\x22:/qss_icons/\
rc/arrow_right.p\
ng\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQTab\
Bar QToolButton:\
:right-arrow:dis\
abled {\x0d\x0a image\
: url(\x22:/qss_ico\
ns/rc/arrow_righ\
t_disabled.png\x22)\
;\x0d\x0a}\x0d\x0a\x0d\x0a/* QDock\
Wiget ----------\
----------------\
----------------\
----------------\
---\x0d\x0a\x0d\x0a---------\
----------------\
----------------\
----------------\
----------------\
-- */\x0d\x0aQDockWidg\
et {\x0d\x0a outline:\
1px solid #4e4e\
4e;\x0d\x0a backgroun\
d-color: #333434\
;\x0d\x0a border: 1px\
solid #4e4e4e;\x0d\
\x0a border-radius\
: 4px;\x0d\x0a titleb\
ar-close-icon: u\
rl(\x22:/qss_icons/\
rc/window_close.\
png\x22);\x0d\x0a titleb\
ar-normal-icon: \
url(\x22:/qss_icons\
/rc/window_undoc\
k.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQ\
DockWidget::titl\
e {\x0d\x0a /* Better\
size for title \
bar */\x0d\x0a paddin\
g: 6px;\x0d\x0a borde\
r: none;\x0d\x0a back\
ground-color: #4\
e4e4e;\x0d\x0a}\x0d\x0a\x0d\x0aQDo\
ckWidget::close-\
button {\x0d\x0a back\
ground-color: #4\
e4e4e;\x0d\x0a border\
-radius: 4px;\x0d\x0a \
border: none;\x0d\x0a\
}\x0d\x0a\x0d\x0aQDockWidget\
::close-button:h\
over {\x0d\x0a image:\
url(\x22:/qss_icon\
s/rc/window_clos\
e_focus.png\x22);\x0d\x0a\
}\x0d\x0a\x0d\x0aQDockWidget\
::close-button:p\
ressed {\x0d\x0a imag\
e: url(\x22:/qss_ic\
ons/rc/window_cl\
ose_pressed.png\x22\
);\x0d\x0a}\x0d\x0a\x0d\x0aQDockWi\
dget::float-butt\
on {\x0d\x0a backgrou\
nd-color: #4e4e4\
e;\x0d\x0a border-rad\
ius: 4px;\x0d\x0a bor\
der: none;\x0d\x0a}\x0d\x0a\x0d\
\x0aQDockWidget::fl\
oat-button:hover\
{\x0d\x0a image: url\
(\x22:/qss_icons/rc\
/window_undock_f\
ocus.png\x22);\x0d\x0a}\x0d\x0a\
\x0d\x0aQDockWidget::f\
loat-button:pres\
sed {\x0d\x0a image: \
url(\x22:/qss_icons\
/rc/window_undoc\
k_pressed.png\x22);\
\x0d\x0a}\x0d\x0a\x0d\x0a/* QTreeV\
iew QListView QT\
ableView -------\
----------------\
----------------\
--\x0d\x0a\x0d\x0ahttps://do\
c.qt.io/qt-5/sty\
lesheet-examples\
.html#customizin\
g-qtreeview\x0d\x0ahtt\
ps://doc.qt.io/q\
t-5/stylesheet-e\
xamples.html#cus\
tomizing-qlistvi\
ew\x0d\x0ahttps://doc.\
qt.io/qt-5/style\
sheet-examples.h\
tml#customizing-\
qtableview\x0d\x0a\x0d\x0a--\
----------------\
----------------\
----------------\
----------------\
--------- */\x0d\x0aQT\
reeView:branch:s\
elected, QTreeVi\
ew:branch:hover \
{\x0d\x0a background:\
url(\x22:/qss_icon\
s/rc/transparent\
.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQT\
reeView:branch:h\
as-siblings:!adj\
oins-item {\x0d\x0a b\
order-image: url\
(\x22:/qss_icons/rc\
/branch_line.png\
\x22) 0;\x0d\x0a}\x0d\x0a\x0d\x0aQTre\
eView:branch:has\
-siblings:adjoin\
s-item {\x0d\x0a bord\
er-image: url(\x22:\
/qss_icons/rc/br\
anch_more.png\x22) \
0;\x0d\x0a}\x0d\x0a\x0d\x0aQTreeVi\
ew:branch:!has-c\
hildren:!has-sib\
lings:adjoins-it\
em {\x0d\x0a border-i\
mage: url(\x22:/qss\
_icons/rc/branch\
_end.png\x22) 0;\x0d\x0a}\
\x0d\x0a\x0d\x0aQTreeView:br\
anch:has-childre\
n:!has-siblings:\
closed, QTreeVie\
w:branch:closed:\
has-children:has\
-siblings {\x0d\x0a b\
order-image: non\
e;\x0d\x0a image: url\
(\x22:/qss_icons/rc\
/branch_closed.p\
ng\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQTre\
eView:branch:ope\
n:has-children:!\
has-siblings, QT\
reeView:branch:o\
pen:has-children\
:has-siblings {\x0d\
\x0a border-image:\
none;\x0d\x0a image:\
url(\x22:/qss_icon\
s/rc/branch_open\
.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQT\
reeView:branch:h\
as-children:!has\
-siblings:closed\
:hover, QTreeVie\
w:branch:closed:\
has-children:has\
-siblings:hover \
{\x0d\x0a image: url(\
\x22:/qss_icons/rc/\
branch_closed_fo\
cus.png\x22);\x0d\x0a}\x0d\x0a\x0d\
\x0aQTreeView:branc\
h:open:has-child\
ren:!has-sibling\
s:hover, QTreeVi\
ew:branch:open:h\
as-children:has-\
siblings:hover {\
\x0d\x0a image: url(\x22\
:/qss_icons/rc/b\
ranch_open_focus\
.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQT\
reeView::indicat\
or:checked,\x0d\x0aQLi\
stView::indicato\
r:checked {\x0d\x0a i\
mage: url(\x22:/qss\
_icons/rc/checkb\
ox_checked.png\x22)\
;\x0d\x0a}\x0d\x0a\x0d\x0aQTreeVie\
w::indicator:che\
cked:hover, QTre\
eView::indicator\
:checked:focus, \
QTreeView::indic\
ator:checked:pre\
ssed,\x0d\x0aQListView\
::indicator:chec\
ked:hover,\x0d\x0aQLis\
tView::indicator\
:checked:focus,\x0d\
\x0aQListView::indi\
cator:checked:pr\
essed {\x0d\x0a image\
: url(\x22:/qss_ico\
ns/rc/checkbox_c\
hecked_focus.png\
\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQTreeV\
iew::indicator:u\
nchecked,\x0d\x0aQList\
View::indicator:\
unchecked {\x0d\x0a i\
mage: url(\x22:/qss\
_icons/rc/checkb\
ox_unchecked.png\
\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQTreeV\
iew::indicator:u\
nchecked:hover, \
QTreeView::indic\
ator:unchecked:f\
ocus, QTreeView:\
:indicator:unche\
cked:pressed,\x0d\x0aQ\
ListView::indica\
tor:unchecked:ho\
ver,\x0d\x0aQListView:\
:indicator:unche\
cked:focus,\x0d\x0aQLi\
stView::indicato\
r:unchecked:pres\
sed {\x0d\x0a image: \
url(\x22:/qss_icons\
/rc/checkbox_unc\
hecked_focus.png\
\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQTreeV\
iew::indicator:i\
ndeterminate,\x0d\x0aQ\
ListView::indica\
tor:indeterminat\
e {\x0d\x0a image: ur\
l(\x22:/qss_icons/r\
c/checkbox_indet\
erminate.png\x22);\x0d\
\x0a}\x0d\x0a\x0d\x0aQTreeView:\
:indicator:indet\
erminate:hover, \
QTreeView::indic\
ator:indetermina\
te:focus, QTreeV\
iew::indicator:i\
ndeterminate:pre\
ssed,\x0d\x0aQListView\
::indicator:inde\
terminate:hover,\
\x0d\x0aQListView::ind\
icator:indetermi\
nate:focus,\x0d\x0aQLi\
stView::indicato\
r:indeterminate:\
pressed {\x0d\x0a ima\
ge: url(\x22:/qss_i\
cons/rc/checkbox\
_indeterminate_f\
ocus.png\x22);\x0d\x0a}\x0d\x0a\
\x0d\x0aQTreeView,\x0d\x0aQL\
istView,\x0d\x0aQTable\
View,\x0d\x0aQColumnVi\
ew {\x0d\x0a backgrou\
nd-color: #33343\
4;\x0d\x0a border: 1p\
x solid #4e4e4e;\
\x0d\x0a color: #ffff\
ff;\x0d\x0a gridline-\
color: #4e4e4e;\x0d\
\x0a border-radius\
: 4px;\x0d\x0a}\x0d\x0a\x0d\x0aQTr\
eeView:disabled,\
\x0d\x0aQListView:disa\
bled,\x0d\x0aQTableVie\
w:disabled,\x0d\x0aQCo\
lumnView:disable\
d {\x0d\x0a backgroun\
d-color: #333434\
;\x0d\x0a color: #999\
999;\x0d\x0a}\x0d\x0a\x0d\x0aQTree\
View:selected,\x0d\x0a\
QListView:select\
ed,\x0d\x0aQTableView:\
selected,\x0d\x0aQColu\
mnView:selected \
{\x0d\x0a background:\
#007bff;\x0d\x0a col\
or: #4e4e4e;\x0d\x0a}\x0d\
\x0a\x0d\x0aQTreeView::ho\
ver,\x0d\x0aQListView:\
:hover,\x0d\x0aQTableV\
iew::hover,\x0d\x0aQCo\
lumnView::hover \
{\x0d\x0a background-\
color: #333434;\x0d\
\x0a border: 1px s\
olid #007bff;\x0d\x0a}\
\x0d\x0a\x0d\x0aQTreeView::i\
tem:pressed,\x0d\x0aQL\
istView::item:pr\
essed,\x0d\x0aQTableVi\
ew::item:pressed\
,\x0d\x0aQColumnView::\
item:pressed {\x0d\x0a\
background-col\
or: #007bff;\x0d\x0a}\x0d\
\x0a\x0d\x0aQTreeView::it\
em:selected:hove\
r,\x0d\x0aQListView::i\
tem:selected:hov\
er,\x0d\x0aQTableView:\
:item:selected:h\
over,\x0d\x0aQColumnVi\
ew::item:selecte\
d:hover {\x0d\x0a bac\
kground: #007bff\
;\x0d\x0a color: #333\
434;\x0d\x0a}\x0d\x0a\x0d\x0aQTree\
View::item:selec\
ted:active,\x0d\x0aQLi\
stView::item:sel\
ected:active,\x0d\x0aQ\
TableView::item:\
selected:active,\
\x0d\x0aQColumnView::i\
tem:selected:act\
ive {\x0d\x0a backgro\
und-color: #007b\
ff;\x0d\x0a}\x0d\x0a\x0d\x0aQTreeV\
iew::item:!selec\
ted:hover,\x0d\x0aQLis\
tView::item:!sel\
ected:hover,\x0d\x0aQT\
ableView::item:!\
selected:hover,\x0d\
\x0aQColumnView::it\
em:!selected:hov\
er {\x0d\x0a outline:\
0;\x0d\x0a color: #0\
07bff;\x0d\x0a backgr\
ound-color: #4e4\
e4e;\x0d\x0a}\x0d\x0a\x0d\x0aQTabl\
eCornerButton::s\
ection {\x0d\x0a back\
ground-color: #3\
33434;\x0d\x0a border\
: 1px transparen\
t #4e4e4e;\x0d\x0a bo\
rder-radius: 0px\
;\x0d\x0a}\x0d\x0a\x0d\x0a/* QHead\
erView ---------\
----------------\
----------------\
----------------\
---\x0d\x0a\x0d\x0ahttps://d\
oc.qt.io/qt-5/st\
ylesheet-example\
s.html#customizi\
ng-qheaderview\x0d\x0a\
\x0d\x0a--------------\
----------------\
----------------\
----------------\
------------- */\
\x0d\x0aQHeaderView {\x0d\
\x0a background-co\
lor: #4e4e4e;\x0d\x0a \
border: 0px tra\
nsparent #4e4e4e\
;\x0d\x0a padding: 0p\
x;\x0d\x0a margin: 0p\
x;\x0d\x0a border-rad\
ius: 0px;\x0d\x0a}\x0d\x0a\x0d\x0a\
QHeaderView:disa\
bled {\x0d\x0a backgr\
ound-color: #4e4\
e4e;\x0d\x0a border: \
1px transparent \
#4e4e4e;\x0d\x0a padd\
ing: 2px;\x0d\x0a}\x0d\x0a\x0d\x0a\
QHeaderView::sec\
tion {\x0d\x0a backgr\
ound-color: #4e4\
e4e;\x0d\x0a color: #\
ffffff;\x0d\x0a paddi\
ng: 2px;\x0d\x0a bord\
er-radius: 0px;\x0d\
\x0a text-align: l\
eft;\x0d\x0a}\x0d\x0a\x0d\x0aQHead\
erView::section:\
checked {\x0d\x0a col\
or: #ffffff;\x0d\x0a \
background-color\
: #007bff;\x0d\x0a}\x0d\x0a\x0d\
\x0aQHeaderView::se\
ction:checked:di\
sabled {\x0d\x0a colo\
r: #999999;\x0d\x0a b\
ackground-color:\
#007bff;\x0d\x0a}\x0d\x0a\x0d\x0a\
QHeaderView::sec\
tion::horizontal\
{\x0d\x0a border-lef\
t: 1px solid #33\
3434;\x0d\x0a}\x0d\x0a\x0d\x0aQHea\
derView::section\
::horizontal::fi\
rst, QHeaderView\
::section::horiz\
ontal::only-one \
{\x0d\x0a border-left\
: 1px solid #4e4\
e4e;\x0d\x0a}\x0d\x0a\x0d\x0aQHead\
erView::section:\
:horizontal:disa\
bled {\x0d\x0a color:\
#999999;\x0d\x0a}\x0d\x0a\x0d\x0a\
QHeaderView::sec\
tion::vertical {\
\x0d\x0a border-top: \
1px solid #33343\
4;\x0d\x0a}\x0d\x0a\x0d\x0aQHeader\
View::section::v\
ertical::first, \
QHeaderView::sec\
tion::vertical::\
only-one {\x0d\x0a bo\
rder-top: 1px so\
lid #4e4e4e;\x0d\x0a}\x0d\
\x0a\x0d\x0aQHeaderView::\
section::vertica\
l:disabled {\x0d\x0a \
color: #999999;\x0d\
\x0a}\x0d\x0a\x0d\x0aQHeaderVie\
w::down-arrow {\x0d\
\x0a /* Those sett\
ings (border/wid\
th/height/backgr\
ound-color) solv\
e bug */\x0d\x0a /* t\
ransparent arrow\
background and \
size */\x0d\x0a backg\
round-color: #4e\
4e4e;\x0d\x0a height:\
12px;\x0d\x0a width:\
12px;\x0d\x0a image:\
url(\x22:/qss_icon\
s/rc/arrow_down.\
png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQHe\
aderView::up-arr\
ow {\x0d\x0a backgrou\
nd-color: #4e4e4\
e;\x0d\x0a height: 12\
px;\x0d\x0a width: 12\
px;\x0d\x0a image: ur\
l(\x22:/qss_icons/r\
c/arrow_up.png\x22)\
;\x0d\x0a}\x0d\x0a\x0d\x0a/* QTool\
Box ------------\
----------------\
----------------\
----------------\
--\x0d\x0a\x0d\x0ahttps://do\
c.qt.io/qt-5/sty\
lesheet-examples\
.html#customizin\
g-qtoolbox\x0d\x0a\x0d\x0a--\
----------------\
----------------\
----------------\
----------------\
--------- */\x0d\x0aQT\
oolBox {\x0d\x0a padd\
ing: 0px;\x0d\x0a bor\
der: 0px;\x0d\x0a bor\
der: 1px solid #\
4e4e4e;\x0d\x0a}\x0d\x0a\x0d\x0aQT\
oolBox::selected\
{\x0d\x0a padding: 0\
px;\x0d\x0a border: 2\
px solid #007bff\
;\x0d\x0a}\x0d\x0a\x0d\x0aQToolBox\
::tab {\x0d\x0a backg\
round-color: #33\
3434;\x0d\x0a border:\
1px solid #4e4e\
4e;\x0d\x0a color: #f\
fffff;\x0d\x0a border\
-top-left-radius\
: 4px;\x0d\x0a border\
-top-right-radiu\
s: 4px;\x0d\x0a}\x0d\x0a\x0d\x0aQT\
oolBox::tab:disa\
bled {\x0d\x0a color:\
#999999;\x0d\x0a}\x0d\x0a\x0d\x0a\
QToolBox::tab:se\
lected {\x0d\x0a back\
ground-color: #6\
66666;\x0d\x0a border\
-bottom: 2px sol\
id #007bff;\x0d\x0a}\x0d\x0a\
\x0d\x0aQToolBox::tab:\
selected:disable\
d {\x0d\x0a backgroun\
d-color: #4e4e4e\
;\x0d\x0a border-bott\
om: 2px solid #0\
07bff;\x0d\x0a}\x0d\x0a\x0d\x0aQTo\
olBox::tab:!sele\
cted {\x0d\x0a backgr\
ound-color: #4e4\
e4e;\x0d\x0a border-b\
ottom: 2px solid\
#4e4e4e;\x0d\x0a}\x0d\x0a\x0d\x0a\
QToolBox::tab:!s\
elected:disabled\
{\x0d\x0a background\
-color: #333434;\
\x0d\x0a}\x0d\x0a\x0d\x0aQToolBox:\
:tab:hover {\x0d\x0a \
border-color: #0\
07bff;\x0d\x0a border\
-bottom: 2px sol\
id #007bff;\x0d\x0a}\x0d\x0a\
\x0d\x0aQToolBox QScro\
llArea QWidget Q\
Widget {\x0d\x0a padd\
ing: 0px;\x0d\x0a bor\
der: 0px;\x0d\x0a bac\
kground-color: #\
333434;\x0d\x0a}\x0d\x0a\x0d\x0a/*\
QFrame --------\
----------------\
----------------\
----------------\
---------\x0d\x0a\x0d\x0ahtt\
ps://doc.qt.io/q\
t-5/stylesheet-e\
xamples.html#cus\
tomizing-qframe\x0d\
\x0a\x0d\x0a-------------\
----------------\
----------------\
----------------\
-------------- *\
/\x0d\x0a.QFrame {\x0d\x0a \
border-radius: 4\
px;\x0d\x0a border: 1\
px solid #4e4e4e\
;\x0d\x0a}\x0d\x0a\x0d\x0a.QFrame[\
frameShape=\x220\x22] \
{\x0d\x0a border-radi\
us: 4px;\x0d\x0a bord\
er: 1px transpar\
ent #4e4e4e;\x0d\x0a}\x0d\
\x0a\x0d\x0a.QFrame[heigh\
t=\x223\x22], .QFrame[\
width=\x223\x22] {\x0d\x0a \
background-color\
: #333434;\x0d\x0a}\x0d\x0a\x0d\
\x0a/* QSplitter --\
----------------\
----------------\
----------------\
------------\x0d\x0a\x0d\x0a\
https://doc.qt.i\
o/qt-5/styleshee\
t-examples.html#\
customizing-qspl\
itter\x0d\x0a\x0d\x0a-------\
----------------\
----------------\
----------------\
----------------\
---- */\x0d\x0aQSplitt\
er {\x0d\x0a backgrou\
nd-color: #4e4e4\
e;\x0d\x0a spacing: 0\
px;\x0d\x0a padding: \
0px;\x0d\x0a margin: \
0px;\x0d\x0a}\x0d\x0a\x0d\x0aQSpli\
tter::separator \
{\x0d\x0a background-\
color: #4e4e4e;\x0d\
\x0a border: 0px s\
olid #333434;\x0d\x0a \
spacing: 0px;\x0d\x0a\
padding: 1px;\x0d\
\x0a margin: 0px;\x0d\
\x0a}\x0d\x0a\x0d\x0aQSplitter:\
:separator:hover\
{\x0d\x0a background\
-color: #999999;\
\x0d\x0a}\x0d\x0a\x0d\x0aQSplitter\
::separator:hori\
zontal {\x0d\x0a widt\
h: 5px;\x0d\x0a image\
: url(\x22:/qss_ico\
ns/rc/line_verti\
cal.png\x22);\x0d\x0a}\x0d\x0a\x0d\
\x0aQSplitter::sepa\
rator:vertical {\
\x0d\x0a height: 5px;\
\x0d\x0a image: url(\x22\
:/qss_icons/rc/l\
ine_horizontal.p\
ng\x22);\x0d\x0a}\x0d\x0a\x0d\x0a/* Q\
DateEdit -------\
----------------\
----------------\
----------------\
-------\x0d\x0a\x0d\x0a-----\
----------------\
----------------\
----------------\
----------------\
------ */\x0d\x0aQDate\
Edit {\x0d\x0a select\
ion-background-c\
olor: #007bff;\x0d\x0a\
border-style: \
solid;\x0d\x0a border\
: 1px solid #4e4\
e4e;\x0d\x0a border-r\
adius: 4px;\x0d\x0a /\
* This fixes 103\
, 111 */\x0d\x0a padd\
ing-top: 2px;\x0d\x0a \
/* This fixes 1\
03, 111 */\x0d\x0a pa\
dding-bottom: 2p\
x;\x0d\x0a padding-le\
ft: 4px;\x0d\x0a padd\
ing-right: 4px;\x0d\
\x0a min-width: 10\
px;\x0d\x0a}\x0d\x0a\x0d\x0aQDateE\
dit:on {\x0d\x0a sele\
ction-background\
-color: #007bff;\
\x0d\x0a}\x0d\x0a\x0d\x0aQDateEdit\
::drop-down {\x0d\x0a \
subcontrol-orig\
in: padding;\x0d\x0a \
subcontrol-posit\
ion: top right;\x0d\
\x0a width: 20px;\x0d\
\x0a border-top-ri\
ght-radius: 3px;\
\x0d\x0a border-botto\
m-right-radius: \
3px;\x0d\x0a}\x0d\x0a\x0d\x0aQDate\
Edit::down-arrow\
{\x0d\x0a image: url\
(\x22:/qss_icons/rc\
/arrow_down_disa\
bled.png\x22);\x0d\x0a h\
eight: 12px;\x0d\x0a \
width: 12px;\x0d\x0a}\x0d\
\x0a\x0d\x0aQDateEdit::do\
wn-arrow:on, QDa\
teEdit::down-arr\
ow:hover, QDateE\
dit::down-arrow:\
focus {\x0d\x0a image\
: url(\x22:/qss_ico\
ns/rc/arrow_down\
.png\x22);\x0d\x0a}\x0d\x0a\x0d\x0aQD\
ateEdit QAbstrac\
tItemView {\x0d\x0a b\
ackground-color:\
#333434;\x0d\x0a bor\
der-radius: 4px;\
\x0d\x0a border: 1px \
solid #4e4e4e;\x0d\x0a\
selection-back\
ground-color: #0\
07bff;\x0d\x0a}\x0d\x0a\x0d\x0aQAb\
stractView:hover\
{\x0d\x0a border: 1p\
x solid #007bff;\
\x0d\x0a color: #ffff\
ff;\x0d\x0a}\x0d\x0a\x0d\x0aQAbstr\
actView:selected\
{\x0d\x0a background\
: #007bff;\x0d\x0a co\
lor: #4e4e4e;\x0d\x0a}\
\x0d\x0a\x0d\x0aPlotWidget {\
\x0d\x0a /* Fix cut l\
abels in plots #\
134 */\x0d\x0a paddin\
g: 0px;\x0d\x0a}\x0d\x0a\
"
qt_resource_name = b"\
\x00\x0a\
\x09$M%\
\x00q\
\x00d\x00a\x00r\x00k\x00s\x00t\x00y\x00l\x00e\
\x00\x09\
\x09_\x97\x13\
\x00q\
\x00s\x00s\x00_\x00i\x00c\x00o\x00n\x00s\
\x00\x02\
\x00\x00\x07\x83\
\x00r\
\x00c\
\x00\x1a\
\x0a\x14\xedG\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00g\x00r\x00i\x00p\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x11\
\x08\x8f\x96\xa7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00d\x00o\x00w\x00n\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\
\x00\x1a\
\x01\xc7%G\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00r\x00i\x00g\x00h\x00t\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1a\
\x055\xb6g\
\x00t\
\x00r\x00a\x00n\x00s\x00p\x00a\x00r\x00e\x00n\x00t\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x17\
\x0d\x9d\x97G\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00o\x00p\x00e\x00n\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1a\
\x0d3-\xa7\
\x00l\
\x00i\x00n\x00e\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00d\x00i\x00s\
\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x0e\
\x0dNq\x87\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00e\x00n\x00d\x00.\x00p\x00n\x00g\
\x00%\
\x06lG\xe7\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00i\x00n\x00d\x00e\x00t\x00e\x00r\x00m\
\x00i\x00n\x00a\x00t\x00e\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00@\x002\x00x\
\x00.\x00p\x00n\x00g\
\x00\x12\
\x0dx\xb6\x87\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00u\x00p\x00_\x00f\x00o\x00c\x00u\x00s\x00.\x00p\x00n\
\x00g\
\x00\x1e\
\x07P+\xe7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00m\x00i\x00n\x00i\x00m\x00i\x00z\x00e\x00_\x00p\
\x00r\x00e\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x14\
\x05\xe4-\xe7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00c\x00l\x00o\x00s\x00e\x00d\x00@\x002\x00x\x00.\
\x00p\x00n\x00g\
\x00'\
\x0e=\xd7\xc7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00h\x00o\x00r\x00i\
\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00@\
\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x10\
\x05>9g\
\x00b\
\x00a\x00s\x00e\x00_\x00i\x00c\x00o\x00n\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x14\
\x00.\x0a\x07\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00@\x002\x00x\x00.\
\x00p\x00n\x00g\
\x00\x1b\
\x0a\xfb-'\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00p\
\x00r\x00e\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00$\
\x05\x98\x88\x87\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00v\x00e\x00r\x00t\
\x00i\x00c\x00a\x00l\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\
\x00p\x00n\x00g\
\x00$\
\x04\x0b\x8d'\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00h\x00o\x00r\x00i\
\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00.\
\x00p\x00n\x00g\
\x00\x1b\
\x07\xac9\xa7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00h\x00o\x00r\x00i\
\x00z\x00o\x00n\x00t\x00a\x00l\x00.\x00p\x00n\x00g\
\x00\x16\
\x0f\x80O\xa7\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00@\x002\
\x00x\x00.\x00p\x00n\x00g\
\x00\x14\
\x07\xec\xd1\xc7\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00.\
\x00p\x00n\x00g\
\x00\x1a\
\x0a\xa0\x05G\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00u\x00n\x00d\x00o\x00c\x00k\x00_\x00d\x00i\x00s\
\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x17\
\x0e\xfe2G\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00l\x00e\x00f\x00t\x00_\x00f\x00o\x00c\x00u\x00s\x00@\
\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x15\
\x06b\x08'\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00o\x00p\x00e\x00n\x00_\x00f\x00o\x00c\x00u\x00s\
\x00.\x00p\x00n\x00g\
\x00\x0f\
\x01@-\xa7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00u\x00p\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x12\
\x00h\xca\xe7\
\x00t\
\x00r\x00a\x00n\x00s\x00p\x00a\x00r\x00e\x00n\x00t\x00@\x002\x00x\x00.\x00p\x00n\
\x00g\
\x00\x18\
\x06e\x89\xe7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00m\x00o\x00r\x00e\x00_\x00f\x00o\x00c\x00u\x00s\
\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x17\
\x0f\x18E\x87\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00l\x00e\x00f\x00t\x00_\x00d\x00i\x00s\x00a\x00b\x00l\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x17\
\x00l\xa3\xa7\
\x00l\
\x00i\x00n\x00e\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00f\x00o\x00c\
\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x19\
\x0b\x8a\x15\xe7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00d\x00o\x00w\x00n\x00_\x00p\x00r\x00e\x00s\x00s\x00e\
\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x0e\
\x08\xfa\xe1'\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00l\x00e\x00f\x00t\x00.\x00p\x00n\x00g\
\x00,\
\x0c\xa4ZG\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00d\x00i\x00s\x00a\
\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1b\
\x0d\xfd\xa2\x07\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00r\x00i\x00g\x00h\x00t\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1e\
\x0c\xd2\xb9\x87\
\x00l\
\x00i\x00n\x00e\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00p\
\x00r\x00e\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x11\
\x09\xcb\xcc\xe7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00u\x00n\x00d\x00o\x00c\x00k\x00.\x00p\x00n\x00g\
\
\x00\x1c\
\x0c\xfb\xa0G\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00c\x00l\x00o\x00s\x00e\x00d\x00_\x00p\x00r\x00e\
\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1f\
\x04\x8dH\xc7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00m\x00i\x00n\x00i\x00m\x00i\x00z\x00e\x00_\x00d\
\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x16\
\x06\x14\xad\xc7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00l\x00e\x00f\x00t\x00_\x00p\x00r\x00e\x00s\x00s\x00e\
\x00d\x00.\x00p\x00n\x00g\
\x00\x18\
\x0e\x0c\xda\xa7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00u\x00p\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\
\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00)\
\x09\x81\xd3g\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00f\x00o\x00c\x00u\
\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x14\
\x0a n\x07\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00u\x00n\x00d\x00o\x00c\x00k\x00@\x002\x00x\x00.\
\x00p\x00n\x00g\
\x00\x1d\
\x06\xba\x02\xa7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00u\x00n\x00d\x00o\x00c\x00k\x00_\x00d\x00i\x00s\
\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x12\
\x04\xa2\xb3'\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00r\x00i\x00g\x00h\x00t\x00@\x002\x00x\x00.\x00p\x00n\
\x00g\
\x00\x1c\
\x00\x10\xb9g\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00c\x00l\x00o\x00s\x00e\x00_\x00d\x00i\x00s\x00a\
\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x18\
\x07\x86N'\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00l\x00i\x00n\x00e\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x15\
\x04\x90\x0a\xc7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00r\x00i\x00g\x00h\x00t\x00_\x00f\x00o\x00c\x00u\x00s\
\x00.\x00p\x00n\x00g\
\x00!\
\x01\xf6\xa2g\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\
\x00\x1e\
\x00O\xcb\xe7\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\
\x00d\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1a\
\x05\x11\xe0\xe7\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\
\x00f\x00o\x00c\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x19\
\x0c$\xec\x07\
\x00l\
\x00i\x00n\x00e\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00f\
\x00o\x00c\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x13\
\x05v\x1eg\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00m\x00i\x00n\x00i\x00m\x00i\x00z\x00e\x00.\x00p\
\x00n\x00g\
\x00\x1b\
\x02\xd4\x90\x87\
\x00t\
\x00r\x00a\x00n\x00s\x00p\x00a\x00r\x00e\x00n\x00t\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x18\
\x06m\x9b'\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00o\x00p\x00e\x00n\x00_\x00f\x00o\x00c\x00u\x00s\
\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1a\
\x02\xb6\xb5\xa7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00l\x00e\x00f\x00t\x00_\x00d\x00i\x00s\x00a\x00b\x00l\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1a\
\x04\xce\xfag\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00c\x00l\x00o\x00s\x00e\x00d\x00_\x00f\x00o\x00c\
\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1a\
\x0c\xd5Zg\
\x00l\
\x00i\x00n\x00e\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00f\x00o\x00c\
\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x18\
\x0f\xd74g\
\x00t\
\x00r\x00a\x00n\x00s\x00p\x00a\x00r\x00e\x00n\x00t\x00_\x00f\x00o\x00c\x00u\x00s\
\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x16\
\x0az\x87g\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00c\x00l\x00o\x00s\x00e\x00_\x00f\x00o\x00c\x00u\
\x00s\x00.\x00p\x00n\x00g\
\x00\x1e\
\x04<\x09\xc7\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00p\
\x00r\x00e\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x11\
\x0a\xe5l\x07\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00.\x00p\x00n\x00g\
\
\x00)\
\x09\xe4\xb0\x07\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00p\x00r\x00e\x00s\x00s\x00e\
\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x15\
\x0d\x86\xf9\xe7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00u\x00p\x00_\x00f\x00o\x00c\x00u\x00s\x00@\x002\x00x\
\x00.\x00p\x00n\x00g\
\x00!\
\x0aQ_G\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\
\x00d\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\
\x00\x19\
\x07\xb7\xa1G\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00c\x00l\x00o\x00s\x00e\x00d\x00_\x00p\x00r\x00e\
\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x12\
\x06\xa7ZG\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00g\x00r\x00i\x00p\x00@\x002\x00x\x00.\x00p\x00n\
\x00g\
\x00\x19\
\x00O)\xc7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00u\x00n\x00d\x00o\x00c\x00k\x00_\x00p\x00r\x00e\
\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1d\
\x0c\x09f\x07\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00i\x00n\x00d\x00e\x00t\x00e\x00r\x00m\
\x00i\x00n\x00a\x00t\x00e\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x19\
\x0e\x98\x18'\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00c\x00l\x00o\x00s\x00e\x00_\x00f\x00o\x00c\x00u\
\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x19\
\x076\x1bG\
\x00l\
\x00i\x00n\x00e\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00p\x00r\x00e\
\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x17\
\x0d\xdf\xcf\xa7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00g\x00r\x00i\x00p\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x17\
\x0c\xeb_g\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00e\x00n\x00d\x00_\x00f\x00o\x00c\x00u\x00s\x00@\
\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1f\
\x0bHP\x87\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\
\x00d\x00_\x00f\x00o\x00c\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x18\
\x03\xaeb\xe7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00g\x00r\x00i\x00p\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x14\
\x00D\xa0G\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00e\x00n\x00d\x00_\x00f\x00o\x00c\x00u\x00s\x00.\
\x00p\x00n\x00g\
\x00\x18\
\x07\x83\xfe'\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00m\x00o\x00r\x00e\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x14\
\x06\xe9\x8fg\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00d\x00o\x00w\x00n\x00_\x00f\x00o\x00c\x00u\x00s\x00.\
\x00p\x00n\x00g\
\x00+\
\x03\xd2\xba\xc7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00p\x00r\x00e\x00s\
\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x18\
\x0e1C\xa7\
\x00t\
\x00r\x00a\x00n\x00s\x00p\x00a\x00r\x00e\x00n\x00t\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x13\
\x00\xcf\x5c\xc7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00c\x00l\x00o\x00s\x00e\x00@\x002\x00x\x00.\x00p\
\x00n\x00g\
\x00\x15\
\x0a\x12Jg\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00g\x00r\x00i\x00p\x00_\x00f\x00o\x00c\x00u\x00s\
\x00.\x00p\x00n\x00g\
\x00\x1b\
\x08!\xa7\xc7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00o\x00p\x00e\x00n\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x17\
\x03\x9fr\x87\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00r\x00i\x00g\x00h\x00t\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00%\
\x08\x07~\x87\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00v\x00e\x00r\x00t\
\x00i\x00c\x00a\x00l\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\
\x00.\x00p\x00n\x00g\
\x00\x18\
\x02H\x15'\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00g\x00r\x00i\x00p\x00_\x00f\x00o\x00c\x00u\x00s\
\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x15\
\x06\xf8\x08\xa7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00m\x00o\x00r\x00e\x00_\x00f\x00o\x00c\x00u\x00s\
\x00.\x00p\x00n\x00g\
\x00\x16\
\x0a\x1a\xd6G\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00d\x00o\x00w\x00n\x00_\x00p\x00r\x00e\x00s\x00s\x00e\
\x00d\x00.\x00p\x00n\x00g\
\x00\x1c\
\x0f\xd0\x9cg\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00v\x00e\x00r\x00t\
\x00i\x00c\x00a\x00l\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x15\
\x03\x1c\x93\x87\
\x00t\
\x00r\x00a\x00n\x00s\x00p\x00a\x00r\x00e\x00n\x00t\x00_\x00f\x00o\x00c\x00u\x00s\
\x00.\x00p\x00n\x00g\
\x00\x1d\
\x08\xe1\xf6\xc7\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\
\x00f\x00o\x00c\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1f\
\x03\xf7\x18\x07\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\
\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x0d\
\x0br=\x07\
\x00b\
\x00a\x00s\x00e\x00_\x00i\x00c\x00o\x00n\x00.\x00p\x00n\x00g\
\x00$\
\x05\x94\xa0G\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00f\x00o\x00c\x00u\x00s\x00.\
\x00p\x00n\x00g\
\x00\x1d\
\x0e5\xf3\xa7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00c\x00l\x00o\x00s\x00e\x00d\x00_\x00d\x00i\x00s\
\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1f\
\x02Oj\xa7\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00d\
\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00 \
\x0e\xfevG\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\
\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x17\
\x0b\xf3\xab'\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00@\
\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x16\
\x0f5\xfb\x07\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00e\x00n\x00d\x00_\x00p\x00r\x00e\x00s\x00s\x00e\
\x00d\x00.\x00p\x00n\x00g\
\x00\x1a\
\x09.\xa9G\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00d\x00o\x00w\x00n\x00_\x00d\x00i\x00s\x00a\x00b\x00l\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x19\
\x09^\xb0\x07\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00e\x00n\x00d\x00_\x00p\x00r\x00e\x00s\x00s\x00e\
\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00(\
\x0fcS\xc7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00p\x00r\x00e\x00s\
\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x0f\
\x0f,$\xc7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00r\x00i\x00g\x00h\x00t\x00.\x00p\x00n\x00g\
\x00\x19\
\x0bYn\x87\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00f\
\x00o\x00c\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x0c\
\x0b\xd0z\xe7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00u\x00p\x00.\x00p\x00n\x00g\
\x00\x0f\
\x06\x16%\xe7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00m\x00o\x00r\x00e\x00.\x00p\x00n\x00g\
\x00\x1f\
\x06ud\x87\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00v\x00e\x00r\x00t\
\x00i\x00c\x00a\x00l\x00_\x00f\x00o\x00c\x00u\x00s\x00.\x00p\x00n\x00g\
\x00#\
\x03C\xb9g\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00@\x002\x00x\x00.\x00p\
\x00n\x00g\
\x00\x17\
\x04\xf82\xc7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00u\x00p\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00@\
\x002\x00x\x00.\x00p\x00n\x00g\
\x00#\
\x03\xa5\x91G\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00h\x00o\x00r\x00i\
\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00.\x00p\
\x00n\x00g\
\x00\x0f\
\x06S%\xa7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00o\x00p\x00e\x00n\x00.\x00p\x00n\x00g\
\x00\x17\
\x0f\x1e\x9bG\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00f\x00o\x00c\
\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x11\
\x0b\xda0\xa7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00c\x00l\x00o\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\
\x00\x14\
\x0b#!g\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00u\x00p\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00.\
\x00p\x00n\x00g\
\x00\x1c\
\x08.\xd3g\
\x00l\
\x00i\x00n\x00e\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00f\
\x00o\x00c\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00#\
\x07\x14m\x87\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00i\x00n\x00d\x00e\x00t\x00e\x00r\x00m\
\x00i\x00n\x00a\x00t\x00e\x00_\x00f\x00o\x00c\x00u\x00s\x00@\x002\x00x\x00.\x00p\
\x00n\x00g\
\x00\x19\
\x0c\xa5\xc5'\
\x00b\
\x00a\x00s\x00e\x00_\x00i\x00c\x00o\x00n\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\
\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1f\
\x0a\xae'G\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\
\x00d\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1e\
\x0f\x96q\x87\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00.\x00p\x00n\x00g\
\x00\x1c\
\x08\xb5wg\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00p\x00r\x00e\
\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x12\
\x04\xb5\x9dG\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00o\x00p\x00e\x00n\x00@\x002\x00x\x00.\x00p\x00n\
\x00g\
\x00'\
\x0c\xeb\xe5g\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00f\x00o\x00c\x00u\x00s\x00@\
\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x18\
\x07\xa5\xb1'\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00r\x00i\x00g\x00h\x00t\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1a\
\x04d\xf7\x07\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00e\x00n\x00d\x00_\x00d\x00i\x00s\x00a\x00b\x00l\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1a\
\x07\x88%\x07\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00m\x00o\x00r\x00e\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x0f\
\x00o\x04\x87\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00g\x00r\x00i\x00p\x00.\x00p\x00n\x00g\
\x00\x17\
\x0d\x0d(\xa7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00e\x00n\x00d\x00_\x00d\x00i\x00s\x00a\x00b\x00l\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x19\
\x008\x7f\xa7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00m\x00i\x00n\x00i\x00m\x00i\x00z\x00e\x00_\x00f\
\x00o\x00c\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x13\
\x0c$9G\
\x00b\
\x00a\x00s\x00e\x00_\x00i\x00c\x00o\x00n\x00_\x00f\x00o\x00c\x00u\x00s\x00.\x00p\
\x00n\x00g\
\x00\x1c\
\x08?\xdag\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\
\x00d\x00_\x00f\x00o\x00c\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x15\
\x0bx\x08\xe7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00l\x00i\x00n\x00e\x00_\x00f\x00o\x00c\x00u\x00s\
\x00.\x00p\x00n\x00g\
\x00\x1f\
\x0c\xa4o\xa7\
\x00l\
\x00i\x00n\x00e\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00d\
\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x15\
\x0c`\x8e'\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00u\x00p\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\
\x00.\x00p\x00n\x00g\
\x00\x1a\
\x0bFr\x87\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00u\x00n\x00d\x00o\x00c\x00k\x00_\x00f\x00o\x00c\
\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x11\
\x05*pg\
\x00l\
\x00i\x00n\x00e\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00.\x00p\x00n\x00g\
\
\x00\x14\
\x0b-\x81\x07\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00l\x00e\x00f\x00t\x00_\x00f\x00o\x00c\x00u\x00s\x00.\
\x00p\x00n\x00g\
\x00\x13\
\x0bNW\xa7\
\x00l\
\x00i\x00n\x00e\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00.\x00p\
\x00n\x00g\
\x00\x22\
\x08\x8a\x08'\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00i\x00n\x00d\x00e\x00t\x00e\x00r\x00m\
\x00i\x00n\x00a\x00t\x00e\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00.\x00p\x00n\
\x00g\
\x00)\
\x08g\xa4\xa7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00d\x00i\x00s\x00a\
\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00$\
\x05\xed\xfa\xe7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00h\x00o\x00r\x00i\
\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00f\x00o\x00c\x00u\x00s\x00@\x002\x00x\x00.\
\x00p\x00n\x00g\
\x00\x17\
\x0f\xff\xfc\x07\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00d\x00o\x00w\x00n\x00_\x00d\x00i\x00s\x00a\x00b\x00l\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1a\
\x01\x87\xaeg\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00i\x00n\x00d\x00e\x00t\x00e\x00r\x00m\
\x00i\x00n\x00a\x00t\x00e\x00.\x00p\x00n\x00g\
\x00 \
\x07NZ\xc7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00.\x00p\x00n\x00g\
\x00\x1c\
\x09\xc8\xa4\xa7\
\x00l\
\x00i\x00n\x00e\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00d\
\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00 \
\x09\xd7\x1f\xa7\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00i\x00n\x00d\x00e\x00t\x00e\x00r\x00m\
\x00i\x00n\x00a\x00t\x00e\x00_\x00f\x00o\x00c\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x1c\
\x04s_G\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00u\x00n\x00d\x00o\x00c\x00k\x00_\x00p\x00r\x00e\
\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1a\
\x0f\x9a\xe5\x07\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00o\x00p\x00e\x00n\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1d\
\x044\xf0\xc7\
\x00l\
\x00i\x00n\x00e\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00d\x00i\x00s\
\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00&\
\x07K\x88\xe7\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00i\x00n\x00d\x00e\x00t\x00e\x00r\x00m\
\x00i\x00n\x00a\x00t\x00e\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00@\x002\
\x00x\x00.\x00p\x00n\x00g\
\x00\x22\
\x00\xa7\x99G\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00v\x00e\x00r\x00t\
\x00i\x00c\x00a\x00l\x00_\x00f\x00o\x00c\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\
\x00g\
\x00\x17\
\x0b\x9dMg\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00l\x00i\x00n\x00e\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x19\
\x0e&\x93\xe7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00v\x00e\x00r\x00t\
\x00i\x00c\x00a\x00l\x00.\x00p\x00n\x00g\
\x00\x1c\
\x01\x15Q\xe7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00m\x00i\x00n\x00i\x00m\x00i\x00z\x00e\x00_\x00f\
\x00o\x00c\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1d\
\x09\x07\x81\x07\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\
\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x18\
\x06C\xc6\xe7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00r\x00i\x00g\x00h\x00t\x00_\x00f\x00o\x00c\x00u\x00s\
\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1b\
\x09\x0d\xa6\xc7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00m\x00o\x00r\x00e\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x19\
\x0c3\x94'\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00l\x00e\x00f\x00t\x00_\x00p\x00r\x00e\x00s\x00s\x00e\
\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1b\
\x02\x0d\xa6g\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00l\x00i\x00n\x00e\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1a\
\x0e\xbc\xc3g\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00d\x00i\x00s\
\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1c\
\x00\xf3&'\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00m\x00i\x00n\x00i\x00m\x00i\x00z\x00e\x00_\x00d\
\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1c\
\x02uQ\x87\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\
\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00*\
\x0f\xc4\xf7\x07\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00d\x00i\x00s\x00a\x00b\x00l\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00&\
\x0f5\xf0\xa7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00p\x00r\x00e\x00s\x00s\x00e\
\x00d\x00.\x00p\x00n\x00g\
\x00\x19\
\x01\x0e\xe5\xa7\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00p\x00r\x00e\
\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x18\
\x06`9\xe7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00l\x00i\x00n\x00e\x00_\x00f\x00o\x00c\x00u\x00s\
\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1b\
\x00\xc1#g\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00g\x00r\x00i\x00p\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x16\
\x05z\xd3g\
\x00b\
\x00a\x00s\x00e\x00_\x00i\x00c\x00o\x00n\x00_\x00f\x00o\x00c\x00u\x00s\x00@\x002\
\x00x\x00.\x00p\x00n\x00g\
\x00\x0f\
\x00\xd6%\xc7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00l\x00i\x00n\x00e\x00.\x00p\x00n\x00g\
\x00\x14\
\x01\xe9\xfd\xe7\
\x00l\
\x00i\x00n\x00e\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00@\x002\x00x\x00.\
\x00p\x00n\x00g\
\x00\x1c\
\x00\x06=\xc7\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00f\
\x00o\x00c\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00!\
\x05p0'\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00h\x00o\x00r\x00i\
\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00f\x00o\x00c\x00u\x00s\x00.\x00p\x00n\x00g\
\
\x00\x19\
\x0f~o\xe7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00c\x00l\x00o\x00s\x00e\x00_\x00d\x00i\x00s\x00a\
\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x0e\
\x06\x0c\xe6\x07\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00d\x00o\x00w\x00n\x00.\x00p\x00n\x00g\
\x00!\
\x0e\xf17g\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00v\x00e\x00r\x00t\
\x00i\x00c\x00a\x00l\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\
\x00\x1b\
\x0fy\xa3\xc7\
\x00l\
\x00i\x00n\x00e\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00p\
\x00r\x00e\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x16\
\x07\x09\xf8'\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00m\x00i\x00n\x00i\x00m\x00i\x00z\x00e\x00@\x002\
\x00x\x00.\x00p\x00n\x00g\
\x00\x11\
\x08\xfcI\xe7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00l\x00e\x00f\x00t\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\
\x00\x16\
\x03\x949g\
\x00l\
\x00i\x00n\x00e\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00@\x002\
\x00x\x00.\x00p\x00n\x00g\
\x00\x17\
\x0e\x19\x8b\xc7\
\x00a\
\x00r\x00r\x00o\x00w\x00_\x00d\x00o\x00w\x00n\x00_\x00f\x00o\x00c\x00u\x00s\x00@\
\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1b\
\x0a\x19\xf4\xe7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00c\x00l\x00o\x00s\x00e\x00_\x00p\x00r\x00e\x00s\
\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x12\
\x04\xb3L'\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00l\x00i\x00n\x00e\x00@\x002\x00x\x00.\x00p\x00n\
\x00g\
\x00\x18\
\x07\x8b\xec\xe7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00o\x00p\x00e\x00n\x00_\x00d\x00i\x00s\x00a\x00b\
\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x0f\
\x0c\xe2hg\
\x00t\
\x00r\x00a\x00n\x00s\x00p\x00a\x00r\x00e\x00n\x00t\x00.\x00p\x00n\x00g\
\x00\x1a\
\x028%\x07\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00l\x00i\x00n\x00e\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00&\
\x0f\xfb\x22\x07\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00h\x00o\x00r\x00i\
\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\x00@\x002\
\x00x\x00.\x00p\x00n\x00g\
\x00\x1e\
\x05u\xad'\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00h\x00o\x00r\x00i\
\x00z\x00o\x00n\x00t\x00a\x00l\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x17\
\x07\x06=\xa7\
\x00t\
\x00r\x00a\x00n\x00s\x00p\x00a\x00r\x00e\x00n\x00t\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x19\
\x0a'x\x07\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\
\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x1c\
\x07[\xb0g\
\x00l\
\x00i\x00n\x00e\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00p\x00r\x00e\
\x00s\x00s\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00\x11\
\x01\xf6\xffg\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00e\x00n\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\
\x00\x16\
\x01u\xcc\x87\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\
\x00d\x00.\x00p\x00n\x00g\
\x00\x18\
\x05\x12\xcfg\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00c\x00l\x00o\x00s\x00e\x00_\x00p\x00r\x00e\x00s\
\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x16\
\x04\x9c\xa4\xa7\
\x00b\
\x00a\x00s\x00e\x00_\x00i\x00c\x00o\x00n\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\
\x00d\x00.\x00p\x00n\x00g\
\x00\x15\
\x0f\xac\xe3\xc7\
\x00b\
\x00a\x00s\x00e\x00_\x00i\x00c\x00o\x00n\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\
\x00.\x00p\x00n\x00g\
\x00\x18\
\x08\xd2\xa3'\
\x00b\
\x00a\x00s\x00e\x00_\x00i\x00c\x00o\x00n\x00_\x00p\x00r\x00e\x00s\x00s\x00e\x00d\
\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00&\
\x04$\xf6\xe7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00h\x00o\x00r\x00i\x00z\x00o\x00n\x00t\x00a\x00l\x00_\x00f\x00o\x00c\x00u\
\x00s\x00.\x00p\x00n\x00g\
\x00\x1a\
\x0fZ\xb4\xa7\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00f\x00o\x00c\
\x00u\x00s\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00#\
\x06\xf2\x1aG\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00i\x00n\x00d\x00e\x00t\x00e\x00r\x00m\
\x00i\x00n\x00a\x00t\x00e\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00.\x00p\
\x00n\x00g\
\x00\x1d\
\x0a\xd8\x81'\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00d\x00i\x00s\
\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\x00g\
\x00'\
\x0d\x0d\x92\xa7\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00s\x00e\x00p\x00a\x00r\x00a\x00t\x00o\x00r\
\x00_\x00v\x00e\x00r\x00t\x00i\x00c\x00a\x00l\x00_\x00d\x00i\x00s\x00a\x00b\x00l\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x22\
\x04\x9a\x03g\
\x00c\
\x00h\x00e\x00c\x00k\x00b\x00o\x00x\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\
\x00d\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00@\x002\x00x\x00.\x00p\x00n\
\x00g\
\x00\x17\
\x0dl\x22\x07\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00c\x00l\x00o\x00s\x00e\x00d\x00_\x00f\x00o\x00c\
\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x12\
\x04\xb1\x94'\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00m\x00o\x00r\x00e\x00@\x002\x00x\x00.\x00p\x00n\
\x00g\
\x00\x17\
\x09/\xda\x87\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00u\x00n\x00d\x00o\x00c\x00k\x00_\x00f\x00o\x00c\
\x00u\x00s\x00.\x00p\x00n\x00g\
\x00\x22\
\x01A\xee\x87\
\x00t\
\x00o\x00o\x00l\x00b\x00a\x00r\x00_\x00m\x00o\x00v\x00e\x00_\x00v\x00e\x00r\x00t\
\x00i\x00c\x00a\x00l\x00_\x00d\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\
\x00g\
\x00\x1b\
\x0b\xea\x1b\xe7\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00m\x00i\x00n\x00i\x00m\x00i\x00z\x00e\x00_\x00p\
\x00r\x00e\x00s\x00s\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x1a\
\x05(\x8d\xa7\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00c\x00l\x00o\x00s\x00e\x00d\x00_\x00d\x00i\x00s\
\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x13\
\x08\xc8\x96\xe7\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00.\x00p\
\x00n\x00g\
\x00\x1c\
\x01\xe0J\x07\
\x00r\
\x00a\x00d\x00i\x00o\x00_\x00u\x00n\x00c\x00h\x00e\x00c\x00k\x00e\x00d\x00_\x00d\
\x00i\x00s\x00a\x00b\x00l\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x10\
\x00Ub\x07\
\x00w\
\x00i\x00n\x00d\x00o\x00w\x00_\x00c\x00l\x00o\x00s\x00e\x00.\x00p\x00n\x00g\
\x00\x17\
\x0b\x9d\x16g\
\x00b\
\x00r\x00a\x00n\x00c\x00h\x00_\x00m\x00o\x00r\x00e\x00_\x00p\x00r\x00e\x00s\x00s\
\x00e\x00d\x00.\x00p\x00n\x00g\
\x00\x09\
\x00(\xad#\
\x00s\
\x00t\x00y\x00l\x00e\x00.\x00q\x00s\x00s\
"
qt_resource_struct = b"\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x02\x00\x00\x00\x01\
\x00\x00\x00\x00\x00\x02\x00\x00\x00\x01\x00\x00\x00\xd4\
\x00\x00\x00\x1a\x00\x02\x00\x00\x00\x01\x00\x00\x00\x03\
\x00\x00\x002\x00\x02\x00\x00\x00\xd0\x00\x00\x00\x04\
\x00\x00%\x94\x00\x00\x00\x00\x00\x01\x00\x01}\xc0\
\x00\x00\x09j\x00\x00\x00\x00\x00\x01\x00\x00p\x06\
\x00\x00\x03\x06\x00\x00\x00\x00\x00\x01\x00\x00$g\
\x00\x00\x1b\xb6\x00\x00\x00\x00\x00\x01\x00\x01+q\
\x00\x00\x10$\x00\x00\x00\x00\x00\x01\x00\x00\xb5\x5c\
\x00\x00\x0eZ\x00\x00\x00\x00\x00\x01\x00\x00\xa2]\
\x00\x00\x0aV\x00\x00\x00\x00\x00\x01\x00\x00y\x9e\
\x00\x00.\x8a\x00\x00\x00\x00\x00\x01\x00\x01\xeat\
\x00\x00\x05j\x00\x00\x00\x00\x00\x01\x00\x00I\x03\
\x00\x00\x05\xfe\x00\x00\x00\x00\x00\x01\x00\x00L\x90\
\x00\x00\x1b^\x00\x00\x00\x00\x00\x01\x00\x01)(\
\x00\x00 \xea\x00\x00\x00\x00\x00\x01\x00\x01P\x9b\
\x00\x00$\xd4\x00\x00\x00\x00\x00\x01\x00\x01l\x82\
\x00\x00\x11H\x00\x00\x00\x00\x00\x01\x00\x00\xb9\xe0\
\x00\x00%B\x00\x00\x00\x00\x00\x01\x00\x01|C\
\x00\x00#>\x00\x00\x00\x00\x00\x01\x00\x01c\xe6\
\x00\x00$f\x00\x00\x00\x00\x00\x01\x00\x01gt\
\x00\x00!\xa0\x00\x00\x00\x00\x00\x01\x00\x01R~\
\x00\x00\x05F\x00\x00\x00\x00\x00\x01\x00\x00EM\
\x00\x00-`\x00\x00\x00\x00\x00\x01\x00\x01\xdf\xb7\
\x00\x00*\x18\x00\x00\x00\x00\x00\x01\x00\x01\xa6I\
\x00\x00\x1e\xdc\x00\x00\x00\x00\x00\x01\x00\x01A'\
\x00\x00\x00\x9e\x00\x00\x00\x00\x00\x01\x00\x00\x06w\
\x00\x00.L\x00\x00\x00\x00\x00\x01\x00\x01\xe6e\
\x00\x00%f\x00\x00\x00\x00\x00\x01\x00\x01|\xca\
\x00\x00\x0a\x0e\x00\x00\x00\x00\x00\x01\x00\x00x\xde\
\x00\x00)\xf0\x00\x00\x00\x00\x00\x01\x00\x01\xa5i\
\x00\x00\x22\xc8\x00\x00\x00\x00\x00\x01\x00\x01]\xf7\
\x00\x00(x\x00\x00\x00\x00\x00\x01\x00\x01\x9d]\
\x00\x00\x12d\x00\x00\x00\x00\x00\x01\x00\x00\xc6\xf3\
\x00\x00\x14\x9c\x00\x00\x00\x00\x00\x01\x00\x00\xdb\x06\
\x00\x00#|\x00\x00\x00\x00\x00\x01\x00\x01d\xb2\
\x00\x00\x0b\xa8\x00\x00\x00\x00\x00\x01\x00\x00\x80x\
\x00\x00\x0b6\x00\x00\x00\x00\x00\x01\x00\x00}\xbe\
\x00\x00\x13:\x00\x00\x00\x00\x00\x01\x00\x00\xcc\xcd\
\x00\x00\x176\x00\x00\x00\x00\x00\x01\x00\x00\xf8b\
\x00\x00'R\x00\x00\x00\x00\x00\x01\x00\x01\x91%\
\x00\x00\x11\xe0\x00\x00\x00\x00\x00\x01\x00\x00\xc4B\
\x00\x00\x17\xb6\x00\x00\x00\x00\x00\x01\x00\x00\xfc\xd0\
\x00\x00\x0f\xee\x00\x00\x00\x00\x00\x01\x00\x00\xb3\xc4\
\x00\x00\x10\xb6\x00\x00\x00\x00\x00\x01\x00\x00\xb8V\
\x00\x00\x13\xaa\x00\x00\x00\x00\x00\x01\x00\x00\xd0\x0d\
\x00\x00\x03\xbe\x00\x00\x00\x00\x00\x01\x00\x002\xf7\
\x00\x00+\x18\x00\x00\x00\x00\x00\x01\x00\x01\xc1\x0b\
\x00\x00 X\x00\x00\x00\x00\x00\x01\x00\x01K\x9b\
\x00\x00\x0c\xbe\x00\x00\x00\x00\x00\x01\x00\x00\x8b-\
\x00\x00\x1a\xea\x00\x00\x00\x00\x00\x01\x00\x01'F\
\x00\x00\x1f\xe0\x00\x00\x00\x00\x00\x01\x00\x01FB\
\x00\x00\x07\xce\x00\x00\x00\x00\x00\x01\x00\x00\x5c\xc6\
\x00\x00\x09\xde\x00\x00\x00\x00\x00\x01\x00\x00v\xfe\
\x00\x00,\x84\x00\x00\x00\x00\x00\x01\x00\x01\xd8<\
\x00\x00*\x80\x00\x00\x00\x00\x00\x01\x00\x01\xaaY\
\x00\x00\x09@\x00\x00\x00\x00\x00\x01\x00\x00k\xc8\
\x00\x00-\x02\x00\x00\x00\x00\x00\x01\x00\x01\xdc\xe9\
\x00\x00'\xf4\x00\x00\x00\x00\x00\x01\x00\x01\x9a\x98\
\x00\x00\x1a6\x00\x00\x00\x00\x00\x01\x00\x01!\xf4\
\x00\x00\x0b\xe2\x00\x00\x00\x00\x00\x01\x00\x00\x84\xb5\
\x00\x00\x17\x82\x00\x00\x00\x00\x00\x01\x00\x00\xf9\x82\
\x00\x00\x0a\x98\x00\x00\x00\x00\x00\x01\x00\x00{\x02\
\x00\x00*J\x00\x00\x00\x00\x00\x01\x00\x01\xa7\xc9\
\x00\x00-\xe6\x00\x00\x00\x00\x00\x01\x00\x01\xe1\x09\
\x00\x00\x1d6\x00\x00\x00\x00\x00\x01\x00\x018\x9d\
\x00\x00\x00\xd8\x00\x00\x00\x00\x00\x01\x00\x00\x0a?\
\x00\x00\x02\xe0\x00\x00\x00\x00\x00\x01\x00\x00\x17\x8d\
\x00\x00%\xd2\x00\x00\x00\x00\x00\x01\x00\x01\x84\xe4\
\x00\x00)\x04\x00\x00\x00\x00\x00\x01\x00\x01\x9f\x81\
\x00\x00\x0b\x0a\x00\x00\x00\x00\x00\x01\x00\x00|\xf2\
\x00\x00%\x10\x00\x00\x00\x00\x00\x01\x00\x01oi\
\x00\x00\x14\x0e\x00\x00\x00\x00\x00\x01\x00\x00\xd7\xcd\
\x00\x00\x03p\x00\x00\x00\x00\x00\x01\x00\x002)\
\x00\x00\x02^\x00\x00\x00\x00\x00\x01\x00\x00\x13\xa6\
\x00\x00\x1eZ\x00\x00\x00\x00\x00\x01\x00\x01=\xfa\
\x00\x00&R\x00\x00\x00\x00\x00\x01\x00\x01\x88\x86\
\x00\x00\x08\x12\x00\x00\x00\x00\x00\x01\x00\x00^\x0b\
\x00\x00\x16\xce\x00\x00\x00\x00\x00\x01\x00\x00\xf77\
\x00\x00\x22\x1e\x00\x00\x00\x00\x00\x01\x00\x01Ul\
\x00\x00\x18\x02\x00\x00\x00\x00\x00\x01\x00\x00\xfdk\
\x00\x00$\x9e\x00\x00\x00\x00\x00\x01\x00\x01k\x8d\
\x00\x00\x05\x16\x00\x00\x00\x00\x00\x01\x00\x00D\x03\
\x00\x00\x05\x94\x00\x00\x00\x00\x00\x01\x00\x00I|\
\x00\x00\x01\xa2\x00\x00\x00\x00\x00\x01\x00\x00\x0d\x1d\
\x00\x00\x0br\x00\x00\x00\x00\x00\x01\x00\x00~7\
\x00\x00\x16\xf2\x00\x00\x00\x00\x00\x01\x00\x00\xf7\xd6\
\x00\x00\x0e0\x00\x00\x00\x00\x00\x01\x00\x00\x9f\x97\
\x00\x00\x09\x00\x00\x00\x00\x00\x00\x01\x00\x00hP\
\x00\x00\x10\x88\x00\x00\x00\x00\x00\x01\x00\x00\xb6\x8c\
\x00\x00+\xa4\x00\x00\x00\x00\x00\x01\x00\x01\xca\x86\
\x00\x00\x12\x9a\x00\x00\x00\x00\x00\x01\x00\x00\xc9\x9b\
\x00\x00)F\x00\x00\x00\x00\x00\x01\x00\x01\xa0\xb3\
\x00\x00&\xf8\x00\x00\x00\x00\x00\x01\x00\x01\x8b\x91\
\x00\x00\x18\xee\x00\x00\x00\x00\x00\x01\x00\x01\x06\x9a\
\x00\x00\x0f\x0a\x00\x00\x00\x00\x00\x01\x00\x00\xad\xd1\
\x00\x00 \x98\x00\x00\x00\x00\x00\x01\x00\x01L\x91\
\x00\x00\x1f\x16\x00\x00\x00\x00\x00\x01\x00\x01CE\
\x00\x00\x02\x1c\x00\x00\x00\x00\x00\x01\x00\x00\x12v\
\x00\x00)\xb2\x00\x00\x00\x00\x00\x01\x00\x01\xa4t\
\x00\x00\x10R\x00\x00\x00\x00\x00\x01\x00\x00\xb5\xed\
\x00\x00\x09\xa8\x00\x00\x00\x00\x00\x01\x00\x00vw\
\x00\x00\x1b$\x00\x00\x00\x00\x00\x01\x00\x01($\
\x00\x00(\x1e\x00\x00\x00\x00\x00\x01\x00\x01\x9b\x8e\
\x00\x00\x1a\xb4\x00\x00\x00\x00\x00\x01\x00\x01%>\
\x00\x00\x04\x0c\x00\x00\x00\x00\x00\x01\x00\x003\x95\
\x00\x00\x0d\xf8\x00\x00\x00\x00\x00\x01\x00\x00\x9eF\
\x00\x00\x04z\x00\x00\x00\x00\x00\x01\x00\x00<\x9f\
\x00\x00\x12\x14\x00\x00\x00\x00\x00\x01\x00\x00\xc6\x22\
\x00\x00\x11\xa4\x00\x00\x00\x00\x00\x01\x00\x00\xc1\xba\
\x00\x00\x18\xb0\x00\x00\x00\x00\x00\x01\x00\x01\x06\x0f\
\x00\x00\x1c\x1a\x00\x00\x00\x00\x00\x01\x00\x011#\
\x00\x00\x1e\x02\x00\x00\x00\x00\x00\x01\x00\x01=`\
\x00\x00\x1d\xb8\x00\x00\x00\x00\x00\x01\x00\x01;x\
\x00\x00\x00v\x00\x00\x00\x00\x00\x01\x00\x00\x02\xa8\
\x00\x00\x19\xf8\x00\x00\x00\x00\x00\x01\x00\x01\x19\x0f\
\x00\x00. \x00\x00\x00\x00\x00\x01\x00\x01\xe2v\
\x00\x00*\xe2\x00\x00\x00\x00\x00\x01\x00\x01\xb41\
\x00\x00\x13j\x00\x00\x00\x00\x00\x01\x00\x00\xcd9\
\x00\x00\x06j\x00\x00\x00\x00\x00\x01\x00\x00Pn\
\x00\x00'*\x00\x00\x00\x00\x00\x01\x00\x01\x8c\xdd\
\x00\x00!\xde\x00\x00\x00\x00\x00\x01\x00\x01S\xae\
\x00\x00\x22T\x00\x00\x00\x00\x00\x01\x00\x01Y4\
\x00\x00\x15\x8c\x00\x00\x00\x00\x00\x01\x00\x00\xea|\
\x00\x00-,\x00\x00\x00\x00\x00\x01\x00\x01\xdd\xee\
\x00\x00\x15\xc6\x00\x00\x00\x00\x00\x01\x00\x00\xeec\
\x00\x00\x08z\x00\x00\x00\x00\x00\x01\x00\x00c\xcd\
\x00\x00\x1f\x5c\x00\x00\x00\x00\x00\x01\x00\x01C\xe0\
\x00\x00\x07h\x00\x00\x00\x00\x00\x01\x00\x00XV\
\x00\x00\x1f\x9a\x00\x00\x00\x00\x00\x01\x00\x01DZ\
\x00\x00\x0d(\x00\x00\x00\x00\x00\x01\x00\x00\x976\
\x00\x00\x11t\x00\x00\x00\x00\x00\x01\x00\x00\xc0/\
\x00\x00\x00<\x00\x00\x00\x00\x00\x01\x00\x00\x00\x00\
\x00\x00'\xb8\x00\x00\x00\x00\x00\x01\x00\x01\x95\x09\
\x00\x00\x12\xca\x00\x00\x00\x00\x00\x01\x00\x00\xca8\
\x00\x00\x08\xd2\x00\x00\x00\x00\x00\x01\x00\x00d\xeb\
\x00\x00)z\x00\x00\x00\x00\x00\x01\x00\x01\xa1\x1f\
\x00\x00\x0d\xb0\x00\x00\x00\x00\x00\x01\x00\x00\x9bC\
\x00\x00\x0c\x8c\x00\x00\x00\x00\x00\x01\x00\x00\x88\x9d\
\x00\x00\x04\xa8\x00\x00\x00\x00\x00\x01\x00\x00>?\
\x00\x00\x19r\x00\x00\x00\x00\x00\x01\x00\x01\x17\x0c\
\x00\x00+\xf0\x00\x00\x00\x00\x00\x01\x00\x01\xcc\xd9\
\x00\x00\x0d\x00\x00\x00\x00\x00\x00\x01\x00\x00\x92Q\
\x00\x00\x034\x00\x00\x00\x00\x00\x01\x00\x00.\xdb\
\x00\x00\x18\x82\x00\x00\x00\x00\x00\x01\x00\x01\x04N\
\x00\x00\x1d^\x00\x00\x00\x00\x00\x01\x00\x019$\
\x00\x00\x1c\xfc\x00\x00\x00\x00\x00\x01\x00\x015\x85\
\x00\x00\x0f\xaa\x00\x00\x00\x00\x00\x01\x00\x00\xb0\xc1\
\x00\x00\x1d\x8c\x00\x00\x00\x00\x00\x01\x00\x01:\xfe\
\x00\x00\x16x\x00\x00\x00\x00\x00\x01\x00\x00\xf1\xe9\
\x00\x00\x13\xee\x00\x00\x00\x00\x00\x01\x00\x00\xd2\xe1\
\x00\x00\x1cX\x00\x00\x00\x00\x00\x01\x00\x012\x87\
\x00\x00\x062\x00\x00\x00\x00\x00\x01\x00\x00M\x16\
\x00\x00.\xb0\x00\x00\x00\x00\x00\x01\x00\x01\xed+\
\x00\x00!4\x00\x00\x00\x00\x00\x01\x00\x01Qi\
\x00\x00\x16\xb0\x00\x00\x00\x00\x00\x01\x00\x00\xf57\
\x00\x00\x18Z\x00\x00\x00\x00\x00\x01\x00\x01\x02\xee\
\x00\x00-\xaa\x00\x00\x00\x00\x00\x01\x00\x01\xe0C\
\x00\x00\x15&\x00\x00\x00\x00\x00\x01\x00\x00\xe6\xc6\
\x00\x00\x0e\x92\x00\x00\x00\x00\x00\x01\x00\x00\xa4&\
\x00\x00\x1b\xee\x00\x00\x00\x00\x00\x01\x00\x01,7\
\x00\x00\x0a\xd2\x00\x00\x00\x00\x00\x01\x00\x00|y\
\x00\x00\x22\x90\x00\x00\x00\x00\x00\x01\x00\x01Z9\
\x00\x00\x1c\xcc\x00\x00\x00\x00\x00\x01\x00\x013\x99\
\x00\x00\x06\x8c\x00\x00\x00\x00\x00\x01\x00\x00R\x88\
\x00\x00\x1c\x88\x00\x00\x00\x00\x00\x01\x00\x013\x0d\
\x00\x00\x19:\x00\x00\x00\x00\x00\x01\x00\x01\x0a2\
\x00\x00\x07&\x00\x00\x00\x00\x00\x01\x00\x00W\xcb\
\x00\x00\x0c\x1c\x00\x00\x00\x00\x00\x01\x00\x00\x87/\
\x00\x00(T\x00\x00\x00\x00\x00\x01\x00\x01\x9c\xf1\
\x00\x00\x0fv\x00\x00\x00\x00\x00\x01\x00\x00\xaf\xe2\
\x00\x00\x1a`\x00\x00\x00\x00\x00\x01\x00\x01$\x7f\
\x00\x00\x07\x90\x00\x00\x00\x00\x00\x01\x00\x00ZL\
\x00\x00\x1b\x82\x00\x00\x00\x00\x00\x01\x00\x01*\xde\
\x00\x00,0\x00\x00\x00\x00\x00\x01\x00\x01\xd7\xb3\
\x00\x00\x01F\x00\x00\x00\x00\x00\x01\x00\x00\x0c\x02\
\x00\x00\x01\x80\x00\x00\x00\x00\x00\x01\x00\x00\x0c\x89\
\x00\x00,\xce\x00\x00\x00\x00\x00\x01\x00\x01\xdb\x98\
\x00\x00\x01\xf2\x00\x00\x00\x00\x00\x01\x00\x00\x10\xb5\
\x00\x00\x0d\x80\x00\x00\x00\x00\x00\x01\x00\x00\x97\xf5\
\x00\x00\x01\x12\x00\x00\x00\x00\x00\x01\x00\x00\x0a\xb8\
\x00\x00\x0fB\x00\x00\x00\x00\x00\x01\x00\x00\xaeW\
\x00\x00\x06\xea\x00\x00\x00\x00\x00\x01\x00\x00S\xa8\
\x00\x00\x08D\x00\x00\x00\x00\x00\x01\x00\x00_\xe5\
\x00\x00'\x84\x00\x00\x00\x00\x00\x01\x00\x01\x91\xb1\
\x00\x00!h\x00\x00\x00\x00\x00\x01\x00\x01Q\xef\
\x00\x00\x11\x12\x00\x00\x00\x00\x00\x01\x00\x00\xb9t\
\x00\x00\x14\x5c\x00\x00\x00\x00\x00\x01\x00\x00\xd8U\
\x00\x00\x02\x8c\x00\x00\x00\x00\x00\x01\x00\x00\x16^\
\x00\x00\x0e\xd2\x00\x00\x00\x00\x00\x01\x00\x00\xa8B\
\x00\x00#\x04\x00\x00\x00\x00\x00\x01\x00\x01^\xed\
\x00\x00&t\x00\x00\x00\x00\x00\x01\x00\x01\x8a\x8c\
\x00\x00\x04\xe2\x00\x00\x00\x00\x00\x01\x00\x00@E\
\x00\x00\x14\xe0\x00\x00\x00\x00\x00\x01\x00\x00\xe3\xaf\
\x00\x00\x05\xca\x00\x00\x00\x00\x00\x01\x00\x00J\x80\
\x00\x00\x18&\x00\x00\x00\x00\x00\x01\x00\x00\xfe\xd5\
\x00\x00\x16T\x00\x00\x00\x00\x00\x01\x00\x00\xef\xd8\
\x00\x00$\x14\x00\x00\x00\x00\x00\x01\x00\x01f\xec\
\x00\x00\x15Z\x00\x00\x00\x00\x00\x01\x00\x00\xe9\xeb\
\x00\x00+j\x00\x00\x00\x00\x00\x01\x00\x01\xc1\xa1\
\x00\x00\x15\xfe\x00\x00\x00\x00\x00\x01\x00\x00\xefB\
\x00\x00&\xbc\x00\x00\x00\x00\x00\x01\x00\x01\x8b\x18\
\x00\x00&\x1a\x00\x00\x00\x00\x00\x01\x00\x01\x85\x7f\
\x00\x00\x04H\x00\x00\x00\x00\x00\x01\x00\x0043\
\x00\x00\x19\xb6\x00\x00\x00\x00\x00\x01\x00\x01\x18\x84\
\x00\x00 \x1e\x00\x00\x00\x00\x00\x01\x00\x01IZ\
\x00\x00*\xb2\x00\x00\x00\x00\x00\x01\x00\x01\xafE\
\x00\x00#\xba\x00\x00\x00\x00\x00\x01\x00\x01f)\
\x00\x00\x12\xfc\x00\x00\x00\x00\x00\x01\x00\x00\xcc\x02\
\x00\x00\x0cV\x00\x00\x00\x00\x00\x01\x00\x00\x88$\
\x00\x00(\xb2\x00\x00\x00\x00\x00\x01\x00\x01\x9eR\
\x00\x00\x1e\xa8\x00\x00\x00\x00\x00\x01\x00\x01?)\
\x00\x00.\xe4\x00\x00\x00\x00\x00\x01\x00\x01\xed\xc8\
"
def qInitResources():
QtCore.qRegisterResourceData(0x01, qt_resource_struct, qt_resource_name, qt_resource_data)
def qCleanupResources():
QtCore.qUnregisterResourceData(0x01, qt_resource_struct, qt_resource_name, qt_resource_data)
qInitResources()
|
import csv
import numpy as np
class CsvUtils:
@classmethod
def single_line_header_csv_to_dict(cls,
fname,
delimiter=","
):
header = None
data = None
with open(fname) as f:
reader = csv.reader(f, delimiter=delimiter)
header = next(reader) # skip header
data = [row for row in reader]
data = np.asarray(data)
csv_dict = {}
for i, header_name in enumerate(header):
csv_dict[header_name] = data[:, i]
return csv_dict |
import os
import numpy as np
from ptsnet.simulation.sim import PTSNETSimulation
from ptsnet.utils.io import get_example_path
def test_initial_conditions():
sim = PTSNETSimulation(
inpfile = get_example_path('BWSN_F'),
settings = {
'time_step' : 0.0001,
'save_results' : False,
'default_wave_speed' : 1000,
'wave_speed_method' : 'user'
})
sim.add_curve('V_BUTTERFLY', 'valve',
[1, 0.8, 0.6, 0.4, 0.2, 0],
[0.067, 0.044, 0.024, 0.011, 0.004, 0. ])
sim.assign_curve_to('V_BUTTERFLY', 'VALVE')
sim.initialize()
assert np.allclose(sim.ss['valve'].flowrate, np.array([0.028]), atol=1e-3)
assert np.allclose(sim.ss['valve'].head_loss, np.array([1.388]), atol=1e-3)
assert np.allclose(sim.ss['valve'].K, np.array([4.885e-05]))
assert np.allclose(sim.ss['pipe'].flowrate,
np.array([
0.286,
0.135,
0.151,
0.118,
0.016,
0.065,
0.028,
0.037,
0.102]), atol = 1e-3)
assert np.allclose(sim.ss['pipe'].head_loss,
np.array([
1.662e-07,
7.835e-08,
8.783e-08,
6.887e-08,
9.481e-09,
3.792e-08,
1.646e-08,
2.147e-08,
5.939e-08]))
test_initial_conditions() |
# -*- coding: utf-8 -*-
# Licensed under the MIT license
# http://opensource.org/licenses/mit-license.php
# Copyright 2010, Frank Scholz <dev@coherence-project.org>
# Copyright 2018, Pol Canelles <canellestudi@gmail.com>
'''
:class:`WANDeviceClient`
------------------------
A class representing an embedded device with a WAN client.
'''
from eventdispatcher import EventDispatcher, Property
from coherence import log
from coherence.upnp.devices.wan_connection_device_client import (
WANConnectionDeviceClient,
)
from coherence.upnp.services.clients.wan_common_interface_config_client import (
WANCommonInterfaceConfigClient,
)
class WANDeviceClient(EventDispatcher, log.LogAble):
'''
.. versionchanged:: 0.9.0
* Introduced inheritance from EventDispatcher
* The emitted events changed:
- Coherence.UPnP.EmbeddedDeviceClient.detection_completed =>
embedded_device_client_detection_completed
* Changed some class variable to benefit from the EventDispatcher's
properties:
- :attr:`embedded_device_detection_completed`
- :attr:`service_detection_completed`
'''
logCategory = 'wan_device_client'
embedded_device_detection_completed = Property(False)
'''
To know whenever the embedded device detection has completed. Defaults to
`False` and it will be set automatically to `True` by the class method
:meth:`embedded_device_notified`.
'''
service_detection_completed = Property(False)
'''
To know whenever the service detection has completed. Defaults to `False`
and it will be set automatically to `True` by the class method
:meth:`service_notified`.
'''
def __init__(self, device):
log.LogAble.__init__(self)
EventDispatcher.__init__(self)
self.register_event('embedded_device_client_detection_completed')
self.device = device
self.device.bind(
embedded_device_client_detection_completed=self.embedded_device_notified, # noqa
service_notified=self.service_notified,
)
self.device_type = self.device.get_friendly_device_type()
self.version = int(self.device.get_device_type_version())
self.icons = device.icons
self.wan_connection_device = None
self.wan_common_interface_connection = None
try:
wan_connection_device = self.device.get_embedded_device_by_type(
'WANConnectionDevice'
)[0]
self.wan_connection_device = WANConnectionDeviceClient(
wan_connection_device
)
except Exception as er:
self.warning(
f'Embedded WANConnectionDevice device not available, device '
+ f'not implemented properly according to the UPnP '
+ f'specification [ERROR: {er}]'
)
raise
for service in self.device.get_services():
if service.get_type() in [
'urn:schemas-upnp-org:service:WANCommonInterfaceConfig:1'
]:
self.wan_common_interface_connection = WANCommonInterfaceConfigClient( # noqa: E501
service
)
self.info(f'WANDevice {device.get_friendly_name()}')
def remove(self):
self.info('removal of WANDeviceClient started')
if self.wan_common_interface_connection is not None:
self.wan_common_interface_connection.remove()
if self.wan_connection_device is not None:
self.wan_connection_device.remove()
def embedded_device_notified(self, device):
self.info(f'EmbeddedDevice {device} sent notification')
if self.embedded_device_detection_completed:
return
self.embedded_device_detection_completed = True
if (
self.embedded_device_detection_completed is True
and self.service_detection_completed is True
):
self.dispatch_event(
'embedded_device_client_detection_completed', self
)
def service_notified(self, service):
self.info(f'Service {service} sent notification')
if self.service_detection_completed:
return
if self.wan_common_interface_connection is not None:
if not hasattr(
self.wan_common_interface_connection.service,
'last_time_updated',
):
return
if (
self.wan_common_interface_connection.service.last_time_updated
is None
):
return
self.service_detection_completed = True
if (
self.embedded_device_detection_completed is True
and self.service_detection_completed is True
):
self.dispatch_event(
'embedded_device_client_detection_completed', self
)
|
#
# spcam_dr.py -- Suprime-Cam data processing routines
#
# Eric Jeschke (eric@naoj.org)
#
# This is open-source software licensed under a BSD license.
# Please see the file LICENSE.txt for details.
#
import os
import re, glob
import time
# 3rd party imports
import numpy
from ginga import AstroImage
from ginga.misc import Bunch, log
from ginga.util import dp
from ginga.util import mosaic, wcs
# local package imports
from ..frame import Frame
class SuprimeCamDR(object):
def __init__(self, logger=None):
super(SuprimeCamDR, self).__init__()
if logger is None:
logger = log.get_logger(level=20, log_stderr=True)
self.logger = logger
self.pfx = 'S'
self.num_ccds = 10
self.num_frames = 10
self.inscode = 'SUP'
self.fov = 0.72
self.frameid_offsets = [0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
# SPCAM keywords that should be added to the primary HDU
self.prihdr_kwds = [
'SIMPLE', 'BITPIX', 'NAXIS', 'NAXIS1', 'NAXIS2', 'EXTEND', 'BZERO',
'BSCALE', 'BUNIT', 'BLANK', 'DATE-OBS', 'UT', 'UT-STR', 'UT-END',
'HST', 'HST-STR', 'HST-END', 'LST', 'LST-STR', 'LST-END', 'MJD',
'TIMESYS', 'MJD-STR', 'MJD-END', 'ZD-STR', 'ZD-END', 'SECZ-STR',
'SECZ-END', 'AIRMASS', 'AZIMUTH', 'ALTITUDE', 'PROP-ID', 'OBSERVER',
'EXP-ID', 'DATASET', 'OBS-MOD', 'OBS-ALOC', 'DATA-TYP', 'OBJECT',
'RA', 'DEC', 'RA2000', 'DEC2000', 'OBSERVAT', 'TELESCOP', 'FOC-POS',
'TELFOCUS', 'FOC-VAL', 'FILTER01', 'EXPTIME', 'INSTRUME', 'INS-VER',
'WEATHER', 'SEEING', 'ADC-TYPE', 'ADC-STR', 'ADC-END', 'INR-STR',
'INR-END', 'DOM-WND', 'OUT-WND', 'DOM-TMP', 'OUT-TMP', 'DOM-HUM',
'OUT-HUM', 'DOM-PRS', 'OUT-PRS', 'EXP1TIME', 'COADD', 'M2-POS1',
'M2-POS2', 'M2-POS3', 'M2-ANG1', 'M2-ANG2', 'M2-ANG3', 'AUTOGUID',
'COMMENT', 'INST-PA', 'EQUINOX',
]
# SPCAM keywords that should be added to the image HDUs
self.imghdr_kwds = [
'SIMPLE', 'BITPIX', 'NAXIS', 'NAXIS1', 'NAXIS2', 'EXTEND', 'BZERO',
'BSCALE', 'BUNIT', 'BLANK', 'FRAMEID', 'EXP-ID', 'DETECTOR', 'DET-ID',
'DET-A01', 'DET-P101', 'DET-P201', 'DET-TMP', 'DET-TMED', 'DET-TMIN',
'DET-TMAX', 'GAIN', 'EFP-MIN1', 'EFP-RNG1', 'EFP-MIN2', 'EFP-RNG2',
'PRD-MIN1', 'PRD-RNG1', 'PRD-MIN2', 'PRD-RNG2', 'BIN-FCT1', 'BIN-FCT2',
'DET-VER', 'S_UFNAME', 'S_FRMPOS', 'S_BCTAVE', 'S_BCTSD', 'S_AG-OBJ',
'S_AG-RA', 'S_AG-DEC', 'S_AG-EQN', 'S_AG-X', 'S_AG-Y', 'S_AG-R',
'S_AG-TH', 'S_ETMED', 'S_ETMAX', 'S_ETMIN', 'S_XFLIP', 'S_YFLIP',
'S_M2OFF1', 'S_M2OFF2', 'S_M2OFF3', 'S_DELTAZ', 'S_DELTAD', 'S_SENT',
'S_GAIN1', 'S_GAIN2', 'S_GAIN3', 'S_GAIN4', 'S_OSMN11', 'S_OSMX11',
'S_OSMN21', 'S_OSMX21', 'S_OSMN31', 'S_OSMX31', 'S_OSMN41', 'S_OSMX41',
'S_OSMN12', 'S_OSMX12', 'S_OSMN22', 'S_OSMX22', 'S_OSMN32', 'S_OSMX32',
'S_OSMN42', 'S_OSMX42', 'S_EFMN11', 'S_EFMX11', 'S_EFMN21', 'S_EFMX21',
'S_EFMN31', 'S_EFMX31', 'S_EFMN41', 'S_EFMX41', 'S_EFMN12', 'S_EFMX12',
'S_EFMN22', 'S_EFMX22', 'S_EFMN32', 'S_EFMX32', 'S_EFMN42', 'S_EFMX42',
'EQUINOX', 'CRVAL1', 'CRVAL2', 'CRPIX1', 'CRPIX2', 'CDELT1', 'CDELT2',
'LONGPOLE', 'CTYPE1', 'CTYPE2', 'CUNIT1', 'CUNIT2', 'WCS-ORIG',
'RADECSYS', 'CD1_1', 'CD1_2', 'CD2_1', 'CD2_2',
]
def load_image(self, filepath):
image = AstroImage.AstroImage(logger=self.logger)
image.load_file(filepath)
return image
def get_exp_num(self, frameid):
frame = Frame(frameid)
exp_num = (frame.count // self.num_frames) * self.num_frames
return exp_num
def exp_num_to_frame_list(self, exp_num):
frame = Frame()
frame.inscode = self.inscode
frame.frametype = 'A'
frame.prefix = '0'
frame.number = 0
frame.add(exp_num)
res = []
for off in self.frameid_offsets:
fr = frame.copy()
fr.add(off)
res.append(str(fr))
return res
def exp_num_to_file_list(self, directory, exp_num):
frame = Frame()
frame.directory = directory
frame.inscode = self.inscode
frame.frametype = 'A'
frame.prefix = '0'
frame.number = 0
frame.add(exp_num)
res = []
for off in self.frameid_offsets:
fr = frame.copy()
fr.add(off)
res.append(os.path.join(directory, str(fr)+'.fits'))
return res
def get_file_list(self, path):
frame = Frame(path)
exp_num = self.get_exp_num(path)
frame.prefix = '0'
frame.number = 0
frame.add(exp_num)
res = []
for off in self.frameid_offsets:
fr = frame.copy()
fr.add(off)
res.append(os.path.join(frame.directory, str(fr)+'.fits'))
return res
def get_images(self, path):
filelist = self.get_file_list(path)
res = []
for path in filelist:
img = AstroImage.AstroImage(logger=self.logger)
img.load_file(path)
res.append(img)
return res
def get_regions(self, image):
"""Extract the keywords defining the overscan and effective pixel
regions in a SPCAM image. The data is returned in a dictionary of
bunches. The keys of the dictionary are the channel numbers, plus
'image'.
"""
wd, ht = image.get_size()
d = {}
xcut = 0
newwd = 0
l = []
for channel in (1, 2, 3, 4):
base = self.pfx + '_EF'
efminx = int(image.get_keyword("%sMN%d1" % (base, channel))) - 1
efmaxx = int(image.get_keyword("%sMX%d1" % (base, channel))) - 1
efminy = int(image.get_keyword("%sMN%d2" % (base, channel))) - 1
efmaxy = int(image.get_keyword("%sMX%d2" % (base, channel))) - 1
base = self.pfx + '_OS'
osminx = int(image.get_keyword("%sMN%d1" % (base, channel))) - 1
osmaxx = int(image.get_keyword("%sMX%d1" % (base, channel))) - 1
osminy = int(image.get_keyword("%sMN%d2" % (base, channel))) - 1
osmaxy = int(image.get_keyword("%sMX%d2" % (base, channel))) - 1
xcut += osmaxx - osminx + 1
newwd += efmaxx + 1 - efminx
gain = float(image.get_keyword("%s_GAIN%d" % (self.pfx, channel)))
d[channel] = Bunch.Bunch(
efminx=efminx, efmaxx=efmaxx, efminy=efminy, efmaxy=efmaxy,
osminx=osminx, osmaxx=osmaxx, osminy=osminy, osmaxy=osmaxy,
gain=gain)
l.append(d[channel])
# figure out starting x position of channel within image
l.sort(key=lambda x: x.efmaxx)
startposx = 0
for ch in l:
ch.setvals(startposx=startposx)
startposx += ch.efmaxx + 1 - ch.efminx
ycut = osmaxy - osminy + 1
newht = efmaxy + 1 - efminy
d['image'] = Bunch.Bunch(xcut=xcut, ycut=ycut,
newwd=newwd, newht=newht)
return d
def subtract_overscan_np(self, data_np, d, sub_bias=True, header=None):
"""Subtract the median bias calculated from the overscan regions
from a SPCAM image data array. The resulting image is trimmed to
remove the overscan regions.
Parameters
----------
data_np: numpy array
a 2D data array of pixel values
d: dict
a dictionary of information about the overscan and effective
pixel regions as returned by get_regions().
Returns:
out: numpy array
a new, smaller array with the result data
"""
# create new output array the size of the sum of the image
# effective pixels
info = d['image']
newwd, newht = info.newwd, info.newht
self.logger.debug("effective pixel size %dx%d" % (newwd, newht))
out = numpy.empty((newht, newwd), dtype=float)
if header is not None:
header['NAXIS1'] = newwd
header['NAXIS2'] = newht
# original image size
ht, wd = data_np.shape[:2]
for channel in (1, 2, 3, 4):
#print "processing channel %d" % (channel)
ch = d[channel]
# calculate size of effective pixels area for this channel
efwd = ch.efmaxx + 1 - ch.efminx
efht = ch.efmaxy + 1 - ch.efminy
j = ch.startposx
# Cut effective pixel region into output array
xlo, xhi, ylo, yhi = j, j + efwd, 0, efht
if sub_bias:
# get median of each row in overscan area for this channel
ovsc_median = numpy.median(data_np[ch.efminy:ch.efmaxy+1,
ch.osminx:ch.osmaxx+1],
axis=1)
len_ovsc = ovsc_median.shape[0]
assert len_ovsc == efht, \
ValueError("median array len (%d) doesn't match effective pixel len (%d)" % (
len_ovsc, efht))
ovsc_median = ovsc_median.reshape((efht, 1))
ovsc_median = numpy.repeat(ovsc_median, efwd, axis=1)
out[ylo:yhi, xlo:xhi] = data_np[ch.efminy:ch.efmaxy+1,
ch.efminx:ch.efmaxx+1] - ovsc_median
else:
out[ylo:yhi, xlo:xhi] = data_np[ch.efminy:ch.efmaxy+1,
ch.efminx:ch.efmaxx+1]
# Update header for effective regions
if header is not None:
base = self.pfx + '_EF'
header["%sMN%d1" % (base, channel)] = xlo + 1
header["%sMX%d1" % (base, channel)] = xhi + 1
header["%sMN%d2" % (base, channel)] = ylo + 1
header["%sMX%d2" % (base, channel)] = yhi + 1
return out
def make_flat(self, flatlist, bias=None, flat_norm=None,
logger=None):
flats = []
self.logger.info("making a median flat from %s" % str(flatlist))
for path in flatlist:
image = AstroImage.AstroImage(logger=logger)
image.load_file(path)
data_np = image.get_data()
# TODO: subtract optional bias image
# subtract overscan and trim
d = self.get_regions(image)
header = {}
newarr = self.subtract_overscan_np(data_np, d,
header=header)
flats.append(newarr)
# Take the median of the individual frames
flat = numpy.median(numpy.array(flats), axis=0)
#print flat.shape
# Normalize flat, if normalization term provided
if flat_norm is not None:
flat = flat / flat_norm
img_flat = dp.make_image(flat, image, header)
return img_flat
def make_flat_tiles(self, datadir, explist, output_pfx='flat',
output_dir=None):
# Get the median values for each CCD image
flats = []
for i in range(self.num_frames):
flatlist = []
for exp in explist:
path = os.path.join(datadir, exp.upper()+'.fits')
if not os.path.exists(path):
continue
frame = Frame(path=path)
frame.number += i
path = os.path.join(datadir, str(frame)+'.fits')
if not os.path.exists(path):
continue
flatlist.append(path)
if len(flatlist) > 0:
flats.append(self.make_flat(flatlist))
# Normalize the flats
# TODO: can we use a running median to speed this up without
# losing much precision?
# flatarr = numpy.array([ image.get_data() for image in flats ])
# mval = numpy.median(flatarr.flat)
## flatarr = numpy.array([ numpy.median(image.get_data())
## for image in flats ])
## mval = numpy.mean(flatarr)
d = {}
for image in flats:
## flat = image.get_data()
## flat /= mval
## # no zero divisors
## flat[flat == 0.0] = 1.0
ccd_id = int(image.get_keyword('DET-ID'))
if output_dir is None:
d[ccd_id] = image
else:
# write the output file
name = '%s-%d.fits' % (output_pfx, ccd_id)
outfile = os.path.join(output_dir, name)
d[ccd_id] = outfile
self.logger.debug("Writing output file: %s" % (outfile))
try:
os.remove(outfile)
except OSError:
pass
image.save_as_file(outfile)
return d
def get_flat_name(self, pfx, image):
hdr = image.get_header()
kwds = dict([ (kwd, hdr[kwd]) for kwd in ('OBJECT', 'FILTER01',
'DATE-OBS', 'UT-STR') ])
match = re.match(r'^(\d\d):(\d\d):(\d\d)\.\d+$', kwds['UT-STR'])
ut = ''.join(match.groups())
match = re.match(r'^(\d\d\d\d)\-(\d+)\-(\d+)$', kwds['DATE-OBS'])
date = ''.join(match.groups())
fname = '%s-flat-%s-%s-%s-%s.fits' % (pfx, date, ut,
kwds['OBJECT'],
kwds['FILTER01'])
return fname, kwds
def make_flat_tiles_exp(self, datadir, expstart, num_exp,
output_pfx='flat', output_dir=None):
path = os.path.join(datadir, expstart.upper()+'.fits')
# make a list of all the exposure ids
explist = []
for i in range(num_exp):
frame = Frame(path=path)
frame.number += i * self.num_frames
explist.append(str(frame))
d = self.make_flat_tiles(datadir, explist,
output_pfx=output_pfx,
output_dir=output_dir)
return d
def load_flat_tiles(self, datadir):
path_glob = os.path.join(datadir, '*-*.fits')
d = {}
avgs = []
for path in glob.glob(path_glob):
match = re.match(r'^.+\-(\d+)\.fits$', path)
if match:
ccd_id = int(match.group(1))
image = self.load_image(path)
#image = AstroImage.AstroImage(logger=self.logger)
#image.load_file(path)
data = image.get_data()
d[ccd_id] = data
avgs.append(numpy.mean(data))
self.logger.info("calculating mean of flats")
flatarr = numpy.array(avgs)
mval = numpy.mean(flatarr)
return mval, d
def make_exp_tiles(self, path_exp, flat_dict={}, flat_mean=None,
output_pfx='exp', output_dir=None):
files = self.get_file_list(path_exp)
res = {}
for path in files:
if not os.path.exists(path):
continue
image = self.load_image(path)
#image = AstroImage.AstroImage(logger=self.logger)
#image.load_file(path)
ccd_id = int(image.get_keyword('DET-ID'))
data_np = image.get_data()
# subtract overscan and trim
d = self.get_regions(image)
header = {}
newarr = self.subtract_overscan_np(data_np, d,
header=header)
if ccd_id in flat_dict:
flat = flat_dict[ccd_id]
if newarr.shape == flat.shape:
if flat_mean is not None:
avg = flat_mean
else:
avg = numpy.mean(flat)
newarr /= flat
newarr *= avg
img_exp = dp.make_image(newarr, image, header)
if output_dir is None:
res[ccd_id] = img_exp
else:
# write the output file
name = '%s-%d.fits' % (output_pfx, ccd_id)
outfile = os.path.join(output_dir, name)
res[ccd_id] = outfile
self.logger.debug("Writing output file: %s" % (outfile))
try:
os.remove(outfile)
except OSError:
pass
img_exp.save_as_file(outfile)
return res
def prepare_mosaic(self, image, fov_deg, skew_limit=0.1):
"""Prepare a new (blank) mosaic image based on the pointing of
the parameter image
"""
header = image.get_header()
ra_deg, dec_deg = header['CRVAL1'], header['CRVAL2']
data_np = image.get_data()
(rot_deg, cdelt1, cdelt2) = wcs.get_rotation_and_scale(header,
skew_threshold=skew_limit)
self.logger.debug("image0 rot=%f cdelt1=%f cdelt2=%f" % (
rot_deg, cdelt1, cdelt2))
# TODO: handle differing pixel scale for each axis?
px_scale = numpy.fabs(cdelt1)
cdbase = [numpy.sign(cdelt1), numpy.sign(cdelt2)]
#cdbase = [1, 1]
img_mosaic = dp.create_blank_image(ra_deg, dec_deg,
fov_deg, px_scale,
rot_deg,
cdbase=cdbase,
logger=self.logger,
pfx='mosaic')
# TODO: fill in interesting/select object headers from seed image
return img_mosaic
def remove_overscan(self, img, sub_bias=True):
d = self.get_regions(img)
header = {}
new_data_np = self.subtract_overscan_np(img.get_data(), d,
sub_bias=sub_bias,
header=header)
img.set_data(new_data_np)
img.update_keywords(header)
def make_quick_mosaic(self, path):
# get the list of files making up this exposure
files = self.get_file_list(path)
img = AstroImage.AstroImage(logger=self.logger)
img.load_file(files[0])
img_mosaic = self.prepare_mosaic(img, self.fov)
self.remove_overscan(img)
img_mosaic.mosaic_inline([img])
time_start = time.time()
t1_sum = 0.0
t2_sum = 0.0
t3_sum = 0.0
for filen in files[1:]:
time_t1 = time.time()
img = AstroImage.AstroImage(logger=self.logger)
img.load_file(filen)
time_t2 = time.time()
t1_sum += time_t2 - time_t1
self.remove_overscan(img)
time_t3 = time.time()
t2_sum += time_t3 - time_t2
img_mosaic.mosaic_inline([img], merge=True, allow_expand=False,
update_minmax=False)
time_t4 = time.time()
t3_sum += time_t4 - time_t3
time_end = time.time()
time_total = time_end - time_start
print ("total time: %.2f t1=%.3f t2=%.3f t3=%.3f" % (
time_total, t1_sum, t2_sum, t3_sum))
return img_mosaic
def make_multi_hdu(self, images, compress=False):
"""
Pack a group of separate FITS files (a single exposure) into one
FITS file with one primary HDU with no data and 10 image HDUs.
Parameters
----------
images : list of AstroImage objects
compress : bool (optional)
if True, will try to Rice-compress the image HDUs. Note that
this slows down the process considerably. Default: False
"""
import astropy.io.fits as pyfits
fitsobj = pyfits.HDUList()
i = 0
hdus = {}
for image in images:
header = image.get_header()
if i == 0:
# prepare primary HDU header
hdu = pyfits.PrimaryHDU()
prihdr = hdu.header
for kwd in header.keys():
if kwd.upper() in self.prihdr_kwds:
card = header.get_card(kwd)
val, comment = card.value, card.comment
prihdr[kwd] = (val, comment)
fitsobj.append(hdu)
# create each image HDU
data = numpy.copy(image.get_data().astype(numpy.uint16))
name = "DET-%s" % header['DET-ID']
if not compress:
hdu = pyfits.ImageHDU(data=data)
else:
hdu = pyfits.CompImageHDU(data=data,
compression_type='RICE_1',
name=name)
for kwd in header.keys():
if kwd.upper() in self.imghdr_kwds:
card = header.get_card(kwd)
val, comment = card.value, card.comment
hdu.header[kwd] = (val, comment)
# add CHECKSUM and DATASUM keywords
if not compress:
hdu.add_checksum()
det_id = int(header['DET-ID'])
hdus[det_id] = hdu
i += 1
# stack HDUs in detector ID order
det_ids = list(hdus.keys())
det_ids.sort()
for i in det_ids:
fitsobj.append(hdus[i])
# fix up to FITS standard as much as possible
fitsobj.verify('silentfix')
return fitsobj
def step2(self, image):
"""
Corresponds to step 2 in the SPCAM data reduction instructions.
Takes an image and removes the overscan regions. In the process
it also subtracts the bias median calculated from the overscan
regions.
"""
d = self.get_regions(image)
header = {}
data_np = image.get_data()
result = self.subtract_overscan_np(data_np, d, header=header)
newimage = dp.make_image(result, image, header)
return newimage
def step3(self, image, flat):
"""
Corresponds to step 3 in the SPCAM data reduction instructions.
Divides an image by a flat and returns a new image.
"""
data_np = image.get_data()
flat_np = flat.get_data()
result = data_np / flat_np
newimage = dp.make_image(result, image, {})
return newimage
#END
|
#!/usr/bin/env python
"""
Licensed to the Apache Software Foundation (ASF) under one
or more contributor license agreements. See the NOTICE file
distributed with this work for additional information
regarding copyright ownership. The ASF licenses this file
to you 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 Queue
import logging
import multiprocessing
import os
import pprint
import threading
import time
import signal
from ambari_agent.RemoteDebugUtils import bind_debug_signal_handlers
logger = logging.getLogger(__name__)
class StatusCommandsExecutor(object):
def put_commands(self, commands):
raise NotImplemented()
def process_results(self):
raise NotImplemented()
def relaunch(self, reason=None):
raise NotImplemented()
def kill(self, reason=None, can_relaunch=True):
raise NotImplemented()
class SingleProcessStatusCommandsExecutor(StatusCommandsExecutor):
def __init__(self, config, actionQueue):
self.config = config
self.actionQueue = actionQueue
self.statusCommandQueue = Queue.Queue()
self.need_relaunch = (False, None) # tuple (bool, str|None) with flag to relaunch and reason of relaunch
def put_commands(self, commands):
with self.statusCommandQueue.mutex:
qlen = len(self.statusCommandQueue.queue)
if qlen:
logger.info("Removing %s stale status commands from queue", qlen)
self.statusCommandQueue.queue.clear()
for command in commands:
logger.info("Adding " + command['commandType'] + " for component " + \
command['componentName'] + " of service " + \
command['serviceName'] + " of cluster " + \
command['clusterName'] + " to the queue.")
self.statusCommandQueue.put(command)
logger.debug(pprint.pformat(command))
def process_results(self):
"""
Execute a single command from the queue and process it
"""
while not self.statusCommandQueue.empty():
try:
command = self.statusCommandQueue.get(False)
self.actionQueue.process_status_command_result(self.actionQueue.execute_status_command_and_security_status(command))
except Queue.Empty:
pass
def relaunch(self, reason=None):
pass
def kill(self, reason=None, can_relaunch=True):
pass
# TODO make reliable MultiProcessStatusCommandsExecutor implementation
MultiProcessStatusCommandsExecutor = SingleProcessStatusCommandsExecutor
|
#!/usr/bin/python
import pygame, sys
from pygame.locals import *
#defining colors
RED = pygame.Color(255, 0, 0, 10)
GREEN = pygame.Color(0, 255, 0, 10)
BLUE = pygame.Color(0, 0, 255, 10)
WHITE = []
#defining an array of greyscales
for i in range(256):
WHITE.append(pygame.Color(i, i, i, i))
#defining window size
WINDOWWIDTH = 640
WINDOWHEIGHT = 480
#checking window dimensions
assert WINDOWWIDTH < 641 and WINDOWHEIGHT < 481, 'YOU\'LL NEED MORE PAPER FOR THIS WALL'
assert WINDOWWIDTH * 3 == WINDOWHEIGHT * 4, 'THE SCREEN\'S A BIT ASCREW'
#defining window margins
MARGIN = WINDOWHEIGHT * WINDOWWIDTH // 20480
TOPMARGIN = 5 * MARGIN
BOTTOMMARGIN = MARGIN
#defining symbolic constants
LEFT = -1
CENTER = 0
RIGHT = 1
#defining game parameters
LENGTH = 50
BEGINTIME = (WINDOWHEIGHT - TOPMARGIN - BOTTOMMARGIN) * 3
BONUS = 10
#defining game play parameters
FPS = 100
SPEED = WINDOWHEIGHT // (2 * FPS)
#defining in-game messages
LAW = ('TOUGH LUCK', '', 'NOT BAD', 'BETTER', 'BRILLIANT', 'TAKE A BOW')
INLAW = ('THE RULES ARE SIMPLE, THE GAME IS NOT', 'FOR THOSE WHO PLEASURE SOUGHT :', 'USE THE KEYS, LEFT AND RIGHT,', 'TO ALLEVIATE YOUR POOR PLIGHT.', 'YOU MUST \'MEMBER TO WATCH YOUR HEALTH', 'AS YOU SET ABOUT TO MIND YOUR WEALTH.', 'ENTER SPACES, NOW AND THEN,', 'TO DOUBLE YOUR BALLS, THEN AGAIN :', 'TOO MUCH, TOO LITTLE. BE A MAN', 'AND SCORE, IF YOU CAN.')
OUTLAW = ('BUT ONLY THOSE FEW, TRULY BRAVE,', 'AND FEWER STILL, WHO GREATNESS CRAVE,', 'WOULD RETURN TO THE GAME', 'AND NOT ESCAPE, ALL THE SAME.')
LAWYER = ('SCORE : http://www.bensound.com/royalty-free-music/track/jazzy-frenchy', 'SOUNDS : http://www.pacdv.com/sounds/mechanical_sound_effects/ cling_1.wav, cling_2.wav', 'BACKGROUND : http://www.hdwalls.info/wallpapers/2013/05/black-background-fabric-ii--480x640.jpg', '', 'CODE : AMITRAJIT SARKAR : aaiijmrtt@gmail.com')
def main():
global SCREEN, SURFACE, BACKGROUND, LARGEFONT, FONT, SMALLFONT, TIMER, BALL, PADDLE, SOUNDBALLS, SOUNDPADDLE, BEST
#initiazling pygame module
pygame.init()
TIMER = pygame.time.Clock()
SCREEN = pygame.display.set_mode((WINDOWWIDTH,WINDOWHEIGHT))
SURFACE = pygame.Surface.convert_alpha(SCREEN)
BACKGROUND = pygame.image.load('background.jpg').convert()
LARGEFONT = pygame.font.Font('freesansbold.ttf', MARGIN * 8 // 5)
FONT = pygame.font.Font('freesansbold.ttf', MARGIN)
SMALLFONT = pygame.font.Font('freesansbold.ttf', MARGIN * 4 // 5)
SOUNDBALLS = pygame.mixer.Sound('ball.wav')
SOUNDPADDLE = pygame.mixer.Sound('paddle.wav')
BEST = 0
pygame.display.set_caption('BALLS')
pygame.mixer.music.load('score.mp3')
pygame.mixer.music.play(-1, 0)
#initializing pregame parameters and displaying pregame messages
pregame()
begin()
#main game loop
while True:
#initializing game parameters
initialize()
while len(BALLS) > 0 and TIME > 0 and PADDLE [3] > 0:
#checking game events
check()
#updating game state
update()
#rendering updated state
paint()
TIMER.tick(FPS)
#updating highscore
if SCORE > BEST:
BEST = SCORE
#checking for game overs
if end():
exit()
#function to initialize game parameters
def initialize():
global BALLS, PADDLE, TIME, SCORE, COUNT, PAUSE
BALLS = [[MARGIN, TOPMARGIN, SPEED, SPEED]]
PADDLE = [WINDOWWIDTH // 2, WINDOWHEIGHT - 2 * BOTTOMMARGIN, 0, LENGTH]
TIME = BEGINTIME
SCORE = 0
COUNT = 1
PAUSE = False
#function to display messages on screen
def messages(text, font, color, leftness, upness, position):
textsurf = font.render(text, True, color)
textrect = textsurf.get_rect()
if position == CENTER:
textrect.midtop = (leftness, upness)
elif position == LEFT:
textrect.topleft = (leftness, upness)
elif position == RIGHT:
textrect.topright = (leftness, upness)
SURFACE.blit(textsurf, textrect)
return textrect.left
#function to pause
def wait(proceed):
while True:
for event in pygame.event.get():
if event.type == QUIT or (event.type == KEYUP and event.key == K_ESCAPE):
exit()
elif event.type == KEYUP or event.type == MOUSEBUTTONUP:
return proceed
#function to display startup screen
def pregame():
SURFACE.blit(BACKGROUND, BACKGROUND.get_rect())
messages('BALLS', LARGEFONT, BLUE, WINDOWWIDTH // 2, WINDOWHEIGHT // 2 - 5 * MARGIN, CENTER)
messages('PRESS SOMETHING', SMALLFONT, GREEN, WINDOWWIDTH // 2, WINDOWHEIGHT // 2 + 5 * MARGIN, CENTER)
messages('CLICK ANYTHING', SMALLFONT, GREEN, WINDOWWIDTH // 2, WINDOWHEIGHT // 2 + 7 * MARGIN, CENTER)
SCREEN.blit(SURFACE, SURFACE.get_rect())
pygame.display.update()
wait(True)
#function to display pregame messages
def begin():
SURFACE.blit(BACKGROUND, BACKGROUND.get_rect())
for i in range(10):
messages(INLAW[i], FONT, BLUE, WINDOWWIDTH // 2, WINDOWHEIGHT // 2 + ( 2 * i - 9 ) * MARGIN, CENTER)
SCREEN.blit(SURFACE, SURFACE.get_rect())
pygame.display.update()
wait(True)
#function to update game state
def update():
global BALLS, PADDLE, TIME, SCORE, COUNT
COUNT = len(BALLS)
TIME -= COUNT
PADDLE[3] = 2 * (LENGTH - TIME // 50)
for ball in BALLS:
lost = False
if ball[0] < MARGIN and ball[2] < 0:
ball[2] = SPEED * COUNT
elif ball[0] > WINDOWWIDTH - MARGIN and ball[2] > 0:
ball[2] = - SPEED * COUNT
if ball[1] < TOPMARGIN and ball[3] < 0:
ball[3] = SPEED * COUNT
elif ball[1] > PADDLE[1] and ball[3] > 0:
if ball[0] < PADDLE[0] + PADDLE[3] // 2 and ball[0] + PADDLE[3] // 2 > PADDLE[0]:
ball[3] = -SPEED * COUNT
TIME *= 2
SCORE += BONUS * COUNT
SOUNDPADDLE.play()
else:
lost = True
ball[0] += ball[2]
ball[1] += ball[3]
if lost:
BALLS.remove(ball)
if PADDLE[0] < MARGIN + PADDLE[3] // 2:
PADDLE[0] = MARGIN + PADDLE[3] // 2
if PADDLE[2] < 0:
PADDLE[2] = 0
elif PADDLE[0] > WINDOWWIDTH - MARGIN - PADDLE[3] // 2:
PADDLE[0] = WINDOWWIDTH - MARGIN - PADDLE[3] // 2
if PADDLE[2] > 0:
PADDLE[2] = 0
PADDLE[0] += PADDLE[2]
#function to check for game events
def check():
global BALLS, PADDLE, SCORE
events = pygame.event.get()
for event in events:
if event.type == QUIT or (event.type == KEYUP and event.key == K_ESCAPE):
exit()
elif event.type == KEYUP and event.key == K_RETURN:
wait(True)
elif (event.type == KEYDOWN and event.key == K_LEFT) or pygame.key.get_pressed()[K_LEFT]:
if PADDLE[2] < 0 :
PADDLE[2] -= 3 * SPEED
else:
PADDLE[2] = -3 * SPEED
elif (event.type == KEYDOWN and event.key == K_RIGHT) or pygame.key.get_pressed()[K_RIGHT]:
if PADDLE[2] > 0:
PADDLE[2] += 3 * SPEED
else:
PADDLE[2] = 3 * SPEED
elif event.type == KEYUP and (event.key == K_LEFT or event.key == K_RIGHT):
PADDLE[2] = 0
elif (event.type == KEYUP and event.key == K_SPACE) or event.type == MOUSEBUTTONUP:
newballs = []
for ball in BALLS:
newballs.append([ball[0], ball[1], -ball[2], -ball[3]])
BALLS.extend(newballs)
SCORE += BONUS * COUNT
SOUNDBALLS.play()
elif event.type == MOUSEMOTION:
mousex, mousey = pygame.mouse.get_pos()
PADDLE[0] = mousex
#function to render game screen
def paint():
SURFACE.blit(BACKGROUND, BACKGROUND.get_rect())
messages('BEST: ' + str(BEST), FONT, BLUE, MARGIN, TOPMARGIN - 4 * MARGIN, LEFT)
messages('SCORE: ' + str(SCORE), FONT, BLUE, MARGIN, TOPMARGIN - 2 * MARGIN, LEFT)
leftwealth = messages('WEALTH', FONT, RED, WINDOWWIDTH - MARGIN, TOPMARGIN - 4 * MARGIN, RIGHT)
lefthealth = messages('HEALTH', FONT, GREEN, WINDOWWIDTH - MARGIN, TOPMARGIN - 2 * MARGIN, RIGHT)
pygame.draw.rect(SURFACE, RED, pygame.Rect(leftwealth - MARGIN - WINDOWWIDTH * TIME // 6000, TOPMARGIN - 4 * MARGIN, max(WINDOWWIDTH * TIME // 6000, 0), MARGIN // 2), 0)
pygame.draw.rect(SURFACE, GREEN, pygame.Rect(lefthealth - MARGIN - WINDOWWIDTH * PADDLE [3] // 200, TOPMARGIN - 2 * MARGIN, max(WINDOWWIDTH * PADDLE [3] // 200, 0) , MARGIN // 2), 0)
if (SCORE // 100) % 2 == 1 and len(BALLS) > 0:
pygame.draw.rect(SURFACE, WHITE[255 * BALLS [0][1] // WINDOWHEIGHT], pygame.Rect(PADDLE[0] - PADDLE[3] // 2, PADDLE[1], PADDLE[3], BOTTOMMARGIN // 2 ), 0)
else:
pygame.draw.rect(SURFACE, WHITE[255], pygame.Rect(PADDLE[0] - PADDLE[3] // 2, PADDLE[1], PADDLE[3], BOTTOMMARGIN // 2), 0)
for ball in BALLS:
if (SCORE // 100) % 2 == 1 and len(BALLS) > 0:
pygame.draw.circle(SURFACE, WHITE[255 * BALLS[0][1] // WINDOWHEIGHT], (ball[0], ball[1]), MARGIN // 3, 0)
else:
pygame.draw.circle(SURFACE, WHITE[255], (ball[0], ball[1]), MARGIN // 3, 0)
SCREEN.blit(SURFACE, SURFACE.get_rect())
pygame.display.update()
#function to display endgame messages
def end():
pygame.time.wait(1000)
SURFACE.blit(BACKGROUND, BACKGROUND.get_rect())
for i in range(5):
if 10 ** i > SCORE:
messages((str) (SCORE) + ' : ' + LAW[i], FONT, BLUE, WINDOWWIDTH // 2, WINDOWHEIGHT // 2 - 7 * MARGIN, CENTER)
break
else:
messages((str) (SCORE) + ' : ' + LAW[5], FONT, BLUE, WINDOWWIDTH // 2, WINDOWHEIGHT // 2 - 7 * MARGIN, CENTER)
for i in range(4):
messages(OUTLAW[i], FONT, GREEN, WINDOWWIDTH // 2, WINDOWHEIGHT // 2 + (2 * i - 3) * MARGIN, CENTER)
SCREEN.blit(SURFACE, SURFACE.get_rect())
pygame.display.update()
wait(False)
#function to display postgame messages
def exit():
pygame.mixer.music.fadeout(2000)
for j in range(2 * FPS):
SURFACE.blit(BACKGROUND, BACKGROUND.get_rect())
for i in range(5):
messages(LAWYER[i], SMALLFONT, WHITE[255 - abs(255 - j * 255 // FPS)], WINDOWWIDTH // 2, WINDOWHEIGHT // 2 + (2 * i - 4) * MARGIN, CENTER)
SCREEN.blit(SURFACE, SURFACE.get_rect())
pygame.display.update()
pygame.quit()
sys.exit()
if __name__ == '__main__':
main ( )
|
import numpy as np
from numpy import loadtxt
from scipy import interpolate
#
#global polar
#polar = np.load('polar.npy')
#
#def lift_coefficient(alpha):
# if alpha < polar[-1,0]:
# aoa = polar[:,0]
# cl_polar = polar[:,1]
# f = interpolate.interp1d(aoa[:], cl_polar[:], kind='linear')
# cl = f(alpha)
# else:
# cl = polar[-1,1]
# return cl
|
import math # need for infinity and Nan
def gotoh(fasta_file_1, fasta_file_2, scores, is_dna=False, file_substitution_matrix=None):
"""Put your code here"""
algo = Gotoh(file_substitution_matrix, scores, is_dna)
alignment_score, alignments = algo.run(fasta_file_1, fasta_file_2)
return alignment_score, alignments
class Gotoh:
def __init__(self, file_substitution_matrix, scores, use_dna):
self.d_matrix = [[]]
self.p_matrix = [[]]
self.q_matrix = [[]]
self.score_matrix = []
self.lookup = {}
self.alpha = scores['alpha']
self.beta = scores['beta']
self.use_dna = use_dna
if not self.use_dna:
self.set_up_substitution_matrix(file_substitution_matrix)
# counters for traceback over 3 matrices
self.i = 0
self.j = 0
self.computedAlignment = []
self.paths = [()]
self.all_traces = [[]] # Track the actions diag, left up form pQD to be returned
def run(self, fasta_file_1, fasta_file_2):
"""Put your code here"""
# seq1 = self.read_fasta_file(fasta_file_1)
# seq2 = self.read_fasta_file(fasta_file_2)
seq1 = 'CG'
seq2 = 'CCGA'
self.p_matrix = self.init_matrix_p(seq1, seq2)
self.q_matrix = self.init_matrix_q(seq1, seq2)
self.d_matrix = self.init_matrix_d(seq1, seq2, self.alpha, self.beta)
self.complete_d_p_q_computation(seq1, seq2, self.alpha, self.beta)
# correct matrices computed
# error in traceback for splitting
trace_list = self.compute_all_tracebacks(seq1, seq2, self.d_matrix,
self.p_matrix, self.q_matrix, self.alpha, self.beta)
all_align = []
for path in trace_list:
newal = self.alignment(path, seq1, seq2)
all_align.append(newal)
return all_align # alignment_score, alignments
def read_fasta_file(self, fasta_file):
"""Implement reading the fasta file
Args:
fasta_file: file loctaion of sequence
Returns:
sequence
"""
for line in open(fasta_file):
li = line.strip()
if not li.startswith(">"):
return line.rstrip() # sequence
def set_up_substitution_matrix(self, file_substitution_matrix):
"""
Args:
file_substitution_matrix: location of lookup
Returns:
score matrix and lookup
"""
scores = []
for line in open(file_substitution_matrix):
li = line.strip()
if not li.startswith("#"):
scores.append(line.rstrip().split())
del scores[0] # remove the first row of letters
for row in scores: # remove letter from each column
del row[0]
lookup = {"A": 0, "R": 1, "N": 2, "D": 3, "C": 4, "Q": 5, "E": 6, "G": 7, "H": 8,
"I": 9, "L": 10, "K": 11, "M": 12, "F": 13, "P": 14, "S": 15, "T": 16,
"W": 17, "Y": 18, "V": 19}
return scores, lookup
# get score
def read_substitution_matrix(self, char1, char2):
"""
Implement reading the scores file.
It can be stored as a dictionary of example:
scores[("A", "R")] = -1
Args:
char1: character from seq1
char2: character from seq1
Returns:
score based on the lookup
"""
if char1 in self.lookup and char2 in self.lookup:
return self.score_matrix[self.lookup[char1]][self.lookup[char2]]
else:
return -8
def dna_match_mismatch(self, char1, char2):
"""
Args:
char1: character from seq1
char2: character from seq1
Returns:
score based on the match/mismatch
"""
if char1 == char2:
return SCORES_DNA['match']
elif char1 != char2:
return SCORES_DNA['mismatch']
def get_score(self, d, char1, char2):
if self.use_dna:
return d + self.dna_match_mismatch(char1, char2)
else:
return d + self.read_substitution_matrix(char1, char2)
def affine_gap(self, i):
return self.alpha + i * self.beta # SCORES_DNA["alpha"] + SCORES_DNA["beta"]*i # g(k) = -3 - k
def init_matrix_d(self, seq_1, seq_2, cost_gap_open, cost_gap_extend):
"""
Implement initialization of the matrix D
Args:
seq_1: first sequence
seq_2: second sequence
cost_gap_open:
cost_gap_extend:
"""
n = len(seq_1) + 1
m = len(seq_2) + 1
matrix_d = [[0 for i in range(m)] for j in range(n)]
# add values open + i * extend
for i in range(1, n):
matrix_d[i][0] = self.affine_gap(i)
for j in range(1, m):
matrix_d[0][j] = self.affine_gap(j)
return matrix_d
def init_matrix_p(self, seq_1, seq_2):
"""
Implement initialization of the matrix P
Args:
seq_1: first sequence
seq_2: second sequence
Returns:
initialised P matrix
"""
n = len(seq_1) + 1
m = len(seq_2) + 1
matrix_p = [[0 for i in range(m)] for j in range(n)]
for i in range(1, n):
matrix_p[i][0] = math.nan
for j in range(1, m):
matrix_p[0][j] = -math.inf
matrix_p[0][0] = 'X'
return matrix_p
def init_matrix_q(self, seq_1, seq_2):
"""
Implement initialization of the matrix Q
Args:
seq_1: first sequence
seq_2: second sequence
Returns:
initialised P matrix
"""
n = len(seq_1) + 1
m = len(seq_2) + 1
matrix_q = [[0 for i in range(m)] for j in range(n)]
for i in range(1, n):
matrix_q[i][0] = -math.inf
for j in range(1, m):
matrix_q[0][j] = math.nan
matrix_q[0][0] = 'X'
return matrix_q
def calculate_p(self, value_d, value_p):
return max(value_d + self.affine_gap(1), value_p + self.beta)
def calculate_q(self, value_d, value_q):
return max(value_d + self.affine_gap(1), value_q + self.beta)
def calculate_d(self, value_d, value_p, value_q, char1, char2):
new_d = self.get_score(value_d, char1, char2)
return max(value_p, max(value_q, new_d))
def complete_d_p_q_computation(self, seq_1, seq_2, cost_gap_open, cost_gap_extend, substitutions=None):
"""
Implement the recursive computation of matrices D, P and Q
"""
n = len(seq_1) + 1
m = len(seq_2) + 1
for i in range(1, n):
for j in range(1, m):
self.p_matrix[i][j] = self.calculate_p(self.d_matrix[i - 1][j], self.p_matrix[i - 1][j])
self.q_matrix[i][j] = self.calculate_q(self.d_matrix[i][j - 1], self.q_matrix[i][j - 1])
self.d_matrix[i][j] = self.calculate_d(self.d_matrix[i - 1][j - 1], self.p_matrix[i][j],
self.q_matrix[i][j], seq_1[i - 1], seq_2[j - 1])
self.visualize_matrix(self.p_matrix)
self.visualize_matrix(self.q_matrix)
self.visualize_matrix(self.d_matrix)
"""
You are working with 3 matrices simultaneously.
You can store your path as a list of cells.
A cell can be a tuple: coordinates, matrix_name.
And coordinates is a tuple of indexex i, j.
Cell example: ((0, 2), "d")
Path example: [((2, 4), 'd'), ((2, 4), 'q'), ((2, 3), 'q'), ((2, 2), 'd'), ((1, 1), 'd'), ((0, 0), 'd')]
"""
def compute_all_tracebacks(self, seq1, seq2, d_matrix, p_matrix, q_matrix,
cost_gap_open, cost_gap_extend, substitution=None):
"""
Implement a search for all possible paths from the bottom right corner to the top left.
Implement 'find_all_previous' and check_complete first.
"""
# TODO:
# using structure [((row,column),"matrix")] for traceback
self.i = len(d_matrix) - 1
self.j = len(d_matrix[0]) - 1
self.trace_ctr = 0 # for copys path
self.paths[self.trace_ctr] = [self.i, self.j, 'D'] # track what matrix and row/col for matrix traversal
self.all_traces = [[]] # Track the actions diag, left up form pQD to be returned
traced = False
while not traced:
while self.i > 0 or self.j > 0:
if self.paths[self.trace_ctr][2] == 'D':
# check on main matrix
self.trace_d(seq1[self.i - 1], seq2[self.j - 1])
elif self.paths[self.trace_ctr][2] == 'P':
self.trace_p()
elif self.paths[self.trace_ctr][2] == 'Q':
self.trace_q()
self.i, self.j = self.paths[self.trace_ctr][0], self.paths[self.trace_ctr][1]
traced = True
# trace from p/q matrix, handle splits
for i in range(0, len(self.paths)):
if self.paths[i][0] > 0 or self.paths[i][1] > 0:
self.trace_ctr = i
traced = False
break
self.i, self.j = self.paths[self.trace_ctr][0], self.paths[self.trace_ctr][1]
return self.all_traces # all_paths
def trace_d(self, char1, char2):
# var to track i, j local
local_i = self.i
local_j = self.j
split = False
if self.j > 0 and self.i > 0:
if self.d_matrix[self.i][self.j] == \
self.d_matrix[self.i - 1][self.j - 1] + self.dna_match_mismatch(char1, char2):
self.all_traces[self.trace_ctr].append('diag_D')
local_i -= 1
local_j -= 1
split = True
if self.d_matrix[self.i][self.j] == self.p_matrix[self.i][self.j]: # another way
if split:
self.all_traces.append(self.all_traces[self.trace_ctr][0:-1])
self.all_traces[len(self.all_traces) - 1].append('go_to_P')
self.paths.append([self.i, self.j, 'P'])
else:
self.all_traces[self.trace_ctr].append('go_to_P')
self.paths[self.trace_ctr][2] = 'P'
if self.d_matrix[self.i][self.j] == self.q_matrix[self.i][self.j]: # possible other way
if split:
self.all_traces.append(self.all_traces[self.trace_ctr][0:-1])
self.all_traces[len(self.all_traces) - 1].append('go_to_Q')
self.paths.append([self.i, self.j, 'Q'])
else:
self.all_traces[self.trace_ctr].append('go_to_Q')
self.paths[self.trace_ctr][2] = 'Q'
split = True
if self.i == 0:
self.all_traces[self.trace_ctr].append('left_D')
local_j -= 1
if self.j == 0:
self.all_traces[self.trace_ctr].append('up_D')
local_i -= 1
# reset
if self.i <= 0 or local_i <= 0:
local_i = 0
if self.j <= 0 or local_j <= 0:
local_j = 0
# 'tuple' object does not support item assignment. use a list
self.paths[self.trace_ctr][0] = local_i
self.paths[self.trace_ctr][1] = local_j
def trace_p(self):
# var to track i, j local
split = False
if self.i > 0:
if self.p_matrix[self.i][self.j] == self.d_matrix[self.i - 1][self.j] + self.affine_gap(1):
self.all_traces[self.trace_ctr].append('up_D')
i, j = self.paths[self.trace_ctr][0], self.paths[self.trace_ctr][1]
self.paths[self.trace_ctr] = [i - 1, j, 'D'] # <--split happened
split = True
if self.p_matrix[self.i][self.j] == self.p_matrix[self.i - 1][self.j] + SCORES_DNA['beta']:
if split:
self.all_traces.append(self.all_traces[self.trace_ctr][0:-1])
self.all_traces[len(self.all_traces) - 1].append('up_P')
self.paths.append([self.i - 1, self.j, 'P'])
else:
self.all_traces[self.trace_ctr].append('up_P')
i, j = self.paths[self.trace_ctr][0], self.paths[self.trace_ctr][1]
self.paths[self.trace_ctr] = [i - 1, j, 'P']
def trace_q(self):
split = False
if self.j > 0:
if self.q_matrix[self.i][self.j] == self.d_matrix[self.i][self.j - 1] + self.affine_gap(1):
self.all_traces[self.trace_ctr].append('left_D')
i, j = self.paths[self.trace_ctr][0], self.paths[self.trace_ctr][1]
self.paths[self.trace_ctr] = [i, j - 1, 'D'] # <--split happened
split = True
if self.q_matrix[self.i][self.j] == self.q_matrix[self.i][self.j - 1] + SCORES_DNA['beta']:
if split:
self.all_traces.append(self.all_traces[self.trace_ctr][0:-1])
self.all_traces[len(self.all_traces) - 1].append('left_Q')
self.paths.append([self.i, self.j - 1, 'Q'])
else:
self.all_traces[self.trace_ctr].append('left_Q')
self.paths[self.trace_ctr] = [self.i, self.j - 1, 'Q']
def alignment(self, traceback, seq1, seq2):
"""
Implement creation of the alignment with given traceback path and sequences1 and 2
"""
i = len(seq1) - 1
j = len(seq2) - 1
seq1_align = ""
seq2_align = ""
for step in traceback:
if step == "diag_D":
seq1_align += seq1[i]
seq2_align += seq2[j]
i -= 1
j -= 1
elif step == "up_D" or step == 'up_P':
seq1_align += seq1[i]
seq2_align += '-'
i -= 1
elif step == "left_D" or step == 'left_Q':
seq1_align += '-'
seq2_align += seq2[j]
j -= 1
while j >= 0:
seq1_align += '-'
seq2_align += seq2[j]
j -= 1
while i >= 0:
seq2_align += '-'
seq1_align += seq1[i]
i -= 1
return seq1_align[::-1], seq2_align[::-1]
# HELPER FUNCTIONS FOR SELF CHECK
def visualize_matrix(self, matrix):
"""
Implement the visualization of a matrix.
Can be used for self check
"""
for line in matrix:
print(line)
def score_of_alignment(self, align_seq1, align_seq2, cost_gap_open,
cost_gap_extension, substitutions=None):
"""
A nice helper function which computes the score of the given alignment.
This is only used for the self check.
Input example:
--CG
AACA
"""
# TODO:
return 0 # score
SCORES_DNA = {'match': 1,
'mismatch': -1,
'alpha': -3,
'beta': -1}
SCORES_PRO = {'alpha': -11,
'beta': -1}
if __name__ == '__main__':
fasta1 = "data/s1.fasta"
fasta2 = "data/s2.fasta"
pam_file = "data/pam250.txt"
blosum_file = "data/blosum62.txt"
gap_open = SCORES_DNA
# DNA
gotoh(fasta1, fasta2, SCORES_DNA, True)
# protien pam
# gotoh(fasta1, fasta2, SCORES_PRO, False, pam_file)
# protien blosum
# gotoh(fasta1, fasta2, SCORES_PRO, False, blosum_file)
# Tool to test o/p http://rna.informatik.uni-freiburg.de/Teaching/index.jsp?toolName=Gotoh
|
import falcon
import json
from pyfirmata import Arduino, util
l_motor_speed = 0
r_motor_speed = 0
l_motor
l_dir1 = 2
l_dir2 = 3
r_motor
r_dir1 = 4
r_dir2 = 5
board
left_dir1_pin
left_dir2_pin
left_pwm
right_dir1_pin
right_dir2_pin
right_pwm
def get_status():
return 'POST -> Left Motor: ' + str(l_motor_speed) + ', Right Motor: ' + str(r_motor_speed)
def set_l_motor(speed):
global l_motor_speed
print 'Setting Left Motor to: ' + str(speed)
l_motor_speed = speed
def set_r_motor(speed):
global r_motor_speed
print 'Setting Right Motor to: ' + str(speed)
r_motor_speed = speed
def setup(device_path):
global board
global left_dir1_pin
global left_dir2_pin
global left_pwm
global right_dir1_pin
global right_dir2_pin
global right_pwm
global l_motor
global l_dir1
global l_dir2
global r_motor
global r_dir1
global r_dir2
board = Arduino(device_path)
left_dir1_pin = board.get_pin('a:' + l_dir1 + ':i')
left_dir2_pin = board.get_pin('a:' + l_dir2 + ':i')
left_pwm = board.get_pin('d:' + l_motor + ':p')
right_dir1_pin = board.get_pin('a:' + r_dir1 + ':i')
right_dir2_pin = board.get_pin('a:' + r_dir2 + ':i')
right_pwm = board.get_pin('d:' + r_motor + ':p')
class CardBoardBotResource(object):
def on_get(self, req, resp):
resp.status = falcon.HTTP_200
resp.body = 'Left Motor: %s, Right Motor: %s' % (l_motor,r_motor)
def on_post(self, req, resp):
try:
raw_json = req.stream.read()
except Exception as ex:
raise falcon.HTTPError(falcon.HTTP_400,
'Error',
ex.message)
try:
result_json = json.loads(raw_json, encoding='utf-8')
except ValueError:
raise falcon.HTTPError(falcon.HTTP_400,
'Malformed JSON',
'Could not decode. JSON was incorrect')
resp.status = falcon.HTTP_202
set_l_motor(int(result_json['l_motor']))
set_r_motor(int(result_json['r_motor']))
resp.body = json.dumps(get_status(), encoding='utf-8')
api = falcon.API()
bot_resource = CardBoardBotResource()
api.add_route('/bot', bot_resource)
|
'''OpenGL extension NV.compute_program5
This module customises the behaviour of the
OpenGL.raw.GL.NV.compute_program5 to provide a more
Python-friendly API
Overview (from the spec)
This extension builds on the ARB_compute_shader extension to provide new
assembly compute program capability for OpenGL. ARB_compute_shader adds
the basic functionality, including the ability to dispatch compute work.
This extension provides the ability to write a compute program in
assembly, using the same basic syntax and capability set found in the
NV_gpu_program4 and NV_gpu_program5 extensions.
The official definition of this extension is available here:
http://www.opengl.org/registry/specs/NV/compute_program5.txt
'''
from OpenGL import platform, constant, arrays
from OpenGL import extensions, wrapper
import ctypes
from OpenGL.raw.GL import _types, _glgets
from OpenGL.raw.GL.NV.compute_program5 import *
from OpenGL.raw.GL.NV.compute_program5 import _EXTENSION_NAME
def glInitComputeProgram5NV():
'''Return boolean indicating whether this extension is available'''
from OpenGL import extensions
return extensions.hasGLExtension( _EXTENSION_NAME )
### END AUTOGENERATED SECTION |
import numpy as np
import numpy.random as npr
import sys
import cv2
import os
import numpy as np
import pickle as pickle
import pandas as pd
from sklearn.model_selection import train_test_split
# 验证集比例
val_ratio = 0.12
# 读取训练图片列表
all_data = pd.read_csv('data/label.csv')
# 分离训练集和测试集,stratify参数用于分层抽样
train_data_list, val_data_list = train_test_split(all_data, test_size=val_ratio, random_state=666, stratify=all_data['label'])
# 读取测试图片列表
test_data_list = pd.read_csv('data/test.csv')
train_path = list(train_data_list['img_path'])
train_label = list(train_data_list['label'])
val_path = list(val_data_list['img_path'])
val_label = list(val_data_list['label'])
print(train_label)
with open('train.txt', 'w') as f:
for i in range(len(train_path)):
f.write(train_path[i]+" "+str(train_label[i]))
f.write('\n')
with open('val.txt', 'w') as f:
for i in range(len(val_path)):
f.write(val_path[i]+" "+str(val_label[i]))
f.write('\n')
|
if __name__ == "__main__":
import sys
sys.path.append(".")
from webmining.bingapi_fetcher import BingAPIFetcher
import re
from Levenshtein import jaro_winkler
import unicodedata
import string
from urllib.parse import urlparse
VIADEO_URL = re.compile("https?://fr.viadeo\.com/fr/company/(?P<company>[^/]*)/?.*")
COMPANY_DESIGNATIONS = [" SA ", " SAS ", " SARL "]
def strip_punctuation(s):
translate_table = dict((ord(char), None) for char in string.punctuation)
return s.translate(translate_table)
def strip_accents(s):
return ''.join(c for c in unicodedata.normalize('NFD', s)
if unicodedata.category(c) != 'Mn')
def normalize(s):
s = s.upper()
for designation in COMPANY_DESIGNATIONS:
s = " " + s + " "
s = s.replace(designation, "").strip()
return strip_accents(strip_punctuation(s))
class ViadeoAccount:
def __init__(self, company, url):
self.company = company
self.url = url
def __str__(self):
return self.url
class ViadeoAccountDetector:
def __init__(self, api_key):
self.bing = BingAPIFetcher(api_key)
def _fetch(self, query, company):
results = self.bing.fetch(query)
return self.parse_results(results, company)
def detect(self, company_name, company_website=None):
request = 'site:viadeo.com/fr/company "%s"' % company_name
result = self._fetch(request, company_name)
if result is None and company_website is not None:
company_domain = urlparse(company_website).netloc
if company_domain != "":
request = 'site:viadeo.com/fr/company "%s"' % company_domain
result = self._fetch(request, company_name)
if result is None:
#sys.stderr.write("no results\n")
return None
if not VIADEO_URL.match(result.url):
#sys.stderr.write("Not a viadeo url: " + result.url + "\n")
return None
company_identifier = VIADEO_URL.search(result.url).groupdict()["company"]
#If the identifier is the universal name and not the id, we test for similarity
try:
int(company_identifier)
except ValueError:
score = jaro_winkler(normalize(company_name), normalize(company_identifier))
if score < 0.7:
#sys.stderr.write("%s too distant from %s (%.2f)\n" % (normalize(company_name),
# normalize(company_identifier),
# score))
return None
return result
def parse_results(self, results, company):
if len(results) == 0:
return None
else:
return ViadeoAccount(company, results[0].url)
if __name__ == "__main__":
import csv
api_key = "ERie4sUx5F4tnOOphz4IVfOj3tnR8Ba1xBxCZPkZqqo="
li = ViadeoAccountDetector(api_key)
with open(sys.argv[1], "r") as f:
reader = csv.reader(f, delimiter="\t")
for line in reader:
#sys.stderr.write("begin detection for " + normalize(line[0]) + "\n")
print(li.detect(*line))
|
import pandas as pd
from src.data.data_query import StorageEngine
from src.data.plays_model import game_json_to_plays_list
def tidy_plays_df(years, augment=False):
def _tidy_plays_one_year(start_year, storage_engine, augment=False):
gamePk_list = storage_engine.get_all_season_gamePk(start_year)
game_plays_df_list = []
for gamePk in gamePk_list:
game_json = storage_engine.get_game(start_year, gamePk)
game_plays_list = game_json_to_plays_list(game_json, augment=augment)
game_plays_df = pd.DataFrame.from_records(game_plays_list)
game_plays_df_list.append(game_plays_df)
return pd.concat(game_plays_df_list)
storage_engine = StorageEngine("./data/raw")
season_plays_df_list = []
for start_year in years:
season_plays_df = _tidy_plays_one_year(start_year, storage_engine, augment)
season_plays_df_list.append(season_plays_df)
return pd.concat(season_plays_df_list)
def split_dataset(season_plays_df):
train_seasons = [20152016, 20162017, 20172018, 20182019]
test_seasons = [20192020]
train_selection = (season_plays_df.game_type=="R") & (season_plays_df.game_season.isin(train_seasons))
train_df = season_plays_df.loc[train_selection].copy()
test_selection = (season_plays_df.game_season.isin(test_seasons))
test_df = season_plays_df.loc[test_selection].copy()
return train_df, test_df |
import sink_settings as sinkSettings
import websocket
import kazoo
import time
import json
import math
import queue
import uuid
import os
import glob
import gzip
import ssl
import pathlib
from b2sdk.v1 import *
try:
import thread
except ImportError:
import _thread as thread
def construct_subscription(binding, auth_token, account_id):
return json.dumps({'action': 'subscribe', 'auth_token': auth_token,
'data': {'account_id': account_id, 'binding': binding}})
def on_message(ws, message):
try:
json_dec = json.loads(message)
if 'data' in json_dec:
if 'subscribed' not in json_dec['data']:
print(json.dumps(json_dec))
file_queue.put(json.dumps(json_dec))
else:
print(message)
file_queue.put(message)
except:
print(message)
file_queue.put(message)
def on_error(ws, error):
print(error)
def on_close(ws):
print("### socket closed ###")
def on_open(ws):
def run(*args):
for account in account_subs:
for sub in event_subs:
ws.send(construct_subscription(sub, account['auth_token'], account['account_id']))
time.sleep(1/rate_limit_per_second)
thread.start_new_thread(run, ())
def closer(minutes):
time.sleep(minutes*60)
global closing_time
closing_time = True
ws.close()
def old_file_cleanup():
# Cleans up old socketsink files if they weren't uploaded atexit for some reason
global run_time
# select all files ending with .socketsink and sort them by modified datetime
files = glob.glob("*.socketsink.gz")
files.sort(key=os.path.getmtime)
for file in files:
# break loop if current file is not at least 2x as old at the run_time (prevents write locks)
# *180 used instead of *3 because runtime is in minutes not seconds
if time.time() - (run_time * 180) < os.path.getmtime(file):
break
b2_file_upload(file)
def b2_file_upload(file):
info = InMemoryAccountInfo()
b2_api = B2Api(info)
application_key_id = sinkSettings.bz_application_key_id
application_key = sinkSettings.bz_application_key
b2_api.authorize_account("production", application_key_id, application_key)
bucket = b2_api.get_bucket_by_name(sinkSettings.bz_bucket_name)
try:
bucket.upload_local_file(local_file=file, file_name=(sinkSettings.bz_unprocessed_folder_name + file))
os.remove(file)
except:
pass
def cleanup():
ws.close()
# saves all items in queue to a file with the name like StartTimeAsUNIXTimeStamp_UUID.socketsink
# UUID is used in case sinks are being run on multiple machines
file_name = str(start_time) + "_" + str(uuid.uuid1()) + ".socketsink.gz"
file_contents = ''
while not file_queue.empty():
file_contents += (file_queue.get() + '\n')
with gzip.open(file_name, 'wb') as log:
log.write(file_contents.encode('utf-8'))
# Upload it to Backblaze B2
b2_file_upload(file_name)
if __name__ == "__main__":
start_time = time.time()
# Transactions per second rate limit (int)(transactions/second)
rate_limit_per_second = 10
# Run Time (int)(minutes)
# This script is engineered to only run for a set time. For an hour for example
# Then, presumably a new instance will be started by cron
run_time = 30
# Accounts to subscribe to
# If sub_descendants exists and is true, all sub-accounts will also be subscribed to
account_subs = sinkSettings.accounts_to_sub
# Events to subscribe to for each account
event_subs = sinkSettings.events_to_sub
# Variable to track when the script is intentionally closing itself down
closing_time = False
# Queue used to collect events to later dump to a file
file_queue = queue.Queue()
descendant_accounts_to_append = []
# Populate auth_tokens for all accounts
for account in account_subs:
kaz_client = kazoo.Client(base_url=sinkSettings.api_base_url, api_key=account['api_key'])
kaz_client.authenticate()
account['auth_token'] = kaz_client.auth_token
# Populate decendant accounts with same auth token as the master account
if account.get('sub_descendants', False):
decendents = kaz_client.get_account_descendants(account['account_id']).get('data', {})
for descendant in decendents:
descendant_accounts_to_append.append({'account_id': descendant['id'],
'auth_token': kaz_client.auth_token})
# Add the descendent accounts to the main list of subscriptions
account_subs = account_subs + descendant_accounts_to_append
# Delete the descendant_accounts_to_append since it's no longer needed
del descendant_accounts_to_append
# Calculating spin_up_time: Below we have the total number of transactions we'll need to issue
spin_up_time = len(account_subs) * len(event_subs)
# Calculating spin_up_time: Below we have divided the number of transactions by the rate/second
# giving us seconds for spin up
spin_up_time = spin_up_time/rate_limit_per_second
# Calculating spin_up_time: Now, we divide by 60 to get the total number of minutes needed to spin up
spin_up_time = spin_up_time/60
# Multiplying by 5 so that we can grow 5x each iteration without losing any data
spin_up_time = spin_up_time*5
# Calculating spin_up_time: rounding up to the nearest int
spin_up_time = math.ceil(spin_up_time)
# Starts a thread that will close down the script after so many minutes
# The currently calculated spin up time * 5 is added to provide a little overlap
# for the new instance to connect and subscribe
# duplicate records aren't a problem, missing ones are though
# So long as we don't grow more then 5x in a single run of the instance, this should provide enough
# extra time at the end for the next iteration to spin up
thread.start_new_thread(closer, (run_time+spin_up_time,))
# Starts a thread to upload old socketsink files to backblaze
thread.start_new_thread(old_file_cleanup, ())
while not closing_time:
ws = websocket.WebSocketApp(sinkSettings.ws_base_url,
on_message=on_message,
on_close=on_close)
ws.on_open = on_open
ws.run_forever(sslopt=dict(ca_certs=sinkSettings.ca_pem))
# Sleeps for 5 seconds if it's not closing time
# This allows for a small time-out if the connection unexpectedly closes
if not closing_time:
time.sleep(5)
cleanup()
|
import pytest
import os
import base64
import copy
import numpy
import shutil
from api.tests.utils.common_functions import get_section_from_config_file, get_config_file_json
# The line below is absolutely necessary. Fixtures are passed as arguments to test functions. That is why IDE could
# not recognized them.
from api.tests.utils.fixtures_tests import config_rollback, camera_sample, rollback_screenshot_camera_folder, h_inverse_matrix, pts_destination, rollback_homography_matrix_folder
# TODO: Test stuffs related with the parameter reboot_processor.
def create_a_camera(client, camera):
return client.post("/cameras", json=camera)
def create_n_cameras(client, camera_base, number_of_cameras, enable=False):
list_of_created_cameras = []
for i in range(number_of_cameras):
camera = copy.deepcopy(camera_base)
del camera['id']
camera["live_feed_enabled"] = enable
created = client.post("/cameras", json=camera)
list_of_created_cameras.append(created)
return list_of_created_cameras
def get_all_cameras(config_sample_path, with_image=False):
config_file_json = get_config_file_json(config_sample_path, decamelize=True)
list_of_cameras = {
"cameras": [config_file_json[camera] for camera in config_file_json if camera.startswith("source__")]}
for camera in list_of_cameras["cameras"]:
camera.update({"id": str(camera["id"])})
if with_image:
from api.routers.cameras import get_camera_default_image_string
image_string = get_camera_default_image_string(camera["id"])
camera["image"] = image_string.decode("utf-8")
else:
camera["image"] = None
return list_of_cameras
def get_camera_from_config_file(camera_id, config_sample_path):
list_of_cameras = get_all_cameras(config_sample_path)["cameras"]
for camera in list_of_cameras:
if camera["id"] == camera_id:
return camera
return None
# pytest -v api/tests/app/test_camera.py::TestsListCameras
class TestsListCameras:
"""List Cameras, GET /cameras"""
def test_get_all_cameras_no_image(self, config_rollback):
client, config_sample_path = config_rollback
list_of_cameras = get_all_cameras(config_sample_path)
response = client.get("/cameras")
assert response.status_code == 200
assert response.json() == list_of_cameras
def test_get_all_cameras_with_image(self, config_rollback):
client, config_sample_path = config_rollback
list_of_cameras = get_all_cameras(config_sample_path, with_image=True)
response = client.get("/cameras?options=withImage")
assert response.status_code == 200
assert response.json() == list_of_cameras
# pytest -v api/tests/app/test_camera.py::TestsCreateCamera
class TestsCreateCamera:
"""Create Camera, POST /cameras"""
def test_create_one_camera_properly(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
response = client.post("/cameras", json=camera_sample)
assert response.status_code == 201
for key in camera_sample:
if key is not "image":
assert response.json()[key] == camera_sample[key]
def test_try_create_camera_twice(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
response_1 = client.post("/cameras", json=camera_sample)
response_2 = client.post("/cameras", json=camera_sample)
assert response_1.status_code == 201
assert response_2.status_code == 400
assert response_2.json() == {'detail': [{'loc': [], 'msg': 'Camera already exists', 'type': 'config '
'duplicated '
'camera'}]}
def test_create_same_camera_twice_different_ids(self, config_rollback, camera_sample,
rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
body = camera_sample
response_1 = client.post("/cameras", json=body)
body["id"] = 54
response_2 = client.post("/cameras", json=body)
assert response_1.status_code == 201
assert response_2.status_code == 201
def test_try_create_camera_empty_body(self, config_rollback):
client, config_sample_path = config_rollback
body = {}
response = client.post("/cameras", json=body)
assert response.status_code == 400
def test_create_a_camera_function(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
response = create_a_camera(client, camera_sample)
assert response.status_code == 201
# pytest -v api/tests/app/test_camera.py::TestsGetCamera
class TestsGetCamera:
""" Get Camera, GET /cameras/{camera_id} """
def test_get_one_camera_properly(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = int(camera_sample["id"])
response = client.get(f"/cameras/{camera_id}")
assert response.status_code == 200
for key in camera_sample:
if key is not "image":
assert response.json()[key] == camera_sample[key]
def test_try_get_camera_non_existent_id(self, config_rollback):
client, config_sample_path = config_rollback
camera_id = "Non-existent ID"
response = client.get(f"/cameras/{camera_id}")
assert response.status_code == 404
# pytest -v api/tests/app/test_camera.py::TestsEditCamera
class TestsEditCamera:
""" Edit Camera, PUT /cameras/{camera_id} """
def test_edit_a_camera_properly(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
body = {
"violation_threshold": 22,
"notify_every_minutes": 22,
"emails": "new_john@email.com,new_doe@email.com",
"enable_slack_notifications": True,
"daily_report": False,
"daily_report_time": "11:22",
"id": camera_id,
"name": "new_Kitchen",
"video_path": "/repo/data/softbio_vid.mp4",
"tags": "new_kitchen,new_living_room",
"image": "new_Base64 image",
"dist_method": "new_CenterPointsDistance",
"live_feed_enabled": False
}
response = client.put(f"cameras/{camera_id}", json=body)
assert response.status_code == 200
for key in body:
if key != "image":
assert response.json()[key] == body[key]
def test_try_edit_a_camera_non_existent_id(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = "Non-existent ID"
body = {
"violation_threshold": 22,
"notify_every_minutes": 22,
"emails": "new_john@email.com,new_doe@email.com",
"enable_slack_notifications": True,
"daily_report": False,
"daily_report_time": "11:22",
"id": camera_id,
"name": "new_Kitchen",
"video_path": "/repo/data/softbio_vid.mp4",
"tags": "new_kitchen,new_living_room",
"image": "new_Base64 image",
"dist_method": "new_CenterPointsDistance",
"live_feed_enabled": False
}
response = client.put(f"cameras/{camera_id}", json=body)
assert response.status_code == 404
assert response.json() == {"detail": f"The camera: {camera_id} does not exist"}
def test_try_edit_camera_wrong_video_path(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
body = {
"violation_threshold": 22,
"notify_every_minutes": 22,
"emails": "new_john@email.com,new_doe@email.com",
"enable_slack_notifications": True,
"daily_report": False,
"daily_report_time": "11:22",
"id": camera_id,
"name": "new_Kitchen",
"video_path": "WRONG_PATH",
"tags": "new_kitchen,new_living_room",
"image": "new_Base64 image",
"dist_method": "new_CenterPointsDistance",
"live_feed_enabled": False
}
response = client.put(f"cameras/{camera_id}", json=body)
assert response.status_code == 400
assert response.json()["detail"][0]["msg"] == "Failed to load video. The video URI is not valid"
def test_edit_same_camera_twice(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
body_1 = {
"violation_threshold": 22,
"notify_every_minutes": 22,
"emails": "new_john@email.com,new_doe@email.com",
"enable_slack_notifications": True,
"daily_report": False,
"daily_report_time": "11:22",
"id": camera_id,
"name": "new_Kitchen",
"video_path": "/repo/data/softbio_vid.mp4",
"tags": "new_kitchen,new_living_room",
"image": "new_Base64 image",
"dist_method": "new_CenterPointsDistance",
"live_feed_enabled": False
}
body_2 = {
"violation_threshold": 33,
"notify_every_minutes": 33,
"emails": "new_new_john@email.com,new_new_doe@email.com",
"enable_slack_notifications": False,
"daily_report": False,
"daily_report_time": "10:33",
"id": camera_id,
"name": "new_new_Kitchen",
"video_path": "/repo/data/softbio_vid.mp4",
"tags": "new_new_kitchen,new_new_living_room",
"image": "new_new_Base64 image",
"dist_method": "new_new_CenterPointsDistance",
"live_feed_enabled": False
}
client.put(f"cameras/{camera_id}", json=body_1)
response = client.put(f"cameras/{camera_id}", json=body_2)
assert response.status_code == 200
for key in body_2:
if key != "image":
assert response.json()[key] == body_2[key]
def test_try_edit_camera_empty_json(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
body = {
}
response = client.put(f"cameras/{camera_id}", json=body)
"""
Fields required: Name, video_path. Id is not required anymore.
"""
assert response.status_code == 400
assert response.json() == {"detail": [{"loc": ["body", "name"], "msg": "field required",
"type": "value_error.missing"}, {"loc": ["body", "video_path"],
"msg": "field required",
"type": "value_error.missing"}],
"body": {}}
def test_edit_camera_empty_string_fields(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
# Video path is correctly setted
body = {
"violation_threshold": 33,
"notify_every_minutes": 33,
"emails": "",
"enable_slack_notifications": False,
"daily_report": False,
"daily_report_time": "",
"id": camera_id,
"name": "",
"video_path": "/repo/data/softbio_vid.mp4",
"tags": "",
"image": "",
"dist_method": "",
"live_feed_enabled": False
}
response = client.put(f"/cameras/{camera_id}", json=body)
assert response.status_code == 200
for key in camera_sample:
if key is not "image":
assert response.json()[key] == body[key]
# pytest -v api/tests/app/test_camera.py::TestsDeleteCamera
class TestsDeleteCamera:
""" Delete Camera, DELETE /cameras/{camera_id} """
def test_delete_a_camera_properly(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
response = client.delete(f"/cameras/{camera_id}")
assert response.status_code == 204
def test_try_delete_a_camera_twice(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
response_1 = client.delete(f"/cameras/{camera_id}")
response_2 = client.delete(f"/cameras/{camera_id}")
assert response_1.status_code == 204
assert response_2.status_code == 404
def test_try_delete_a_camera_non_existent_id(self, config_rollback):
client, config_sample_path = config_rollback
camera_id = "Non-existent ID"
response = client.delete(f"/cameras/{camera_id}")
assert response.status_code == 404
def test_try_delete_a_camera_id_none(self, config_rollback):
client, config_sample_path = config_rollback
camera_id = None
response = client.delete(f"/cameras/{camera_id}")
assert response.status_code == 404
def test_delete_a_camera_int_id(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = int(camera_sample["id"])
response = client.delete(f"/cameras/{camera_id}")
assert response.status_code == 204
def get_string_bytes_from_image(camera_id):
camera_screenshot_directory = os.path.join(os.environ.get("ScreenshotsDirectory"), str(camera_id))
image_name = os.listdir(camera_screenshot_directory)[0]
camera_screenshot_file = os.path.join(camera_screenshot_directory, image_name)
with open(camera_screenshot_file, "rb") as file:
return base64.b64encode(file.read()).decode("utf-8")
# pytest -v api/tests/app/test_camera.py::TestsGetCameraImage
class TestsGetCameraImage:
""" Get Camera Image, GET /cameras/{camera_id}/image """
def test_get_camera_image_properly(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
response = client.get(f"/cameras/{camera_id}/image")
assert response.status_code == 200
assert response.json()["image"] == get_string_bytes_from_image(camera_id)
def test_try_get_camera_image_non_existent_id(self, config_rollback):
client, config_sample_path = config_rollback
camera_id = "Non-existent ID"
response = client.get(f"/cameras/{camera_id}/image")
assert response.status_code == 404
assert response.json() == {"detail": f"The camera: {camera_id} does not exist"}
def get_h_inverse(camera_id):
path = f"/repo/data/processor/static/data/sources/{camera_id}/homography_matrix/h_inverse.txt"
with open(path, "r") as file:
h_inverse = file.read()
return h_inverse
# pytest -v api/tests/app/test_camera.py::TestsConfigCalibratedDistance
class TestsConfigCalibratedDistance:
""" Config Calibrated Distance, POST /cameras/{camera_id}/homography_matrix """
# pytest -v api/tests/app/test_camera.py::TestsConfigCalibratedDistance::test_set_coordinates_properly
def test_set_coordinates_properly(self, config_rollback, camera_sample, rollback_screenshot_camera_folder, h_inverse_matrix, pts_destination, rollback_homography_matrix_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
body = pts_destination
camera_id = camera_sample["id"]
response = client.post(f"/cameras/{camera_id}/homography_matrix", json=body)
assert response.status_code == 204
assert get_h_inverse(camera_id) == h_inverse_matrix["h_inverse.txt"]
# pytest -v api/tests/app/test_camera.py::TestsConfigCalibratedDistance::test_try_set_coordinates_0_arrays
def test_try_set_coordinates_0_arrays(self, config_rollback, camera_sample, rollback_screenshot_camera_folder, rollback_homography_matrix_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
body = {
"pts_destination": [
[
0,
0
],
[
0,
0
],
[
0,
0
],
[
0,
0
]
]
}
camera_id = camera_sample["id"]
with pytest.raises(numpy.linalg.LinAlgError):
client.post(f"/cameras/{camera_id}/homography_matrix", json=body)
def test_try_set_coordinates_non_existent_id(self, config_rollback, pts_destination):
client, config_sample_path = config_rollback
camera_id = "Non-existent ID"
body = pts_destination
response = client.post(f"/cameras/{camera_id}/homography_matrix", json=body)
assert response.status_code == 404
assert response.json() == {"detail": f"The camera: {camera_id} does not exist"}
def test_try_set_coordinates_empty_request_body(self, config_rollback, camera_sample,
rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
body = {}
response = client.post(f"/cameras/{camera_id}/homography_matrix", json=body)
assert response.status_code == 400
assert response.json() == {"detail": [{"loc": ["body", "pts_destination"], "msg": "field required",
"type": "value_error.missing"}], "body": {}}
def test_try_set_coordinates_bad_request_body(self, config_rollback, camera_sample,
rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
body = {"pts_destination": [None]}
response = client.post(f"/cameras/{camera_id}/homography_matrix", json=body)
assert response.status_code == 400
assert response.json() == {"detail": [{"loc": ["body", "pts_destination"], "msg": "ensure this value has at "
"least 4 items",
"type": "value_error.list.min_items", "ctx": {"limit_value": 4}}],
"body": {"pts_destination": [None]}}
# pytest -v api/tests/app/test_camera.py::TestsGetCameraCalibrationImage
class TestsGetCameraCalibrationImage:
""" Get Camera Calibration Image, GET /cameras/{camera_id}/calibration_image """
def test_get_camera_calibration_image_properly(self, config_rollback, camera_sample,
rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
response = client.get(f"/cameras/{camera_id}/calibration_image")
assert response.status_code == 200
def test_try_get_camera_image_non_existent_id(self, config_rollback):
client, config_sample_path = config_rollback
camera_id = "Non-existent ID"
response = client.get(f"/cameras/{camera_id}/calibration_image")
assert response.status_code == 404
assert response.json() == {"detail": f"The camera: {camera_id} does not exist"}
# pytest -v api/tests/app/test_camera.py::TestsGetVideoLiveFeedEnabled
class TestsGetVideoLiveFeedEnabled:
""" Get Camera Calibration Image, GET /cameras/{camera_id}/video_live_feed_enabled """
def test_get_camera_calibration_image_properly(self, config_rollback, camera_sample,
rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
response = client.get(f"/cameras/{camera_id}/video_live_feed_enabled")
expected_response = {
"enabled": camera_sample["live_feed_enabled"]
}
assert response.status_code == 200
assert response.json() == expected_response
def test_try_get_camera_image_non_existent_id(self, config_rollback):
client, config_sample_path = config_rollback
camera_id = "Non-existent ID"
response = client.get(f"/cameras/{camera_id}/video_live_feed_enabled")
assert response.status_code == 404
assert response.json() == {"detail": f"The camera: {camera_id} does not exist"}
# pytest -v api/tests/app/test_camera.py::TestsEnableVideoLiveFeed
def rollback_screenshot_cameras_list(cameras_list):
for camera in cameras_list:
# Deletes the camera screenshots directory and all its content.
camera_screenshot_directory = os.path.join(os.environ.get("ScreenshotsDirectory"), str(camera.json()["id"]))
if os.path.exists(camera_screenshot_directory):
shutil.rmtree(camera_screenshot_directory)
class TestsEnableVideoLiveFeed:
""" Enable Video Live Feed, PUT /cameras/{camera_id}/enable_video_live_feed """
def test_enable_video_live_feed_properly(self, config_rollback, camera_sample, rollback_screenshot_camera_folder):
client, config_sample_path = config_rollback
camera_sample["live_feed_enabled"] = False
create_a_camera(client, camera_sample)
camera_id = camera_sample["id"]
response = client.put(f"/cameras/{camera_id}/enable_video_live_feed")
camera_from_config_file = get_camera_from_config_file(camera_id, config_sample_path)
assert response.status_code == 204
assert camera_from_config_file["live_feed_enabled"] is True
def test_try_enable_video_live_feed_non_existent_id(self, config_rollback):
client, config_sample_path = config_rollback
camera_id = "Non-existent ID"
response = client.put(f"/cameras/{camera_id}/enable_video_live_feed")
assert response.status_code == 404
assert response.json() == {"detail": f"The camera: {camera_id} does not exist"}
def test_enable_one_video_live_feed_disable_the_rest(self, config_rollback, camera_sample):
client, config_sample_path = config_rollback
cameras_list = create_n_cameras(client, camera_sample, 3)
camera_1 = cameras_list[0].json()
camera_2 = cameras_list[1].json()
camera_3 = cameras_list[2].json()
camera_id = camera_1['id']
response = client.put(f"/cameras/{camera_id}/enable_video_live_feed?disable_other_cameras=true")
camera_from_config_file_0 = get_camera_from_config_file(camera_id, config_sample_path)
camera_from_config_file_2 = get_camera_from_config_file(camera_2["id"], config_sample_path)
camera_from_config_file_1 = get_camera_from_config_file(camera_3["id"], config_sample_path)
assert response.status_code == 204
assert camera_from_config_file_0["live_feed_enabled"] is True
assert camera_from_config_file_1["live_feed_enabled"] is False
assert camera_from_config_file_2["live_feed_enabled"] is False
rollback_screenshot_cameras_list(cameras_list)
def test_enable_video_feed_disable_other_cameras_false(self, config_rollback, camera_sample):
client, config_sample_path = config_rollback
cameras_list = create_n_cameras(client, camera_sample, 3, enable=True)
camera_1 = cameras_list[0].json()
camera_2 = cameras_list[1].json()
camera_3 = cameras_list[2].json()
camera_id = camera_1['id']
response = client.put(f"/cameras/{camera_id}/enable_video_live_feed?disable_other_cameras=false")
camera_from_config_file_0 = get_camera_from_config_file(camera_id, config_sample_path)
camera_from_config_file_1 = get_camera_from_config_file(camera_2["id"], config_sample_path)
camera_from_config_file_2 = get_camera_from_config_file(camera_3["id"], config_sample_path)
assert response.status_code == 204
assert camera_from_config_file_0["live_feed_enabled"] is True
assert camera_from_config_file_1["live_feed_enabled"] is True
assert camera_from_config_file_2["live_feed_enabled"] is True
rollback_screenshot_cameras_list(cameras_list)
|
# coding: utf-8
"""
Copyright 2016 SmartBear Software
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.
Ref: https://github.com/swagger-api/swagger-codegen
"""
from pprint import pformat
from six import iteritems
import re
class AntivirusPolicyExtended(object):
"""
NOTE: This class is auto generated by the swagger code generator program.
Do not edit the class manually.
"""
def __init__(self):
"""
AntivirusPolicyExtended - a model defined in Swagger
:param dict swaggerTypes: The key is attribute name
and the value is attribute type.
:param dict attributeMap: The key is attribute name
and the value is json key in definition.
"""
self.swagger_types = {
'description': 'str',
'enabled': 'bool',
'force_run': 'bool',
'impact': 'str',
'name': 'str',
'paths': 'list[str]',
'recursion_depth': 'int',
'schedule': 'str',
'id': 'str',
'last_run': 'int'
}
self.attribute_map = {
'description': 'description',
'enabled': 'enabled',
'force_run': 'force_run',
'impact': 'impact',
'name': 'name',
'paths': 'paths',
'recursion_depth': 'recursion_depth',
'schedule': 'schedule',
'id': 'id',
'last_run': 'last_run'
}
self._description = None
self._enabled = None
self._force_run = None
self._impact = None
self._name = None
self._paths = None
self._recursion_depth = None
self._schedule = None
self._id = None
self._last_run = None
@property
def description(self):
"""
Gets the description of this AntivirusPolicyExtended.
A description for the policy.
:return: The description of this AntivirusPolicyExtended.
:rtype: str
"""
return self._description
@description.setter
def description(self, description):
"""
Sets the description of this AntivirusPolicyExtended.
A description for the policy.
:param description: The description of this AntivirusPolicyExtended.
:type: str
"""
self._description = description
@property
def enabled(self):
"""
Gets the enabled of this AntivirusPolicyExtended.
Whether the policy is enabled.
:return: The enabled of this AntivirusPolicyExtended.
:rtype: bool
"""
return self._enabled
@enabled.setter
def enabled(self, enabled):
"""
Sets the enabled of this AntivirusPolicyExtended.
Whether the policy is enabled.
:param enabled: The enabled of this AntivirusPolicyExtended.
:type: bool
"""
self._enabled = enabled
@property
def force_run(self):
"""
Gets the force_run of this AntivirusPolicyExtended.
Forces the scan to run regardless of whether the files were recently scanned.
:return: The force_run of this AntivirusPolicyExtended.
:rtype: bool
"""
return self._force_run
@force_run.setter
def force_run(self, force_run):
"""
Sets the force_run of this AntivirusPolicyExtended.
Forces the scan to run regardless of whether the files were recently scanned.
:param force_run: The force_run of this AntivirusPolicyExtended.
:type: bool
"""
self._force_run = force_run
@property
def impact(self):
"""
Gets the impact of this AntivirusPolicyExtended.
The priority of the antivirus scan job. Must be a valid job engine impact policy, or null to use the default impact.
:return: The impact of this AntivirusPolicyExtended.
:rtype: str
"""
return self._impact
@impact.setter
def impact(self, impact):
"""
Sets the impact of this AntivirusPolicyExtended.
The priority of the antivirus scan job. Must be a valid job engine impact policy, or null to use the default impact.
:param impact: The impact of this AntivirusPolicyExtended.
:type: str
"""
self._impact = impact
@property
def name(self):
"""
Gets the name of this AntivirusPolicyExtended.
The name of the policy.
:return: The name of this AntivirusPolicyExtended.
:rtype: str
"""
return self._name
@name.setter
def name(self, name):
"""
Sets the name of this AntivirusPolicyExtended.
The name of the policy.
:param name: The name of this AntivirusPolicyExtended.
:type: str
"""
self._name = name
@property
def paths(self):
"""
Gets the paths of this AntivirusPolicyExtended.
Paths to include in the scan.
:return: The paths of this AntivirusPolicyExtended.
:rtype: list[str]
"""
return self._paths
@paths.setter
def paths(self, paths):
"""
Sets the paths of this AntivirusPolicyExtended.
Paths to include in the scan.
:param paths: The paths of this AntivirusPolicyExtended.
:type: list[str]
"""
self._paths = paths
@property
def recursion_depth(self):
"""
Gets the recursion_depth of this AntivirusPolicyExtended.
The depth to recurse in directories. The default of -1 gives unlimited recursion.
:return: The recursion_depth of this AntivirusPolicyExtended.
:rtype: int
"""
return self._recursion_depth
@recursion_depth.setter
def recursion_depth(self, recursion_depth):
"""
Sets the recursion_depth of this AntivirusPolicyExtended.
The depth to recurse in directories. The default of -1 gives unlimited recursion.
:param recursion_depth: The recursion_depth of this AntivirusPolicyExtended.
:type: int
"""
self._recursion_depth = recursion_depth
@property
def schedule(self):
"""
Gets the schedule of this AntivirusPolicyExtended.
The schedule for running scans in isi date format. Examples include: 'every Friday' or 'every day at 4:00'. A null value means the policy is manually scheduled.
:return: The schedule of this AntivirusPolicyExtended.
:rtype: str
"""
return self._schedule
@schedule.setter
def schedule(self, schedule):
"""
Sets the schedule of this AntivirusPolicyExtended.
The schedule for running scans in isi date format. Examples include: 'every Friday' or 'every day at 4:00'. A null value means the policy is manually scheduled.
:param schedule: The schedule of this AntivirusPolicyExtended.
:type: str
"""
self._schedule = schedule
@property
def id(self):
"""
Gets the id of this AntivirusPolicyExtended.
A unique identifier for the policy.
:return: The id of this AntivirusPolicyExtended.
:rtype: str
"""
return self._id
@id.setter
def id(self, id):
"""
Sets the id of this AntivirusPolicyExtended.
A unique identifier for the policy.
:param id: The id of this AntivirusPolicyExtended.
:type: str
"""
self._id = id
@property
def last_run(self):
"""
Gets the last_run of this AntivirusPolicyExtended.
The epoch time of the last run of this policy.
:return: The last_run of this AntivirusPolicyExtended.
:rtype: int
"""
return self._last_run
@last_run.setter
def last_run(self, last_run):
"""
Sets the last_run of this AntivirusPolicyExtended.
The epoch time of the last run of this policy.
:param last_run: The last_run of this AntivirusPolicyExtended.
:type: int
"""
self._last_run = last_run
def to_dict(self):
"""
Returns the model properties as a dict
"""
result = {}
for attr, _ in iteritems(self.swagger_types):
value = getattr(self, attr)
if isinstance(value, list):
result[attr] = list(map(
lambda x: x.to_dict() if hasattr(x, "to_dict") else x,
value
))
elif hasattr(value, "to_dict"):
result[attr] = value.to_dict()
elif isinstance(value, dict):
result[attr] = dict(map(
lambda item: (item[0], item[1].to_dict())
if hasattr(item[1], "to_dict") else item,
value.items()
))
else:
result[attr] = value
return result
def to_str(self):
"""
Returns the string representation of the model
"""
return pformat(self.to_dict())
def __repr__(self):
"""
For `print` and `pprint`
"""
return self.to_str()
def __eq__(self, other):
"""
Returns true if both objects are equal
"""
return self.__dict__ == other.__dict__
def __ne__(self, other):
"""
Returns true if both objects are not equal
"""
return not self == other
|
b="A a A a E e E e I i I i O o O o R r R r U u U u S s T t Y y H h N d Ou ou Z z A a E e O o O o O o O o Y y l n t j db qp A C c L T s z ? ? B U V E e J j Q q R r Y y a a a b o c d d e e er e e er e j g g G g u h h h i i I l l l lzh m m m n n N o OE o f r r r r r r r R R s sh j r sh t t u u v v w y Y z z zh zh ? ? ? c @ B e G H j k L q ? ? dz dzh dz ts tsh tc fng ls lz ww ]] h h h h j r r r R w y ' \" ' ' ' ' ` ? ? < > ^ v ^ v ' - ' ` , _ , , : ' ` ' , , + - ^ . ' , ~ \" r x g l s x ? 5 4 3 2 1 3 7 v = \" v ^ < > . ` `` '' ~ : ' ' , , _ _ <" |
import abc
import typing
import pandas as pd
from automlToolkit.components.utils.utils import *
from automlToolkit.components.utils.constants import *
from automlToolkit.components.feature_engineering.transformation_graph import DataNode
class Transformer(object, metaclass=abc.ABCMeta):
"""
This is the parent class for all transformers.
type specification:
0: empty.
1: imputer.
2: one-hot encoding.
3: scaler.
4: normalizer.
5: quantile_transformer.
6: generic_univariate_selector.
7: extra_trees_based_selector.
7: liblinear_svc_based_selector.
8: percentile_selector.
9: variance_selector.
10: fast_ica.
11: feature_agg.
12: kernel_pca.
13: kitchen_sinks.
14: lda_decomposer.
15: nystronem.
16: pca.
17: polynomial, and cross features.
18: random_trees_embedding.
19: svd_decomposer.
20: data_balancer.
----
21: arithmetic_operations.
22: binary_operations.
23: rfe.
24: continous_discretizer.
25: discrete_categorizer.
----
26: merger.
30: percentile_selector_regression.
31: extra_trees_based_selector_regression
"""
def __init__(self, name, type, random_state=1):
self.name = name
self.type = type
self.params = None
self.model = None
self._input_type = None
self.output_type = None
self.optional_params = None
self.target_fields = None
self._compound_mode = 'only_new'
self.random_state = random_state
self.sample_size = 2
@property
def compound_mode(self):
return self._compound_mode
@compound_mode.setter
def compound_mode(self, mode):
if mode not in ['only_new', 'concatenate', 'in_place', 'replace']:
raise ValueError('Invalid compound mode: %s!' % mode)
self._compound_mode = mode
@property
def input_type(self):
return self._input_type
@input_type.setter
def input_type(self, input_type: typing.List[str]):
if not isinstance(input_type, list):
input_type = [input_type]
for type_ in input_type:
if type_ not in FEATURE_TYPES:
raise ValueError('Invalid feature type: %s!' % type_)
self._input_type = input_type
def __eq__(self, other):
"""Overrides the default implementation"""
if isinstance(other, Transformer):
if self.name == other.name and self.type == other.type and self.input_type == other.input_type \
and self.output_type == other.output_type and self.params == other.params \
and self.model == other.model and self.compound_mode == other.compound_mode:
return True
return False
@abc.abstractmethod
def operate(self, data_nodes: DataNode or typing.List[DataNode],
target_fields: None or typing.List):
raise NotImplementedError()
def get_attributes(self):
attributes = dict()
for attr in dir(self):
if attr.startswith('_abc_') or attr.startswith('__'):
continue
attr_val = getattr(self, attr)
if type(attr_val) in [None, str, float, int]:
attributes[attr] = attr_val
return attributes
def ease_trans(func):
def dec(*args, **kwargs):
param_name = 'target_fields'
target_fields = None
if len(args) == 3:
trans, input, target_fields = args
if type(target_fields) is list and len(target_fields) == 0:
target_fields = None
elif len(args) == 2:
trans, input = args
if param_name in kwargs and len(kwargs[param_name]) > 0:
target_fields = kwargs[param_name]
else:
raise ValueError('The number of input is wrong!')
if target_fields is None:
target_fields = collect_fields(input.feature_types, trans.input_type)
if len(target_fields) == 0:
return input.copy_()
X, y = input.data
if isinstance(X, pd.DataFrame):
X = X.values
args = (trans, input, target_fields)
_X = func(*args)
if isinstance(trans.output_type, list):
trans.output_type = trans.output_type[0]
_types = [trans.output_type] * _X.shape[1]
if trans.compound_mode == 'only_new':
new_X = _X
new_types = _types
elif trans.compound_mode == 'concatenate':
new_X = np.hstack((X, _X))
new_types = input.feature_types.copy()
new_types.extend(_types)
elif trans.compound_mode == 'replace':
new_X = np.hstack((X, _X))
new_types = input.feature_types.copy()
new_types.extend(_types)
new_X = np.delete(new_X, target_fields, axis=1)
temp_array = np.array(new_types)
new_types = list(np.delete(temp_array, target_fields))
else:
assert _X.shape[1] == len(target_fields)
new_X = X.copy()
new_X[:, target_fields] = _X
new_types = input.feature_types.copy()
output_datanode = DataNode((new_X, y), new_types, input.task_type)
output_datanode.trans_hist = input.trans_hist.copy()
output_datanode.trans_hist.append(trans.type)
trans.target_fields = target_fields
return output_datanode
return dec |
"""
Compute metrics on rendered images (after eval.py).
First computes per-object metric then reduces them. If --multicat is used
then also summarized per-categority metrics. Use --reduce_only to skip the
per-object computation step.
Note eval.py already outputs PSNR/SSIM.
This also computes LPIPS and is useful for double-checking metric is correct.
"""
import os
import os.path as osp
import argparse
import skimage.measure
from tqdm import tqdm
import warnings
import lpips
import numpy as np
import torch
import imageio
import json
parser = argparse.ArgumentParser(description="Calculate PSNR for rendered images.")
parser.add_argument(
"--datadir",
"-D",
type=str,
default="/home/group/chairs_test",
help="Dataset directory; note: different from usual, directly use the thing please",
)
parser.add_argument(
"--output",
"-O",
type=str,
default="eval",
help="Root path of rendered output (our format, from eval.py)",
)
parser.add_argument(
"--dataset_format",
"-F",
type=str,
default="dvr",
help="Dataset format, nerf | srn | dvr",
)
parser.add_argument(
"--list_name", type=str, default="softras_test", help="Filter list prefix for DVR",
)
parser.add_argument(
"--gpu_id",
type=int,
default=0,
help="GPU id. Only single GPU supported for this script.",
)
parser.add_argument(
"--overwrite", action="store_true", help="overwriting existing metrics.txt",
)
parser.add_argument(
"--exclude_dtu_bad", action="store_true", help="exclude hardcoded DTU bad views",
)
parser.add_argument(
"--multicat",
action="store_true",
help="Prepend category id to object id. Specify if model fits multiple categories.",
)
parser.add_argument(
"--viewlist",
"-L",
type=str,
default="",
help="Path to source view list e.g. src_dvr.txt; if specified, excludes the source view from evaluation",
)
parser.add_argument(
"--eval_view_list", type=str, default=None, help="Path to eval view list"
)
parser.add_argument(
"--primary", "-P", type=str, default="", help="List of views to exclude"
)
parser.add_argument(
"--lpips_batch_size", type=int, default=32, help="Batch size for LPIPS",
)
parser.add_argument(
"--reduce_only",
"-R",
action="store_true",
help="skip the map (per-obj metric computation)",
)
parser.add_argument(
"--metadata",
type=str,
default="metadata.yaml",
help="Path to dataset metadata under datadir, used for getting category names if --multicat",
)
parser.add_argument(
"--dtu_sort", action="store_true", help="Sort using DTU scene order instead of lex"
)
args = parser.parse_args()
if args.dataset_format == "dvr":
list_name = args.list_name + ".lst"
img_dir_name = "image"
elif args.dataset_format == "srn":
list_name = ""
img_dir_name = "rgb"
elif args.dataset_format == "nerf":
warnings.warn("test split not implemented for NeRF synthetic data format")
list_name = ""
img_dir_name = ""
else:
raise NotImplementedError("Not supported data format " + args.dataset_format)
data_root = args.datadir
render_root = args.output
def run_map():
if args.multicat:
cats = os.listdir(data_root)
def fmt_obj_name(c, x):
return c + "_" + x
else:
cats = ["."]
def fmt_obj_name(c, x):
return x
use_exclude_lut = len(args.viewlist) > 0
if use_exclude_lut:
print("Excluding views from list", args.viewlist)
with open(args.viewlist, "r") as f:
tmp = [x.strip().split() for x in f.readlines()]
exclude_lut = {
x[0] + "/" + x[1]: torch.tensor(list(map(int, x[2:])), dtype=torch.long)
for x in tmp
}
base_exclude_views = list(map(int, args.primary.split()))
if args.exclude_dtu_bad:
base_exclude_views.extend(
[3, 4, 5, 6, 7, 16, 17, 18, 19, 20, 21, 36, 37, 38, 39]
)
if args.eval_view_list is not None:
with open(args.eval_view_list, "r") as f:
eval_views = list(map(int, f.readline().split()))
print("Only using views", eval_views)
else:
eval_views = None
all_objs = []
print("CATEGORICAL SUMMARY")
total_objs = 0
for cat in cats:
cat_root = osp.join(data_root, cat)
if not osp.isdir(cat_root):
continue
objs = sorted([x for x in os.listdir(cat_root)])
if len(list_name) > 0:
list_path = osp.join(cat_root, list_name)
with open(list_path, "r") as f:
split = set([x.strip() for x in f.readlines()])
objs = [x for x in objs if x in split]
objs_rend = [osp.join(render_root, fmt_obj_name(cat, x)) for x in objs]
objs = [osp.join(cat_root, x) for x in objs]
objs = [x for x in objs if osp.isdir(x)]
objs = list(zip(objs, objs_rend))
objs_avail = [x for x in objs if osp.exists(x[1])]
print(cat, "TOTAL", len(objs), "AVAILABLE", len(objs_avail))
# assert len(objs) == len(objs_avail)
total_objs += len(objs)
all_objs.extend(objs_avail)
print(">>> USING", len(all_objs), "OF", total_objs, "OBJECTS")
cuda = "cuda:" + str(args.gpu_id)
lpips_vgg = lpips.LPIPS(net="vgg").to(device=cuda)
def get_metrics(rgb, gt):
ssim = skimage.measure.compare_ssim(rgb, gt, multichannel=True, data_range=1)
psnr = skimage.measure.compare_psnr(rgb, gt, data_range=1)
return psnr, ssim
def isimage(path):
ext = osp.splitext(path)[1]
return ext == ".jpg" or ext == ".png"
def process_obj(path, rend_path):
if len(img_dir_name) > 0:
im_root = osp.join(path, img_dir_name)
else:
im_root = path
out_path = osp.join(rend_path, "metrics.txt")
if osp.exists(out_path) and not args.overwrite:
return
ims = [x for x in sorted(os.listdir(im_root)) if isimage(x)]
psnr_avg = 0.0
ssim_avg = 0.0
gts = []
preds = []
num_ims = 0
if use_exclude_lut:
lut_key = osp.basename(rend_path).replace("_", "/")
exclude_views = exclude_lut[lut_key]
else:
exclude_views = []
exclude_views.extend(base_exclude_views)
for im_name in ims:
im_path = osp.join(im_root, im_name)
im_name_id = int(osp.splitext(im_name)[0])
im_name_out = "{:06}.png".format(im_name_id)
im_rend_path = osp.join(rend_path, im_name_out)
if osp.exists(im_rend_path) and im_name_id not in exclude_views:
if eval_views is not None and im_name_id not in eval_views:
continue
gt = imageio.imread(im_path).astype(np.float32)[..., :3] / 255.0
pred = imageio.imread(im_rend_path).astype(np.float32) / 255.0
psnr, ssim = get_metrics(pred, gt)
psnr_avg += psnr
ssim_avg += ssim
gts.append(torch.from_numpy(gt).permute(2, 0, 1) * 2.0 - 1.0)
preds.append(torch.from_numpy(pred).permute(2, 0, 1) * 2.0 - 1.0)
num_ims += 1
gts = torch.stack(gts)
preds = torch.stack(preds)
lpips_all = []
preds_spl = torch.split(preds, args.lpips_batch_size, dim=0)
gts_spl = torch.split(gts, args.lpips_batch_size, dim=0)
with torch.no_grad():
for predi, gti in zip(preds_spl, gts_spl):
lpips_i = lpips_vgg(predi.to(device=cuda), gti.to(device=cuda))
lpips_all.append(lpips_i)
lpips = torch.cat(lpips_all)
lpips = lpips.mean().item()
psnr_avg /= num_ims
ssim_avg /= num_ims
out_txt = "psnr {}\nssim {}\nlpips {}".format(psnr_avg, ssim_avg, lpips)
with open(out_path, "w") as f:
f.write(out_txt)
for obj_path, obj_rend_path in tqdm(all_objs):
process_obj(obj_path, obj_rend_path)
def run_reduce():
if args.multicat:
meta = json.load(open(osp.join(args.datadir, args.metadata), "r"))
cats = sorted(list(meta.keys()))
cat_description = {cat: meta[cat]["name"].split(",")[0] for cat in cats}
all_objs = []
objs = [x for x in os.listdir(render_root)]
objs = [osp.join(render_root, x) for x in objs if x[0] != "_"]
objs = [x for x in objs if osp.isdir(x)]
if args.dtu_sort:
objs = sorted(objs, key=lambda x: int(x[x.rindex("/") + 5 :]))
else:
objs = sorted(objs)
all_objs.extend(objs)
print(">>> PROCESSING", len(all_objs), "OBJECTS")
METRIC_NAMES = ["psnr", "ssim", "lpips"]
out_metrics_path = osp.join(render_root, "all_metrics.txt")
if args.multicat:
cat_sz = {}
for cat in cats:
cat_sz[cat] = 0
all_metrics = {}
for name in METRIC_NAMES:
if args.multicat:
for cat in cats:
all_metrics[cat + "." + name] = 0.0
all_metrics[name] = 0.0
should_print_all_objs = len(all_objs) < 100
for obj_root in tqdm(all_objs):
metrics_path = osp.join(obj_root, "metrics.txt")
with open(metrics_path, "r") as f:
metrics = [line.split() for line in f.readlines()]
if args.multicat:
cat_name = osp.basename(obj_root).split("_")[0]
cat_sz[cat_name] += 1
for metric, val in metrics:
all_metrics[cat_name + "." + metric] += float(val)
for metric, val in metrics:
all_metrics[metric] += float(val)
if should_print_all_objs:
print(obj_root, end=" ")
for metric, val in metrics:
print(val, end=" ")
print()
for name in METRIC_NAMES:
if args.multicat:
for cat in cats:
if cat_sz[cat] > 0:
all_metrics[cat + "." + name] /= cat_sz[cat]
all_metrics[name] /= len(all_objs)
print(name, all_metrics[name])
metrics_txt = []
if args.multicat:
for cat in cats:
if cat_sz[cat] > 0:
cat_txt = "{:12s}".format(cat_description[cat])
for name in METRIC_NAMES:
cat_txt += " {}: {:.6f}".format(name, all_metrics[cat + "." + name])
cat_txt += " n_inst: {}".format(cat_sz[cat])
metrics_txt.append(cat_txt)
total_txt = "---\n{:12s}".format("total")
else:
total_txt = ""
for name in METRIC_NAMES:
total_txt += " {}: {:.6f}".format(name, all_metrics[name])
metrics_txt.append(total_txt)
metrics_txt = "\n".join(metrics_txt)
with open(out_metrics_path, "w") as f:
f.write(metrics_txt)
print("WROTE", out_metrics_path)
print(metrics_txt)
if __name__ == "__main__":
if not args.reduce_only:
print(">>> Compute")
run_map()
print(">>> Reduce")
run_reduce()
|
from functools import lru_cache
from functools import singledispatch
from typing import Any
from typing import Type
from typing import TypeVar
from ..types import CannotDispatch
from ..types import Forge
from .functional import FunctionalDispatch
T = TypeVar("T")
def sentry(type_: Type[T], data: Any, build: Forge) -> T:
raise CannotDispatch()
class MultiDispatcher:
def __init__(self):
self._single_dispatch = singledispatch(CannotDispatch)
self._functional_dispatch: FunctionalDispatch = FunctionalDispatch(sentry)
self.dispatch = lru_cache()(self._dispatch)
def register_cls(self, type_, handler):
self._single_dispatch.register(type_, handler)
self.dispatch.cache_clear()
def register_func(self, func, handler):
self._functional_dispatch.register(func)(handler)
self.dispatch.cache_clear()
def _dispatch(self, type_):
try:
dispatch = self._single_dispatch.dispatch(type_)
except AttributeError:
dispatch = CannotDispatch
if dispatch == CannotDispatch:
return self._functional_dispatch
return dispatch
|
import urllib.request
import re
def get_url_content(url, timeout=1):
request = urllib.request.Request(url, headers={'User-Agent': 'Mozilla/5.0'})
with urllib.request.urlopen(request, timeout=timeout) as resp:
return resp.read().decode(errors="ignore")
def remove_tags(text):
regular = re.compile('<.*?>')
text = re.sub(regular, '', text)
regular = re.compile('[\n\r\t]')
text = re.sub(regular, '', text)
text = ' '.join(text.split())
return text
def get_text_from_url(url, timeout=1, tags=False):
content = get_url_content(url, timeout)
if not tags:
return remove_tags(content)
return content
|
# -*- coding: utf-8 -*-
import pandas as pd
import MySQLdb as mysqldb
from MySQLdb import cursors
import numpy as np
import re
import easygui as eg
from tqdm import tqdm, tqdm_pandas
def init_sql_db():
def rd_pass():
return open('pass.pass','r').read()
HOST = "127.0.0.1"
LOGIN = "nseifert"
PASS = rd_pass()
db = mysqldb.connect(host=HOST, user=LOGIN, passwd=PASS.strip(), port=3307, cursorclass=cursors.SSCursor)
db.autocommit(False)
print 'MySQL Login Successful.'
return db
def calc_rough_mass(formula):
# Look-up table for common elements:
masses = {'H': 1.0, 'D': 2.0, 'He': 4.0,
'B': 10.8, 'C': 12.0, 'N': 14.0, 'O': 16.0, 'F': 19.0,
'Na': 23.0, 'Mg': 24.3, 'Al': 27.0, 'Si': 28.0, 'P': 31.0, 'S': 32.0, 'Cl': 35.0,
'K': 39.0, 'Ti': 48.0, 'Fe': 56.0
}
mass = 0.0
for entry in re.findall(r'([A-Z][a-z]*)(\d*)', formula):
try:
ele_mass = masses[entry[0]]
if entry[1] != '':
ele_mass *= int(entry[1])
mass += ele_mass
except KeyError:
continue
return int(mass)
def read_raw_file(inp, fmt, delimiter, tag, skiprows=0):
linelist = {}
for key in fmt:
linelist[key] = []
for i, line in enumerate(inp):
if i <= skiprows-1:
continue
if line.split() is None:
continue
else:
temp = line.decode('unicode_escape').encode('ascii', 'ignore') # Gets rid of Unicode escape characters
if tag == 'shimajiri':
line_elements = {}
# Sanitize formulas
line_elements['El'] = temp.split()[0]
# Pull upper quantum number
m = re.search(r'\((.*?)\)', temp)
line_elements['qNu'] = re.findall(r'\d+', m.group(1))[0]
# Pull frequency
line_elements['Freq'] = float(re.sub(r'\(.*?\)', '', temp).split()[1])*1000
for key in fmt:
linelist[key].append(line_elements[key])
return pd.DataFrame.from_dict(linelist)
def read_vizier_file(inp, fmt, delimiter):
# Construct linelist result dictionary
linelist = {}
for key in fmt:
linelist[key] = []
atLineList = False
for line in inp:
if not line.strip(): # Blank line
continue
if line[0] == "#": # Comment
continue
if '--' in line: # Last line before linelist starts
atLineList = True
continue
if atLineList:
try:
for i, key in enumerate(fmt):
if len(line.strip().split(delimiter)) != len(fmt):
continue
else:
linelist[key].append(line.strip().split(delimiter)[i])
except IndexError:
print "\"" + line + "\""
raise
linelist['Freq'] = [float(f) for f in linelist['Freq']] # Convert from str to float
return pd.DataFrame.from_dict(linelist)
def push_raw_to_splat(astro_ll, meta, db, fuzzy_search=0, use_qn_mult=1, use_qn_sing=0, freq_tol=1.0, mass_tol=4.0, verbose=0):
if verbose:
filename = open('output.txt', 'w')
if not fuzzy_search:
species_id_global = {}
for idx, row in tqdm(astro_ll.iterrows(), total=astro_ll.shape[0]):
curs2 = db.cursor()
cmd = "SELECT line_id, orderedfreq, transition_in_space, species_id, quantum_numbers FROM main " \
"WHERE Lovas_NRAO = 1 AND (orderedfreq <= %s AND orderedfreq >= %s)"\
% (row['Freq'] + freq_tol, row['Freq'] - freq_tol)
curs2.execute(cmd)
res = curs2.fetchall()
num_results = len(res)
if not fuzzy_search:
if row['El'] not in species_id_global.keys():
species_id_lookup = {}
for rrow in res:
t_cursor = db.cursor()
cmd = "SELECT SPLAT_ID, chemical_name, s_name FROM species where species_id = %s" % rrow[3]
t_cursor.execute(cmd)
species_id_lookup[rrow[3]] = t_cursor.fetchall()
t_cursor.close()
if len(species_id_lookup.keys()) == 1:
species_id_global[row['El']] = species_id_lookup.keys()[0]
else:
selections = [str(k)+'\t'+'\t'.join([str(k) for k in v]) for k, v in species_id_lookup.iteritems()]
choice = eg.choicebox(msg='Multiple results for entry %s. Pick the matching splat entry.' % row['El'], choices=selections)
species_id_global[row['El']] = choice.split()[0]
selected_transitions = []
overlap_trans = False
updated_species_ids = set()
if num_results > 0:
for sql_row in res:
t_cursor = db.cursor()
cmdd = "SELECT SPLAT_ID FROM species WHERE species_id = %s" % sql_row[3]
t_cursor.execute(cmdd)
splat_id = t_cursor.fetchall()[0][0]
splat_mass = int(splat_id[:-2].lstrip("0"))
if verbose:
filename.write('\t'.join([str(splat_id), str(splat_mass), str(row['rough_mass'])])+"\n")
if str(sql_row[2]) == "1": # Transition already labeled
if verbose:
filename.write('Transition found for %s for splat_id %s\n' %(row['El'], splat_id))
continue
if np.abs(splat_mass - row['rough_mass']) <= mass_tol:
if num_results > 1:
if use_qn_mult:
if row['qNu'].split()[0] == sql_row[-1].split()[0]:
selected_transitions.append(sql_row)
updated_species_ids.add(sql_row[3])
elif not fuzzy_search:
if str(species_id_global[row['El']]) == str(sql_row[3]):
selected_transitions.append(sql_row)
updated_species_ids.add(sql_row[3])
if num_results == 1:
selected_transitions.append(sql_row)
updated_species_ids.add(sql_row[3])
t_cursor.close()
if len(selected_transitions) > 0: # Push updates to main
overlap_trans = True
for trans in selected_transitions:
curs2.execute("UPDATE main SET transition_in_space=1, source_Lovas_NIST=\"%s\", telescope_Lovas_NIST=\"%s\", obsref_Lovas_NIST=\"%s\" WHERE line_id = %s"
% (meta['source'], meta['tele'], meta['ref_short'], trans[0]))
if verbose:
filename.write('Frequency: %s \t # Results Raw: %i \t Selected Results: %i\n'
% (row['Freq'], num_results, len(selected_transitions)))
if len(selected_transitions) != 0:
filename.write('--------------\n')
for sel_row in selected_transitions:
filename.write('\t\t Line: %s \t Species ID: %s \t Splat Freq: %s\n\n'
% (sel_row[0], sel_row[2], sel_row[1]))
else:
filename.write('--------------\n')
filename.write('No lines found. Species: %s \t Formula: %s \t Rough Mass: %s \n' \
% (row['El'],row['El_parse'], row['rough_mass']))
# Update metadata for species that were updated
for species in updated_species_ids:
curs2.execute("SELECT Ref19, Date from species_metadata where species_id=%s ORDER BY Date DESC" % species)
try:
ref_data = curs2.fetchall()[0]
except IndexError: # Bad species_id?
print 'Bad ref data for species id # %s: ' % species
continue
if ref_data[0] == None or ref_data[0] == '':
to_write = "Astronomically observed transitions for this linelist have been marked using data from" \
" the following references"
if overlap_trans:
to_write += " (NOTE: Some transitions in the linelist " \
"are overlapping at typical astronomical linewidths." \
" All transitions within this typical tolerance have been marked as observed.)"
to_write += ": %s" % meta['ref_full']
else:
continue
# to_write = ref_data[0] + "; %s" % meta['ref_full']
curs2.execute("UPDATE species_metadata SET Ref19 = \"%s\" WHERE species_id=%s AND Date = \"%s\""
% (to_write, species, ref_data[1]))
curs2.close()
if verbose:
filename.close()
# Update linelist list with ref
# curs3 = db.cursor()
# curs3.execute("INSERT INTO lovas_references (Lovas_shortref, Lovas_fullref) VALUES (\"%s\", \"%s\")" %(meta['ref_short'], meta['ref_full']))
print 'Update completed successfully.'
def push_vizier_to_splat(astro_ll, meta, db, use_qn_mult=1, use_qn_sing=0, freq_tol=1.0, mass_tol=4, verbose=0):
if verbose:
filename = open('output.txt', 'w')
for idx, row in tqdm(astro_ll.iterrows(), total=astro_ll.shape[0]):
curs2 = db.cursor()
cmd = "SELECT line_id, orderedfreq, transition_in_space, species_id, quantum_numbers FROM main " \
"WHERE Lovas_NRAO = 1 AND (orderedfreq <= %s AND orderedfreq >= %s)"\
% (row['Freq'] + freq_tol, row['Freq'] - freq_tol)
curs2.execute(cmd)
res = curs2.fetchall()
num_results = len(res)
selected_transitions = []
overlap_trans = False
updated_species_ids = set()
if num_results > 0:
for sql_row in res:
curs2.execute("SELECT SPLAT_ID FROM species WHERE species_id = %s" % sql_row[3])
splat_id = curs2.fetchall()[0][0]
splat_mass = int(splat_id[:-2].lstrip("0"))
if verbose:
filename.write('\t'.join([str(splat_id), str(splat_mass), str(row['rough_mass'])])+"\n")
if sql_row[2] == "1" or sql_row[2] == 1: # Transition already labeled
continue
if np.abs(splat_mass - row['rough_mass']) <= mass_tol:
if num_results > 1:
if use_qn_mult:
if row['qNu'].split()[0] == sql_row[-1].split()[0]:
selected_transitions.append(sql_row)
updated_species_ids.add(sql_row[3])
else:
selected_transitions.append(sql_row)
updated_species_ids.add(sql_row[3])
if num_results == 1:
if use_qn_sing:
if row['qNu'].split()[0] == sql_row[-1].split()[0]:
selected_transitions.append(sql_row)
updated_species_ids.add(sql_row[3])
else:
selected_transitions.append(sql_row)
updated_species_ids.add(sql_row[3])
if len(selected_transitions) > 0: # Push updates to main
overlap_trans = True
for trans in selected_transitions:
curs2.execute("UPDATE main SET transition_in_space=1, source_Lovas_NIST=\"%s\", telescope_Lovas_NIST=\"%s\", obsref_Lovas_NIST=\"%s\" WHERE line_id = %s"
% (meta['source'], meta['tele'], meta['ref_short'], trans[0]))
if verbose:
filename.write('Frequency: %s \t # Results Raw: %i \t Selected Results: %i\n'
% (row['Freq'], num_results, len(selected_transitions)))
if len(selected_transitions) != 0:
filename.write('--------------\n')
for sel_row in selected_transitions:
filename.write('\t\t Line: %s \t Species ID: %s \t Splat Freq: %s\n\n'
% (sel_row[0], sel_row[2], sel_row[1]))
else:
filename.write('--------------\n')
filename.write('No lines found. Species: %s \t Formula: %s \t Rough Mass: %s \n' \
% (row['El'],row['El_parse'], row['rough_mass']))
# Update metadata for species that were updated
for species in updated_species_ids:
curs2.execute("SELECT Ref19, Date from species_metadata where species_id=%s ORDER BY Date DESC" % species)
try:
ref_data = curs2.fetchall()[0]
except IndexError: # Bad species_id?
print 'Bad ref data for species id # %s: ' % species
continue
if ref_data[0] == None or ref_data[0] == '':
to_write = "Astronomically observed transitions for this linelist have been marked using data from" \
" the following references"
if overlap_trans:
to_write += " (NOTE: Some transitions in the linelist " \
"are overlapping at typical astronomical linewidths." \
" All transitions within this typical tolerance have been marked as observed.)"
to_write += ": %s" % meta['ref_full']
else:
continue
# to_write = ref_data[0] + "; %s" % meta['ref_full']
curs2.execute("UPDATE species_metadata SET Ref19 = \"%s\" WHERE species_id=%s AND Date = \"%s\""
% (to_write, species, ref_data[1]))
curs2.close()
if verbose:
filename.close()
# Update linelist list with ref
curs3 = db.cursor()
curs3.execute("INSERT INTO lovas_references (Lovas_shortref, Lovas_fullref) VALUES (\"%s\", \"%s\")" %(meta['ref_short'], meta['ref_full']))
print 'Update completed successfully.'
if __name__ == "__main__":
path = "/home/nate/Downloads/Line Survey/Shimajiri 2015/FIR_3N_raw.txt"
fmt = ['El', 'qNu', 'Freq']
TOLERANCE = 1.0 # In units of linelist frequency, typically MHz.
linelist = read_raw_file(open(path, 'r'), fmt, ' ', tag='shimajiri')
#rint linelist
# linelist = read_vizier_file(open(path, 'r'), fmt, '\t')
# linelist['El'] = linelist['El'].apply(lambda x: x.replace('_','')).apply(lambda x: re.sub('\\^.*?\\^', '', x)).apply(lambda x: x.strip())
# linelist['qNu'] = linelist['qNu'].apply(lambda x: re.findall(r'\d+', x)[0])
def parse_formula(row):
return ''.join([x[0] if x[1] == '' else x[0]+x[1]
for x in re.findall(r'([A-Z][a-z]*)(\d*)', row)])
def sanitize_formula(form):
formula_chars_to_rid = ['+', '13', '18', '15', '17']
for val in formula_chars_to_rid:
form = form.replace(val, '')
return form
linelist['El_parse'] = linelist['El'].apply(parse_formula).apply(sanitize_formula)
linelist['rough_mass'] = linelist['El_parse'].apply(calc_rough_mass)
print linelist
db = init_sql_db()
print 'Connected to database successfully.'
cursor = db.cursor()
cursor.execute("USE splat")
# Enter metadata for astronomical study
fields = ['Telescope', 'Source', 'Full Reference', 'Reference Abbrev.']
# fieldValues = eg.multenterbox(msg="Enter metadata for astro survey.", title="Survey Metadata", fields=fields)
# metadata = {'tele': fieldValues[0], 'source': fieldValues[1],
# 'ref_full': fieldValues[2], 'ref_short': fieldValues[3]}
metadata = {'tele': 'ATSE', 'source': 'OMC 2-FIR-3N',
'ref_full': 'Y. Shimajiri, T. Sakai, Y. Kitamura, <i>et. al</i>, <b>2015</b>, <i>ApJ. Suppl.</i> 221, 2.',
'ref_short': 'Shimajiri 2015'}
print 'Pushing updates from %s, telescope: %s, source: %s...' \
% (metadata['ref_short'], metadata['tele'], metadata['source'])
push_raw_to_splat(astro_ll=linelist, meta=metadata, db=db, verbose=0, fuzzy_search=0, use_qn_mult=1, mass_tol=3, freq_tol=2.0)
# push_vizier_to_splat(astro_ll=linelist, meta=metadata, db=db, use_qn_mult=1, mass_tol=4, freq_tol=1.0)
|
# Copyright 2012 OpenStack Foundation
# 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.
import sys
import six
import testtools
from glanceclient.common import utils
class TestUtils(testtools.TestCase):
def test_make_size_human_readable(self):
self.assertEqual("106B", utils.make_size_human_readable(106))
self.assertEqual("1000kB", utils.make_size_human_readable(1024000))
self.assertEqual("1MB", utils.make_size_human_readable(1048576))
self.assertEqual("1.4GB", utils.make_size_human_readable(1476395008))
self.assertEqual("9.3MB", utils.make_size_human_readable(9761280))
def test_get_new_file_size(self):
size = 98304
file_obj = six.StringIO('X' * size)
try:
self.assertEqual(utils.get_file_size(file_obj), size)
# Check that get_file_size didn't change original file position.
self.assertEqual(file_obj.tell(), 0)
finally:
file_obj.close()
def test_get_consumed_file_size(self):
size, consumed = 98304, 304
file_obj = six.StringIO('X' * size)
file_obj.seek(consumed)
try:
self.assertEqual(utils.get_file_size(file_obj), size)
# Check that get_file_size didn't change original file position.
self.assertEqual(file_obj.tell(), consumed)
finally:
file_obj.close()
def test_prettytable(self):
class Struct:
def __init__(self, **entries):
self.__dict__.update(entries)
# test that the prettytable output is wellformatted (left-aligned)
columns = ['ID', 'Name']
val = ['Name1', 'another', 'veeeery long']
images = [Struct(**{'id': i ** 16, 'name': val[i]})
for i in range(len(val))]
saved_stdout = sys.stdout
try:
sys.stdout = output_list = six.StringIO()
utils.print_list(images, columns)
sys.stdout = output_dict = six.StringIO()
utils.print_dict({'K': 'k', 'Key': 'veeeeeeeeeeeeeeeeeeeeeeee'
'eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee'
'eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee'
'eeeeeeeeeeeery long value'},
max_column_width=60)
finally:
sys.stdout = saved_stdout
self.assertEqual(output_list.getvalue(), '''\
+-------+--------------+
| ID | Name |
+-------+--------------+
| | Name1 |
| 1 | another |
| 65536 | veeeery long |
+-------+--------------+
''')
self.assertEqual(output_dict.getvalue(), '''\
+----------+--------------------------------------------------------------+
| Property | Value |
+----------+--------------------------------------------------------------+
| K | k |
| Key | veeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee |
| | eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee |
| | ery long value |
+----------+--------------------------------------------------------------+
''')
def test_exception_to_str(self):
class FakeException(Exception):
def __str__(self):
raise UnicodeError()
ret = utils.exception_to_str(Exception('error message'))
self.assertEqual(ret, 'error message')
ret = utils.exception_to_str(Exception('\xa5 error message'))
self.assertEqual(ret, ' error message')
ret = utils.exception_to_str(FakeException('\xa5 error message'))
self.assertEqual(ret, "Caught '%(exception)s' exception." %
{'exception': 'FakeException'})
|
from __future__ import print_function, division, absolute_import
import numpy as np
import abstract_rendering.core as core
from abstract_rendering._cntr import Cntr
class Contour(core.ShapeShader):
def __init__(self, x_range=None, y_range=None, levels=5, points=True):
"""
x/y_range arguments determine the data values that correspond
to the max/min values on the axes of the input grid. It is assumed
that the grid is linear between the two.
levels as a scalar determines how many levels will be built
levels as a list determines where the levels are built
points -- Indicates if it should return values
as [[(x,y)...], [(x,y)...]] (default, True)
or as [[x,x...], [x,x...],[y,y...][y,y...]] (False)
"""
self.x_range = x_range
self.y_range = y_range
self.levels = levels
self.points = points
def fuse(self, grid):
x_range = self.x_range if self.x_range else (0, grid.shape[1]-1)
y_range = self.y_range if self.y_range else (0, grid.shape[0]-1)
xs = np.linspace(x_range[0], x_range[1], num=grid.shape[1])
ys = np.linspace(y_range[0], y_range[1], num=grid.shape[0])
xg, yg = np.meshgrid(xs, ys)
c = Cntr(xg, yg, grid)
if isinstance(self.levels, list):
levels = self.levels
else:
levels = Contour.nlevels(grid, self.levels)
isos = dict()
for level in levels:
points = c.trace(level, points=self.points)
points = [[], []] if len(points) == 0 else points
isos[level] = points
return isos
@classmethod
def nlevels(cls, grid, n):
"Given grid of values, pick out n values for iso contour levels"
# The contouring library outlines places below the given value.
# We do n+2 and drop the first and last values because they are
# empty contours.
return np.linspace(grid.min(), grid.max(), n+2)[1:-1]
|
import socket, menu
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
sock.connect(("gopher.floodgap.com", 70))
sock.sendall("\r\n".encode("ascii"))
data = b""
while True:
temp = sock.recv(1024)
if not temp: break
data += temp
sock.close()
data = data.decode("ascii")
p = menu.Parser(data)
for i in range(2):
print("\n".join(map(str,p.parse()))) |
# -*- coding: utf-8 -*-
"""
websiteconfig
~~~~~~~~~~~~~
default config for website.
"""
import os
class default_settings(object):
DEBUG = True
TESTING = True
SECRET_KEY = '\x7f\x89q\x87v~\x87~\x86U\xb1\xa8\xb5=v\xaf\xb0\xdcn\xfa\xea\xeb?\x99'
SQLALCHEMY_ECHO = True
SQLALCHEMY_DATABASE_URI = 'sqlite:///%s/instance/website.db' % os.path.abspath(os.path.dirname(__file__))
|
print("Sartu zenbakiak...")
a=int(input("Sartu lehenengo zenbakia: "))
b=int(input("Sartu bigarren zenbakia: "))
def baino_txikiagoa(a, b):
if a > b:
return("Bigarren zenbakia txikiagoa da.")
elif a < b:
return("Lehenengo zenbakia txikiagoa da.")
elif a == b:
return("Zenbaki berdina sartu dezu.")
else:
return("Ez dezu zenbaki bat sartu. Saiatu berriro.")
print(baino_txikiagoa(a, b))
|
import pytest
from sciwing.modules.embedders.bert_embedder import BertEmbedder
import itertools
from sciwing.utils.common import get_system_mem_in_gb
from sciwing.data.line import Line
import torch
bert_types = [
"bert-base-uncased",
"bert-base-cased",
"scibert-base-cased",
"scibert-sci-cased",
"scibert-base-uncased",
"scibert-sci-uncased",
"bert-large-uncased",
"bert-large-cased",
]
aggregation_types = ["sum", "average"]
bert_type_aggregation = list(itertools.product(bert_types, aggregation_types))
system_memory = get_system_mem_in_gb()
system_memory = int(system_memory)
@pytest.fixture(params=bert_type_aggregation)
def setup_bert_embedder(request):
dropout_value = 0.0
bert_type, aggregation_type = request.param
bert_embedder = BertEmbedder(
dropout_value=dropout_value,
aggregation_type=aggregation_type,
bert_type=bert_type,
)
strings = [
"Lets start by talking politics",
"there are radical ways to test your code",
]
lines = []
for string in strings:
line = Line(text=string)
lines.append(line)
return bert_embedder, lines
@pytest.mark.skipif(
system_memory < 4, reason="System memory too small to run testing for BertEmbedder"
)
class TestBertEmbedder:
@pytest.mark.slow
def test_embedder_dimensions(self, setup_bert_embedder):
"""
The bow bert encoder should return a single instance
that is the sum of the word embeddings of the instance
"""
bert_embedder, lines = setup_bert_embedder
encoding = bert_embedder(lines)
lens = [len(line.tokens["tokens"]) for line in lines]
max_word_len = max(lens)
assert encoding.size(0) == 2
assert encoding.size(2) == bert_embedder.get_embedding_dimension()
assert encoding.size(1) == max_word_len
@pytest.mark.slow
def test_bert_embedder_tokens(self, setup_bert_embedder):
bert_embedder, lines = setup_bert_embedder
_ = bert_embedder(lines)
emb_dim = bert_embedder.get_embedding_dimension()
emb_name = bert_embedder.embedder_name
for line in lines:
tokens = line.tokens[bert_embedder.word_tokens_namespace]
for token in tokens:
assert isinstance(token.get_embedding(emb_name), torch.FloatTensor)
assert token.get_embedding(emb_name).size(0) == emb_dim
|
# -*- coding: utf-8 -*-
"""
@author: krakowiakpawel9@gmail.com
@site: e-smartdata.org
"""
import numpy as np
import pandas as pd
import seaborn as sns
sns.set()
df = pd.read_csv('./data/ten_d.csv', index_col=0)
df.columns = ['Open', 'High', 'Low', 'Close', 'Volume']
# %%
df_agg = df.rolling(window=10).agg(np.mean)
# %%
close_stats = df['Close'].rolling(window=10).agg([np.median, np.mean, np.std])
# %%
df_stats = df.drop('Volume', axis=1)
df_stats = df_stats.rolling(window=10).agg([np.mean, np.std])
# %% different aggregation
diff_agg = df.rolling(window=20).agg({'Close': [np.std, np.mean],
'Volume': np.std})
# %%
df = (df - df.mean()) / df.std()
df = df.rolling(window=30).agg({'Close': np.std, 'Volume': np.std})
df.plot()
# %%
df.rolling(window=len(df), min_periods=1).mean()[:5] |
# coding=utf-8
from __future__ import absolute_import, division, print_function, \
unicode_literals
from typing import MutableMapping
__all__ = [
'with_context',
]
def with_context(exc, context):
# type: (Exception, dict) -> Exception
"""
Attaches a context dict to an exception, so that it can be
captured by loggers.
This lets you keep the exception message fairly short/generic,
while making useful troubleshooting information accessible to
debuggers and loggers.
Example::
raise with_context(
exc = ValueError('Failed validation.'),
context = {
'errors': filter_runner.get_context(True),
},
)
If the exception already has a ``context`` attribute, it will be
reassigned to ``exc.context['_original_context']``.
"""
if not hasattr(exc, 'context'):
exc.context = {}
if not isinstance(exc.context, MutableMapping):
exc.context = {'_original_context': exc.context}
exc.context.update(context)
return exc
|
from ecs.workflow.models import NODE_TYPE_CATEGORY_SUBGRAPH, NODE_TYPE_CATEGORY_CONTROL, NODE_TYPE_CATEGORY_ACTIVITY
from ecs.tasks.models import TaskType
def make_dot(g, prefix='', embed_subgraphs=True, subgraph_id=''):
common_edge_attrs = {'fontname': 'Helvetica', 'style': 'bold'}
common_node_attrs = {'fontname': 'Helvetica'}
statements = [
'label="{}"'.format(g.content_type.model_class().__name__),
'labelloc="t"'
'fontname="Helvetica"',
'fontsize="20"',
'style="bold"',
]
def make_attrs(attrs):
return ", ".join('%s="%s"' % (opt, val) for opt, val in attrs.items())
def add_node(node_id, **options):
attrs = common_node_attrs.copy()
attrs.update(options)
statements.append('%sN_%s [%s]' % (prefix, node_id, make_attrs(attrs)))
def add_edge(from_id, to_id, **options):
attrs = common_node_attrs.copy()
attrs.update(options)
statements.append('%sN_%s -> %sN_%s [%s]' % (prefix, from_id, prefix, to_id, make_attrs(attrs)))
add_node('%sStart' % subgraph_id, shape='circle', label='Start')
add_node('%sEnd' % subgraph_id, shape='doublecircle', label='End')
nodes = g.nodes.all()
for node in nodes:
try:
group = node.tasktype.group.name if node.tasktype.group else ''
except TaskType.DoesNotExist:
group = ''
label = '{%s: %s | %s}' % (node.pk, node.name or " ".join(node.node_type.name.rsplit('.', 1)[-1].split('_')), group)
opts = {
'label': label,
'style': 'rounded',
'shape': 'record',
}
if node.is_end_node:
add_edge(node.pk, '%sEnd' % subgraph_id)
if node.is_start_node:
add_edge('%sStart' % subgraph_id, node.pk)
if node.node_type.category == NODE_TYPE_CATEGORY_SUBGRAPH:
statements.append(node.node_type.graph.dot(subgraph_id=node.pk))
continue
if node.node_type.category == NODE_TYPE_CATEGORY_CONTROL:
opts.update({'color': 'lightblue'})
if node.node_type.category == NODE_TYPE_CATEGORY_ACTIVITY:
opts.update({'color': 'greenyellow'})
add_node(node.pk, **opts)
for node in nodes:
for edge in node.edges.all():
attrs = {}
if edge.deadline:
attrs['style'] = 'dotted'
if edge.guard_id:
label = " ".join(edge.guard.implementation.rsplit('.', 1)[-1].split('_'))
add_node("E%s" % edge.pk, label='%s%s: %s' % (edge.negated and '~' or '', edge.guard_id, label), shape='plaintext')
add_edge(edge.from_node_id, "E%s" % edge.pk, arrowhead='none', **attrs)
add_edge("E%s" % edge.pk, edge.to_node_id, **attrs)
else:
add_edge(edge.from_node_id, edge.to_node_id, **attrs)
if subgraph_id:
graphtype = 'subgraph %sN%s' % (prefix, subgraph_id)
statements.insert(0, 'rank=same')
else:
graphtype = 'digraph'
return "%s {\n\t%s;\n}" % (graphtype, ";\n\t".join(statements))
|
# Copyright 2016 Autodesk Inc.
#
# 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.
"""This module is used to create a GLUT popup menu.
The main menu contains items for different graphics representions of certain
entities from a DNA structure design: virtual helices, strands, domains,
etc. A submenu of entity names is defined for each representation. The
entity names are used to selectively visualize components of the DNA
structure design. The submenus for virtual helix representions contain
integer IDs for the helix 'number' obtained from the caDNAno design file.
Most submenus contain 'All' and 'None' entries that are used to selected all
or none of the entities from the submenu. When an entity from a submenu is
selected its visibility is modified depending on its current selection
state. If it is already selected then it is set to be hidden. The entity
name in the submenu is updated with a '+' if it not selected.
Menu selection generates a command that is then executed to perform the visualization operation.
"""
import inspect
import logging
from .helix import VisHelixRepType
from .strand import VisStrandRepType
from .atomic_struct import VisAtomicStructureRepType
import model
try:
from OpenGL.GL import *
from OpenGL.GLU import *
from OpenGL.GLUT import *
except ImportError as e:
print "Could not import PyOpenGL."
raise e
class VisMenuItem:
""" This class defines the two menu items that appear in all submenus. """
ALL = "All"
NONE = "None"
class VisMenuEntity:
""" This class defines the entities that can be visualized. """
UNKNOWN = 'unknown'
ATOMIC_STRUCTURE = 'atomic_structure'
HELIX = 'helix'
MODEL = 'model'
STRAND = 'strand'
class VisMenuItemSelect(object):
""" This class is used to process the selection of submenu item for a given representation from submenus.
Attributes:
selection (VisRepMenu): The menu selection object that this representation is part of.
rep (String): The representation this menu item selects. The string is from the values of representation
type classes (e.g. VisHelixRepType).
When a submenu item it selected the callback method in this class is called with the item number selected.
The item number and the representation is then used to process the selection of an entiy of that representation.
"""
def __init__(self, selection, rep):
self.selection = selection
self.rep = rep
def callback(self, item):
""" This function is the callback given to a GLUT menu.
Arguments:
item (int): The menu item number of the selection.
This function is executed when an item from a menu is selected.
"""
self.selection.select_rep(item, self.rep)
return 0
class VisMenuMainEntry(object):
""" This class is used to manage the main menu selections.
"""
def __init__(self, name, menu_id, callback):
self.name = name
self.menu_id = menu_id
self.callback = callback
self.selected = False
class VisSubMenu(object):
""" This class is used to manage a submenu for a set of representations.
Attributes:
menu (VisMenu): The menu object used to manage the visualizer menus.
command_generate (Method): The function used to generate commands for this representation.
rep_names (List[String]): The list of representation names displayed in the submenu.
selections (Dict[bool]): The dictionary of boolean values that determine if a representation is selected.
It is indexed by representation name.
menuID (int): The menu ID created by GLUT when creating a menu using glutCreateMenu. he menu ID is used to
set the current menu when updating submenu names when selected.
The menu selections for a set of representation are used to selectively visualize representations without
entities (e.g. helix, strand, etc.). A submenu is created for representations that can be selected. A boolean
is stored for all the representations. If the boolean is True the the representation is seleced and is visible.
"""
def __init__(self, menu, menu_name, rep, command_generate):
""" Initialize a VisSubMenu object.
Arguments:
menu (VisMenu): The menu object used to manage the visualizer menus.
menu_name (String): The name of the submenu.
rep (Class): The class that defines an entity's representation types (e.g. VisModelRepType).
command_generate (Method): The function used to generate commands for this representation.
The type names for a given representaion are obtained from its class attibutes. A dict
stores a boolean value for each representaion. A submenu is created with an item for each
representaion. A VisMenuItemSelect object is used to handle the callbacks from the submenu.
"""
self.menu = menu
self.menu_name = menu_name
self.command_generate = command_generate
# Get the representation type names.
attributes = inspect.getmembers(rep, lambda a:not(inspect.isroutine(a)))
rep_types = [a for a in attributes if not(a[0].startswith('__') and a[0].endswith('__'))]
# Create the selections dict, set callbacks and create submenus for each rep.
self.selections = {}
self.menuIDs = {}
self.rep_names = []
for rep_type in rep_types:
rep = rep_type[1]
if rep == VisMenuEntity.UNKNOWN:
continue
self.selections[rep] = False
self.rep_names.append(rep)
#__for rep_type in rep_types
menu_item_select = VisMenuItemSelect(self, menu_name)
self.menuID = self.menu._add_submenu_item(menu_item_select.callback, self.rep_names)
def add_submenu(self):
glutAddSubMenu(self.menu_name, self.menuID)
def select_rep(self, item, rep):
""" Select a representation.
Arguments:
rep (String): The name of the representation selected.
item (int): The menu item number representation selected.
Selecting a representation will cause it to be displayed or hidden from view. A command is generated
and then executed to perform the visualization of the representation.
"""
selected_rep = self.rep_names[item]
show = self.menu.set_selections(self.rep_names, self.selections, item, rep, self.menuID)
self.command_generate(selected_rep, show)
def update_selection(self, name, rep):
""" Update a selection for the given representation. This is used to update a menu from a command.
Arguments:
name (String): Not used.
rep (String): The name of the representation.
"""
for item,rep_name in enumerate(self.rep_names):
if rep_name == rep:
show = self.menu.set_selections(self.rep_names, self.selections, item, rep, self.menuID)
break
#__for item,rep_name in enumerate(self.rep_names)
class VisRepMenu(object):
""" This class is used to manage the submenus for a set of representations.
Attributes:
menu (VisMenu): The menu object used to manage the visualizer menus.
names (List[String]): The list of entity names displayed for the representation's submenu.
command_generate (Method): The function used to generate commands for this representation.
selections (Dict[Dict[bool]]): The dictionary of boolean values that determine if an entity of
representation is selected. It is indexed by representation name and entity name.
menuIDs (Dict[int]): The dictionary of the menu IDs created by GLUT when creating a menu using glutCreateMenu.
The menu IDs are used to set the current menu when updating submenu names when selected.
The menu selections for a given representation are used to selectively visualize the individual
entities (helix, strand, etc.) of a model. Submenus are create for each representation containing
entity names (e.g. helix number or strand name) that can be selected. A boolean is stored for all the entities
defined for each representation. If the boolean is True the the entity is seleced and is visible.
"""
def __init__(self, menu, rep, entity_names, command_generate):
""" Initialize a VisRepMenu object.
Arguments:
menu (VisMenu): The menu object used to manage the visualizer menus.
entity_names (List[String]): The list of entity names displayed for the representation's submenu.
rep (Class): The class that defines an entity's representation types (e.g. VisHelixRepType).
command_generate (Method): The function used to generate commands for this representation.
The type names for a given representaion are obtained from its class attibutes. A dict of dicts
stores a boolean value for each entity of each representaion. A submenu is created for each
representaion and uses VisMenuItemSelect object to handle the callbacks from the submenu.
"""
self.menu = menu
self.entity_names = entity_names
self.command_generate = command_generate
# Get the representation type names.
attributes = inspect.getmembers(rep, lambda a:not(inspect.isroutine(a)))
rep_types = [a for a in attributes if not(a[0].startswith('__') and a[0].endswith('__'))]
# Create the selections dict, set callbacks and create submenus for each rep.
self.selections = {}
self.menuIDs = {}
for rep_type in rep_types:
rep = rep_type[1]
if rep == VisMenuEntity.UNKNOWN:
continue
self.selections[rep] = {}
# Set the selection flag for each entity name.
for name in entity_names:
self.selections[rep][name] = False
menu_item_select = VisMenuItemSelect(self, rep)
self.menuIDs[rep] = self.menu._add_submenu_item(menu_item_select.callback, entity_names)
#__for rep_type in rep_types
def add_submenu(self, rep, menu_name):
""" Create a GLUT representation submenu.
Arguments:
rep (String): The name of a representation, taken from a representation class such as VisHelixRepType.
menu_name (String): The menu name that is displayed in the popup menu.
"""
glutAddSubMenu(menu_name, self.menuIDs[rep])
def select_rep(self, item, rep):
""" Select a representation.
Arguments:
rep (String): The name of the representation selected.
item (int): The menu item number representation selected.
Selecting a representation will cause it to be displayed or hidden from view. A command is generated
and then executed to perform the visualization of the representation.
"""
selected_name = self.entity_names[item]
show = self.menu.set_selections(self.entity_names, self.selections[rep], item, rep, self.menuIDs[rep])
self.command_generate(selected_name, rep, show)
def update_selection(self, name, rep):
""" Update a selection for the given representation and name. This is used to update a menu from a command.
Arguments:
name (String): The entity name.
rep (String): The name of the representation.
"""
for item,entity_name in enumerate(self.entity_names):
if entity_name == name:
show = self.menu.set_selections(self.entity_names, self.selections[rep], item, rep, self.menuIDs[rep])
break
#__for item,item_name in enumerate(self.entity_names)
class VisMenu(object):
""" This class is used to manage the visualizer menus.
Attributes:
atomic_struct_names (List[String]): The list of atomic structure names to be displayed for the atomic structure
representation submenus.
delayed_updates (List[Tuple]): A list of menu selection updates from commands that are applied after the
graphics loop has started. We neeed to do this because there seemed to be some menu state issues.
helix_names (List[String]): The list of helix entity names to be displayed for the helix representation submenus.
item_count (int): The count of main menu items. This is used to index menu_items[].
menu_items (List[int]): The list of main (non-submenu) menu items.
selections (Dict[VisRepMenu]): The dict of selection objects used to manage menu selections.
strand_names (List[String]): The list of strand names to be displayed for the strand representation submenus.
updated (bool): If True then the menu has been updated by commands.
The visualizer popup menu displays menus for different graphics representions of certain entities from a DNA
structure design: virtual helices, strands, domains, etc. A submenu of entity names is defined for each representation.
The entity names are used to selectively visualize components of the DNA structure design. Entity selections are
managed using a the 'selections' attribute, a dictionary of VisRepMenu objects.
"""
menu_items = {}
item_count = 1
updated = False
delayed_updates = []
delayed_submenu_updates = []
selected_symbol = " - on"
def __init__(self, command, helix_names, strand_names, atomic_struct_names):
self.command = command
self.helix_names = helix_names
self.strand_names = strand_names
self.atomic_struct_names = atomic_struct_names
self.selections = {}
self._logger = logging.getLogger(__name__)
self._create_menu_items()
def _create_menu_items(self):
""" Create items for the popup menu.
To create the menu items we first create items for the submenus for each representation and with the
associated entity names. The main menu items are then created using titles for each representation.
"""
# Create model sub-menu.
model_select = VisSubMenu(self, "Model", model.VisModelRepType, self.command.generate_model_cmd)
self.selections[VisMenuEntity.MODEL] = model_select
# Create helix sub-menus.
helix_select = VisRepMenu(self, VisHelixRepType, self.helix_names, self.command.generate_helix_cmd)
self.selections[VisMenuEntity.HELIX] = helix_select
# Create strand sub-menus.
strand_select = VisRepMenu(self, VisStrandRepType, self.strand_names, self.command.generate_strand_cmd)
self.selections[VisMenuEntity.STRAND] = strand_select
# Create atomic stucture sub-menus.
if len(self.atomic_struct_names) > 2:
atomic_select = VisRepMenu(self, VisAtomicStructureRepType, self.atomic_struct_names,
self.command.generate_atomic_struct_cmd)
self.selections[VisMenuEntity.ATOMIC_STRUCTURE] = atomic_select
else:
self.selections[VisMenuEntity.ATOMIC_STRUCTURE] = None
atomic_select = None
# Create main menu items. Most of the main menu items will be a submenu of entity names.
self.menu = glutCreateMenu(self.main_callback)
# Create the submenus for atomic structure representations.
if atomic_select:
atomic_select.add_submenu(VisAtomicStructureRepType.BACKBONE, "Atomic structure backbone")
atomic_select.add_submenu(VisAtomicStructureRepType.BONDS, "Atomic structure bonds")
atomic_select.add_submenu(VisAtomicStructureRepType.CHECK, "Atomic structure check")
# Create the submenu for the model menu. This only has model representations for its submenu.
model_select.add_submenu()
# Create the submenus for strand representations.
strand_select.add_submenu(VisStrandRepType.CONNECTORS, "Strand connectors")
strand_select.add_submenu(VisStrandRepType.DOMAINS, "Strand domains")
strand_select.add_submenu(VisStrandRepType.FRAMES, "Strand frames")
strand_select.add_submenu(VisStrandRepType.PATH, "Strand path")
strand_select.add_submenu(VisStrandRepType.TEMPERATURE, "Strand temperature")
# Create the submenus for the virtual helix representations.
helix_select.add_submenu(VisHelixRepType.BASE_POSITIONS, "Virtual helix base positions")
helix_select.add_submenu(VisHelixRepType.COORDINATE_FRAMES, "Virtual helix coordinate frames")
helix_select.add_submenu(VisHelixRepType.DESIGN_CROSSOVERS, "Virtual helix design crossovers")
helix_select.add_submenu(VisHelixRepType.COORDINATES, "Virtual helix DNA helix P coordinates")
helix_select.add_submenu(VisHelixRepType.DOMAINS, "Virtual helix domains")
helix_select.add_submenu(VisHelixRepType.GEOMETRY, "Virtual helix geometry")
helix_select.add_submenu(VisHelixRepType.INSERTS_DELETES, "Virtual helix inserts and deletes")
helix_select.add_submenu(VisHelixRepType.MAXIMAL_CROSSOVERS,"Virtual helix maximal crossovers")
helix_select.add_submenu(VisHelixRepType.PAIRED_GEOMETRY, "Virtual helix paired geometry")
helix_select.add_submenu(VisHelixRepType.STRANDS, "Virtual helix strands")
helix_select.add_submenu(VisHelixRepType.TEMPERATURE, "Virtual helix temperature")
# Add the quit menu item.
self._add_menu_item("Quit", self.quit_callback)
glutAttachMenu(GLUT_RIGHT_BUTTON)
@staticmethod
def help():
""" Display the visualizer menu help. """
print(" ====================== Menu =========================")
print(" Atomic structure backbone - Show the atomic structure backbone P atoms for the selected strand.")
print(" Atomic structure bonds - Show the atomic structure atom bonds as lines and DNA base planes as filled polygons.")
print(" Atomic structure check - Check the bond lengths between backbone P atoms. Bond lengths that are too short or long are highlighted.")
print(" Model - Bounding box - Show the bounding box of the design.")
print(" Geometry - Show the geometry of the design representing dsDNA as solid cylinders.")
print(" Virtual helix numbers - Show the cadnano virtual helix numbering displayed on in a plane on the bounding box.")
print(" Virtual helix projection - Show the virtual helix axes projected onto two planes on the bounding box.")
print(" Strand domains - Show the domains defined for a strand.")
print(" Strand frames - Show the coordinate frames for a strand. An arrow shows the direction of a strand within a virtual helix.")
print(" Strand geometry - Show a strand as a series of straight lines. A sphere shows the start of the strand.")
print(" Strand temperature - Show the melting temperature for domains defined for a strand.")
print(" Virtual helix base positions - Show the location of base positions along a helix axis.")
print(" Virtual helix coordinate frames - Show the virtual helix coordinate frames. An arrow on the helix axis shows its polarity.")
print(" Virtual helix design crossovers - Show the virtual helix crossovers present in the design.")
print(" Virtual helix geometry - Show the virtual helix as a transparent cylinder.")
print(" Virtual helix DNA helix P coordinates - Show the approximate coordinates of P atoms of a DNA helix.")
print(" Virtual helix domains - Show the domains defined for the virtual helix.")
print(" Virtual helix inserts and deletes - Show the locations of base insertions and deletions for the virtual helix.")
print(" Virtual helix strands - Show the strands that start in a virtual helix.")
print(" Virtual helix temperature - Show the melting temperature for domains defined for the virtual helix.")
print("\n")
def update(self):
""" Update the menu with selections given from commands.
This is needed because the menus must be defined and GLUT finished initializing
before the menus can be updated with selections from commands.
"""
if self.updated:
return
self.updated = True
for update in self.delayed_submenu_updates:
method = update[0]
type = update[1]
name = update[2]
rep = update[3]
method(type, name, rep)
for update in self.delayed_updates:
method = update[0]
type = update[1]
name = update[2]
rep = update[3]
method(type, rep)
def _add_menu_item(self, name, callback):
""" Add a main menu item that does not have a submenu. """
glutAddMenuEntry(name, VisMenu.item_count)
entry = VisMenuMainEntry(name, VisMenu.item_count, callback)
VisMenu.menu_items[VisMenu.item_count] = entry
VisMenu.item_count += 1
def _add_submenu_item(self, callback, name_list):
""" Add a submenu item.
Arguments:
callback (Function): The callback function executed when an item is seleced from the submenu.
name_list(List[String]): The list of entity names for the submenu.
"""
sub_menu = glutCreateMenu(callback)
n = 0
for name in name_list:
glutAddMenuEntry(str(name), n)
n += 1
VisMenu.item_count += 1
return sub_menu
def update_selection(self, type, rep, delay=False):
""" Update a selection for the given rep name. """
if delay:
self.delayed_updates.append((self.update_selection, type, None, rep))
return
self.selections[type].update_selection(type,rep)
def update_submenu_selection(self, type, name, rep, delay=False):
""" Update a selection for the given rep and entity name.
Arguments:
type (String): The menu entity type taken from VisMenuEntity.
name (String): The entity name to update.
rep (String): The representation name.
delay (bool): If False then delay the menu update until the graphics has been initialized.
"""
if delay:
self.delayed_submenu_updates.append((self.update_submenu_selection, type, name, rep))
return
self.selections[type].update_selection(name,rep)
def set_selections(self, names, selections, item, rep, menu=-1):
""" Set the selection of an entity submenu item.
Arguments:
names (List[String]): The list of submenu entity names.
selections (Dict[String]): A dict of boolean values for each entity name.
item (int): The number of the submenu item selected.
rep (String): The name of the representation.
menu (int): The submenu ID. If -1 then don't set the menu.
Returns a boolean indicating the entity's visibility.
When an entity from a submenu is selected its visibility is modified depending on its current selection
state. If it is already selected then it is set to be hidden. The entity name in the submenu is updated
with a '+' if it not selected.
"""
name = names[item]
cmenu = glutGetMenu()
if menu != -1:
glutSetMenu(menu)
# Select all of the submenu entities.
if name == VisMenuItem.ALL:
for item,name in enumerate(names):
if item < 2:
continue
entry_name = name + VisMenu.selected_symbol
selections[name] = True
glutChangeToMenuEntry(item+1, entry_name, item)
# Select none of the submenu entities.
elif name == VisMenuItem.NONE:
for item,name in enumerate(names):
if item < 2:
continue
selections[name] = False
glutChangeToMenuEntry(item+1, name, item)
# Select an entity from the submenu entities.
else:
if not selections[name]:
entry_name = name + VisMenu.selected_symbol
selections[name] = True
else:
entry_name = name
selections[name] = False
glutChangeToMenuEntry(item+1, entry_name, item)
return selections[name]
def main_callback(self, item):
""" This is the callback function for menus that are not submenus. """
entry = VisMenu.menu_items[item]
VisMenu.menu_items[item].callback(entry)
return 0
def quit_callback(self, entry):
""" This the callback function for the 'quit' menu selection. """
sys.exit(0)
|
# This file is part of BenchExec, a framework for reliable benchmarking:
# https://github.com/sosy-lab/benchexec
#
# SPDX-FileCopyrightText: 2007-2020 Dirk Beyer <https://www.sosy-lab.org>
#
# SPDX-License-Identifier: Apache-2.0
import benchexec.util as util
import benchexec.tools.template
import benchexec.result as result
class Tool(benchexec.tools.template.BaseTool):
def executable(self):
return util.find_executable("satabs")
def version(self, executable):
return self._version_from_tool(executable)
def name(self):
return "SatAbs"
def determine_result(self, returncode, returnsignal, output, isTimeout):
output = "\n".join(output)
if "VERIFICATION SUCCESSFUL" in output:
assert returncode == 0
status = result.RESULT_TRUE_PROP
elif "VERIFICATION FAILED" in output:
assert returncode == 10
status = result.RESULT_FALSE_REACH
elif returnsignal == 9:
status = "TIMEOUT"
elif returnsignal == 6:
if "Assertion `!counterexample.steps.empty()' failed" in output:
status = "COUNTEREXAMPLE FAILED" # TODO: other status?
else:
status = "OUT OF MEMORY"
elif returncode == 1 and "PARSING ERROR" in output:
status = "PARSING ERROR"
else:
status = "FAILURE"
return status
|
# -*- coding: utf-8 -*-
#
# djangoplicity-contacts
# Copyright (c) 2007-2011, European Southern Observatory (ESO)
# All rights reserved.
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are met:
#
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
#
# * Redistributions in binary form must reproduce the above copyright
# notice, this list of conditions and the following disclaimer in the
# documentation and/or other materials provided with the distribution.
#
# * Neither the name of the European Southern Observatory nor the names
# of its contributors may be used to endorse or promote products derived
# from this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY ESO ``AS IS'' AND ANY EXPRESS OR IMPLIED
# WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF
# MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO
# EVENT SHALL ESO BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL,
# EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO,
# PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR
# BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER
# IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
# ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
# POSSIBILITY OF SUCH DAMAGE
#
"""
Helper classes for iterating over data in tabular data located in CSV/Excel files.
An important restriction for all tabular data files are that they must have
* a header row and,
* unique column names.
Usage example::
# First construct an importer.
>>> importer = CSVImporter( filename='/path/to/csvfile.csv' )
>>> importer = ExcelImporter( filename='/path/to/excelfile.xls', sheet=1 )
# Iterate over rows in tabular data
>>> for row in importer:
... for c in importer.keys(): # Iterator over each column
... print row[c]
# Extract column and iterate over all values
>>> column_values = importer['SomeColumnName']
>>> for val in column_values:
... print val
# Get number of rows in tabular data
>>> number_of_rows = len(importer)
# Check if column exists in importer
>>> test = 'SomeColumnName' in importer
# Get all column names in importer
>>> header = importer.keys()
# Get a list of all column values
>>> header = importer.values()
#
>>> for column,values in importer.items()
... print column
... for v in values:
... print v
"""
import codecs
import csv
import xlrd
# ============
# Base classes
# ============
class Importer( object ):
"""
Abstract base class for all importers
"""
def __init__( self, *args, **kwargs ):
self.cols = {}
def __iter__( self ):
return ImportIterator()
def __len__( self ):
return 0
def __getitem__( self, value ):
raise KeyError
def __contains__( self, value ):
"""
Test if column name exists in excel file.
"""
return value in self.cols.keys()
def keys( self ):
"""
Return all column names.
"""
return self.cols.keys()
def items( self ):
return [( c, self[c] ) for c in self.keys()]
def values( self ):
return [self[c] for c in self.keys()]
class ImportIterator( object ):
"""
Abstract base class for all import iterators.
"""
def __iter__( self ):
return self
def next( self ):
raise StopIteration
# ==============
# Excel Importer
# ==============
class ExcelImporter( Importer ):
"""
Importer for Excel files.
Defaults:
sheet = 0
"""
def __init__( self, filename=None, sheet=0 ):
"""
Initialize importer by opening the Excel file and
reading out a specific sheet.
"""
self.sheet = xlrd.open_workbook( filename ).sheet_by_index( sheet )
i = 0
self._header = []
self.cols = {}
for c in self.sheet.row_values( 0 ):
if isinstance(c, basestring):
c = c.strip()
self.cols[c] = i
self._header.append( ( c, None ) )
i += 1
def header( self ):
"""
Return the Excel header for this file. This can be used as input to
ExcelExporter.
"""
import copy
return copy.copy( self._header )
def __len__( self ):
"""
Return the number of rows in the excel file.
"""
return self.sheet.nrows - 1
def __getitem__( self, value ):
"""
Return all values for a specific column
"""
return self.sheet.col_values( self.cols[value] )[1:]
def row( self, rowidx ):
"""
Return a specific row in the table.
"""
rowidx = rowidx + 1
data = {}
for colname, idx in self.cols.items():
data[colname] = self.sheet.cell( rowx=rowidx, colx=idx ).value
return data
def __iter__( self ):
return ExcelImportIterator( self )
class ExcelImportIterator( ImportIterator ):
"""
Iterator object for ExcelImporter
"""
def __init__( self, excelimporter ):
self.excelimporter = excelimporter
self.rowidx = -1
def next( self ):
self.rowidx += 1
if self.rowidx >= len( self.excelimporter ):
raise StopIteration
return self.excelimporter.row( self.rowidx )
# ==============
# CSV Importer
# ==============
class CSVImporter( Importer ):
"""
Importer for CSV files.
Defaults:
encoding='utf-8'
dialect=csv.excel
"""
def __init__( self, filename=None, **kwargs ):
"""
Initialise importer by opening the Excel file and
reading out a specific sheet.
"""
f = open( filename, 'r' )
self.csvreader = _UnicodeReader( f, **kwargs )
# Parse header
i = 0
self.cols = {}
header = self.csvreader.next()
for c in header:
if isinstance(c, basestring):
c = c.strip()
self.cols[c] = i
i += 1
# Build dictionary of tabular data
self._rows = []
for r in self.csvreader:
data = {}
for c, i in self.cols.items():
try:
data[c] = r[i]
except IndexError:
data[c] = None
self._rows.append( data )
def __len__( self ):
"""
Return the number of rows in the excel file.
"""
return len( self._rows )
def __getitem__( self, value ):
"""
Return all values for a specific column
"""
column = []
for r in self._rows:
column.append( r[value] )
return column
def row( self, rowidx ):
"""
Return a specific row in the table.
"""
return self._rows[rowidx]
def __iter__( self ):
return self._rows.__iter__()
class _UTF8Recoder:
"""
Iterator that reads an encoded stream and reencodes the input to UTF - 8
"""
def __init__( self, f, encoding ):
self.reader = codecs.getreader( encoding )( f )
def __iter__(self):
return self
def next( self ):
return self.reader.next().encode( "utf-8" )
class _UnicodeReader( object ):
"""
A CSV reader which will iterate over lines in the CSV file "f",
which is encoded in the given encoding.
"""
def __init__( self, f, dialect=csv.excel, encoding="utf-8", **kwds ):
f = _UTF8Recoder( f, encoding )
self.reader = csv.reader( f, dialect=dialect, **kwds )
def next(self):
row = self.reader.next()
return [unicode( s, "utf-8" ) for s in row]
def __iter__(self):
return self
|
class LineModel:
def __init__(self, conductors):
self._resistance = {}
self._geometric_mean_radius = {}
self._wire_positions = {}
self._phases = {}
for phase, (r, gmr, (x, y)) in conductors.items():
self._resistance[phase] = r
self._geometric_mean_radius[phase] = gmr
self._wire_positions[phase] = (x, y)
self._phases = sorted(list(conductors.keys()))
@property
def resistance(self):
return self._resistance
@property
def geometric_mean_radius(self):
return self._geometric_mean_radius
@property
def wire_positions(self):
return self._wire_positions
@property
def phases(self):
return self._phases
|
from Generators import Primes
def GetFactors(n):
'''Returns all factors of n greater than 0'''
if n < 1:
return []
return [x for x in range(1, n + 1) if n % x == 0]
def GetPrimeFactors(n):
'''
Returns all prime factors for n.
Return value is a dictionary of {prime: cardinality}. The cardinality is the number of times
the prime appears in the factor tree.
Ex: The prime factors of 72 are [2, 2, 2, 3, 3], and the return value of this function would be {2: 3, 3: 2}.
'''
primeFactors = {}
while n >= 2:
for x in Primes():
if n % x == 0:
n /= x
if x in primeFactors:
primeFactors[x] += 1
else:
primeFactors[x] = 1
break
return primeFactors
def GetCountOfFactors(n):
'''Returns the number of factors of n'''
primeFactors = GetPrimeFactors(n)
if len(primeFactors) == 0:
return 0
else:
numFactors = 1
for c in map(lambda cardinality: cardinality + 1, primeFactors.values()):
numFactors *= c
return numFactors
if __name__ == '__main__':
import unittest
class Tests(unittest.TestCase):
def test_GetFactors(self):
cases = [{'n': -1, 'answer': []},
{'n': 0, 'answer': []},
{'n': 1, 'answer': [1]},
{'n': 2, 'answer': [1, 2]},
{'n': 28, 'answer': [1,2,4,7,14,28]},
{'n': 72, 'answer': [1, 2, 3, 4, 6, 8, 9, 12, 18, 24, 36, 72]}]
for case in cases:
n = case['n']
expected = case['answer']
with self.subTest(n=n, expected=expected):
answer = GetFactors(n)
self.assertEqual(expected, answer)
def test_GetPrimeFactors(self):
cases = [{'n': -1, 'answer': {}},
{'n': 1, 'answer': {}},
{'n': 72, 'answer': {2: 3, 3: 2}},
{'n': 13195, 'answer': {5: 1, 7: 1, 13: 1, 29: 1}}]
for case in cases:
n = case['n']
expected = case['answer']
with self.subTest(n=n, expected=expected):
answer = GetPrimeFactors(n)
self.assertEqual(expected, answer)
def test_GetCountOfFactors(self):
cases = [{'n': -1, 'answer': 0},
{'n': 1, 'answer': 0},
{'n': 72, 'answer': 12},
{'n': 28, 'answer': 6},
{'n': 13195, 'answer': 16}]
for case in cases:
n = case['n']
expected = case['answer']
with self.subTest(n=n, expected=expected):
answer = GetCountOfFactors(n)
self.assertEqual(expected, answer)
unittest.main() |
from PIL import Image
import numpy as np
import os
import argparse
import sys
from sklearn import metrics
def mae(folder,path):
if folder:
orginal_image = os.path.join(folder,path)
else:
orginal_image = path
sal=Image.open(orginal_image)
GT=Image.open(os.path.join("Ground_Truth",path))
GT.load()
width, height = GT.size
GT_pixel = np.asarray(GT)
Sal_pixel = np.asarray(sal)
sal_img = Sal_pixel
GT_img = GT_pixel
# print(GT_img)
# print(sal_img)
final = metrics.mean_absolute_error(sal_img, GT_img,sample_weight=None, multioutput='uniform_average')
print("MAE:",end=' ')
print(round(final/(width*height)*100,2),end='%')
print()
return round(final/(width*height)*100,2)
def main(args):
fin=0.0
if args.rgb_folder:
rgb_pths = os.listdir(args.rgb_folder)
count = 1
for rgb_pth in rgb_pths:
print("IMAGE:",end = ' ')
print(count)
count=count+1
fin=fin+mae(args.rgb_folder,rgb_pth)
print()
#print(os.path.join(args.rgb_folder,rgb_pth))
fin=fin/count
else:
fin=mae(None,args.rgb)
print("Final MAE: ",round(fin,2),end='%')
print()
def parse_arguments(argv):
parser = argparse.ArgumentParser()
parser.add_argument('--rgb', type=str,
help='input rgb',default = None)
parser.add_argument('--rgb_folder', type=str,
help='input rgb',default = None)
parser.add_argument('--gpu_fraction', type=float,
help='how much gpu is needed, usually 4G is enough',default = 1.0)
return parser.parse_args(argv)
if __name__ == '__main__':
main(parse_arguments(sys.argv[1:])) |
# Biogeme's Swissmetro example: https://github.com/michelbierlaire/biogeme/blob/master/examples/swissmetro/01logit.ipynb
# this code is copied and lightly modified from the Biogeme example, which is under the Biogeme open-source license
import pandas as pd
import biogeme.database as db
import biogeme.biogeme as bio
from biogeme import models
from biogeme.expressions import Beta
from benchmarkable import Benchmarkable
import os
class BiogemeSwissmetro(Benchmarkable):
def setup(self):
# Read the data
df = pd.read_csv(
os.path.join(
os.path.dirname(__file__), "../../../test/data/biogeme_swissmetro.dat"
),
sep="\t",
)
self.database = db.Database("swissmetro", df)
self.dv = dv = self.database.variables
# Removing some observations
exclude = (
(dv["PURPOSE"] != 1) * (dv["PURPOSE"] != 3) + (dv["CHOICE"] == 0)
) > 0
self.database.remove(exclude)
# Definition of new variables
self.SM_COST = dv["SM_CO"] * (dv["GA"] == 0)
self.TRAIN_COST = dv["TRAIN_CO"] * (dv["GA"] == 0)
self.CAR_AV_SP = dv["CAR_AV"] * (dv["SP"] != 0)
self.TRAIN_AV_SP = dv["TRAIN_AV"] * (dv["SP"] != 0)
self.TRAIN_TT_SCALED = dv["TRAIN_TT"] / 100
self.TRAIN_COST_SCALED = self.TRAIN_COST / 100
self.SM_TT_SCALED = dv["SM_TT"] / 100
self.SM_COST_SCALED = self.SM_COST / 100
self.CAR_TT_SCALED = dv["CAR_TT"] / 100
self.CAR_CO_SCALED = dv["CAR_CO"] / 100
def measurable(self):
# for comparability with DCM.jl, do all model setup here, but create
# derived variables outside the timed loop
# Parameters to be estimated
ASC_CAR = Beta("ASC_CAR", 0, None, None, 0)
ASC_TRAIN = Beta("ASC_TRAIN", 0, None, None, 0)
ASC_SM = Beta("ASC_SM", 0, None, None, 1)
B_TIME = Beta("B_TIME", 0, None, None, 0)
B_COST = Beta("B_COST", 0, None, None, 0)
# Definition of the utility functions
V1 = ASC_TRAIN + B_TIME * self.TRAIN_TT_SCALED + B_COST * self.TRAIN_COST_SCALED
V2 = ASC_SM + B_TIME * self.SM_TT_SCALED + B_COST * self.SM_COST_SCALED
V3 = ASC_CAR + B_TIME * self.CAR_TT_SCALED + B_COST * self.CAR_CO_SCALED
# Associate utility functions with the numbering of alternatives
V = {1: V1, 2: V2, 3: V3}
# Associate the availability conditions with the alternatives
av = {1: self.TRAIN_AV_SP, 2: self.dv["SM_AV"], 3: self.CAR_AV_SP}
# Definition of the model. This is the contribution of each
# observation to the log likelihood function.
logprob = models.loglogit(V, av, self.dv["CHOICE"])
# Create the Biogeme object
self.biogeme = bio.BIOGEME(self.database, logprob)
self.biogeme.modelName = "01logit"
# actually do the estimation
return self.biogeme.estimate()
|
from __future__ import unicode_literals
from frappe import _
def get_data():
return [
{
"label": _("Reports"),
"items": [
{
"type": "report",
"is_query_report": True,
"name": "Process Flow",
"doctype": "Product Line Process Flow"
},
{
"type": "report",
"is_query_report": True,
"name": "FMEA",
"doctype": "Product Line Process Flow"
},
{
"type": "report",
"is_query_report": True,
"name": "Control Plan",
"doctype": "Product Line Process Flow"
}
]
},
{
"label": _("Shopfloor Activities"),
"items": [
{
"type": "doctype",
"name": "Audit",
"description": _("Product, Process and Control Plan Audits")
},
{
"type": "doctype",
"name": "Start Up",
"description": _("All Start Up's")
},
{
"type": "doctype",
"name": "First Off",
"description": _("All First Off's")
},
{
"type": "doctype",
"name": "Hundred Percent Inspection",
"description": _("100% Inspection")
},
{
"type": "doctype",
"name": "Quality Defect",
"description": _("Quality Defect")
},
{
"type": "doctype",
"name": "Shift Handover",
"description": _("Shift Handover")
},
{
"type": "doctype",
"name": "Production Output",
"description": _("Production Output Logs")
},
{
"type": "doctype",
"name": "SPC Measurement",
"description": _("SPC Measurement")
},
{
"type": "doctype",
"name": "Jig Maintenance Request",
"description": _("Jig Maintenance Requests")
}
]
},
{
"label": _("Process Engineering"),
"items": [
{
"type": "doctype",
"name": "Customer Requirement",
"description": _("Define Customer Requirements")
},
{
"type": "doctype",
"name": "Product Line Process Flow",
"description": _("Define the Process Flows for Product Lines")
},
{
"type": "doctype",
"name": "Step",
"description": _("Define Process Steps")
}
]
},
{
"label": _("Actions"),
"items": [
{
"type": "doctype",
"name": "Project",
"description": _("Open Item Lists")
},
{
"type": "doctype",
"name": "Task",
"description": _("Tasks List")
}
]
},
{
"label": _("Setup"),
"items": [
{
"type": "doctype",
"name": "Start Up First Off List Template",
"description": _("Build Templates for First Off's and Start Up's")
},
{
"type": "doctype",
"name": "Defect Reason Code",
"description": _("Defect Reason Codes")
},
{
"type": "doctype",
"name": "Hundred Percent Inspection Requirement",
"description": _("100% Inspection Requirement")
},
{
"type": "doctype",
"name": "SPC Requirement",
"description": _("SPC Requirement")
},
{
"type": "doctype",
"name": "Workstation",
"description": _("List of Workstations")
},
{
"type": "doctype",
"name": "Workstation Entity",
"description": _("Workstation Entities")
}
]
},
{
"label": _("Shopfloor Screens"),
"items": [
{
"type": "page",
"name": "screen_summary",
"description": _("Start Up's and First Off's for the day")
},
{
"type": "page",
"name": "screen_output",
"description": _("Production Output for the day")
},
{
"type": "page",
"name": "screen_quality",
"description": _("Quality Defects for the day")
}
]
}
]
|
from rest_framework import serializers
from profiles_api import models
class HelloSerializer(serializers.Serializer):
"""Serializes a name field for testing our APIView"""
name = serializers.CharField(max_length=10)
class UserProfileSerializer(serializers.ModelSerializer):
"""serialize a user profile obj"""
class Meta:
model = models.UserProfile
#fields is to create access for our model
fields = ('id','email','name','password')
extra_kwargs = {
'password':{
'write_only':True,
'style':{'input_type':'password'} #this will make the typing of pw into astricks
}
}
#this is to override the default create, so password is hashed
def create(self,validated_data):
"""create a new user with pw hash"""
#so i'm assuming objects refer to UPM in userprofiles
user = models.UserProfile.UPM.create_user(
email = validated_data['email'],
name = validated_data['name'],
password = validated_data['password']
)
return user
#this is to override the default update, so password is hashed
def update(self,instance,validated_data):
if 'password' in validated_data:
#pop it out and hash it
password = validated_data.pop('password')
instance.set_password(password)
#if you dont super, then it becomes recurssion. lol
return super().update(instance,validated_data)
class ProfileFeedSerializer(serializers.ModelSerializer):
class Meta:
model = models.ProfileFeedItem
fields = ('id','user_profile','status_text','created_on')
extra_kwargs = {'user_profile':{'read_only':True}}
#id and created on is auto read only |
import json
import re
import urllib2
import copy
api_server = kobitonServer['url']
username = kobitonServer['username']
api_key = kobitonServer['apiKey']
group_options = {
'cloudDevices': isCloud,
'privateDevices': isPrivate,
'favoriteDevices': isFavorite
}
platform_options = {
'Android': isAndroid,
'iOS': isiOs
}
devices = {}
def get_devices_list():
filtered_list = {}
try:
devices_list = get_all_devices()
filtered_list = devices_filter(group_options, devices_list)
except Exception as error:
print 'Failed to get devices list ' + str(error)
finally:
return filtered_list
def get_all_devices():
auth_token = create_basic_authentication_token()
url = api_server + '/v1/devices'
if groupId:
url += '?groupId=' + groupId
header = {
"Content-Type": "application/json",
"Authorization": auth_token
}
request = urllib2.Request(url, headers=header)
response = urllib2.urlopen(request)
body = response.read()
return json.loads(body)
def create_basic_authentication_token():
s = username + ":" + api_key
return "Basic " + s.encode("base64").rstrip()
def devices_filter(group_options, devices_list=[]):
classified_list = {}
for option in group_options:
if group_options[option]:
for device in devices_list[option]:
if device_matches_filter(device) and classified_list.get(device['udid']) is None:
classified_list.update(serialize_device(device))
return classified_list
def device_matches_filter(device):
return device_is_available(device) and device_has_matching_platform(device) and device_contains_name(device)
def device_is_available(device):
return device['isOnline'] and not device['isBooked']
def device_has_matching_platform(device):
return platform_options[device['platformName']]
def device_contains_name(device):
if not model:
return True
search_list = model.split(',')
devices_name = filter(lambda x: x != '' and not x.isspace(), search_list)
if len(devices_name) == 0:
return True
for name in devices_name:
if re.search(name, device['deviceName'], re.IGNORECASE):
return True
return False
def serialize_device(device):
if device['isCloud']:
deviceGroup = 'cloudDevices'
else:
deviceGroup = 'privateDevices'
device_data = str().join([device['deviceName'], ' | ', device['platformName'], ' | ', device['platformVersion'], ' | ', deviceGroup])
serialized_device = {
device['udid']: str(device_data)
}
return serialized_device
devices = get_devices_list()
|
import sys
from basket import Basket
from product_store import ProductStore
from offer_store import OfferStore
class CheckoutSystem(object):
def __init__(self):
self._product_store = ProductStore.load_from_config_file()
self._offer_store = OfferStore.load_from_config_file()
self._basket = None
def _handle_add_item_to_basket(self):
""" adds an item in the products to basket"""
if not self._basket:
self._basket = Basket(self._product_store, self._offer_store)
item = input("""
Enter Product Id:{}""".format(
self._product_store.product_ids()))
if not self._basket.add(item):
print("Error: Invalid Id")
def _handle_view_basket(self):
""" Displays current bill, if items exists """
self._print_receipt()
def _handle_checkout_basket(self):
self._print_receipt()
self._basket = None
def _print_receipt(self):
if self._basket:
response = self._basket.status()
header = """
\n```
Item\t\tPrice
----\t\t-----
"""
footer = "```"
total = 0
print(header)
for item in response:
total = total + item['price_after_discount']
code = item['code']
offer_name = item['offer_name']
quantity = item['quantity']
discount = item['discount']
price = item['price']
items_discounted = item['items_discounted']
for i in range(items_discounted):
print("{}\t\t {}".format(code, price))
print("\t{}\t-{}".format(offer_name, discount))
for i in range(quantity-items_discounted):
print("{}\t\t {}".format(code, price))
print("--------------------------------")
print("\t\t {}".format(round(total,2)))
print(footer)
else:
print("Info: Nothing in Basket")
def _menu(self):
""" Main Menu For Farmers Market """
print()
choice = input("""
Farmers Market Checkout System)
A: Add item
V: View Basket
C: Checkout
Q: Quit/Log Out
Please enter your choice: """)
if choice == 'A' or choice == 'a':
self._handle_add_item_to_basket()
elif choice == 'V' or choice == 'v':
self._handle_view_basket()
elif choice == 'C' or choice == 'c':
self._handle_checkout_basket()
elif choice == 'Q' or choice == 'q':
sys.exit(0)
def start(self):
while True:
self._menu()
if __name__ == '__main__':
system = CheckoutSystem()
system.start()
|
import docx2txt
from fulltext.util import BaseBackend
from fulltext.util import exiftool_title
from fulltext.util import assert_cmd_exists
class Backend(BaseBackend):
def check(self, title):
if title:
assert_cmd_exists('exiftool')
# Note: docx2txt does not support encoding.
def handle_fobj(self, path_or_file):
return docx2txt.process(path_or_file)
# They are equivalent, process() uses zipfile.ZipFile().
handle_path = handle_fobj
def handle_title(self, f):
return exiftool_title(f, self.encoding, self.encoding_errors)
|
import socket
from threading import Thread
byte = 0
status = ""
sock = socket.socket()
conn = None
address_file = ""
ip = ""
port = 0
def set_file():
global conn
f = open(address_file, 'r')
str_code = str(f.read())
f.close()
conn.send(str_code.encode("utf-8"))
print()
print("CODE:",str_code)
print()
def get_file():
global conn
str_code = conn.recv(byte)
print()
print("CODE:",str_code.decode("utf-8"))
print()
f = open(address_file, 'w')
f.write(str_code.decode("utf-8"))
f.close()
def info():
print()
print("STATUS:",status)
print("IP:",ip)
print("PORT:",port)
print("ADDRESS:",address_file)
print("BYTE:",byte)
print()
def work():
global byte
global address_file
while True:
i = str(input('@~'))
if i == "set":
set_file()
elif i == "get":
get_file()
elif i == "info":
info()
elif i == "setbyte":
byte = int(input("Byte:"))
elif i == "setaddress":
address_file = str(input("Address file:"))
elif i == "exit":
break
elif i == "help":
print()
print("set")
print("get")
print("info")
print("setbyte")
print("setaddress")
print()
print()
def server():
global ip
global port
global conn
print("#######Server#######")
ip = str(input("IP: "))
port = int(input("PORT: "))
sock.bind((ip, port))
sock.listen(1)
connect_list = []
address_list = []
index = 0
passwort = "hackers"
exit = 0
print("Server created.")
print("Connecting...")
conn, add = sock.accept()
print("Connected.")
work()
# t = Thread(target=recv, args=(conn,))
# t.start()
# while True:
# i = input()
# conn.send(i.encode("utf-8"))
def client():
global ip
global port
global conn
print("#######Client#######")
ip = str(input("IP: "))
port = int(input("PORT: "))
conn = socket.socket()
conn.connect((ip , port))
print("Client created.")
print("Connecting...")
print("Connected.")
work()
def main():
global address_file
global byte
global status
address_file = str(input("Address file:"))
byte = int(input("Byte:"))
msg = input("s/c ?: ")
if msg == "s":
status = "server"
server()
elif msg == "c":
status = "client"
client()
if __name__ == '__main__':
print("hello")
main()
|
from django.db import models
from django.conf import settings
from lib.manager import QuerySetBase
class ChernobylModelAbstract(models.Model):
"""
chernobyl base models
"""
objects = QuerySetBase.as_manager()
class Meta:
abstract = True
ordering = ['-id']
def save(self, *args, **kwargs):
# override the save for check every time the field
if settings.DEBUG:
self.full_clean()
super(ChernobylModelAbstract, self).save(*args, **kwargs)
return self
@property
def get_commit_id(self):
# need it for generate commit
return self.id
class LanguageAbstract(ChernobylModelAbstract):
"""
models for internationalisation all content with
language is small idetifation for lang ( ex : french are fr )
"""
lang_choices = settings.LANGUAGES
lang_default = settings.LANGUAGES_DEFAULT
language = models.CharField(choices=lang_choices, max_length=4)
class Meta:
abstract = True
ordering = ['language', '-id']
class DateAbstract(ChernobylModelAbstract):
have_seconds = models.BooleanField(default=False)
have_minutes = models.BooleanField(default=False)
have_hours = models.BooleanField(default=False)
class Meta(ChernobylModelAbstract.Meta):
abstract = True
|
# encoding: utf-8
# ---------------------------------------------------------------------------
# Copyright (C) 2008-2014, IPython Development Team and Enthought, Inc.
# Distributed under the terms of the BSD License. See COPYING.rst.
# ---------------------------------------------------------------------------
"""
Utility functions for dealing with DistArray metadata.
"""
from __future__ import division
import operator
from itertools import product
from functools import reduce
from numbers import Integral
from collections import Sequence, Mapping
import numpy
from distarray import utils
from distarray.externals.six import next
from distarray.externals.six.moves import map, zip
# Register numpy integer types with numbers.Integral ABC.
Integral.register(numpy.signedinteger)
Integral.register(numpy.unsignedinteger)
class InvalidGridShapeError(Exception):
""" Exception class when the grid shape is incompatible with the distribution or communicator. """
pass
class GridShapeError(Exception):
""" Exception class when it is not possible to distribute the processes over the number of dimensions. """
pass
def check_grid_shape_preconditions(shape, dist, comm_size):
"""
Verify various distarray parameters are correct before making a grid_shape.
"""
if comm_size < 1:
raise ValueError("comm_size >= 1 not satisfied, comm_size = %s" %
(comm_size,))
if len(shape) != len(dist):
raise ValueError("len(shape) == len(dist) not satisfied, len(shape) ="
" %s and len(dist) = %s" % (len(shape), len(dist)))
if any(i < 0 for i in shape):
raise ValueError("shape must be a sequence of non-negative integers, "
"shape = %s" % (shape,))
if any(i not in ('b', 'c', 'n', 'u') for i in dist):
raise ValueError("dist must be a sequence of 'b', 'n', 'c', 'u' "
"strings, dist = %s" % (dist,))
def check_grid_shape_postconditions(grid_shape, shape, dist, comm_size):
""" Check grid_shape for reasonableness after creating it. """
if not (len(grid_shape) == len(shape) == len(dist)):
raise ValueError("len(gird_shape) == len(shape) == len(dist) not "
"satisfied, len(grid_shape) = %s and len(shape) = %s "
"and len(dist) = %s" % (len(grid_shape), len(shape),
len(dist)))
if any(gs < 1 for gs in grid_shape):
raise ValueError("all(gs >= 1 for gs in grid_shape) not satisfied, "
"grid_shape = %s" % (grid_shape,))
if any(gs != 1 for (d, gs) in zip(dist, grid_shape) if d == 'n'):
raise ValueError("all(gs == 1 for (d, gs) in zip(dist, grid_shape) if "
"d == 'n', not satified dist = %s and grid_shape = "
"%s" % (dist, grid_shape))
if any(gs > s for (s, gs) in zip(shape, grid_shape) if s > 0):
raise ValueError("all(gs <= s for (s, gs) in zip(shape, grid_shape) "
"if s > 0) not satisfied, shape = %s and grid_shape "
"= %s" % (shape, grid_shape))
if reduce(operator.mul, grid_shape, 1) > comm_size:
raise ValueError("reduce(operator.mul, grid_shape, 1) <= comm_size not"
" satisfied, grid_shape = %s product = %s and "
"comm_size = %s" % (
grid_shape,
reduce(operator.mul, grid_shape, 1),
comm_size))
def normalize_grid_shape(grid_shape, shape, dist, comm_size):
"""Adds 1s to grid_shape so it has `ndims` dimensions. Validates
`grid_shape` tuple against the `dist` tuple and `comm_size`.
"""
def check_normalization_preconditions(grid_shape, dist):
if any(i < 0 for i in grid_shape):
raise ValueError("grid_shape must be a sequence of non-negative "
"integers, grid_shape = %s" % (grid_shape,))
if len(grid_shape) > len(dist):
raise ValueError("len(grid_shape) <= len(dist) not satisfied, "
"len(grid_shape) = %s and len(dist) = %s" %
(len(grid_shape), len(dist)))
check_grid_shape_preconditions(shape, dist, comm_size)
check_normalization_preconditions(grid_shape, dist)
ndims = len(shape)
grid_shape = tuple(grid_shape) + (1,) * (ndims - len(grid_shape))
if len(grid_shape) != len(dist):
msg = "grid_shape's length (%d) not equal to dist's length (%d)"
raise InvalidGridShapeError(msg % (len(grid_shape), len(dist)))
if reduce(operator.mul, grid_shape, 1) > comm_size:
msg = "grid shape %r not compatible with comm size of %d."
raise InvalidGridShapeError(msg % (grid_shape, comm_size))
return grid_shape
def make_grid_shape(shape, dist, comm_size):
""" Generate a `grid_shape` from `shape` tuple and `dist` tuple.
Does not assume that `dim_data` has `proc_grid_size` set for each
dimension.
Attempts to allocate processes optimally for distributed dimensions.
Parameters
----------
shape : tuple of int
The global shape of the array.
dist: tuple of str
dist_type character per dimension.
comm_size : int
Total number of processes to distribute.
Returns
-------
dist_grid_shape : tuple of int
Raises
------
GridShapeError
if not possible to distribute `comm_size` processes over number of
dimensions.
"""
check_grid_shape_preconditions(shape, dist, comm_size)
distdims = tuple(i for (i, v) in enumerate(dist) if v != 'n')
ndistdim = len(distdims)
if ndistdim == 0:
dist_grid_shape = ()
elif ndistdim == 1:
# Trivial case: all processes used for the one distributed dimension.
if comm_size >= shape[distdims[0]]:
dist_grid_shape = (shape[distdims[0]],)
else:
dist_grid_shape = (comm_size,)
elif comm_size == 1:
# Trivial case: only one process to distribute over!
dist_grid_shape = (1,) * ndistdim
else: # Main case: comm_size > 1, ndistdim > 1.
factors = utils.mult_partitions(comm_size, ndistdim)
if not factors: # Can't factorize appropriately.
raise GridShapeError("Cannot distribute array over processors.")
reduced_shape = [shape[i] for i in distdims]
# Reorder factors so they match the relative ordering in reduced_shape
factors = [utils.mirror_sort(f, reduced_shape) for f in factors]
# Pick the "best" factoring from `factors` according to which matches
# the ratios among the dimensions in `shape`.
rs_ratio = _compute_grid_ratios(reduced_shape)
f_ratios = [_compute_grid_ratios(f) for f in factors]
distances = [rs_ratio - f_ratio for f_ratio in f_ratios]
norms = numpy.array([numpy.linalg.norm(d, 2) for d in distances])
index = norms.argmin()
# we now have the grid shape for the distributed dimensions.
dist_grid_shape = tuple(int(i) for i in factors[index])
# Create the grid_shape, all 1's for now.
grid_shape = [1] * len(shape)
# Fill grid_shape in the distdim slots using dist_grid_shape
it = iter(dist_grid_shape)
for distdim in distdims:
grid_shape[distdim] = next(it)
out_grid_shape = tuple(grid_shape)
check_grid_shape_postconditions(out_grid_shape, shape, dist, comm_size)
return out_grid_shape
def _compute_grid_ratios(shape):
shape = tuple(map(float, shape))
n = len(shape)
ratios = []
for (i, j) in product(range(n), range(n)):
if i < j:
ratios.append(shape[i] / shape[j])
return numpy.array(ratios)
def normalize_dist(dist, ndim):
"""Return a tuple containing dist-type for each dimension.
Parameters
----------
dist : str, list, tuple, or dict
ndim : int
Returns
-------
tuple of str
Contains string distribution type for each dim.
Examples
--------
>>> normalize_dist({0: 'b', 3: 'c'}, 4)
('b', 'n', 'n', 'c')
"""
if isinstance(dist, Sequence):
return tuple(dist) + ('n',) * (ndim - len(dist))
elif isinstance(dist, Mapping):
return tuple(dist.get(i, 'n') for i in range(ndim))
else:
raise TypeError("Dist must be a string, tuple, list or dict")
def _start_stop_block(size, proc_grid_size, proc_grid_rank):
"""Return `start` and `stop` for a regularly distributed block dim."""
nelements = size // proc_grid_size
if size % proc_grid_size != 0:
nelements += 1
start = proc_grid_rank * nelements
if start > size:
start = size
stop = start + nelements
if stop > size:
stop = size
return start, stop
def distribute_block_indices(dd):
"""Fill in `start` and `stop` in dim dict `dd`."""
if ('start' in dd) and ('stop' in dd):
return
else:
dd['start'], dd['stop'] = _start_stop_block(dd['size'],
dd['proc_grid_size'],
dd['proc_grid_rank'])
def distribute_cyclic_indices(dd):
"""Fill in `start` in dim dict `dd`."""
if 'start' in dd:
return
else:
dd['start'] = dd['proc_grid_rank']
def distribute_indices(dd):
"""Fill in index related keys in dim dict `dd`."""
dist_type = dd['dist_type']
try:
{'n': lambda dd: None,
'b': distribute_block_indices,
'c': distribute_cyclic_indices}[dist_type](dd)
except KeyError:
msg = "dist_type %r not supported."
raise TypeError(msg % dist_type)
def normalize_dim_dict(dd):
"""Fill out some degenerate dim_dicts."""
# TODO: Fill out empty dim_dict alias here?
if dd['dist_type'] == 'n':
dd['proc_grid_size'] = 1
dd['proc_grid_rank'] = 0
def _positivify(index, size):
"""Return a positive index offset from a Sequence's start."""
if index is None or index >= 0:
return index
elif index < 0:
return size + index
def _check_bounds(index, size):
"""Check if an index is in bounds.
Assumes a positive index as returned by _positivify.
"""
if not 0 <= index < size:
raise IndexError("Index %r out of bounds" % index)
def tuple_intersection(t0, t1):
"""Compute intersection of a (start, stop, step) and a (start, stop) tuple.
Assumes all values are positive.
Parameters
----------
t0: 2-tuple or 3-tuple
Tuple of (start, stop, [step]) representing an index range
t1: 2-tuple
Tuple of (start, stop) representing an index range
Returns
-------
3-tuple or None
A tightly bounded interval.
"""
if len(t0) == 2 or t0[2] is None:
# default step is 1
t0 = (t0[0], t0[1], 1)
start0, stop0, step0 = t0
start1, stop1 = t1
if start0 < start1:
n = int(numpy.ceil((start1 - start0) / step0))
start2 = start0 + n * step0
else:
start2 = start0
max_stop = min(t0[1], t1[1])
if (max_stop - start2) % step0 == 0:
n = ((max_stop - start2) // step0) - 1
else:
n = (max_stop - start2) // step0
stop2 = (start2 + n * step0) + 1
return (start2, stop2, step0) if stop2 > start2 else None
def positivify(index, size):
"""Check that an index is within bounds and return a positive version.
Parameters
----------
index : Integral or slice
size : Integral
Raises
------
IndexError
for out-of-bounds indices
"""
if isinstance(index, Integral):
index = _positivify(index, size)
_check_bounds(index, size)
return index
elif isinstance(index, slice):
start = _positivify(index.start, size)
stop = _positivify(index.stop, size)
# slice indexing doesn't check bounds
return slice(start, stop, index.step)
else:
raise TypeError("`index` must be of type Integral or slice.")
def sanitize_indices(indices, ndim=None, shape=None):
"""Classify and sanitize `indices`.
* Wrap naked Integral, slice, or Ellipsis indices into tuples
* Classify result as 'value' or 'view'
* Expand `Ellipsis` objects to slices
* If the length of the tuple-ized `indices` is < ndim (and it's
provided), add slice(None)'s to indices until `indices` is ndim long
* If `shape` is provided, call `positivify` on the indices
Raises
------
TypeError
If `indices` is other than Integral, slice or a Sequence of these
IndexError
If len(indices) > ndim
Returns
-------
2-tuple of (str, n-tuple of slices and Integral values)
"""
if isinstance(indices, Integral):
rtype, sanitized = 'value', (indices,)
elif isinstance(indices, slice) or indices is Ellipsis:
rtype, sanitized = 'view', (indices,)
elif all(isinstance(i, Integral) for i in indices):
rtype, sanitized = 'value', indices
elif all(isinstance(i, Integral)
or isinstance(i, slice)
or i is Ellipsis for i in indices):
rtype, sanitized = 'view', indices
else:
msg = ("Index must be an Integral, a slice, or a sequence of "
"Integrals and slices.")
raise IndexError(msg)
if Ellipsis in sanitized:
if ndim is None:
raise RuntimeError("Can't call `sanitize_indices` on Ellipsis "
"without providing `ndim`.")
# expand first Ellipsis
diff = ndim - (len(sanitized) - 1)
filler = (slice(None),) * diff
epos = sanitized.index(Ellipsis)
sanitized = sanitized[:epos] + filler + sanitized[epos + 1:]
# remaining Ellipsis objects are just converted to slices
def replace_ellipsis(idx):
if idx is Ellipsis:
return slice(None)
else:
return idx
sanitized = tuple(replace_ellipsis(i) for i in sanitized)
if ndim is not None:
diff = ndim - len(sanitized)
if diff < 0:
raise IndexError("Too many indices.")
if diff > 0:
# allow incomplete indexing
rtype = 'view'
sanitized = sanitized + (slice(None),) * diff
if shape is not None:
sanitized = tuple(positivify(i, size) for (i, size) in zip(sanitized,
shape))
return (rtype, sanitized)
def normalize_reduction_axes(axes, ndim):
if axes is None:
axes = tuple(range(ndim))
elif not isinstance(axes, Sequence):
axes = (positivify(axes, ndim),)
else:
axes = tuple(positivify(a, ndim) for a in axes)
return axes
# Functions for getting a size from a dim_data for each dist_type.
# n
def non_dist_size(dim_data):
""" Get a size from a nondistributed dim_data. """
return dim_data['size']
# b
def block_size(dim_data):
""" Get a size from a block distributed dim_data. """
stop = dim_data['stop']
start = dim_data['start']
return stop - start
# Choose cyclic or block cyclic based on block size. This is necessary
# because they have the same dist type character.
def c_or_bc_chooser(dim_data):
""" Get a size from a cyclic or block-cyclic dim_data. """
block_size = dim_data.get('block_size', 1)
if block_size == 1:
return cyclic_size(dim_data)
elif block_size > 1:
return block_cyclic_size(dim_data)
else:
raise ValueError("block_size %s is invalid" % block_size)
# c
def cyclic_size(dim_data):
""" Get a size from a cyclic dim_data. """
global_size = dim_data['size']
grid_rank = dim_data.get('proc_grid_rank', 0)
grid_size = dim_data.get('proc_grid_size', 1)
return (global_size - 1 - grid_rank) // grid_size + 1
# c
def block_cyclic_size(dim_data):
""" Get a size from a block-cyclic dim_data. """
global_size = dim_data['size']
block_size = dim_data.get('block_size', 1)
grid_size = dim_data.get('proc_grid_size', 1)
grid_rank = dim_data.get('proc_grid_rank', 0)
global_nblocks, partial = divmod(global_size, block_size)
local_partial = partial if grid_rank == 0 else 0
local_nblocks = (global_nblocks - 1 - grid_rank) // grid_size + 1
return local_nblocks * block_size + local_partial
# u
def unstructured_size(dim_data):
""" Get a size from an unstructured dim_data. """
return len(dim_data.get('indices', None))
def size_from_dim_data(dim_data):
"""
Get a size from a dim_data.
"""
return size_chooser(dim_data['dist_type'])(dim_data)
def size_chooser(dist_type):
"""
Get a function from a dist_type.
"""
chooser = {'n': non_dist_size,
'b': block_size,
'c': c_or_bc_chooser,
'u': unstructured_size}
return chooser[dist_type]
def shapes_from_dim_data_per_rank(ddpr): # ddpr = dim_data_per_rank
"""
Given a dim_data_per_rank object, return the shapes of the localarrays.
This requires no communication.
"""
# create the list of shapes
shape_list = []
for rank_dd in ddpr:
shape = []
for dd in rank_dd:
shape.append(size_from_dim_data(dd))
shape_list.append(tuple(shape))
return shape_list
# ----------------------------------------------------------------------------
# Redistribution-related utilities.
# ----------------------------------------------------------------------------
def _accum(start, next):
return tuple(s * next for s in start) + (next,)
def strides_from_shape(shape):
return reduce(_accum, tuple(shape[1:]) + (1,), ())
def ndim_from_flat(flat, strides):
res = []
for st in strides:
res.append(flat // st)
flat %= st
return tuple(res)
def _squeeze(accum, next):
last = accum[-1]
if not last:
return [next]
elif last[-1] != next[0]:
return accum + [next]
elif last[-1] == next[0]:
return accum[:-1] + [(last[0], next[-1])]
def condense(intervals):
intervals = reduce(_squeeze, intervals, [[]])
return intervals
# ----------------------------------------------------------------------------
# `apply` related utilities.
# ----------------------------------------------------------------------------
def arg_kwarg_proxy_converter(args, kwargs, module_name='__main__'):
from importlib import import_module
module = import_module(module_name)
# convert args
# In some situations, like redistributing a DistArray from one set of
# targets to a disjoint set, the source and destination DistArrays (and
# associated LocalArrays) are in different communicators with different
# targets. In those cases, it is possible for a proxy object for one
# DistArray to not refer to anything on this target. In that case,
# `a.dereference()` raises an `AttributeError`. We intercept that here and
# assign `None` instead.
args = list(args)
for i, a in enumerate(args):
if isinstance(a, module.Proxy):
try:
args[i] = a.dereference()
except AttributeError:
args[i] = None
args = tuple(args)
# convert kwargs
for k in kwargs.keys():
val = kwargs[k]
if isinstance(val, module.Proxy):
try:
kwargs[k] = val.dereference()
except AttributeError:
kwargs[k] = None
return args, kwargs
|
#
# Copyright (c) 2014-2018 Wind River Systems, Inc.
#
# SPDX-License-Identifier: Apache-2.0
#
from wsme import types as wsme_types
import wsmeext.pecan as wsme_pecan
import pecan
import six
from pecan import rest
from sm_api.api.controllers.v1 import base
from sm_api.api.controllers.v1 import collection
from sm_api.api.controllers.v1 import link
from sm_api.api.controllers.v1 import utils
from sm_api.common import exception
from sm_api.common import log
from sm_api import objects
LOG = log.get_logger(__name__)
class NodesCommand(wsme_types.Base):
path = wsme_types.text
value = wsme_types.text
op = wsme_types.text
class NodesCommandResult(wsme_types.Base):
# Host Information
hostname = wsme_types.text
state = wsme_types.text
# Command
path = wsme_types.text
value = wsme_types.text
op = wsme_types.text
# Result
error_code = wsme_types.text
error_details = wsme_types.text
class Nodes(base.APIBase):
id = int
name = wsme_types.text
administrative_state = wsme_types.text
operational_state = wsme_types.text
availability_status = wsme_types.text
ready_state = wsme_types.text
links = [link.Link]
"A list containing a self link and associated nodes links"
def __init__(self, **kwargs):
self.fields = list(objects.sm_node.fields)
for k in self.fields:
setattr(self, k, kwargs.get(k))
@classmethod
def convert_with_links(cls, rpc_nodes, expand=True):
minimum_fields = ['id', 'name', 'administrative_state',
'operational_state', 'availability_status',
'ready_state']
fields = minimum_fields if not expand else None
nodes = Nodes.from_rpc_object(
rpc_nodes, fields)
return nodes
class NodesCollection(collection.Collection):
"""API representation of a collection of nodes."""
nodes = [Nodes]
"A list containing nodes objects"
def __init__(self, **kwargs):
self._type = 'nodes'
@classmethod
def convert_with_links(cls, nodes, limit, url=None,
expand=False, **kwargs):
collection = NodesCollection()
collection.nodes = [
Nodes.convert_with_links(ch, expand)
for ch in nodes]
url = url or None
collection.next = collection.get_next(limit, url=url, **kwargs)
return collection
# class Nodess(wsme_types.Base):
# nodes = wsme_types.text
class NodesController(rest.RestController):
def _get_nodes(self, marker, limit, sort_key, sort_dir):
limit = utils.validate_limit(limit)
sort_dir = utils.validate_sort_dir(sort_dir)
marker_obj = None
if marker:
marker_obj = objects.sm_node.get_by_uuid(
pecan.request.context, marker)
nodes = pecan.request.dbapi.sm_node_get_list(limit,
marker_obj,
sort_key=sort_key,
sort_dir=sort_dir)
return nodes
@wsme_pecan.wsexpose(Nodes, six.text_type)
def get_one(self, uuid):
try:
rpc_sg = objects.sm_node.get_by_uuid(pecan.request.context, uuid)
except exception.ServerNotFound:
return None
return Nodes.convert_with_links(rpc_sg)
@wsme_pecan.wsexpose(NodesCollection, six.text_type, int,
six.text_type, six.text_type)
def get_all(self, marker=None, limit=None,
sort_key='name', sort_dir='asc'):
"""Retrieve list of nodes."""
nodes = self._get_nodes(marker,
limit,
sort_key,
sort_dir)
return NodesCollection.convert_with_links(nodes, limit,
sort_key=sort_key,
sort_dir=sort_dir)
@wsme_pecan.wsexpose(NodesCommandResult, six.text_type,
body=NodesCommand)
def put(self, hostname, command):
raise NotImplementedError()
@wsme_pecan.wsexpose(NodesCommandResult, six.text_type,
body=NodesCommand)
def patch(self, hostname, command):
raise NotImplementedError()
|
from rest_framework import serializers
class HelloSerializer(serializers.Serializer):
name=serializers.CharField(max_length=10)
|
class Solution:
def reverseStr(self, s: str, k: int) -> str:
return "".join([s[i:i+k][::-1] + s[i+k:i+2*k] for i in range(0, len(s), 2*k)]) |
# extensions.py file
# Import the necessary package and module
from flask_sqlalchemy import SQLAlchemy
from flask_jwt_extended import JWTManager
from flask_uploads import UploadSet, IMAGES
from flask_caching import Cache
from flask_limiter import Limiter
from flask_limiter.util import get_remote_address
# Create an instance of SQLAlchemy object
db = SQLAlchemy()
# Create an instance of Flask JWT Extended object
jwt = JWTManager()
# Create an instance of Flask Upload object
image_set = UploadSet('images', IMAGES)
# Create an instance of Flask Cache object
cache = Cache()
# Create an instance of Limiter object
limiter = Limiter(key_func=get_remote_address) |
#!/usr/bin/env python
#############################################################################
### BindingDb Utilities
### http://www.bindingdb.org/bind/BindingDBRESTfulAPI.jsp
### XML output only.
#############################################################################
import sys,os,re,argparse,time,logging
#
from .. import bindingdb
#
##############################################################################
if __name__=='__main__':
epilog = "Example Uniprot IDs: P35355, Q8HZR1"
API_HOST='www.bindingdb.org'
API_BASE_PATH='/axis2/services/BDBService'
ops = ["get_ligands_by_uniprot", "get_targets_by_compound"]
parser = argparse.ArgumentParser( description='BindingDb REST API client', epilog=epilog)
parser.add_argument("op", choices=ops, help='OPERATION (select one)')
parser.add_argument("--i", dest="ifile", help="input file, Uniprot IDs")
parser.add_argument("--ids", help="Uniprot IDs")
parser.add_argument("--o", dest="ofile", help="output (TSV)")
parser.add_argument("--smiles", help="compound query")
parser.add_argument("--ic50_max", type=int, default=100)
parser.add_argument("--sim_min", type=float, default=0.85)
parser.add_argument("--api_host", default=API_HOST)
parser.add_argument("--api_base_path", default=API_BASE_PATH)
parser.add_argument("-v", "--verbose", action="count", default=0)
args = parser.parse_args()
logging.basicConfig(format='%(levelname)s:%(message)s', level=(logging.DEBUG if args.verbose>1 else logging.INFO))
api_base_url='http://'+args.api_host+args.api_base_path
fout = open(args.ofile, "w+") if args.ofile else sys.stdout
t0=time.time()
ids=[]
if args.ifile:
fin = open(args.ifile)
while True:
line = fin.readline()
if not line: break
ids.append(line.rstrip())
fin.close()
elif args.ids:
ids = re.split('[, ]+', args.ids.strip())
if len(ids)>0: logging.info('Input IDs: %d'%(len(ids)))
if args.op=="get_ligands_by_uniprot":
bindingdb.Utils.GetLigandsByUniprot(api_base_url, ids, args.ic50_max, fout)
elif args.op=="get_targets_by_compound":
bindingdb.Utils.GetTargetsByCompound(api_base_url, args.smiles, args.sim_min, fout)
else:
parser.error('Operation invalid: {}'.format(args.op))
logging.info('Elapsed time: %s'%(time.strftime('%Hh:%Mm:%Ss', time.gmtime(time.time()-t0))))
|
num = int(input('Digite um número para ver sua tabuada: '))
for c in range(0,11):
print(f'{num} x {c:2} = {num*c}') |
from nodeconductor.core import NodeConductorExtension
class InsightsExtension(NodeConductorExtension):
class Settings:
NODECONDUCTOR_INSIGHTS = {
'PROJECTED_COSTS_EXCESS': 20,
}
@staticmethod
def django_app():
return 'nodeconductor_plus.insights'
@staticmethod
def celery_tasks():
from datetime import timedelta
return {
'check-services': {
'task': 'nodeconductor.insights.check_services',
'schedule': timedelta(minutes=60),
'args': ()
},
'check-customers': {
'task': 'nodeconductor.insights.check_customers',
'schedule': timedelta(hours=24),
'args': (),
},
}
|
advec = (wind_vec * -grad_vec).sum(axis=-1)
print(advec.shape) |
from maintain_frontend import main
from flask_testing import TestCase
from unit_tests.utilities import Utilities
from unittest.mock import patch, MagicMock
from flask import url_for, g
from maintain_frontend.dependencies.session_api.session import Session
from maintain_frontend.constants.permissions import Permissions
from maintain_frontend.models import LightObstructionNoticeItem
from unit_tests.mock_data.mock_land_charges import get_mock_lon_item
uploaded_form_b_response = {
"form-b": [
{
"bucket": "lon",
"file_id": "form_b_id",
"reference": "lon/form_b_id?subdirectories=test_sub_directory",
"subdirectory": "test_sub_directory"
}
]
}
uploaded_form_a_response = {
"form-a": [
{
"bucket": "lon",
"file_id": "form_a_id",
"reference": "lon/form_a_id?subdirectories=test_sub_directory",
"subdirectory": "test_sub_directory"
}
]
}
class TestCancelLONCharge(TestCase):
def create_app(self):
main.app.testing = True
Utilities.mock_session_cookie_flask_test(self)
return main.app
@patch('maintain_frontend.view_modify_lon.cancel_lon.LocalLandChargeService')
def test_cancel_get_not_found(self, mock_service):
self.client.set_cookie('localhost', Session.session_cookie_name,
'cookie_value')
self.mock_session.return_value.user.permissions = [Permissions.cancel_lon]
mock_response = MagicMock()
mock_service.return_value.get_by_charge_number.return_value = mock_response
mock_response.status_code = 404
response = self.client.get(url_for('cancel_lon.cancel_get', charge_id='LLC-TST'))
self.assert_status(response, 302)
@patch('maintain_frontend.view_modify_lon.cancel_lon.LocalLandChargeService')
def test_cancel_get_found(self, mock_service):
self.client.set_cookie('localhost', Session.session_cookie_name,
'cookie_value')
self.mock_session.return_value.user.permissions = [Permissions.cancel_lon]
mock_response = MagicMock()
mock_service.return_value.get_by_charge_number.return_value = mock_response
mock_response.status_code = 200
mock_response.json.return_value = [{"item": get_mock_lon_item(), "display_id": "LLC-TST"}]
response = self.client.get(url_for('cancel_lon.cancel_get', charge_id='LLC-TST'))
self.assert_status(response, 200)
@patch('maintain_frontend.view_modify_lon.cancel_lon.CancelLonValidator')
@patch('maintain_frontend.view_modify_lon.cancel_lon.LocalLandChargeService')
def test_cancel_upload_post_failed_validation(self, mock_service, mock_validator):
self.client.set_cookie('localhost', Session.session_cookie_name,
'cookie_value')
self.mock_session.return_value.user.permissions = [Permissions.cancel_lon]
mock_response = MagicMock()
mock_service.return_value.get_by_charge_number.return_value = mock_response
mock_response.status_code = 200
mock_response.json.return_value = [{"item": get_mock_lon_item(), "display_id": "LLC-TST"}]
validation_errors = {"error": "Something went wrong"}
mock_validator.validate.return_value.errors = validation_errors
response = self.client.post(url_for('cancel_lon.cancel_post', charge_id='LLC-TST'))
self.assert_status(response, 400)
self.assert_context('validation_errors', validation_errors)
@patch('maintain_frontend.view_modify_lon.cancel_lon.StorageAPIService')
@patch('maintain_frontend.view_modify_lon.cancel_lon.CancelLonValidator')
@patch('maintain_frontend.view_modify_lon.cancel_lon.LocalLandChargeService')
@patch('maintain_frontend.view_modify_lon.cancel_lon.request')
def test_cancel_upload_post_success(self, mock_request, mock_llc_service, mock_validator, mock_storage_service):
self.client.set_cookie('localhost', Session.session_cookie_name,
'cookie_value')
self.mock_session.return_value.user.permissions = [Permissions.cancel_lon]
mock_response = MagicMock()
mock_llc_service.return_value.get_by_charge_number.return_value = mock_response
mock_response.status_code = 200
mock_response.json.return_value = [{"item": get_mock_lon_item(), "display_id": "LLC-TST"}]
mock_request.form.getlist.return_value = ["Form B"]
mock_storage_service.return_value.save_files.return_value.json.return_value = uploaded_form_b_response
mock_validator.validate.return_value.errors = None
g.session = self.mock_session
response = self.client.post(url_for('cancel_lon.cancel_post', charge_id='LLC-TST'))
expected_charge_document_state = {
"form-a": uploaded_form_a_response["form-a"],
"form-b": uploaded_form_b_response["form-b"],
}
print(g.session.add_lon_charge_state.documents_filed)
self.assertEqual(g.session.add_lon_charge_state.documents_filed, expected_charge_document_state)
self.assert_status(response, 302)
@patch('maintain_frontend.view_modify_lon.cancel_lon.AuditAPIService')
@patch('maintain_frontend.view_modify_lon.cancel_lon.MaintainApiService')
@patch('maintain_frontend.view_modify_lon.cancel_lon.LocalLandChargeService')
def test_cancel_confirm_success(self, mock_service, mock_maintain_api, mock_audit):
self.client.set_cookie('localhost', Session.session_cookie_name,
'cookie_value')
self.mock_session.return_value.user.permissions = [Permissions.cancel_lon]
self.mock_session.add_lon_charge_state = LightObstructionNoticeItem()
g.session = self.mock_session
mock_response = MagicMock()
mock_service.return_value.get_by_charge_number.return_value = mock_response
mock_response.status_code = 200
mock_response.json.return_value = [{"item": get_mock_lon_item(), "display_id": "LLC-TST"}]
response = self.client.post(url_for('cancel_lon.confirm', charge_id='LLC-TST'))
mock_maintain_api.update_charge.assert_called_with(g.session.add_lon_charge_state)
mock_audit.audit_event.assert_called_with('Cancelling charge', supporting_info={'id': 'LLC-TST'})
self.assert_status(response, 302)
self.assertRedirects(response, url_for('cancel_lon.charge_cancelled', charge_id='LLC-TST'))
|
# Copyright 2015 Cisco Systems, 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.
import time
import logging
from functools import wraps
from oslo_config import cfg
from flask import request
import flask
from yabgp.common import constants as common_cons
LOG = logging.getLogger(__name__)
def log_request(f):
@wraps(f)
def decorated_function(*args, **kwargs):
LOG.info('API request url %s', request.url)
if request.query_string:
LOG.info('API query string %s', request.query_string)
LOG.info('API request method %s', request.method)
if request.method == 'POST':
LOG.info('API POST data %s', request.json)
LOG.debug('API request environ %s', request.environ)
return f(*args, **kwargs)
return decorated_function
def makesure_peer_establish(f):
@wraps(f)
def decorator(*args, **kwargs):
value = kwargs['peer_ip']
if _ready_to_send_msg(peer_ip=value):
return f(*args, **kwargs)
else:
return flask.jsonify({
'status': False,
'code': "Please check the peer's state"
})
return decorator
def get_peer_conf_and_state(peer_ip=None):
"""
get peer configuration and state
:param peer_ip: peer ip address
:return:
"""
one_peer_state = {key: cfg.CONF.bgp.running_config[key] for key in [
'remote_as', 'remote_addr', 'local_as', 'local_addr', 'capability']}
fsm = cfg.CONF.bgp.running_config['factory'].fsm.state
one_peer_state['fsm'] = common_cons.stateDescr[fsm]
if fsm == common_cons.ST_ESTABLISHED:
one_peer_state['uptime'] = time.time() - cfg.CONF.bgp.running_config['factory'].fsm.uptime
else:
one_peer_state['uptime'] = 0
return {'peer': one_peer_state}
def get_peer_version(action, peer_ip=None):
"""
get version
:param peer_ip:ip: peer ip address
:param action:
:return:
"""
if action == "send":
return {
'version': cfg.CONF.bgp.running_config['factory'].fsm.protocol.send_version
}
elif action == "received":
return {
'version': cfg.CONF.bgp.running_config['factory'].fsm.protocol.receive_version,
}
else:
return {
'status': False,
'code': ' please check action in url'
}
def get_peer_msg_statistic(peer_ip=None):
"""
get peer send and receive message statistic
:param peer_ip: peer ip address
:return:
"""
return {
'send': cfg.CONF.bgp.running_config['factory'].fsm.protocol.msg_sent_stat,
'receive': cfg.CONF.bgp.running_config['factory'].fsm.protocol.msg_recv_stat,
}
def _ready_to_send_msg(peer_ip):
"""
check if the peer is ready to send message
:param peer_ip: peer ip address
:return: if is ready, return is True, or False
"""
peer_state = get_peer_conf_and_state()
if peer_state.get('peer').get('fsm') == common_cons.stateDescr[common_cons.ST_ESTABLISHED]:
return True
return False
def send_route_refresh(peer_ip, afi, safi, res):
"""
send route refresh messages
:param peer_ip: peer ip address
:return: the sending results
"""
try:
if cfg.CONF.bgp.running_config['factory'].fsm.protocol.send_route_refresh(
afi=afi, safi=safi, res=res):
return {
'status': True
}
else:
return {
'status': False,
'code': 'address family unsupported, afi=%s,safi=%s' % (afi, safi)
}
except Exception as e:
LOG.error(e)
return {
'status': False,
'code': 'failed when send this message out'
}
def send_update(peer_ip, attr, nlri, withdraw):
"""
send update message
:param peer_ip: peer ip address
:return:
"""
if cfg.CONF.bgp.running_config['factory'].fsm.protocol.send_update({
'attr': attr, 'nlri': nlri, 'withdraw': withdraw}):
return {
'status': True
}
else:
return {
'status': False,
'code': 'failed when send this message out'
}
def manual_start(peer_ip):
'''
manual start BGP session
:param peer_ip: peer ip address
:return:
'''
try:
res = cfg.CONF.bgp.running_config['factory'].manual_start()
if res == 'EST':
return {
'status': False,
'code': 'peer already established'
}
elif res:
return {
'status': True
}
else:
return {
'status': False,
'code': 'Idle Hold, please wait'
}
except Exception as e:
LOG.error(e)
return {
'status': False,
'code': 'failed manual start'
}
def manual_stop(peer_ip):
'''
manual stop BGP session
:param peer_ip:
:return:
'''
try:
result = cfg.CONF.bgp.running_config['factory'].manual_stop()
if result:
return {
'status': True
}
else:
return {
'status': False,
'code': 'failed manual stop'
}
except Exception as e:
LOG.error(e)
return {
'status': False,
'code': 'failed manual stop'
}
def save_send_ipv4_policies(msg):
if cfg.CONF.bgp.running_config['factory'].fsm.protocol.update_rib_out_ipv4(msg):
return {
'status': True
}
else:
return {
'status': False,
'code': 'failed when save this message'
}
def get_adj_rib_in(prefix_list, afi_safi):
try:
if afi_safi == 'ipv4':
data = {
prefix: cfg.CONF.bgp.running_config['factory'].fsm.protocol.ip_longest_match(prefix)
for prefix in prefix_list
}
return {
'status': True,
'data': data
}
except Exception as e:
LOG.error(e)
return {
'status': False,
'code': e.__str__()
}
def get_adj_rib_out(prefix_list, afi_safi):
try:
if afi_safi == 'ipv4':
data = {
prefix: cfg.CONF.bgp.running_config['factory'].fsm.protocol.adj_rib_out['ipv4'].get(prefix)
for prefix in prefix_list
}
return {
'status': True,
'data': data
}
except Exception as e:
LOG.error(e)
return {
'status': False,
'code': e.__str__()
}
def update_send_version(peer_ip, attr, nlri, withdraw):
"""
update version when send update message
:param peer_ip:
:param attr:
:param nlri:
:param withdraw:
:return:
"""
cfg.CONF.bgp.running_config['factory'].fsm.protocol.update_send_version(peer_ip, attr, nlri, withdraw)
|
from typing import Callable
import torch
from torch import nn
def initialize_weights(
init_func: Callable[[torch.Tensor], None]
) -> Callable[[nn.Module], None]:
"""
Returns a function that can be applied to a module to initializes the module
weights.
Args:
init_func: A function taking a torch module and modifies the module's
weight data in place.
"""
def applied_func(module):
"""
The function that is applied to the module to initialize the weights
"""
if hasattr(module, "weight"):
init_func(module.weight.data)
return applied_func
def initialize_bias(
init_func: Callable[[torch.Tensor], None]
) -> Callable[[nn.Module], None]:
"""
Returns a function that can be applied to a module to initializes the module
bias.
Args:
init_func: A function taking a torch module and modifies the module's
bias data in place.
"""
def applied_func(module):
"""
The function that is applied to the module to initialize the weights
"""
if hasattr(module, "bias"):
init_func(module.bias.data)
return applied_func
|
from django.http import HttpResponse, HttpResponseRedirect, Http404
from django.shortcuts import render_to_response, get_object_or_404
from django.template import RequestContext, Template
from django.template.loader import get_template, render_to_string
from django.contrib.auth.decorators import login_required
from ebi.metagame.models import Player
from bandjesland.models import *
from actstream.models import Action
import datetime, random, math, json, os
import logging
def toggle_like(request):
playerid = request.POST.get('playerid', '')
specialid = request.POST.get('specialid', '')
if playerid and specialid:
player = Player.objects.get(id=playerid)
special = BandjeslandSpecial.objects.get(id=specialid)
likes = BandjeslandLike.objects.filter(special=special, player=player)
if likes:
for like in likes:
logging.debug('deleting bandjesland like %s', str(like))
like.delete()
action = 'removed'
else:
b = BandjeslandLike.objects.create(special=special, player=player)
logging.debug('created bandjesland like %s', str(b))
action = 'added'
return HttpResponse(json.dumps({
'error': '0',
'specialid': specialid,
'action': action
}), mimetype='text/json')
return HttpResponse(json.dumps({'error': '1'}), mimetype='text/json')
def special_occurrences(request):
specialid = request.GET.get('specialid', '')
sessionLabel = request.GET.get('sessionlabel', '')
special = BandjeslandSpecial.objects.get(id=int(specialid))
session = BandjeslandSessie.objects.get(label=sessionLabel)
logging.debug('occurrences for special %d', special.id)
logging.debug('occurrences for session %d', session.id)
# print session.start
occurrenceTimes = BandjeslandSpecialOccurrence.objects.filter(
session=session
).filter(
special=special
).filter(
time__gte=session.start
).filter(
time__lte=session.end
).order_by('-time').values('time')
# print occurrenceTimes
return HttpResponse(json.dumps({
'label': sessionLabel,
'offsets': [(occ['time']-session.start).seconds for occ in occurrenceTimes]
}), mimetype='text/json') |
"""
For use with Gabby Gums
"""
import math
import time
import json
import logging
import functools
import statistics as stats
from typing import List, Optional
from collections import defaultdict
from dataclasses import dataclass, field
from datetime import datetime, timedelta
import asyncpg
from discord import Invite, Message
import GuildConfigs
class DBPerformance:
def __init__(self):
self.time = defaultdict(list)
def avg(self, key: str):
return stats.mean(self.time[key])
def all_avg(self):
avgs = {}
for key, value in self.time.items():
avgs[key] = stats.mean(value)
return avgs
def stats(self):
statistics = {}
for key, value in self.time.items():
loop_stats = {}
try:
loop_stats['avg'] = stats.mean(value)
except stats.StatisticsError:
loop_stats['avg'] = -1
try:
loop_stats['med'] = stats.median(value)
except stats.StatisticsError:
loop_stats['med'] = -1
try:
loop_stats['max'] = max(value)
except stats.StatisticsError:
loop_stats['max'] = -1
try:
loop_stats['min'] = min(value)
except stats.StatisticsError:
loop_stats['min'] = -1
loop_stats['calls'] = len(value)
statistics[key] = loop_stats
return statistics
db_perf = DBPerformance()
async def create_db_pool(uri: str) -> asyncpg.pool.Pool:
# FIXME: Error Handling
async def init_connection(conn):
await conn.set_type_codec('json',
encoder=json.dumps,
decoder=json.loads,
schema='pg_catalog')
pool: asyncpg.pool.Pool = await asyncpg.create_pool(uri, init=init_connection)
return pool
def db_deco(func):
@functools.wraps(func)
async def wrapper(*args, **kwargs):
start_time = time.perf_counter()
try:
response = await func(*args, **kwargs)
end_time = time.perf_counter()
db_perf.time[func.__name__].append((end_time - start_time) * 1000)
if len(args) > 1:
logging.debug("DB Query {} from {} in {:.3f} ms.".format(func.__name__, args[1], (end_time - start_time) * 1000))
else:
logging.debug("DB Query {} in {:.3f} ms.".format(func.__name__, (end_time - start_time) * 1000))
return response
except asyncpg.exceptions.PostgresError:
logging.exception("Error attempting database query: {} for server: {}".format(func.__name__, args[1]))
return wrapper
async def ensure_server_exists(conn, sid: int):
# TODO: Add name as well.
response = await conn.fetchval("select exists(select 1 from servers where server_id = $1)", sid)
if response is False:
logging.warning("SERVER {} WAS NOT IN DB. ADDING WITHOUT NAME!".format(sid))
await conn.execute(
"INSERT INTO servers(server_id, server_name) VALUES($1, $2)",
sid, "NOT_AVAILABLE")
return response
@db_deco
async def add_server(pool, sid: int, name: str):
async with pool.acquire() as conn:
await conn.execute(
"INSERT INTO servers(server_id, server_name) VALUES($1, $2)",
sid, name)
@db_deco
async def remove_server(pool, sid: int):
async with pool.acquire() as conn:
await conn.execute("DELETE FROM servers WHERE server_id = $1", sid)
@db_deco
async def update_server_name(pool, sid: int, name: str):
async with pool.acquire() as conn:
await ensure_server_exists(conn, sid)
await conn.execute("UPDATE servers SET server_name = $1 WHERE server_id = $2", name, sid)
@db_deco
async def update_log_channel(pool, sid: int, log_channel_id: int = None): # Good
async with pool.acquire() as conn:
await ensure_server_exists(conn, sid)
await conn.execute("UPDATE servers SET log_channel_id = $1 WHERE server_id = $2", log_channel_id, sid)
@db_deco
async def get_log_channel(pool, sid: int) -> Optional[int]: # Good
async with pool.acquire() as conn:
row = await conn.fetchrow('SELECT log_channel_id FROM servers WHERE server_id = $1', sid)
return row['log_channel_id'] if row else None
@db_deco
async def update_log_enabled(pool, sid: int, log_enabled: bool):
async with pool.acquire() as conn:
await ensure_server_exists(conn, sid)
await conn.execute("UPDATE servers SET logging_enabled = $1 WHERE server_id = $2", log_enabled, sid)
@db_deco
async def set_server_log_configs(pool, sid: int, log_configs: GuildConfigs.GuildLoggingConfig):
async with pool.acquire() as conn:
await ensure_server_exists(conn, sid)
await conn.execute("UPDATE servers SET log_configs = $1 WHERE server_id = $2", log_configs.to_dict(), sid)
@db_deco
async def get_server_log_configs(pool, sid: int) -> GuildConfigs.GuildLoggingConfig:
async with pool.acquire() as conn:
value = await conn.fetchval('SELECT log_configs FROM servers WHERE server_id = $1', sid)
# return GuildConfigs.load_nested_dict(GuildConfigs.GuildLoggingConfig, value) if value else GuildConfigs.GuildLoggingConfig()
return GuildConfigs.GuildLoggingConfig.from_dict(value)
# ----- Users Override DB Functions ----- #
@db_deco
async def add_user_override(pool, sid: int, ignored_user_id: int, override_log_ch: Optional[int]): # Good
async with pool.acquire() as conn:
await conn.execute("""
INSERT INTO ignored_users(user_id, server_id, log_ch) VALUES($1, $2, $3)
ON CONFLICT (server_id, user_id)
DO UPDATE
SET log_ch = EXCLUDED.log_ch
""", ignored_user_id, sid, override_log_ch)
@db_deco
async def remove_user_override(pool, sid: int, ignored_user_id: int): # Good
async with pool.acquire() as conn:
await conn.execute("DELETE FROM ignored_users WHERE server_id = $1 AND user_id = $2", sid, ignored_user_id)
@db_deco
async def get_users_overrides(pool: asyncpg.pool.Pool, sid: int) -> List[asyncpg.Record]: # Good
async with pool.acquire() as conn:
conn: asyncpg.connection.Connection
# TODO: Optimise by replacing * with user_id
raw_rows = await conn.fetch('SELECT * FROM ignored_users WHERE server_id = $1', sid)
rows = raw_rows#[row["user_id"] for row in raw_rows]
return rows
# region Channel Override DB Functions
@db_deco
async def add_channel_override(pool, sid: int, ignored_channel_id: int, override_log_ch: Optional[int]): # Good
async with pool.acquire() as conn:
await conn.execute("""
INSERT INTO ignored_channels(channel_id, server_id, log_ch) VALUES($1, $2, $3)
ON CONFLICT (server_id, channel_id)
DO UPDATE
SET log_ch = EXCLUDED.log_ch
""", ignored_channel_id, sid, override_log_ch)
@db_deco
async def remove_channel_override(pool, sid: int, ignored_channel_id: int): # Good
async with pool.acquire() as conn:
await conn.execute("DELETE FROM ignored_channels WHERE server_id = $1 AND channel_id = $2", sid, ignored_channel_id)
@db_deco
async def get_channel_overrides(pool, sid: int) -> List[asyncpg.Record]: # Good
async with pool.acquire() as conn:
raw_rows = await conn.fetch('SELECT * FROM ignored_channels WHERE server_id = $1', sid)
return raw_rows
# endregion
# region Ignored Categories DB Functions
@db_deco
async def add_ignored_category(pool, sid: int, ignored_category_id: int): # Good
async with pool.acquire() as conn:
await conn.execute("INSERT INTO ignored_category(category_id, server_id) VALUES($1, $2)", ignored_category_id, sid)
@db_deco
async def remove_ignored_category(pool, sid: int, ignored_category_id: int): # Good
async with pool.acquire() as conn:
await conn.execute("DELETE FROM ignored_category WHERE server_id = $1 AND category_id = $2", sid, ignored_category_id)
@db_deco
async def get_ignored_categories(pool, sid: int) -> List[int]: # Good
async with pool.acquire() as conn:
raw_rows = await conn.fetch('SELECT category_id FROM ignored_category WHERE server_id = $1', sid)
category_ids = [row["category_id"] for row in raw_rows]
return category_ids
# endregion
# ----- Invite DB Functions ----- #
@db_deco
async def store_invite(pool, sid: int, invite_id: str, invite_uses: int = 0, max_uses: Optional[int] = None, inviter_id: Optional[str] = None, created_at: Optional[datetime] = None):
async with pool.acquire() as conn:
ts = math.floor(created_at.timestamp()) if created_at is not None else None
await conn.execute(
"""
INSERT INTO invites(server_id, invite_id, uses, max_uses, inviter_id, created_ts) VALUES($1, $2, $3, $4, $5, $6)
ON CONFLICT (server_id, invite_id)
DO UPDATE
SET uses = EXCLUDED.uses
""",
sid, invite_id, invite_uses, max_uses, inviter_id, ts)
async def add_new_invite(pool, sid: int, invite_id: str, max_uses: int, inviter_id: str, created_at: datetime, invite_uses: int = 0):
ts = math.floor(created_at.timestamp()) if created_at is not None else None
async with pool.acquire() as conn:
await conn.execute("INSERT INTO invites(server_id, invite_id, uses, max_uses, inviter_id, created_ts) VALUES($1, $2, $3, $4, $5, $6)", sid, invite_id, invite_uses, max_uses, inviter_id, ts)
async def update_invite_uses(pool, sid: int, invite_id: str, invite_uses: int):
async with pool.acquire() as conn:
await conn.execute("UPDATE invites SET uses = $1 WHERE server_id = $2 AND invite_id = $3", invite_uses, sid, invite_id)
@db_deco
async def update_invite_name(pool, sid: int, invite_id: str, invite_name: Optional[str] = None):
async with pool.acquire() as conn:
await conn.execute("UPDATE invites SET invite_name = $1 WHERE server_id = $2 AND invite_id = $3", invite_name, sid, invite_id)
@db_deco
async def remove_invite(pool, sid, invite_id):
async with pool.acquire() as conn:
await conn.execute("DELETE FROM invites WHERE server_id = $1 AND invite_id = $2", sid, invite_id)
@dataclass
class StoredInvite:
server_id: int
invite_id: str
uses: int
id: Optional[int] = None
invite_name: Optional[str] = None
invite_desc: Optional[str] = None
actual_invite: Optional[Invite] = None
max_uses: Optional[int] = None
inviter_id: Optional[str] = None
created_ts: Optional[int] = None
def created_at(self) -> Optional[datetime]:
"""Get the time (if any) that this invite was created."""
if self.created_ts is None:
return None
ts = datetime.fromtimestamp(self.created_ts)
return ts
@dataclass
class StoredInvites:
invites: List[StoredInvite] = field(default_factory=[]) # Needed to ensure that all StoredInvites do not share the same list
def find_invite(self, invite_id: str) -> Optional[StoredInvite]:
for invite in self.invites:
if invite.invite_id == invite_id:
return invite
return None
@db_deco
async def get_invites(pool, sid: int) -> StoredInvites:
async with pool.acquire() as conn:
raw_rows = await conn.fetch('SELECT * FROM invites WHERE server_id = $1', sid)
#Fixme: Does fetch return None or 0 length list when no entries are found?
return StoredInvites(invites=[StoredInvite(**row) for row in raw_rows])
# ----- Cached Messages DB Functions ----- #
@dataclass
class CachedMessage:
message_id: int
server_id: int
user_id: int
ts: datetime
content: Optional[str]
attachments: Optional[List[str]]
webhook_author_name: Optional[str]
system_pkid: Optional[str]
member_pkid: Optional[str]
pk_system_account_id: Optional[int]
@db_deco
async def cache_message(pool, sid: int, message_id: int, author_id: int, message_content: Optional[str] = None,
attachments: Optional[List[str]] = None, webhook_author_name: Optional[str] = None,
system_pkid: Optional[str] = None, member_pkid: Optional[str] = None, pk_system_account_id: Optional[int] = None):
async with pool.acquire() as conn:
await conn.execute("INSERT INTO messages(server_id, message_id, user_id, content, attachments, webhook_author_name) VALUES($1, $2, $3, $4, $5, $6)", sid, message_id, author_id, message_content, attachments, webhook_author_name)
@db_deco
async def get_cached_message(pool, sid: int, message_id: int) -> Optional[CachedMessage]:
async with pool.acquire() as conn:
row = await conn.fetchrow("SELECT * FROM messages WHERE message_id = $1", message_id)
return CachedMessage(**row) if row is not None else None
@db_deco
async def get_cached_message_for_archive(conn: asyncpg.connection.Connection, sid: int, message_id: int) -> Optional[CachedMessage]:
"""This DB function is for bulk selects. As such to avoid wasting time reacquiring a connection for each call,
the connection should be obtained in the function calling this function."""
row = await conn.fetchrow("SELECT * FROM messages WHERE message_id = $1", message_id)
return CachedMessage(**row) if row is not None else None
# cached = CachedMsgPKInfo(message_id, sid, row['webhook_author_name'], row['system_pkid'], row['member_pkid'], row['pk_system_account_id']) if row is not None else None
# return cached
@db_deco
async def update_cached_message(pool, sid: int, message_id: int, new_content: str):
async with pool.acquire() as conn:
await conn.execute("UPDATE messages SET content = $1 WHERE message_id = $2", new_content, message_id)
@db_deco
async def update_cached_message_pk_details(pool, sid: int, message_id: int, system_pkid: str, member_pkid: str,
pk_system_account_id: int):
async with pool.acquire() as conn:
await conn.execute("UPDATE messages SET system_pkid = $1, member_pkid = $2, pk_system_account_id = $3 WHERE message_id = $4",
system_pkid, member_pkid, pk_system_account_id, message_id)
@db_deco
async def delete_cached_message(pool, sid: int, message_id: int):
async with pool.acquire() as conn:
await conn.execute("DELETE FROM messages WHERE message_id = $1", message_id)
@db_deco
async def get_number_of_rows_in_messages(pool, table: str = "messages") -> int: # Slow! But only used for g!top so okay.
async with pool.acquire() as conn:
num_of_rows = await conn.fetchval("SELECT COUNT(*) FROM messages")
return num_of_rows
# ----- Banned Systems DB Functions ----- #
@dataclass
class BannedUser:
server_id: int
user_id: int
system_id: str
@db_deco
async def add_banned_system(pool: asyncpg.pool.Pool, sid: int, system_id: str, user_id: int):
"""Adds a banned system and an associated Discord User ID to the banned systems table."""
async with pool.acquire() as conn:
await conn.execute("""INSERT INTO banned_systems(server_id, user_id, system_id) VALUES($1, $2, $3)""", sid, user_id, system_id)
@db_deco
async def get_banned_system(pool: asyncpg.pool.Pool, server_id: int, system_id: str) -> List[BannedUser]:
"""Returns a list of known Discord user IDs that are linked to the given system ID."""
async with pool.acquire() as conn:
raw_rows = await conn.fetch(" SELECT * from banned_systems where server_id = $1 AND system_id = $2", server_id, system_id)
banned_users = [BannedUser(**row) for row in raw_rows]
return banned_users
@db_deco
async def get_banned_system_by_discordid(pool: asyncpg.pool.Pool, server_id: int, user_id: str) -> List[BannedUser]:
"""Returns a list of known Discord user IDs that are linked to the given system ID."""
async with pool.acquire() as conn:
# TODO: Optimise this to use only 1 DB call.
row = await conn.fetchrow(" SELECT * from banned_systems where server_id = $1 AND user_id = $2", server_id, user_id)
if row is None:
return []
system_id = row['system_id']
raw_rows = await conn.fetch(" SELECT * from banned_systems where server_id = $1 AND system_id = $2",
server_id, system_id)
banned_users = [BannedUser(**row) for row in raw_rows]
return banned_users
# @db_deco
# async def remove_banned_user(pool: asyncpg.pool.Pool, sid: int, user_id: str):
# """Removes a discord account from the banned systems table"""
# async with pool.acquire() as conn:
# await conn.execute("DELETE FROM banned_systems WHERE server_id = $1 AND user_id = $2", sid, user_id)
@db_deco
async def remove_banned_system(pool: asyncpg.pool.Pool, sid: int, system_id: str):
"""Removes a system and all associated discord accounts from the banned systems table"""
async with pool.acquire() as conn:
await conn.execute("DELETE FROM banned_systems WHERE server_id = $1 AND system_id = $2", sid, system_id)
@db_deco
async def any_banned_systems(pool: asyncpg.pool.Pool, sid: int) -> bool:
"""Check to see if there are any banned systems in the guild specified."""
async with pool.acquire() as conn:
response = await conn.fetchval("select exists(select 1 from banned_systems where server_id = $1)", sid)
return response
# ----- Debugging DB Functions ----- #
@db_deco
async def get_cached_messages_older_than(pool, hours: int):
# This command is limited only to servers that we are Admin/Owner of for privacy reasons.
# Servers: GGB, PN, AS
async with pool.acquire() as conn:
now = datetime.now()
offset = timedelta(hours=hours)
before = now - offset
raw_rows = await conn.fetch(" SELECT * from messages WHERE ts > $1 and server_id in (624361300327268363, 433446063022538753, 468794128340090890)", before)
return raw_rows
@db_deco
async def fetch_full_table(pool, table: str) -> List[int]: # good
async with pool.acquire() as conn:
raw_rows = await conn.fetch('SELECT * FROM {}'.format(table))
return raw_rows
async def create_tables(pool):
# Create servers table
async with pool.acquire() as conn:
await conn.execute('''
CREATE TABLE if not exists servers(
server_id BIGINT PRIMARY KEY,
server_name TEXT,
log_channel_id BIGINT,
logging_enabled BOOLEAN NOT NULL DEFAULT TRUE,
log_configs JSON DEFAULT NULL
)
''')
# ALTER TABLE ignored_channels ADD COLUMN log_ch BIGINT DEFAULT NULL;
# Create ignored_channels table
await conn.execute('''
CREATE TABLE if not exists ignored_channels(
id SERIAL PRIMARY KEY,
server_id BIGINT NOT NULL REFERENCES servers(server_id) ON DELETE CASCADE,
channel_id BIGINT NOT NULL,
log_ch BIGINT DEFAULT NULL,
UNIQUE (server_id, channel_id)
)
''')
# Create ignored_category table
await conn.execute('''
CREATE TABLE if not exists ignored_category(
id SERIAL PRIMARY KEY,
server_id BIGINT NOT NULL REFERENCES servers(server_id) ON DELETE CASCADE,
category_id BIGINT NOT NULL,
UNIQUE (server_id, category_id)
)
''')
# ALTER TABLE ignored_users ADD COLUMN log_ch BIGINT DEFAULT NULL;
# Create ignored_users table
await conn.execute('''
CREATE TABLE if not exists ignored_users(
id SERIAL PRIMARY KEY,
server_id BIGINT NOT NULL REFERENCES servers(server_id) ON DELETE CASCADE,
user_id BIGINT NOT NULL,
log_ch BIGINT DEFAULT NULL,
UNIQUE (server_id, user_id)
)
''')
# Create invites table
# Will need to execute "ALTER TABLE invites ADD UNIQUE (server_id, invite_id)" to alter the existing production table
# ALTER TABLE invites ADD COLUMN max_uses BIGINT DEFAULT NULL;
# ALTER TABLE invites ADD COLUMN inviter_id BIGINT DEFAULT NULL;
# ALTER TABLE invites ADD COLUMN created_ts BIGINT DEFAULT NULL;
await conn.execute('''
CREATE TABLE if not exists invites(
id SERIAL PRIMARY KEY,
server_id BIGINT NOT NULL REFERENCES servers(server_id) ON DELETE CASCADE,
invite_id TEXT NOT NULL,
uses INTEGER NOT NULL DEFAULT 0,
invite_name TEXT,
invite_desc TEXT,
max_uses INT DEFAULT NULL,
inviter_id BIGINT DEFAULT NULL,
created_ts BIGINT DEFAULT NULL,
UNIQUE (server_id, invite_id)
)
''')
# Create users table
await conn.execute('''
CREATE TABLE if not exists users(
user_id BIGINT PRIMARY KEY,
server_id BIGINT NOT NULL REFERENCES servers(server_id) ON DELETE CASCADE,
username TEXT,
discriminator SMALLINT,
nickname TEXT,
is_webhook BOOL DEFAULT FALSE,
UNIQUE (user_id, server_id)
)
''')
# Create message cache table
# Will need to execute the following to alter the existing production table:
# ALTER TABLE messages ADD COLUMN webhook_author_name TEXT DEFAULT NULL;
# ALTER TABLE messages ADD COLUMN system_pkid TEXT DEFAULT NULL;
# ALTER TABLE messages ADD COLUMN member_pkid TEXT DEFAULT NULL;
# ALTER TABLE messages ADD COLUMN pk_system_account_id BIGINT DEFAULT NULL;
await conn.execute('''
CREATE TABLE if not exists messages(
message_id BIGINT PRIMARY KEY,
server_id BIGINT NOT NULL REFERENCES servers(server_id) ON DELETE CASCADE,
user_id BIGINT NOT NULL,
content TEXT DEFAULT NULL,
attachments TEXT[] DEFAULT NULL,
ts TIMESTAMPTZ NOT NULL DEFAULT NOW(),
webhook_author_name TEXT DEFAULT NULL,
system_pkid TEXT DEFAULT NULL,
member_pkid TEXT DEFAULT NULL,
pk_system_account_id BIGINT DEFAULT NULL
)
''')
# Create banned users table
await conn.execute('''
CREATE TABLE if not exists banned_systems(
server_id BIGINT NOT NULL REFERENCES servers(server_id) ON DELETE CASCADE,
system_id TEXT NOT NULL,
user_id BIGINT NOT NULL,
PRIMARY KEY (server_id, system_id, user_id)
)
''')
|
import torch
import torch.nn as nn
import numpy as np
import os
import matplotlib.pyplot as plt
import random
def KLZeroCenteredLevy(sigma_1, sigma_2):
A = sigma_2 / (2*sigma_1)
B = torch.log(torch.pow(sigma_1, 0.5)/2)
C = torch.log(torch.pow(sigma_2, 0.5)/2)
KL = A + B - C - 0.5
return KL
def levyDist(x,mu, sigma):
A = np.power(sigma / (2*np.pi), 0.5)
B = np.exp((-1* sigma) / 2*(x - mu))
C = np.power(x - mu, (-3/2))
p = A*B*C
return p
# define net
net = nn.Sequential(nn.Linear(10, 10),
nn.ReLU(),
nn.Linear(10,5),
nn.ReLU(),
nn.Linear(5,1),
nn.ReLU())
opt = torch.optim.Adam(net.parameters(),lr=3e-4)
loss_fn = nn.L1Loss()
# define target parameters
sigma_low = torch.tensor([0.0001], requires_grad = False)
sigma_high = torch.tensor([0.1], requires_grad = False)
mu_low = 0
mu_high = 0
# define features
feature_high = 2*torch.ones(10)
feature_low = torch.ones(10)
sigma_init = torch.tensor(1e-4)
mu_init = 0
p_high = 0.5 # prob of sampling the high feature
# testing the divergnce loss
# create two continious plots:
# one of high
# one of low
# look at thier progression
for i in range(10000):
high_flag = True if np.random.rand() > p_high else False
sigma_target = sigma_high if high_flag else sigma_low
feature = feature_high if high_flag else feature_low
sigma_out = net(feature)
print(sigma_out)
opt.zero_grad()
#div = KLZeroCenteredLevy(sigma_out, sigma_target)
loss = loss_fn(sigma_out, sigma_target)
#print(loss)
loss.backward()
opt.step()
x_axis = np.arange(0.1,10,0.01)
for s_tar,f in zip([sigma_low, sigma_high], [feature_low,feature_high]):
with torch.no_grad():
s_out = net(f)
fig, ax = plt.subplots()
print(f"target {s_tar}")
print(f"actual {s_out}")
p_target = levyDist(x_axis, 0, (s_tar.detach().numpy()))
print(p_target[0:10])
p_out = levyDist(x_axis, 0, (s_out.detach().numpy()))
print(p_out[0:10])
ax.plot(x_axis, p_target, 'r', p_out, 'b--')
#fig.title(f"target {s_tar}")
plt.show()
|
class UnitGroup(Enum,IComparable,IFormattable,IConvertible):
"""
A group of related unit types,primarily classified by discipline.
enum UnitGroup,values: Common (0),Electrical (3),Energy (5),HVAC (2),Piping (4),Structural (1)
"""
def __eq__(self,*args):
""" x.__eq__(y) <==> x==yx.__eq__(y) <==> x==yx.__eq__(y) <==> x==y """
pass
def __format__(self,*args):
""" __format__(formattable: IFormattable,format: str) -> str """
pass
def __ge__(self,*args):
pass
def __gt__(self,*args):
pass
def __init__(self,*args):
""" x.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signaturex.__init__(...) initializes x; see x.__class__.__doc__ for signature """
pass
def __le__(self,*args):
pass
def __lt__(self,*args):
pass
def __ne__(self,*args):
pass
def __reduce_ex__(self,*args):
pass
def __str__(self,*args):
pass
Common=None
Electrical=None
Energy=None
HVAC=None
Piping=None
Structural=None
value__=None
|
"""Protcol write to write collected data to a tinydb db"""
import tinydb
from baseclasses.protocol import ProtocolBase
class TinyDBProtocol(ProtocolBase):
"""
Class to store collected data in a tinyDB db.
"""
def __init__(self, examiner, artifactid='', taskid=''):
super().__init__(artifactid=artifactid, examiner=examiner, taskid=taskid)
# TODO
def set_task_metadata(self, metadata):
return
# TODO
def store_artefact(self, artefact: ArtefactBase, callpath: str):
return |
from django.db import models
from django.contrib.auth.models import User
import user_accounts
from user_accounts import exceptions
import uuid
class UserProfile(models.Model):
name = models.CharField(max_length=200, blank=True)
user = models.OneToOneField(User, on_delete=models.CASCADE,
related_name='profile')
organization = models.ForeignKey(
'Organization',
on_delete=models.PROTECT,
related_name='profiles'
)
should_get_notifications = models.BooleanField(default=False)
uuid = models.UUIDField(default=uuid.uuid4, editable=False)
def get_display_name(self):
name_display = self.name or self.user.email
return "{} at {}".format(
name_display, self.organization.name)
def get_uuid(self):
return self.uuid.hex
def __str__(self):
display = self.get_display_name()
display += ", {}".format(self.user.email)
if self.should_get_notifications:
self.user.email
display += " (gets notifications)"
return display
@classmethod
def create_from_invited_user(cls, user, invitation=None, **kwargs):
"""
This assumes we have a saved user and an
accepted invite for that user's email
"""
if not invitation:
invitations = user_accounts.models.Invitation.objects.filter(
email=user.email, accepted=True
)
invitation = invitations.first()
if not invitation:
raise exceptions.MissingInvitationError(
"No invitation found for {}".format(user.email))
profile = cls(
user=user,
organization=invitation.organization,
should_get_notifications=invitation.should_get_notifications,
**kwargs
)
profile.save()
user.groups.add(*invitation.groups.all())
return profile
def should_see_pdf(self):
"""This should be based on whether or not this user's org has a pdf
"""
return self.organization.has_a_pdf() or self.user.is_staff
def should_have_access_to(self, resource):
"""Returns True if user is staff or shares one org with resource
Raises an error for resources that don't have an `organization` or
`organizations` attribute.
"""
if self.user.is_staff:
return True
if hasattr(resource, 'organization'):
return self.organization == resource.organization
elif hasattr(resource, 'organizations'):
return bool(resource.organizations.filter(
pk=self.organization_id).count())
msg = "`{}` doesn't have a way to define UserProfile access"
raise exceptions.UndefinedResourceAccessError(
msg.format(resource))
def filter_submissions(self, submissions_qset):
if self.user.is_staff:
return submissions_qset
return submissions_qset.filter(organizations__profiles=self)
def get_user_display(user):
return user.profile.get_display_name()
|
"""Datagrid utilies package."""
import logging
import sys
from gi.repository import Gtk, Gdk
def setup_logging_to_stdout():
"""Sets up logging to std out."""
handler = logging.StreamHandler(sys.stdout)
handler.setLevel(logging.DEBUG)
formatter = logging.Formatter(
'%(asctime)s - %(name)s - %(levelname)s - %(message)s')
handler.setFormatter(formatter)
root = logging.getLogger()
root.setLevel(logging.DEBUG)
root.addHandler(handler)
def setup_gtk_show_rules_hint(base_color='base_color'):
"""Modify gtk theme to display rules hinting.
Different from gtk2, gtk3 rules hinting is only displayed if the
theme implements it. This is a way to override that.
:param base_color: the theme base color, if different from the default
"""
style_provider = Gtk.CssProvider()
style_provider.load_from_data("""
GtkTreeView row:nth-child(even) {
background-color: shade(@%s, 1.0);
}
GtkTreeView row:nth-child(odd) {
background-color: shade(@%s, 0.95);
}
""" % (base_color, base_color))
Gtk.StyleContext.add_provider_for_screen(
Gdk.Screen.get_default(),
style_provider,
Gtk.STYLE_PROVIDER_PRIORITY_APPLICATION)
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# @Time : 2017/8/23 10:37
# @Author : ‘DIY’
# @Site :
# @File : QuXianNiHe.py
# @Software: PyCharm Community Edition
import matplotlib.pyplot as plt
import numpy as np
#潘海东,2014/1/13
x = np.arange(1, 17, 1)
y = np.array([4.00, 6.40, 8.00, 8.80, 9.22, 9.50, 9.70, 9.86, 10.00, 10.20, 10.32, 10.42, 10.50, 10.55, 10.58, 10.60])
z1 = np.polyfit(x, y, 3)#用3次多项式拟合
p1 = np.poly1d(z1)
print(p1) #在屏幕上打印拟合多项式
yvals=p1(x)#也可以使用yvals=np.polyval(z1,x)
plot1=plt.plot(x, y, '*',label='original values')
plot2=plt.plot(x, yvals, 'r',label='polyfit values')
plt.xlabel('x axis')
plt.ylabel('y axis')
plt.legend(loc=4)#指定legend的位置,读者可以自己help它的用法
plt.title('polyfitting')
plt.show()
# plt.savefig('p1.png')
|
from librovers import * # import bindings.
import random
"""
A custom rover that:
uses orientation
computes a modified difference reward
implements a new sensing mechanism
"""
class PyRover (rovers.IRover):
def __init__(self, obs_radius=1.0, use_orientation=False):
super().__init__(obs_radius)
self.use_orientation = use_orientation # Our custom rover uses orientation
# You can use a scanning method implemented \
# in the library or roll out your own:
def scan(self, agent_pack):
# I see 9.0 for all agents!
return rovers.tensor([9.0 for r in agent_pack.agents])
# You can use a reward method implemented \
# in the library or roll out your own.
# Create a new reward that adds -1.0 to difference rewards
def reward(self, agent_pack):
return rovers.rewards.Difference().compute(agent_pack) - 1.0
def apply_action(self):
# some physical manifestation of this action. Maybe move or something.
pass
"""
A noisy lidar composition strategy that adds random noise to lidar observation.
"""
class BonkedComposition(rovers.ISensorComposition):
def __init__(self, bonk_factor=7.0):
super().__init__()
self.bonk_factor = bonk_factor # how noisy this sensor is
# add noise:
def compose(self, range, init, scale):
return max(range) + random.random() * self.bonk_factor
# aliasing some types to reduce typing
Dense = rovers.Lidar[rovers.Density] # lidar with density composition
Close = rovers.Lidar[rovers.Closest] # lidar for closest rover/poi
Discrete = thyme.spaces.Discrete # Discrete action space
Difference = rovers.rewards.Difference # Difference reward
# Lidar with our new bonked composition policy!
BonkedLidar = rovers.Lidar[BonkedComposition]
# create rovers
agents = [
# create agent with difference reward
rovers.Rover[Dense, Discrete, Difference](1.0, Dense(90)),
# create rover with close lidar and global reward
rovers.Rover[Close, Discrete](2.0, Close(90)),
rovers.Drone(), # drone with no policy specifications (all defaults)
# Our new custom Rover
PyRover(1.0, True),
# Rover with a bonked lidar
rovers.Rover[BonkedLidar, Discrete](
3.0, BonkedLidar(90, BonkedComposition()))
]
# Three POIs with Count and Type constraints:
pois = [
# 3 agents must observe
rovers.POI[rovers.CountConstraint](3),
# 2 agents of a certaiin type to get value 1.0
rovers.POI[rovers.TypeConstraint](2, 1.0),
# 5 agents of a certain type must observe
rovers.POI[rovers.TypeConstraint](5)
]
# Environment with rovers and pois placed in the corners. Defaults to random initialization if unspecified.
Env = rovers.Environment[rovers.CornersInit]
# create an environment with our rovers and pois:
env = Env(rovers.CornersInit(10.0), agents, pois)
states, rewards = env.reset()
# print sample state
print("Sample environment state (each row corresponds to the state of a rover): ")
for state in states:
print(state.transpose())
|
from Crypto.PublicKey import RSA
from Crypto.Signature import PKCS1_v1_5
from Crypto.Hash import SHA256
import Crypto.Random
import binascii
class Wallet:
def __init__(self):
self.private_key = None
self.public_key = None
def create_keys(self):
private_key, public_key = self.generate_keys()
self.private_key = private_key
self.public_key = public_key
def save_keys(self):
if self.public_key == None or self.private_key == None:
print("Wrong keys!")
try:
with open('wallet.txt', mode='w') as file:
file.write(self.public_key)
file.write('\n')
file.write(self.private_key)
except (IOError, IndexError):
print("Saving wallet failed...")
def load_keys(self):
try:
with open('wallet.txt', mode='r') as file:
keys = file.readlines()
self.public_key = keys[0][:-1]
self.private_key = keys[1]
except (IOError, IndexError):
print("Loading wallet failed...")
def generate_keys(self):
private_key = RSA.generate(1024, Crypto.Random.new().read)
public_key = private_key.publickey()
return (binascii.hexlify(private_key.exportKey(format='DER')).decode('ascii'),
binascii.hexlify(public_key.exportKey(format='DER')).decode('ascii'))
def sign_transaction(self, sender, recipient, amount):
signer = PKCS1_v1_5.new(RSA.importKey(binascii.unhexlify(self.private_key)))
hash_value = SHA256.new((str(sender) + str(recipient) + str(amount)).encode('utf8'))
signature = signer.sign(hash_value)
return binascii.hexlify(signature).decode('ascii')
@staticmethod
def verify_transaction(transaction):
if transaction.sender == "Miner":
return True
public_key = RSA.importKey(binascii.unhexlify(transaction.sender))
verifier = PKCS1_v1_5.new(public_key)
hash_value = SHA256.new((str(transaction.sender) + str(transaction.recipient) + str(transaction.amount)).encode('utf8'))
return verifier.verify(hash_value, binascii.unhexlify(transaction.signature))
|
#this code is inspired by
#https://github.com/sauravraghuvanshi/Udacity-Computer-Vision-Nanodegree-Program/blob/master/project_2_image_captioning_project/model.py
#https://github.com/ajamjoom/Image-Captions/blob/master/main.py
import socket
import torch
from torch import nn
import torchvision
def _load_resnet101_model():
hostname = socket.gethostname()
if 'shannon' in hostname or 'markov' in hostname:
# Pre-requisite:
# Run "wget https://download.pytorch.org/models/resnet101-5d3b4d8f.pth -O resnet101.pth"
# in the model directory.
model = torchvision.models.resnet101(pretrained=False)
state_dict = torch.load('models/resnet101.pth')
model.load_state_dict(state_dict)
else:
model = torchvision.models.resnet101(pretrained=True)
return model
class Encoder(nn.Module):
"""CNN encoder."""
def __init__(self, embed_size):
"""Initialize encoder.
Args:
encoded_img_size (int): Output size.
"""
super(Encoder, self).__init__()
# Cannot download resnet101 from torchvision due to certificate failure
# on the cluster I'm running on. If you can, simply replace
# with resnet = torchvision.models.resnet101(pretrained=True)
resnet = _load_resnet101_model()
modules = list(resnet.children())[:-1]
self.resnet = nn.Sequential(*modules)
self.embed = nn.Linear(resnet.fc.in_features, embed_size)
for param in self.resnet.parameters():
param.requires_grad = False
def forward(self, imgs):
"""Forward propagation.
Args:
imgs (torch.Tensor): A tensor of dimension (batch_size, 3, img_size, img_size).
Returns:
Embedded image feature vectors of dimension (batch_size, embed_dim)
"""
features = self.resnet(imgs)
features = features.view(features.size(0), -1)
features = self.embed(features)
return features
def fine_tune(self, on=True):
"""Allow or prevent the computation of gradients for convolutional blocks 2 through 4 of the encoder.
Args:
on (bool): Switch on or off.
"""
for conv_block in list(self.resnet.children())[5:]:
for param in conv_block.parameters():
param.requires_grad = on
class EncoderAttention(nn.Module):
"""CNN encoder."""
def __init__(self):
"""Initialize encoder.
Args:
encoded_img_size (int): Output size.
attention_method (str): Attention method to use. Supported attentions methods are "ByPixel" and "ByChannel".
"""
super(EncoderAttention, self).__init__()
# Cannot download resnet101 from torchvision due to certificate failure
# on the cluster I'm running on. If you can, simply replace
# with resnet = torchvision.models.resnet101(pretrained=True)
resnet = _load_resnet101_model()
modules = list(resnet.children())[:-2]
self.resnet = nn.Sequential(*modules)
self.adaptive_pool = nn.AdaptiveAvgPool2d((14, 14))
for param in self.resnet.parameters():
param.requires_grad = False
def forward(self, imgs):
"""Forward propagation.
Args:
imgs (torch.Tensor): A tensor of dimension (batch_size, 3, img_size, img_size).
Returns:
Encoded images of dimension (batch_size, encoded_img_size, encoded_img_size, 2048)
"""
features = self.resnet(imgs)
features = self.adaptive_pool(features)
features = features.permute(0, 2, 3, 1)
return features
def fine_tune(self, on=True):
"""Allow or prevent the computation of gradients for convolutional blocks 2 through 4 of the encoder.
Args:
on (bool): Switch on or off.
"""
for conv_block in list(self.resnet.children())[5:]:
for param in conv_block.parameters():
param.requires_grad = on
|
"""Utility functions shared by all providers."""
from datetime import datetime, timedelta
import pytz
import requests
from bs4 import BeautifulSoup
def get_html_document(url):
"""Get HTML document of given URL."""
headers = {
"User-Agent":
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_13_6) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/70.0.3538.77 Safari/537.36", # noqa
"Accept":
"text/html,application/xhtml+xml,application/xml;q=0.9,image/webp,image/apng,*/*;q=0.8", # noqa
}
resp = requests.get(url, headers=headers)
return resp.text
def apply_parser(html_doc, selector, parser):
"""Parse items in HTML document."""
soup = BeautifulSoup(html_doc, "html.parser")
return parser(soup.select(selector))
def get_ranks(url, selector, parser):
"""Prase ranks from with URL and selectors."""
return apply_parser(
get_html_document(url),
selector,
parser,
)
def localize_time(day_time, timezone="UTC"):
"""Return local time, defaulting to UTC.
>>> dt = datetime(2018, 11, 17)
>>> local_dt = localize_time(dt)
>>> local_dt.tzname()
'UTC'
>>> local_dt = localize_time(dt, "Asia/Seoul")
>>> local_dt.tzname()
'KST'
"""
if day_time is None:
day_time = datetime.now()
local = pytz.timezone(timezone)
return day_time.astimezone(local)
def append_date_string(url,
day_time,
date_key=None,
date_format="%Y-%m-%d",
trailing_slash=False):
"""Add date string to the URL.
>>> url = "https://mochart.com"
>>> dt = datetime(2018, 11, 17)
>>> append_date_string(url, dt)
'https://mochart.com/2018-11-17'
"""
dt_str = day_time.strftime(date_format)
slash = ""
if trailing_slash:
slash = "/"
if date_key:
return f"{url}?{date_key}={dt_str}{slash}"
return f"{url}/{dt_str}{slash}"
def get_week_dates(day_time):
"""Return the beginning and end of the week which given time falls to.
>>> dt = datetime(2018, 11, 17)
>>> beg, end = get_week_dates(dt)
>>> beg.strftime("%Y-%m-%d")
'2018-11-12'
>>> end.strftime("%Y-%m-%d")
'2018-11-18'
"""
beg = day_time - timedelta(days=day_time.weekday())
end = beg + timedelta(days=6)
return beg, end
def get_weeks_in(day_time, start_zero=False, start_sunday=False):
"""Return the number of weeks into given month.
>>> dt = datetime(2018, 1, 1)
>>> get_weeks_in(dt)
1
"""
current_week = int(get_weeks(day_time))
beginning_week = int(get_weeks(datetime(day_time.year, day_time.month, 1)))
addition = 0 if start_zero else 1
return current_week - beginning_week + addition
def get_weeks(day_time, start_sunday=False):
"""Return the number of weeks into given month in string.
>>> dt = datetime(2018, 1, 1)
>>> get_weeks(dt)
'01'
"""
dt = localize_time(day_time)
week_format = "%U" if start_sunday else "%W"
return dt.strftime(week_format)
def get_months(day_time):
"""Return month in string.
>>> dt = datetime(2018, 1, 1)
>>> get_months(dt)
'01'
"""
dt = localize_time(day_time)
return dt.strftime("%m")
def get_years(day_time):
"""Return year in string.
>>> dt = datetime(2018, 1, 1)
>>> get_years(dt)
'2018'
"""
dt = localize_time(day_time)
return dt.strftime("%Y")
def group_multiples(links):
"""Join links by comma if more than one.
>>> from collections import namedtuple
>>> Link = namedtuple("Link", ["text"])
>>> artists = [Link("IU"), Link("Sungha Jung")]
>>> group_multiples(artists)
'IU, Sungha Jung'
"""
return ", ".join([link.text.strip() for link in links])
if __name__ == "__main__":
import doctest
doctest.testmod()
|
from django.db import models
class MetaTable(models.Model):
name = models.CharField(max_length=100)
verbose_name = models.CharField(max_length=100)
other_verbose_names = models.CharField(max_length=300)
def __str__(self):
return self.name
class MetaFields(models.Model):
table = models.ForeignKey(MetaTable)
name = models.CharField(max_length=100)
verbose_name = models.CharField(max_length=100)
other_verbose_names = models.CharField(max_length=300)
def __str__(self):
return self.name |
import tensorflow as tf
from copy import deepcopy
from base import *
from lm import *
class RJMCMC(object):
def __init__(self, simulater, gamma, multiple_trial, sample_sub, end_token,
fun_logps, fun_propose_tag=None,
write_files=None,
pi_true=None):
# simulater
self.simulater = simulater
# length jump probabilities
self.gamma = gamma
self.pi_true = pi_true
self.multiple_trial = multiple_trial
self.sample_sub = sample_sub
self.end_token = end_token
# cmp the logps
self.fun_logps = fun_logps # input a list of seq.Seq(), output np.array of the logps
self.fun_propose_tag = fun_propose_tag
# debug variables
self.lj_times = 1
self.lj_success = 0
self.lj_rate = None
self.mv_times = 1
self.mv_success = 0
self.mv_rate = None
self.write_files = write_files
@property
def session(self):
return tf.get_default_session()
def local_jump(self, input_x, input_n):
"""
Args:
seq_list: a list of seq.Seq()
states_list: a list of LSTM states of each sequence
Returns:
"""
batch_size = len(input_x)
old_seqs = reader.extract_data_from_trf(input_x, input_n)
new_seqs = [None] * batch_size
acc_logps = np.zeros(batch_size)
next_n = np.array([np.random.choice(len(self.gamma[n]), p=self.gamma[n]) for n in input_n])
jump_rate = np.array([np.log(self.gamma[j, k]) - np.log(self.gamma[k, j]) for j, k in zip(next_n, input_n)])
inc_index = np.where(next_n > input_n)[0]
des_index = np.where(next_n < input_n)[0]
equ_index = np.where(next_n == input_n)[0]
if len(equ_index) > 0:
acc_logps[equ_index] = 0
for i in equ_index:
new_seqs[i] = old_seqs[i]
if len(inc_index) > 0:
chain_num = len(inc_index)
init_seqs = input_x[inc_index]
init_lens = input_n[inc_index]
final_lens = next_n[inc_index]
cur_jump_rate = jump_rate[inc_index]
x_repeat = init_seqs.repeat(self.multiple_trial, axis=0)
n_repeat = init_lens.repeat(self.multiple_trial, axis=0)
m_repeat = final_lens.repeat(self.multiple_trial, axis=0)
y_multiple, logp_y_multiple = self.simulater.local_jump_propose(x_repeat, n_repeat - 1, m_repeat - 1)
# add end-tokens
y_multiple = np.pad(y_multiple, [[0, 0], [0, 1]], 'constant')
y_multiple[np.arange(y_multiple.shape[0]), m_repeat - 1] = self.end_token
logw_multiple_y = self.fun_logps(y_multiple, m_repeat)
draw_idxs = [sp.log_sample(sp.log_normalize(x)) for x in logw_multiple_y.reshape((chain_num, -1))]
draw_idxs_flatten = [i * self.multiple_trial + draw_idxs[i] for i in range(len(draw_idxs))]
new_y = y_multiple[draw_idxs_flatten]
new_m = m_repeat[draw_idxs_flatten]
g_add = logp_y_multiple[draw_idxs_flatten]
assert np.all(new_m == final_lens)
cur_acc_logps = cur_jump_rate + \
logsumexp(logw_multiple_y.reshape((chain_num, -1)), axis=-1) - \
np.log(self.multiple_trial) - g_add - self.fun_logps(init_seqs, init_lens)
# summary results
acc_logps[inc_index] = cur_acc_logps
for i, y in zip(inc_index, reader.extract_data_from_trf(new_y, new_m)):
new_seqs[i] = y
if len(des_index) > 0:
chain_num = len(des_index)
init_seqs = input_x[des_index]
init_lens = input_n[des_index]
final_lens = next_n[des_index]
cur_jump_rate = jump_rate[des_index]
y_repeat = init_seqs.repeat(self.multiple_trial, axis=0)
n_repeat = init_lens.repeat(self.multiple_trial, axis=0)
m_repeat = final_lens.repeat(self.multiple_trial, axis=0)
x_multiple, logp_x_multiple = self.simulater.local_jump_propose(y_repeat, m_repeat - 1, n_repeat - 1)
# add end-token
x_multiple = np.pad(x_multiple, [[0, 0], [0, 1]], 'constant')
x_multiple[np.arange(x_multiple.shape[0]), n_repeat - 1] = self.end_token
# set the initial_sequences
for i in range(chain_num):
# if len(x_multiple[i * self.config.multiple_trial]) != len(init_seqs[i]):
# print(x_multiple[i * self.config.multiple_trial])
# print(init_seqs[i])
n = n_repeat[i * self.multiple_trial]
x_multiple[i * self.multiple_trial, 0: n] = init_seqs[i, 0: init_lens[i]]
logw_multiple_x = self.fun_logps(x_multiple, n_repeat)
g_add = self.simulater.local_jump_condition(init_seqs, init_lens - 1, final_lens - 1)
new_y = np.array(init_seqs)
new_m = final_lens
new_y[np.arange(new_y.shape[0]), new_m - 1] = self.end_token
cur_acc_logps = cur_jump_rate + \
np.log(self.multiple_trial) + g_add + self.fun_logps(new_y, new_m) - \
logsumexp(logw_multiple_x.reshape((chain_num, -1)), axis=-1)
# summary results
acc_logps[des_index] = cur_acc_logps
for i, y in zip(des_index, reader.extract_data_from_trf(new_y, new_m)):
new_seqs[i] = y
res_seqs = []
for i, (acc_logp, old_x, new_x) in enumerate(zip(acc_logps, old_seqs, new_seqs)):
self.lj_times += 1
try:
if sp.accept_logp(acc_logp):
self.lj_success += 1
res_seqs.append(new_x)
else:
res_seqs.append(old_x)
except ValueError:
print('acc_logps=', acc_logps)
print('acc_logp=', acc_logp)
print('type=', type(acc_logps))
raise ValueError
out_line = '[local jump] {}->{} acc_logp={:.2f} '.format(
len(old_x), len(new_x), float(acc_logp)
)
out_line += 'acc_rate={:.2f}% '.format(100.0 * self.lj_success / self.lj_times)
out_line += '[{}/{}] '.format(self.lj_success, self.lj_times)
f = self.write_files.get('markov')
f.write(out_line + '\n')
f.flush()
return reader.produce_data_to_trf(res_seqs)
def markov_move_batch_sub(self, input_x, input_n, beg_pos, end_pos):
"""
draw the values at positions x[beg_pos: beg_pos+sub_len]
using multiple-trial MH sampling
"""
chain_num = len(input_x)
# propose multiple ys for each x in input_x
x_repeat = input_x.repeat(self.multiple_trial, axis=0).astype(input_x.dtype)
n_repeat = input_n.repeat(self.multiple_trial, axis=0).astype(input_n.dtype)
# propose y
multiple_y, logp_multiple_y = self.simulater.markov_move_propose(x_repeat, n_repeat-1,
beg_pos, end_pos)
# return logp_multiple_y
multiple_y[np.arange(len(multiple_y)), n_repeat-1] = self.end_token # set end tokens
logw_multiple_y = self.fun_logps(multiple_y, n_repeat) - logp_multiple_y
# logw_multiple_y = self.phi(multiple_y, n_repeat) -\
# self.simulater.markov_move_condition(self.get_session(),
# x_repeat, n_repeat-1, multiple_y,
# beg_pos, end_pos)
# sample y
draw_idxs = [sp.log_sample(sp.log_normalize(x)) for x in logw_multiple_y.reshape((chain_num, -1))]
draw_idxs_flatten = [i * self.multiple_trial + draw_idxs[i] for i in range(len(draw_idxs))]
new_y = multiple_y[draw_idxs_flatten]
# draw reference x
# as is independence sampling
# there is no need to generate new samples
logw_multiple_x = np.array(logw_multiple_y)
logw_multiple_x[draw_idxs_flatten] = self.fun_logps(input_x, input_n) - \
self.simulater.markov_move_condition(input_x, input_n-1,
beg_pos, end_pos)
# compute the acceptance rate
weight_y = logsumexp(logw_multiple_y.reshape((chain_num, -1)), axis=-1)
weight_x = logsumexp(logw_multiple_x.reshape((chain_num, -1)), axis=-1)
acc_logps = weight_y - weight_x
# acceptance
acc_probs = np.exp(np.minimum(0., acc_logps))
accept = acc_probs >= np.random.uniform(size=acc_probs.shape)
res_x = np.where(accept.reshape(-1, 1), new_y, input_x)
self.mv_times += accept.size
self.mv_success += accept.sum()
out_line = '[Markov move] acc=' + log.to_str(acc_probs) + \
' weight_y=' + log.to_str(weight_y) + \
' weight_x=' + log.to_str(weight_x)
f = self.write_files.get('markov')
f.write(out_line + '\n')
f.flush()
return res_x, input_n
def markov_move(self, input_x, input_n):
max_len = np.max(input_n)
sub_sent = self.sample_sub if self.sample_sub > 0 else max_len
# skip the beg / end tokens
for beg_pos in range(1, max_len-1, sub_sent):
# find all the sequence whose length is larger than beg_pos
idx = np.where(input_n-1 > beg_pos)[0]
# desicide the end position
end_pos = min(max_len-1, beg_pos + sub_sent)
local_x, local_n = self.markov_move_batch_sub(input_x[idx], input_n[idx], beg_pos, end_pos)
input_x[idx] = local_x
input_n[idx] = local_n
return input_x, input_n
def update(self, sample_list):
"""update the propose lstm model"""
self.simulater.update(sample_list)
def eval(self, seq_list):
return self.simulater.eval(seq_list)
def reset_dbg(self):
self.lj_times = 0
self.lj_success = 0
self.mv_times = 0
self.mv_success = 0
def update_dbg(self):
def interpolate(old_rate, new_rate):
if old_rate is None:
return new_rate
return 0.9 * old_rate + 0.1 * new_rate
if self.lj_times > 0:
self.lj_rate = interpolate(self.lj_rate, self.lj_success / self.lj_times)
if self.mv_times > 0:
self.mv_rate = interpolate(self.mv_rate, self.mv_success / self.mv_times)
class MCMC(RJMCMC):
def local_jump(self, seq_list, states_list):
init_len = np.array([len(s) for s in seq_list])
next_len = np.random.choice(len(self.pi_true), size=len(seq_list), p=self.pi_true)
inc_index = np.where(next_len > init_len)[0]
des_index = np.where(next_len < init_len)[0]
equ_index = np.where(next_len == init_len)[0]
next_seqs = [None] * len(seq_list)
next_states = [None] * len(states_list)
if len(equ_index) > 0:
for i in equ_index:
next_seqs[i] = seq_list[i]
next_states[i] = states_list[i]
if len(inc_index) > 0:
local_seqs, local_states, _ = self.propose_seq(seq_list=[seq_list[i] for i in inc_index],
states_list=[states_list[i] for i in inc_index],
pos_vec=init_len[inc_index] - 1,
num_vec=next_len[inc_index] - init_len[inc_index])
for s in local_seqs:
s.append(self.end_tokens)
for i, s, st in zip(inc_index, local_seqs, local_states):
next_seqs[i] = s
next_states[i] = st
if len(des_index) > 0:
for i in des_index:
next_seqs[i] = seq_list[i][0: next_len[i]-1]
next_seqs[i].append(self.end_tokens)
next_states[i] = states_list[i][0: next_len[i]-1]
return next_seqs, next_states
|
#!/usr/bin/env python
"""
Author: Adam White, Matthew Schlegel, Mohammad M. Ajallooeian, Sina Ghiassian
Purpose: Skeleton code for Monte Carlo Exploring Starts Control Agent
for use on A3 of Reinforcement learning course University of Alberta Fall 2017
"""
from utils import rand_in_range, rand_un
import numpy as np
import random
import pickle
w = None
x = None
current_state = None
prev_state = None
alpha = 0.5
gamma = 1.0
def agent_init():
global w,x,current_state,prev_state
"""
Hint: Initialize the variables that need to be reset before each run begins
Returns: nothing
"""
#print("n = %d" %(n))
x = np.identity(1000)
w = np.zeros(1000)
current_state = np.zeros(1)
prev_state = np.zeros(1)
return
#initialize the policy array in a smart way
def agent_start(state):
global w,x,current_state,prev_state
"""
Hint: Initialize the variavbles that you want to reset before starting a new episode
Arguments: state: numpy array
Returns: action: integer
"""
# pick the first action, don't forget about exploring starts
current_state[0] = state[0]
prev_state[0] = current_state[0]
if random.randint(0,1) : #go right
rnum = random.randint(1,100)
if rnum+state[0]>1000:
action = 1000-state[0]
else:
action = rnum
else: #go left
rnum = (random.randint(1,100))*(-1)
if rnum+state[0]<1:
action = state[0]*(-1)
else:
action = rnum
return action
def agent_step(reward, state): # returns NumPy array, reward: floating point, this_observation: NumPy array
global w,x,current_state,prev_state
"""
Arguments: reward: floting point, state: integer
Returns: action: integer
"""
# select an action, based on Q
current_state[0] = state[0]
w = w + alpha*(reward+gamma*w[current_state[0]-1]- w[prev_state[0]-1])*x[prev_state[0]-1]
if random.randint(0,1) : #go right
rnum = random.randint(1,100)
if rnum+state[0]>1000:
action = 1000-state[0]
else:
action = rnum
else: #go left
rnum = (random.randint(1,100))*(-1)
if rnum+state[0]<1:
action = state[0]*(-1)
else:
action = rnum
prev_state[0] = current_state[0]
return action
def agent_end(reward):
global w,x,current_state,prev_state
"""
Arguments: reward: floating point
Returns: Nothing
"""
# do learning and update pi
w = w + alpha*(reward-w[prev_state[0]-1])*x[prev_state[0]-1]
return
def agent_cleanup():
"""
This function is not used
"""
# clean up
return
def agent_message(in_message): # returns string, in_message: string
global w,x,current_state,prev_state
"""
Arguments: in_message: string
returns: The value function as a string.
This function is complete. You do not need to add code here.
"""
# should not need to modify this function. Modify at your own risk
if (in_message == 'ValueFunction'):
return
else:
return "I don't know what to return!!"
def getReturn():
return w |
#!/usr/bin/env python
## @file configSerialize.py
## @brief Format a python VMOMI object in config serializer format.
##
## Detailed description (for Doxygen goes here)
"""
Format a python VMOMI object in config serializer format.
Detailed description (for [e]pydoc goes here)
"""
from pyVmomi import VmomiSupport
from pyVmomi.VmomiSupport import GetVmodlName
from six.moves import range
INDENT = " "
def SerializeToConfig(val,
info=VmomiSupport.Object(name="",
index=-1,
type=object,
flags=0),
indent=0,
tag=None):
"""
Format a python VMOMI object in config serializer format.
@param val: the object
@param info: the field
@type indent: int
@param indent: the level of indentation
@rtype: str
@return: the formatted string
@warning: This function is not well tested.
@note: Deserialization code has not been implemented.
"""
# Unset properties should not be serialized
if val == None or (isinstance(val, list) and len(val) == 0):
return None
valType = GetVmodlName(val.__class__)
start = indent * INDENT
if info.name:
start = start + ("<%s>" % info.name)
end = "</%s>" % info.name
indent = indent + 1
# Need to emit additional information for properties declared Any
if info.type == object:
start = start + "\n%s<_type>%s</_type>" % (indent * INDENT,
valType)
start = start + "\n%s<_value>" % (indent * INDENT)
end = "</_value>\n%s" % ((indent - 1) * INDENT) + end
indent = indent + 1
elif info.index != -1:
start = start + "<e id=\"%d\">" % info.index
end = "</e>\n"
indent = indent + 1
else:
start = start + "<ConfigRoot>"
end = "</ConfigRoot>"
indent = indent + 1
if tag:
start += "\n%s<%s>" % (indent * INDENT, tag)
end = "</%s>\n%s" % (tag, (indent - 1) * INDENT) + end
indent = indent + 1
if isinstance(val, VmomiSupport.DataObject):
if info.flags & VmomiSupport.F_LINK:
result = "\n%s<_type>%s</_type>\n%s<_key>%s</_key>\n" % \
(indent * INDENT, valType, indent * INDENT, val.key)
else:
result = "\n%s<_type>%s</_type>\n%s\n%s" % \
(indent * INDENT,
valType,
'\n'.join([x for x in [SerializeToConfig(getattr(val, prop.name),
prop, indent)
for prop in sorted(val._GetPropertyList(),
lambda x, y:
cmp(x.name, y.name))] if x != None]),
(indent - 1) * INDENT)
elif isinstance(val, VmomiSupport.ManagedObject):
result = "\n%s<_type>%s</_type>\n%s<moid>%s</moid>\n" % \
(indent * INDENT, valType, indent * INDENT, val._moId)
elif isinstance(val, list):
itemType = GetVmodlName(
getattr(val, 'Item', getattr(info.type, 'Item', object)))
result = "\n%s<_length>%d</_length>\n%s<_type>%s[]</_type>\n" % \
(indent * INDENT, len(val), indent * INDENT, itemType)
results = []
for i in range(len(val)):
item = VmomiSupport.Object(name="",
index=i,
type=itemType,
flags=info.flags)
results.append(SerializeToConfig(val[i], item, indent))
result = result + ''.join(results) + ((indent - 1) * INDENT)
elif isinstance(val, type):
result = val.__name__
elif isinstance(val, VmomiSupport.ManagedMethod):
result = '%s' % (val.info.name)
elif isinstance(val, bool):
result = val and "true" or "false"
else:
result = val
return start + str(result) + end
def main():
print(SerializeToConfig(3))
print(SerializeToConfig([3, 4, 5]))
if __name__ == "__main__":
main()
|
BLOCK_CHARACTER = '⊗'
FREE_CHARACTER = '✰'
PATH_CHARACTER = '✱'
START_CHARACTER = '☖'
END_CHARACTER = '☗'
|
# This file is part of the Extra-P software (http://www.scalasca.org/software/extra-p)
#
# Copyright (c) 2020, Technical University of Darmstadt, Germany
#
# This software may be modified and distributed under the terms of a BSD-style license.
# See the LICENSE file in the base directory for details.
from dataclasses import dataclass
from dataclasses import field as d_field
from typing import TypeVar, Generic, Sequence, Type, AnyStr, Mapping, Union, Callable, Any
from extrap.modelers.abstract_modeler import AbstractModeler
T = TypeVar('T')
@dataclass
class ModelerOption(Generic[T]):
value: T
type: Type
description: str
name: str = None
range: Union[Mapping[AnyStr, T], range] = None
group = None
field: str = None
on_change: Callable[[Any, T], None] = d_field(default=None, compare=False, hash=False)
@dataclass
class ModelerOptionsGroup:
name: str
options: Sequence[ModelerOption]
description: str
def items(self):
return ((o.field, o) for o in self.options)
class _ModelerOptionsClass:
def __call__(self, original_class: AbstractModeler) -> AbstractModeler:
if hasattr(original_class, 'OPTIONS'):
original_class.OPTIONS = dict(getattr(original_class, 'OPTIONS'))
else:
original_class.OPTIONS = {}
option_storage = []
for name in original_class.__dict__:
option: ModelerOption = original_class.__dict__[name]
if isinstance(option, ModelerOption):
if option.group is not None:
original_class.OPTIONS[option.group.name] = option.group
else:
original_class.OPTIONS[name] = option
option.field = name
if option.on_change is not None:
def make_property(opt):
# required for closure
def getter(m_self):
return getattr(m_self, '__OPTION_' + opt.field)
def setter(m_self, v):
setattr(m_self, '__OPTION_' + opt.field, v)
opt.on_change(m_self, v)
return property(getter, setter)
setattr(original_class, name, make_property(option))
option_storage.append(('__OPTION_' + option.field, option.value))
else:
setattr(original_class, name, option.value)
for n, v in option_storage:
setattr(original_class, n, v)
return original_class
@staticmethod
def add(value: T, type: Type = str, description: str = None, name: str = None,
range: Union[Mapping[AnyStr, T], range] = None,
on_change: Callable[[Any, T], None] = None) -> T:
"""
Creates a new modeler option.
:param value: The default value of the option
:param type: The data type of the value.
Must support the conversion from a string if called with a string parameter.
:param description: A description of the option. Is shown in the command-line help and as tooltip in the GUI.
:param name: Alternative display name. Replaces the automatic conversion of the field name.
:param range: A range of possible alternatives, either a list, a mapping or a range.
:param on_change: Callback function, that is called when the value of the option is changed.
Its arguments are the instance self and the new value.
:return: A ModelerOption object, that is processed during options creation and replaced by the value.
"""
return ModelerOption(value=value, type=type, description=description, name=name, range=range,
on_change=on_change)
@staticmethod
def group(name: str, *options: ModelerOption, description: str = None) -> ModelerOptionsGroup:
"""
Groups options under the given name and adds an optional description for the group.
:param name: Name of the group. Is shown in the command-line help and in the GUI.
:param options: One or more options to group.
:param description: A description of the option. Is shown as tooltip in the GUI.
"""
group = ModelerOptionsGroup(name=name, description=description, options=options)
for o in options:
o.group = group
return group
@staticmethod
def equal(self: AbstractModeler, other: AbstractModeler) -> bool:
if not isinstance(other, AbstractModeler):
return NotImplemented
elif self is other:
return True
elif hasattr(self, 'OPTIONS') != hasattr(other, 'OPTIONS'):
return False
elif not hasattr(self, 'OPTIONS'):
return True
elif self.OPTIONS != other.OPTIONS:
return False
for o in modeler_options.iter(self):
if getattr(self, o.field) != getattr(other, o.field):
return False
return True
@staticmethod
def iter(modeler):
if not hasattr(modeler, 'OPTIONS'):
return
for o in getattr(modeler, 'OPTIONS').values():
if isinstance(o, ModelerOptionsGroup):
for go in o.options:
yield go
else:
yield o
modeler_options = _ModelerOptionsClass()
|
"""
Including Libraries
"""
import csv
import cv2
import sklearn
import matplotlib.image as mpimg
import matplotlib.pyplot as plt
import numpy as np
"""
Defining Function
"""
def Image_Visualization(Images):
#Sort and Print Left, Center & Right Images
center_image_name = img_path + Images[50][0].split('\\')[-1]
center_image = mpimg.imread(center_image_name)
flipped_center_image = np.fliplr(center_image)
left_image_name = img_path + Images[50][1].split('\\')[-1]
left_image = mpimg.imread(left_image_name)
flipped_left_image = np.fliplr(left_image)
right_image_name = img_path + Images[50][2].split('\\')[-1]
right_image = mpimg.imread(right_image_name)
flipped_right_image = np.fliplr(right_image)
fig1 = plt.figure()
plt.subplot(3,2,1)
plt.imshow(left_image)
plt.title('Left Camera Image')
plt.subplot(3,2,2)
plt.imshow(flipped_left_image)
plt.title('Flipped Left Camera Image')
plt.subplot(3,2,3)
plt.imshow(center_image)
plt.title('Center Camera Image')
plt.subplot(3,2,4)
plt.imshow(flipped_center_image)
plt.title('Flipped Center Camera Image')
plt.subplot(3,2,5)
plt.imshow(right_image)
plt.title('Right Camera Image')
plt.subplot(3,2,6)
plt.imshow(flipped_right_image)
plt.title('Flipped Right Camera Image')
plt.subplots_adjust(top=0.92, bottom=0.08, left=0.10, right=0.95, hspace=0.5,
wspace=0.5)
plt.savefig('Image_Visualization_Track_2.png')
"""
Workspace
"""
#Load and Initialize Data
img_path = "./Track_2_Data/IMG/"
csv_path = "./Track_2_Data/"
sample_images = []
with open(csv_path + "driving_log.csv",'r') as f:
reader = csv.reader(f)
next(reader, None) #skips the headers
for line in reader:
sample_images.append(line)
sklearn.utils.shuffle(sample_images) #Shuffle the data
Image_Visualization(sample_images)
|
# -*- coding: utf-8 -*-
"""
Tencent is pleased to support the open source community by making 蓝鲸智云PaaS平台社区版 (BlueKing PaaS Community
Edition) available.
Copyright (C) 2017-2021 THL A29 Limited, a Tencent company. All rights reserved.
Licensed under the MIT License (the "License"); you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://opensource.org/licenses/MIT
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 functools
import json
import logging
import os
import requests
from . import env
from .conf import PLUGIN_CLIENT_LOGGER
from .exceptions import PluginServiceNotDeploy, PluginServiceNetworkError, PluginServiceNotUse
logger = logging.getLogger(PLUGIN_CLIENT_LOGGER)
def data_parser(func):
"""用于解析标准格式接口返回数据"""
@functools.wraps(func)
def wrapper(*args, **kwargs):
try:
result = func(*args, **kwargs)
except Exception as e:
message = f"plugin client request {func.__name__} error: {e}, with params: {args} and kwargs: {kwargs}."
return False, {"message": message}
if not result.get("result"):
logger.error(f"{func.__name__} request error: {result.get('message')}")
data = {"message": result.get("message")}
if "trace_id" in result:
data["trace_id"] = result["trace_id"]
return False, data
else:
data = result.get("data")
if "trace_id" in result and isinstance(data, dict):
data["trace_id"] = result["trace_id"]
return True, data
return wrapper
def json_response_decoder(func):
"""用于处理json格式接口返回"""
@functools.wraps(func)
def wrapper(*args, **kwargs):
response = func(*args, **kwargs)
if response.status_code != 200:
message = (
f"{func.__name__} gets error status code [{response.status_code}], "
f"request with params: {args} and kwargs: {kwargs}. "
)
logger.error(message + f"response content: {response.content}")
return {"result": False, "data": None, "message": message}
return response.json()
return wrapper
class PluginServiceApiClient:
def __init__(self, plugin_code, plugin_host=None):
if not env.USE_PLUGIN_SERVICE:
raise PluginServiceNotUse("插件服务未启用,请联系管理员进行配置")
self.plugin_code = plugin_code
if not plugin_host:
result = PluginServiceApiClient.get_plugin_app_detail(plugin_code)
self.plugin_host = os.path.join(result["data"]["url"], "bk_plugin/")
@staticmethod
@json_response_decoder
def get_paas_plugin_info(plugin_code=None, environment=None, limit=100, offset=0, search_term=None):
"""可支持请求获取插件服务列表或插件详情"""
url = os.path.join(
f"{env.APIGW_NETWORK_PROTOCAL}://paasv3.{env.APIGW_URL_SUFFIX}",
environment or env.APIGW_ENVIRONMENT,
"system/bk_plugins",
plugin_code if plugin_code else "",
)
params = {"private_token": env.PAASV3_APIGW_API_TOKEN}
if not plugin_code:
# list接口相关参数
params.update({"limit": limit, "offset": offset, "has_deployed": True})
if search_term:
params.update({"search_term": search_term})
return requests.get(url, params=params)
@data_parser
@json_response_decoder
def invoke(self, version, data):
url = os.path.join(
f"{env.APIGW_NETWORK_PROTOCAL}://{self.plugin_code}.{env.APIGW_URL_SUFFIX}",
env.APIGW_ENVIRONMENT,
"invoke",
version,
)
headers = {
"X-Bkapi-Authorization": json.dumps(
{"bk_app_code": env.PLUGIN_SERVICE_APIGW_APP_CODE, "bk_app_secret": env.PLUGIN_SERVICE_APIGW_APP_SECRET}
),
"Content-Type": "application/json",
}
return requests.post(url, data=json.dumps(data), headers=headers)
@json_response_decoder
def get_logs(self, trace_id):
url = os.path.join(self.plugin_host, "logs", trace_id)
return requests.get(url)
@json_response_decoder
def get_meta(self):
url = os.path.join(self.plugin_host, "meta")
return requests.get(url)
@json_response_decoder
def get_detail(self, version):
url = os.path.join(self.plugin_host, "detail", version)
return requests.get(url)
@data_parser
@json_response_decoder
def get_schedule(self, trace_id):
url = os.path.join(self.plugin_host, "schedule", trace_id)
return requests.get(url)
@staticmethod
def get_plugin_list(search_term=None, limit=100, offset=0):
# 如果不启动插件服务,直接返回空列表
if not env.USE_PLUGIN_SERVICE:
return {"result": True, "message": "插件服务未启用,请联系管理员进行配置", "data": {"count": 0, "plugins": []}}
result = PluginServiceApiClient.get_paas_plugin_info(
search_term=search_term, environment="prod", limit=limit, offset=offset
)
if result.get("result") is False:
return result
plugins = [
{
"code": plugin["code"],
"name": plugin["name"],
"logo_url": plugin["logo_url"],
"creator": plugin["creator"],
}
for plugin in result["results"]
]
count = len(plugins)
return {"result": True, "message": None, "data": {"count": count, "plugins": plugins}}
@staticmethod
def get_plugin_app_detail(plugin_code):
# 如果不启动插件服务,则不支持请求插件服务详情
if not env.USE_PLUGIN_SERVICE:
return {"result": False, "message": "插件服务未启用,请联系管理员进行配置", "data": None}
result = PluginServiceApiClient.get_paas_plugin_info(plugin_code, environment="prod")
if result.get("result") is False:
raise PluginServiceNetworkError(f"Plugin Service {plugin_code} network error: {result.get('message')}")
info = result["deployed_statuses"][env.APIGW_ENVIRONMENT]
if not info["deployed"]:
raise PluginServiceNotDeploy(f"Plugin Service {plugin_code} does not deployed.")
plugin = result["plugin"]
return {
"result": True,
"message": None,
"data": {"url": info["url"], "name": plugin["name"], "code": plugin["code"], "updated": plugin["updated"]},
}
|
from __future__ import absolute_import
from __future__ import division
from __future__ import print_function
from __future__ import unicode_literals
import unittest
import hypothesis.strategies as st
from hypothesis import given
import numpy as np
from caffe2.python import core, workspace
import caffe2.python.hypothesis_test_util as hu
import caffe2.python.ideep_test_util as mu
@unittest.skipIf(not workspace.C.use_mkldnn, "No MKLDNN support.")
class ExpandDimsSqueezeTest(hu.HypothesisTestCase):
@given(
squeeze_dims=st.lists(st.integers(0, 3), min_size=1, max_size=3),
inplace=st.booleans(),
**mu.gcs
)
def test_squeeze(self, squeeze_dims, inplace, gc, dc):
shape = [
1 if dim in squeeze_dims else np.random.randint(1, 5)
for dim in range(4)
]
X = np.random.rand(*shape).astype(np.float32)
op = core.CreateOperator(
"Squeeze", "X", "X" if inplace else "Y", dims=squeeze_dims
)
self.assertDeviceChecks(dc, op, [X], [0])
@given(
squeeze_dims=st.lists(st.integers(0, 3), min_size=1, max_size=3),
inplace=st.booleans(),
**mu.gcs_cpu_ideep
)
def test_squeeze_fallback(self, squeeze_dims, inplace, gc, dc):
shape = [
1 if dim in squeeze_dims else np.random.randint(1, 5)
for dim in range(4)
]
X = np.random.rand(*shape).astype(np.float32)
op0 = core.CreateOperator(
"Squeeze",
"X0",
"X0" if inplace else "Y0",
dims=squeeze_dims,
device_option=dc[0]
)
workspace.FeedBlob('X0', X, dc[0])
workspace.RunOperatorOnce(op0)
Y0 = workspace.FetchBlob("X0" if inplace else "Y0")
op1 = core.CreateOperator(
"Squeeze",
"X1",
"X1" if inplace else "Y1",
dims=squeeze_dims,
device_option=dc[1]
)
workspace.FeedBlob('X1', X, dc[0])
workspace.RunOperatorOnce(op1)
Y1 = workspace.FetchBlob("X1" if inplace else "Y1")
if not np.allclose(Y0, Y1, atol=0.01, rtol=0.01):
print(Y1.flatten())
print(Y0.flatten())
print(np.max(np.abs(Y1 - Y0)))
self.assertTrue(False)
@given(
squeeze_dims=st.lists(st.integers(0, 3), min_size=1, max_size=3),
inplace=st.booleans(),
**mu.gcs
)
def test_expand_dims(self, squeeze_dims, inplace, gc, dc):
oshape = [
1 if dim in squeeze_dims else np.random.randint(2, 5)
for dim in range(4)
]
nshape = [s for s in oshape if s!=1]
expand_dims = [i for i in range(len(oshape)) if oshape[i]==1]
X = np.random.rand(*nshape).astype(np.float32)
op = core.CreateOperator(
"ExpandDims", "X", "X" if inplace else "Y", dims=expand_dims
)
self.assertDeviceChecks(dc, op, [X], [0])
@given(
squeeze_dims=st.lists(st.integers(0, 3), min_size=1, max_size=3),
inplace=st.booleans(),
**mu.gcs_cpu_ideep
)
def test_expand_dims_fallback(self, squeeze_dims, inplace, gc, dc):
oshape = [
1 if dim in squeeze_dims else np.random.randint(2, 5)
for dim in range(4)
]
nshape = [s for s in oshape if s!=1]
expand_dims = [i for i in range(len(oshape)) if oshape[i]==1]
X = np.random.rand(*nshape).astype(np.float32)
op0 = core.CreateOperator(
"ExpandDims",
"X0",
"X0" if inplace else "Y0",
dims=expand_dims,
device_option=dc[0]
)
workspace.FeedBlob('X0', X, dc[0])
workspace.RunOperatorOnce(op0)
Y0 = workspace.FetchBlob("X0" if inplace else "Y0")
op1 = core.CreateOperator(
"ExpandDims",
"X1",
"X1" if inplace else "Y1",
dims=expand_dims,
device_option=dc[1]
)
workspace.FeedBlob('X1', X, dc[0])
workspace.RunOperatorOnce(op1)
Y1 = workspace.FetchBlob("X1" if inplace else "Y1")
if not np.allclose(Y0, Y1, atol=0.01, rtol=0.01):
print(Y1.flatten())
print(Y0.flatten())
print(np.max(np.abs(Y1 - Y0)))
self.assertTrue(False)
if __name__ == "__main__":
unittest.main()
|
import sys
import glob
sam_files = glob.glob("*magicblast*.sam")
print("alignment\tscore\tlength")
for sfile in sam_files:
for line in open(sfile):
la = line.strip().split("\t")
if (len(la)) == 14:
length = len(la[9])
score = la[12].split(":")[-1]
print("{}\t{}\t{}".format(sfile,score,length))
|
print('ola, isso é um teste de versionamento')
print('')
|
from setuptools import setup
setup(
name = 'tcedata',
packages = ['tcedata'],
version = '1.0',
license='MIT',
description = 'Tools to download data from storages hosted by UvA-TCE to user workspace.',
author = '@jiqicn',
author_email = 'qiji1988ben@gmail.com',
url = 'https://github.com/jiqicn/tcedata',
download_url = 'https://github.com/jiqicn/tcedata',
keywords = ['Storage', 'Jupyter', 'Widgets', "Minio"],
install_requires=[
'minio',
'pandas',
'ipywidgets'
'ipyfilechooser',
],
classifiers=[
'Development Status :: 5 - Production/Stable',
'Intended Audience :: Developers',
'Topic :: Software Development :: Build Tools',
'License :: OSI Approved :: MIT License',
'Programming Language :: Python :: 3',
'Programming Language :: Python :: 3.8',
],
) |
# Copyright 2021 Uptimedog
#
# 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
#
# https://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.
from django.db import models
class Option(models.Model):
"""Option Model"""
key = models.CharField(max_length=30, db_index=True, verbose_name="Key")
value = models.CharField(max_length=200, verbose_name="Value")
autoload = models.BooleanField(default=False, verbose_name="Autoload")
created_at = models.DateTimeField(auto_now_add=True, verbose_name="Created at")
updated_at = models.DateTimeField(auto_now=True, verbose_name="Updated at")
def __str__(self):
return self.key
class Meta:
db_table = "app_option"
|
#!/usr/bin/python
# -*- coding: UTF-8 -*-
if __name__ == '__main__':
class student:
x = 0
c = 0
def f(stu):
stu.x = 20
stu.c = 'c'
a = student
a.x = 3
a.c = 'a'
f(a)
print a.x, a.c
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.